mirror of
https://code.forgejo.org/actions/cache.git
synced 2024-11-06 02:32:55 +01:00
eb78578266
* Allow for multiple line-delimited paths to cache * Add initial minimatch support * Use @actions/glob for pattern matching * Cache multiple entries using --files-from tar input remove known failing test Quote tar paths Add salt to test cache Try reading input files from manifest bump salt Run test on macos more testing Run caching tests on 3 platforms Run tests on self-hosted Apparently cant reference hosted runners by name Bump salt wait for some time after save more timing out smarter waiting Cache in tmp dir that won't be deleted Use child_process instead of actions/exec Revert tempDir hack bump salt more logging More console logging Use filepath to with cacheHttpClient Test cache restoration Revert temp dir hack debug logging clean up cache.yml testing Bump salt change debug output build actions * unit test coverage for caching multiple dirs * Ensure there's a locateable test folder at homedir * Clean up code * Version cache with all inputs * Unit test getCacheVersion * Include keys in getCacheEntry request * Clean import orders * Use fs promises in actionUtils tests * Update import order for to fix linter errors * Fix remaining linter error * Remove platform-specific test code * Add lerna example for caching multiple dirs * Lerna example updated to v2 Co-Authored-By: Josh Gross <joshmgross@github.com> Co-authored-by: Josh Gross <joshmgross@github.com>
118 lines
3.7 KiB
TypeScript
118 lines
3.7 KiB
TypeScript
import * as core from "@actions/core";
|
|
import * as glob from "@actions/glob";
|
|
import * as io from "@actions/io";
|
|
import * as fs from "fs";
|
|
import * as path from "path";
|
|
import * as util from "util";
|
|
import * as uuidV4 from "uuid/v4";
|
|
|
|
import { Events, Outputs, State } from "../constants";
|
|
import { ArtifactCacheEntry } from "../contracts";
|
|
|
|
// From https://github.com/actions/toolkit/blob/master/packages/tool-cache/src/tool-cache.ts#L23
|
|
export async function createTempDirectory(): Promise<string> {
|
|
const IS_WINDOWS = process.platform === "win32";
|
|
|
|
let tempDirectory: string = process.env["RUNNER_TEMP"] || "";
|
|
|
|
if (!tempDirectory) {
|
|
let baseLocation: string;
|
|
if (IS_WINDOWS) {
|
|
// On Windows use the USERPROFILE env variable
|
|
baseLocation = process.env["USERPROFILE"] || "C:\\";
|
|
} else {
|
|
if (process.platform === "darwin") {
|
|
baseLocation = "/Users";
|
|
} else {
|
|
baseLocation = "/home";
|
|
}
|
|
}
|
|
tempDirectory = path.join(baseLocation, "actions", "temp");
|
|
}
|
|
|
|
const dest = path.join(tempDirectory, uuidV4.default());
|
|
await io.mkdirP(dest);
|
|
return dest;
|
|
}
|
|
|
|
export function getArchiveFileSize(path: string): number {
|
|
return fs.statSync(path).size;
|
|
}
|
|
|
|
export function isExactKeyMatch(
|
|
key: string,
|
|
cacheResult?: ArtifactCacheEntry
|
|
): boolean {
|
|
return !!(
|
|
cacheResult &&
|
|
cacheResult.cacheKey &&
|
|
cacheResult.cacheKey.localeCompare(key, undefined, {
|
|
sensitivity: "accent"
|
|
}) === 0
|
|
);
|
|
}
|
|
|
|
export function setCacheState(state: ArtifactCacheEntry): void {
|
|
core.saveState(State.CacheResult, JSON.stringify(state));
|
|
}
|
|
|
|
export function setCacheHitOutput(isCacheHit: boolean): void {
|
|
core.setOutput(Outputs.CacheHit, isCacheHit.toString());
|
|
}
|
|
|
|
export function setOutputAndState(
|
|
key: string,
|
|
cacheResult?: ArtifactCacheEntry
|
|
): void {
|
|
setCacheHitOutput(isExactKeyMatch(key, cacheResult));
|
|
// Store the cache result if it exists
|
|
cacheResult && setCacheState(cacheResult);
|
|
}
|
|
|
|
export function getCacheState(): ArtifactCacheEntry | undefined {
|
|
const stateData = core.getState(State.CacheResult);
|
|
core.debug(`State: ${stateData}`);
|
|
if (stateData) {
|
|
return JSON.parse(stateData) as ArtifactCacheEntry;
|
|
}
|
|
|
|
return undefined;
|
|
}
|
|
|
|
export function logWarning(message: string): void {
|
|
const warningPrefix = "[warning]";
|
|
core.info(`${warningPrefix}${message}`);
|
|
}
|
|
|
|
export async function resolvePaths(patterns: string[]): Promise<string[]> {
|
|
const paths: string[] = [];
|
|
const workspace = process.env["GITHUB_WORKSPACE"] ?? process.cwd();
|
|
const globber = await glob.create(patterns.join("\n"), {
|
|
implicitDescendants: false
|
|
});
|
|
|
|
for await (const file of globber.globGenerator()) {
|
|
const relativeFile = path.relative(workspace, file);
|
|
core.debug(`Matched: ${relativeFile}`);
|
|
// Paths are made relative so the tar entries are all relative to the root of the workspace.
|
|
paths.push(`${relativeFile}`);
|
|
}
|
|
|
|
return paths;
|
|
}
|
|
|
|
export function getSupportedEvents(): string[] {
|
|
return [Events.Push, Events.PullRequest];
|
|
}
|
|
|
|
// Currently the cache token is only authorized for push and pull_request events
|
|
// All other events will fail when reading and saving the cache
|
|
// See GitHub Context https://help.github.com/actions/automating-your-workflow-with-github-actions/contexts-and-expression-syntax-for-github-actions#github-context
|
|
export function isValidEvent(): boolean {
|
|
const githubEvent = process.env[Events.Key] || "";
|
|
return getSupportedEvents().includes(githubEvent);
|
|
}
|
|
|
|
export function unlinkFile(path: fs.PathLike): Promise<void> {
|
|
return util.promisify(fs.unlink)(path);
|
|
}
|