Polish and documentation

This commit is contained in:
Daz DeBoer 2021-11-17 16:08:23 -07:00
parent cfe43efa8c
commit 9310f9e1c4
No known key found for this signature in database
GPG key ID: DD6B9F0B06683D5D
5 changed files with 140 additions and 43 deletions

View file

@ -6,6 +6,38 @@ import {isCacheDebuggingEnabled, getCacheKeyPrefix, hashStrings, handleCacheFail
const CACHE_PROTOCOL_VERSION = 'v5-' const CACHE_PROTOCOL_VERSION = 'v5-'
const JOB_CONTEXT_PARAMETER = 'workflow-job-context' const JOB_CONTEXT_PARAMETER = 'workflow-job-context'
/**
* Represents a key used to restore a cache entry.
* The Github Actions cache will first try for an exact match on the key.
* If that fails, it will try for a prefix match on any of the restoreKeys.
*/
class CacheKey {
key: string
restoreKeys: string[]
constructor(key: string, restoreKeys: string[]) {
this.key = key
this.restoreKeys = restoreKeys
}
}
/**
* Generates a cache key specific to the current job execution.
* The key is constructed from the following inputs:
* - A user-defined prefix (optional)
* - The cache protocol version
* - The name of the cache
* - The runner operating system
* - The name of the Job being executed
* - The matrix values for the Job being executed (job context)
* - The SHA of the commit being executed
*
* Caches are restored by trying to match the these key prefixes in order:
* - The full key with SHA
* - A previous key for this Job + matrix
* - Any previous key for this Job (any matrix)
* - Any previous key for this cache on the current OS
*/
function generateCacheKey(cacheName: string): CacheKey { function generateCacheKey(cacheName: string): CacheKey {
const cacheKeyBase = `${getCacheKeyPrefix()}${CACHE_PROTOCOL_VERSION}${cacheName}` const cacheKeyBase = `${getCacheKeyPrefix()}${CACHE_PROTOCOL_VERSION}${cacheName}`
@ -27,20 +59,15 @@ function generateCacheKey(cacheName: string): CacheKey {
function determineJobContext(): string { function determineJobContext(): string {
// By default, we hash the full `matrix` data for the run, to uniquely identify this job invocation // By default, we hash the full `matrix` data for the run, to uniquely identify this job invocation
// The only way we can obtain the `matrix` data is via the `workflow-job-context` parameter in action.yml.
const workflowJobContext = core.getInput(JOB_CONTEXT_PARAMETER) const workflowJobContext = core.getInput(JOB_CONTEXT_PARAMETER)
return hashStrings([workflowJobContext]) return hashStrings([workflowJobContext])
} }
class CacheKey { /**
key: string * Collects information on what entries were saved and restored during the action.
restoreKeys: string[] * This information is used to generate a summary of the cache usage.
*/
constructor(key: string, restoreKeys: string[]) {
this.key = key
this.restoreKeys = restoreKeys
}
}
export class CacheListener { export class CacheListener {
cacheEntries: CacheEntryListener[] = [] cacheEntries: CacheEntryListener[] = []
@ -75,6 +102,9 @@ export class CacheListener {
} }
} }
/**
* Collects information on the state of a single cache entry.
*/
export class CacheEntryListener { export class CacheEntryListener {
entryName: string entryName: string
requestedKey: string | undefined requestedKey: string | undefined
@ -128,15 +158,18 @@ export abstract class AbstractCache {
this.cacheDebuggingEnabled = isCacheDebuggingEnabled() this.cacheDebuggingEnabled = isCacheDebuggingEnabled()
} }
/**
* Restores the cache entry, finding the closest match to the currently running job.
* If the target output already exists, caching will be skipped.
*/
async restore(listener: CacheListener): Promise<void> { async restore(listener: CacheListener): Promise<void> {
if (this.cacheOutputExists()) { if (this.cacheOutputExists()) {
core.info(`${this.cacheDescription} already exists. Not restoring from cache.`) core.info(`${this.cacheDescription} already exists. Not restoring from cache.`)
return return
} }
const entryListener = listener.entry(this.cacheDescription)
const cacheKey = this.prepareCacheKey() const cacheKey = this.prepareCacheKey()
const entryReport = listener.entry(this.cacheDescription)
entryReport.markRequested(cacheKey.key, cacheKey.restoreKeys)
this.debug( this.debug(
`Requesting ${this.cacheDescription} with `Requesting ${this.cacheDescription} with
@ -145,6 +178,7 @@ export abstract class AbstractCache {
) )
const cacheResult = await this.restoreCache(this.getCachePath(), cacheKey.key, cacheKey.restoreKeys) const cacheResult = await this.restoreCache(this.getCachePath(), cacheKey.key, cacheKey.restoreKeys)
entryListener.markRequested(cacheKey.key, cacheKey.restoreKeys)
if (!cacheResult) { if (!cacheResult) {
core.info(`${this.cacheDescription} cache not found. Will initialize empty.`) core.info(`${this.cacheDescription} cache not found. Will initialize empty.`)
@ -152,7 +186,8 @@ export abstract class AbstractCache {
} }
core.saveState(this.cacheResultStateKey, cacheResult.key) core.saveState(this.cacheResultStateKey, cacheResult.key)
entryReport.markRestored(cacheResult.key, cacheResult.size) entryListener.markRestored(cacheResult.key, cacheResult.size)
core.info(`Restored ${this.cacheDescription} from cache key: ${cacheResult.key}`) core.info(`Restored ${this.cacheDescription} from cache key: ${cacheResult.key}`)
try { try {
@ -164,7 +199,6 @@ export abstract class AbstractCache {
prepareCacheKey(): CacheKey { prepareCacheKey(): CacheKey {
const cacheKey = generateCacheKey(this.cacheName) const cacheKey = generateCacheKey(this.cacheName)
core.saveState(this.cacheKeyStateKey, cacheKey.key) core.saveState(this.cacheKeyStateKey, cacheKey.key)
return cacheKey return cacheKey
} }
@ -184,22 +218,31 @@ export abstract class AbstractCache {
protected async afterRestore(_listener: CacheListener): Promise<void> {} protected async afterRestore(_listener: CacheListener): Promise<void> {}
/**
* Saves the cache entry based on the current cache key, unless:
* - If the cache output existed before restore, then it is not saved.
* - If the cache was restored with the exact key, we cannot overwrite it.
*
* If the cache entry was restored with a partial match on a restore key, then
* it is saved with the exact key.
*/
async save(listener: CacheListener): Promise<void> { async save(listener: CacheListener): Promise<void> {
if (!this.cacheOutputExists()) { if (!this.cacheOutputExists()) {
core.info(`No ${this.cacheDescription} to cache.`) core.info(`No ${this.cacheDescription} to cache.`)
return return
} }
const cacheKey = core.getState(this.cacheKeyStateKey) // Retrieve the state set in the previous 'restore' step.
const cacheResult = core.getState(this.cacheResultStateKey) const cacheKeyFromRestore = core.getState(this.cacheKeyStateKey)
const cacheResultFromRestore = core.getState(this.cacheResultStateKey)
if (!cacheKey) { if (!cacheKeyFromRestore) {
core.info(`${this.cacheDescription} existed prior to cache restore. Not saving.`) core.info(`${this.cacheDescription} existed prior to cache restore. Not saving.`)
return return
} }
if (cacheResult && cacheKey === cacheResult) { if (cacheResultFromRestore && cacheKeyFromRestore === cacheResultFromRestore) {
core.info(`Cache hit occurred on the cache key ${cacheKey}, not saving cache.`) core.info(`Cache hit occurred on the cache key ${cacheKeyFromRestore}, not saving cache.`)
return return
} }
@ -210,9 +253,9 @@ export abstract class AbstractCache {
return return
} }
core.info(`Caching ${this.cacheDescription} with cache key: ${cacheKey}`) core.info(`Caching ${this.cacheDescription} with cache key: ${cacheKeyFromRestore}`)
const cachePath = this.getCachePath() const cachePath = this.getCachePath()
const savedEntry = await this.saveCache(cachePath, cacheKey) const savedEntry = await this.saveCache(cachePath, cacheKeyFromRestore)
if (savedEntry) { if (savedEntry) {
listener.entry(this.cacheDescription).markSaved(savedEntry.key, savedEntry.size) listener.entry(this.cacheDescription).markSaved(savedEntry.key, savedEntry.size)

View file

@ -15,7 +15,12 @@ const INCLUDE_PATHS_PARAMETER = 'gradle-home-cache-includes'
const EXCLUDE_PATHS_PARAMETER = 'gradle-home-cache-excludes' const EXCLUDE_PATHS_PARAMETER = 'gradle-home-cache-excludes'
const ARTIFACT_BUNDLES_PARAMETER = 'gradle-home-cache-artifact-bundles' const ARTIFACT_BUNDLES_PARAMETER = 'gradle-home-cache-artifact-bundles'
class CacheResult { /**
* Represents the result of attempting to load or store a cache bundle entry.
* An undefined cacheKey indicates that the operation did not succeed.
* The collected results are then used to populate the `cache-metadata.json` file for later use.
*/
class CacheBundleResult {
readonly bundle: string readonly bundle: string
readonly cacheKey: string | undefined readonly cacheKey: string | undefined
@ -25,6 +30,10 @@ class CacheResult {
} }
} }
/**
* Caches and restores the entire Gradle User Home directory, extracting bundles of common artifacts
* for more efficient storage.
*/
export class GradleUserHomeCache extends AbstractCache { export class GradleUserHomeCache extends AbstractCache {
private gradleUserHome: string private gradleUserHome: string
@ -38,17 +47,24 @@ export class GradleUserHomeCache extends AbstractCache {
initializeGradleUserHome(this.gradleUserHome) initializeGradleUserHome(this.gradleUserHome)
} }
/**
* Restore any artifact bundles after the main Gradle User Home entry is restored.
*/
async afterRestore(listener: CacheListener): Promise<void> { async afterRestore(listener: CacheListener): Promise<void> {
await this.reportGradleUserHomeSize('as restored from cache') await this.debugReportGradleUserHomeSize('as restored from cache')
await this.restoreArtifactBundles(listener) await this.restoreArtifactBundles(listener)
await this.reportGradleUserHomeSize('after restoring common artifacts') await this.debugReportGradleUserHomeSize('after restoring common artifacts')
} }
/**
* Restores any artifacts that were cached separately, based on the information in the `cache-metadata.json` file.
* Each artifact bundle is restored in parallel, except when debugging is enabled.
*/
private async restoreArtifactBundles(listener: CacheListener): Promise<void> { private async restoreArtifactBundles(listener: CacheListener): Promise<void> {
const bundleMetadata = this.loadBundleMetadata() const bundleMetadata = this.loadBundleMetadata()
const bundlePatterns = this.getArtifactBundles() const bundlePatterns = this.getArtifactBundleDefinitions()
const processes: Promise<CacheResult>[] = [] const processes: Promise<CacheBundleResult>[] = []
for (const [bundle, cacheKey] of bundleMetadata) { for (const [bundle, cacheKey] of bundleMetadata) {
const entryListener = listener.entry(bundle) const entryListener = listener.entry(bundle)
@ -78,29 +94,35 @@ export class GradleUserHomeCache extends AbstractCache {
cacheKey: string, cacheKey: string,
bundlePattern: string, bundlePattern: string,
listener: CacheEntryListener listener: CacheEntryListener
): Promise<CacheResult> { ): Promise<CacheBundleResult> {
listener.markRequested(cacheKey) listener.markRequested(cacheKey)
const restoredEntry = await this.restoreCache([bundlePattern], cacheKey) const restoredEntry = await this.restoreCache([bundlePattern], cacheKey)
if (restoredEntry) { if (restoredEntry) {
core.info(`Restored ${bundle} with key ${cacheKey} to ${bundlePattern}`) core.info(`Restored ${bundle} with key ${cacheKey} to ${bundlePattern}`)
listener.markRestored(restoredEntry.key, restoredEntry.size) listener.markRestored(restoredEntry.key, restoredEntry.size)
return new CacheResult(bundle, cacheKey) return new CacheBundleResult(bundle, cacheKey)
} else { } else {
core.info(`Did not restore ${bundle} with key ${cacheKey} to ${bundlePattern}`) core.info(`Did not restore ${bundle} with key ${cacheKey} to ${bundlePattern}`)
return new CacheResult(bundle, undefined) return new CacheBundleResult(bundle, undefined)
} }
} }
/**
* Save and delete any artifact bundles prior to the main Gradle User Home entry being saved.
*/
async beforeSave(listener: CacheListener): Promise<void> { async beforeSave(listener: CacheListener): Promise<void> {
await this.reportGradleUserHomeSize('before saving common artifacts') await this.debugReportGradleUserHomeSize('before saving common artifacts')
this.removeExcludedPaths() this.removeExcludedPaths()
await this.saveArtifactBundles(listener) await this.saveArtifactBundles(listener)
await this.reportGradleUserHomeSize( await this.debugReportGradleUserHomeSize(
"after saving common artifacts (only 'caches' and 'notifications' will be stored)" "after saving common artifacts (only 'caches' and 'notifications' will be stored)"
) )
} }
/**
* Delete any file paths that are excluded by the `gradle-home-cache-excludes` parameter.
*/
private removeExcludedPaths(): void { private removeExcludedPaths(): void {
const rawPaths: string[] = core.getMultilineInput(EXCLUDE_PATHS_PARAMETER) const rawPaths: string[] = core.getMultilineInput(EXCLUDE_PATHS_PARAMETER)
const resolvedPaths = rawPaths.map(x => path.resolve(this.gradleUserHome, x)) const resolvedPaths = rawPaths.map(x => path.resolve(this.gradleUserHome, x))
@ -111,11 +133,16 @@ export class GradleUserHomeCache extends AbstractCache {
} }
} }
/**
* Saves any artifacts that are configured to be cached separately, based on the artifact bundle definitions.
* These definitions are normally fixed, but can be overridden by the `gradle-home-cache-artifact-bundles` parameter.
* Each artifact bundle is saved in parallel, except when debugging is enabled.
*/
private async saveArtifactBundles(listener: CacheListener): Promise<void> { private async saveArtifactBundles(listener: CacheListener): Promise<void> {
const bundleMetadata = this.loadBundleMetadata() const bundleMetadata = this.loadBundleMetadata()
const processes: Promise<CacheResult>[] = [] const processes: Promise<CacheBundleResult>[] = []
for (const [bundle, pattern] of this.getArtifactBundles()) { for (const [bundle, pattern] of this.getArtifactBundleDefinitions()) {
const entryListener = listener.entry(bundle) const entryListener = listener.entry(bundle)
const previouslyRestoredKey = bundleMetadata.get(bundle) const previouslyRestoredKey = bundleMetadata.get(bundle)
const p = this.saveArtifactBundle(bundle, pattern, previouslyRestoredKey, entryListener) const p = this.saveArtifactBundle(bundle, pattern, previouslyRestoredKey, entryListener)
@ -136,7 +163,7 @@ export class GradleUserHomeCache extends AbstractCache {
artifactPath: string, artifactPath: string,
previouslyRestoredKey: string | undefined, previouslyRestoredKey: string | undefined,
listener: CacheEntryListener listener: CacheEntryListener
): Promise<CacheResult> { ): Promise<CacheBundleResult> {
const globber = await glob.create(artifactPath, { const globber = await glob.create(artifactPath, {
implicitDescendants: false, implicitDescendants: false,
followSymbolicLinks: false followSymbolicLinks: false
@ -146,10 +173,10 @@ export class GradleUserHomeCache extends AbstractCache {
// Handle no matching files // Handle no matching files
if (bundleFiles.length === 0) { if (bundleFiles.length === 0) {
this.debug(`No files found to cache for ${bundle}`) this.debug(`No files found to cache for ${bundle}`)
return new CacheResult(bundle, undefined) return new CacheBundleResult(bundle, undefined)
} }
const cacheKey = this.createCacheKey(bundle, bundleFiles) const cacheKey = this.createCacheKeyForArtifacts(bundle, bundleFiles)
if (previouslyRestoredKey === cacheKey) { if (previouslyRestoredKey === cacheKey) {
this.debug(`No change to previously restored ${bundle}. Not caching.`) this.debug(`No change to previously restored ${bundle}. Not caching.`)
@ -165,10 +192,10 @@ export class GradleUserHomeCache extends AbstractCache {
tryDelete(file) tryDelete(file)
} }
return new CacheResult(bundle, cacheKey) return new CacheBundleResult(bundle, cacheKey)
} }
protected createCacheKey(bundle: string, files: string[]): string { protected createCacheKeyForArtifacts(bundle: string, files: string[]): string {
const cacheKeyPrefix = getCacheKeyPrefix() const cacheKeyPrefix = getCacheKeyPrefix()
const relativeFiles = files.map(x => path.relative(this.gradleUserHome, x)) const relativeFiles = files.map(x => path.relative(this.gradleUserHome, x))
const key = hashFileNames(relativeFiles) const key = hashFileNames(relativeFiles)
@ -178,6 +205,9 @@ export class GradleUserHomeCache extends AbstractCache {
return `${cacheKeyPrefix}${bundle}-${key}` return `${cacheKeyPrefix}${bundle}-${key}`
} }
/**
* Load information about the previously restored/saved artifact bundles from the 'cache-metadata.json' file.
*/
private loadBundleMetadata(): Map<string, string> { private loadBundleMetadata(): Map<string, string> {
const bundleMetaFile = path.resolve(this.gradleUserHome, META_FILE_DIR, META_FILE) const bundleMetaFile = path.resolve(this.gradleUserHome, META_FILE_DIR, META_FILE)
if (!fs.existsSync(bundleMetaFile)) { if (!fs.existsSync(bundleMetaFile)) {
@ -188,7 +218,10 @@ export class GradleUserHomeCache extends AbstractCache {
return new Map(JSON.parse(filedata)) return new Map(JSON.parse(filedata))
} }
private saveMetadataForCacheResults(results: CacheResult[]): void { /**
* Saves information about the artifact bundle restore/save into the 'cache-metadata.json' file.
*/
private saveMetadataForCacheResults(results: CacheBundleResult[]): void {
const metadata = new Map<string, string>() const metadata = new Map<string, string>()
for (const result of results) { for (const result of results) {
if (result.cacheKey !== undefined) { if (result.cacheKey !== undefined) {
@ -222,6 +255,11 @@ export class GradleUserHomeCache extends AbstractCache {
return fs.existsSync(dir) return fs.existsSync(dir)
} }
/**
* Determines the paths within Gradle User Home to cache.
* By default, this is the 'caches' and 'notifications' directories,
* but this can be overridden by the `gradle-home-cache-includes` parameter.
*/
protected getCachePath(): string[] { protected getCachePath(): string[] {
const rawPaths: string[] = core.getMultilineInput(INCLUDE_PATHS_PARAMETER) const rawPaths: string[] = core.getMultilineInput(INCLUDE_PATHS_PARAMETER)
rawPaths.push(META_FILE_DIR) rawPaths.push(META_FILE_DIR)
@ -238,14 +276,23 @@ export class GradleUserHomeCache extends AbstractCache {
return path.resolve(this.gradleUserHome, rawPath) return path.resolve(this.gradleUserHome, rawPath)
} }
private getArtifactBundles(): Map<string, string> { /**
* Return the artifact bundle definitions, which determine which artifacts will be cached
* separately from the rest of the Gradle User Home cache entry.
* This is normally a fixed set, but can be overridden by the `gradle-home-cache-artifact-bundles` parameter.
*/
private getArtifactBundleDefinitions(): Map<string, string> {
const artifactBundleDefinition = core.getInput(ARTIFACT_BUNDLES_PARAMETER) const artifactBundleDefinition = core.getInput(ARTIFACT_BUNDLES_PARAMETER)
this.debug(`Using artifact bundle definition: ${artifactBundleDefinition}`) this.debug(`Using artifact bundle definition: ${artifactBundleDefinition}`)
const artifactBundles = JSON.parse(artifactBundleDefinition) const artifactBundles = JSON.parse(artifactBundleDefinition)
return new Map(Array.from(artifactBundles, ([key, value]) => [key, path.resolve(this.gradleUserHome, value)])) return new Map(Array.from(artifactBundles, ([key, value]) => [key, path.resolve(this.gradleUserHome, value)]))
} }
private async reportGradleUserHomeSize(label: string): Promise<void> { /**
* When cache debugging is enabled, this method will give a detailed report
* of the Gradle User Home contents.
*/
private async debugReportGradleUserHomeSize(label: string): Promise<void> {
if (!this.cacheDebuggingEnabled) { if (!this.cacheDebuggingEnabled) {
return return
} }

View file

@ -7,6 +7,9 @@ const PATHS_TO_CACHE = [
'configuration-cache' // Only configuration-cache is stored at present 'configuration-cache' // Only configuration-cache is stored at present
] ]
/**
* A simple cache that saves and restores the '.gradle/configuration-cache' directory in the project root.
*/
export class ProjectDotGradleCache extends AbstractCache { export class ProjectDotGradleCache extends AbstractCache {
private rootDir: string private rootDir: string
constructor(rootDir: string) { constructor(rootDir: string) {

View file

@ -7,7 +7,9 @@ import * as execution from './execution'
import * as gradlew from './gradlew' import * as gradlew from './gradlew'
import * as provision from './provision' import * as provision from './provision'
// Invoked by GitHub Actions /**
* The main entry point for the action, called by Github Actions for the step.
*/
export async function run(): Promise<void> { export async function run(): Promise<void> {
try { try {
const workspaceDirectory = process.env[`GITHUB_WORKSPACE`] || '' const workspaceDirectory = process.env[`GITHUB_WORKSPACE`] || ''

View file

@ -6,7 +6,9 @@ import * as caches from './caches'
// throw an uncaught exception. Instead of failing this action, just warn. // throw an uncaught exception. Instead of failing this action, just warn.
process.on('uncaughtException', e => handleFailure(e)) process.on('uncaughtException', e => handleFailure(e))
// Invoked by GitHub Actions /**
* The post-execution entry point for the action, called by Github Actions after completing all steps for the Job.
*/
export async function run(): Promise<void> { export async function run(): Promise<void> {
try { try {
await caches.save() await caches.save()