mirror of
https://github.com/github/codeql-action.git
synced 2025-12-24 08:10:06 +08:00
Refactor: Pull out generic tool invocation functionality
This commit is contained in:
78
lib/actions-util.js
generated
78
lib/actions-util.js
generated
@@ -23,7 +23,7 @@ var __importStar = (this && this.__importStar) || function (mod) {
|
|||||||
return result;
|
return result;
|
||||||
};
|
};
|
||||||
Object.defineProperty(exports, "__esModule", { value: true });
|
Object.defineProperty(exports, "__esModule", { value: true });
|
||||||
exports.getFileType = exports.FileCmdNotFoundError = exports.determineMergeBaseCommitOid = exports.getCommitOid = exports.getOptionalInput = exports.getRequiredInput = void 0;
|
exports.CommandInvocationError = exports.getFileType = exports.FileCmdNotFoundError = exports.determineMergeBaseCommitOid = exports.getCommitOid = exports.getOptionalInput = exports.getRequiredInput = void 0;
|
||||||
exports.getTemporaryDirectory = getTemporaryDirectory;
|
exports.getTemporaryDirectory = getTemporaryDirectory;
|
||||||
exports.getRef = getRef;
|
exports.getRef = getRef;
|
||||||
exports.getActionVersion = getActionVersion;
|
exports.getActionVersion = getActionVersion;
|
||||||
@@ -37,6 +37,9 @@ exports.getUploadValue = getUploadValue;
|
|||||||
exports.getWorkflowRunID = getWorkflowRunID;
|
exports.getWorkflowRunID = getWorkflowRunID;
|
||||||
exports.getWorkflowRunAttempt = getWorkflowRunAttempt;
|
exports.getWorkflowRunAttempt = getWorkflowRunAttempt;
|
||||||
exports.isSelfHostedRunner = isSelfHostedRunner;
|
exports.isSelfHostedRunner = isSelfHostedRunner;
|
||||||
|
exports.prettyPrintInvocation = prettyPrintInvocation;
|
||||||
|
exports.ensureEndsInPeriod = ensureEndsInPeriod;
|
||||||
|
exports.runTool = runTool;
|
||||||
const fs = __importStar(require("fs"));
|
const fs = __importStar(require("fs"));
|
||||||
const path = __importStar(require("path"));
|
const path = __importStar(require("path"));
|
||||||
const core = __importStar(require("@actions/core"));
|
const core = __importStar(require("@actions/core"));
|
||||||
@@ -429,4 +432,77 @@ exports.getFileType = getFileType;
|
|||||||
function isSelfHostedRunner() {
|
function isSelfHostedRunner() {
|
||||||
return process.env.RUNNER_ENVIRONMENT === "self-hosted";
|
return process.env.RUNNER_ENVIRONMENT === "self-hosted";
|
||||||
}
|
}
|
||||||
|
function prettyPrintInvocation(cmd, args) {
|
||||||
|
return [cmd, ...args].map((x) => (x.includes(" ") ? `'${x}'` : x)).join(" ");
|
||||||
|
}
|
||||||
|
/**
|
||||||
|
* An error from a tool invocation, with associated exit code, stderr, etc.
|
||||||
|
*/
|
||||||
|
class CommandInvocationError extends Error {
|
||||||
|
constructor(cmd, args, exitCode, stderr, stdout) {
|
||||||
|
const prettyCommand = prettyPrintInvocation(cmd, args);
|
||||||
|
const lastLine = ensureEndsInPeriod(stderr.trim().split("\n").pop()?.trim() || "n/a");
|
||||||
|
super(`Failed to run "${prettyCommand}". ` +
|
||||||
|
`Exit code was ${exitCode} and last log line was: ${lastLine} See the logs for more details.`);
|
||||||
|
this.cmd = cmd;
|
||||||
|
this.args = args;
|
||||||
|
this.exitCode = exitCode;
|
||||||
|
this.stderr = stderr;
|
||||||
|
this.stdout = stdout;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
exports.CommandInvocationError = CommandInvocationError;
|
||||||
|
function ensureEndsInPeriod(text) {
|
||||||
|
return text[text.length - 1] === "." ? text : `${text}.`;
|
||||||
|
}
|
||||||
|
/**
|
||||||
|
* A constant defining the maximum number of characters we will keep from
|
||||||
|
* the programs stderr for logging.
|
||||||
|
*
|
||||||
|
* This serves two purposes:
|
||||||
|
* 1. It avoids an OOM if a program fails in a way that results it
|
||||||
|
* printing many log lines.
|
||||||
|
* 2. It avoids us hitting the limit of how much data we can send in our
|
||||||
|
* status reports on GitHub.com.
|
||||||
|
*/
|
||||||
|
const MAX_STDERR_BUFFER_SIZE = 20000;
|
||||||
|
/**
|
||||||
|
* Runs a CLI tool.
|
||||||
|
*
|
||||||
|
* @returns Standard output produced by the tool.
|
||||||
|
* @throws A `CommandInvocationError` if the tool exits with a non-zero status code.
|
||||||
|
*/
|
||||||
|
async function runTool(cmd, args = [], opts = {}) {
|
||||||
|
let stdout = "";
|
||||||
|
let stderr = "";
|
||||||
|
process.stdout.write(`[command]${cmd} ${args.join(" ")}\n`);
|
||||||
|
const exitCode = await new toolrunner.ToolRunner(cmd, args, {
|
||||||
|
ignoreReturnCode: true,
|
||||||
|
listeners: {
|
||||||
|
stdout: (data) => {
|
||||||
|
stdout += data.toString("utf8");
|
||||||
|
if (!opts.noStreamStdout) {
|
||||||
|
process.stdout.write(data);
|
||||||
|
}
|
||||||
|
},
|
||||||
|
stderr: (data) => {
|
||||||
|
let readStartIndex = 0;
|
||||||
|
// If the error is too large, then we only take the last MAX_STDERR_BUFFER_SIZE characters
|
||||||
|
if (data.length - MAX_STDERR_BUFFER_SIZE > 0) {
|
||||||
|
// Eg: if we have MAX_STDERR_BUFFER_SIZE the start index should be 2.
|
||||||
|
readStartIndex = data.length - MAX_STDERR_BUFFER_SIZE + 1;
|
||||||
|
}
|
||||||
|
stderr += data.toString("utf8", readStartIndex);
|
||||||
|
// Mimic the standard behavior of the toolrunner by writing stderr to stdout
|
||||||
|
process.stdout.write(data);
|
||||||
|
},
|
||||||
|
},
|
||||||
|
silent: true,
|
||||||
|
...(opts.stdin ? { input: Buffer.from(opts.stdin || "") } : {}),
|
||||||
|
}).exec();
|
||||||
|
if (exitCode !== 0) {
|
||||||
|
throw new CommandInvocationError(cmd, args, exitCode, stderr, stdout);
|
||||||
|
}
|
||||||
|
return stdout;
|
||||||
|
}
|
||||||
//# sourceMappingURL=actions-util.js.map
|
//# sourceMappingURL=actions-util.js.map
|
||||||
File diff suppressed because one or more lines are too long
31
lib/cli-errors.js
generated
31
lib/cli-errors.js
generated
@@ -1,26 +1,24 @@
|
|||||||
"use strict";
|
"use strict";
|
||||||
Object.defineProperty(exports, "__esModule", { value: true });
|
Object.defineProperty(exports, "__esModule", { value: true });
|
||||||
exports.cliErrorsConfig = exports.CliConfigErrorCategory = exports.CommandInvocationError = void 0;
|
exports.cliErrorsConfig = exports.CliConfigErrorCategory = exports.CliError = void 0;
|
||||||
exports.getCliConfigCategoryIfExists = getCliConfigCategoryIfExists;
|
exports.getCliConfigCategoryIfExists = getCliConfigCategoryIfExists;
|
||||||
exports.wrapCliConfigurationError = wrapCliConfigurationError;
|
exports.wrapCliConfigurationError = wrapCliConfigurationError;
|
||||||
|
const actions_util_1 = require("./actions-util");
|
||||||
const doc_url_1 = require("./doc-url");
|
const doc_url_1 = require("./doc-url");
|
||||||
const util_1 = require("./util");
|
const util_1 = require("./util");
|
||||||
/**
|
/**
|
||||||
* A class of Error that we can classify as an error stemming from a CLI
|
* An error from a CodeQL CLI invocation, with associated exit code, stderr, etc.
|
||||||
* invocation, with associated exit code, stderr,etc.
|
|
||||||
*/
|
*/
|
||||||
class CommandInvocationError extends Error {
|
class CliError extends Error {
|
||||||
constructor(cmd, args, exitCode, stderr, stdout) {
|
constructor({ cmd, args, exitCode, stderr }) {
|
||||||
const prettyCommand = [cmd, ...args]
|
const prettyCommand = (0, actions_util_1.prettyPrintInvocation)(cmd, args);
|
||||||
.map((x) => (x.includes(" ") ? `'${x}'` : x))
|
|
||||||
.join(" ");
|
|
||||||
const fatalErrors = extractFatalErrors(stderr);
|
const fatalErrors = extractFatalErrors(stderr);
|
||||||
const autobuildErrors = extractAutobuildErrors(stderr);
|
const autobuildErrors = extractAutobuildErrors(stderr);
|
||||||
let message;
|
let message;
|
||||||
if (fatalErrors) {
|
if (fatalErrors) {
|
||||||
message =
|
message =
|
||||||
`Encountered a fatal error while running "${prettyCommand}". ` +
|
`Encountered a fatal error while running "${prettyCommand}". ` +
|
||||||
`Exit code was ${exitCode} and error was: ${ensureEndsInPeriod(fatalErrors.trim())} See the logs for more details.`;
|
`Exit code was ${exitCode} and error was: ${(0, actions_util_1.ensureEndsInPeriod)(fatalErrors.trim())} See the logs for more details.`;
|
||||||
}
|
}
|
||||||
else if (autobuildErrors) {
|
else if (autobuildErrors) {
|
||||||
message =
|
message =
|
||||||
@@ -29,7 +27,7 @@ class CommandInvocationError extends Error {
|
|||||||
`Encountered the following error: ${autobuildErrors}`;
|
`Encountered the following error: ${autobuildErrors}`;
|
||||||
}
|
}
|
||||||
else {
|
else {
|
||||||
const lastLine = ensureEndsInPeriod(stderr.trim().split("\n").pop()?.trim() || "n/a");
|
const lastLine = (0, actions_util_1.ensureEndsInPeriod)(stderr.trim().split("\n").pop()?.trim() || "n/a");
|
||||||
message =
|
message =
|
||||||
`Encountered a fatal error while running "${prettyCommand}". ` +
|
`Encountered a fatal error while running "${prettyCommand}". ` +
|
||||||
`Exit code was ${exitCode} and last log line was: ${lastLine} See the logs for more details.`;
|
`Exit code was ${exitCode} and last log line was: ${lastLine} See the logs for more details.`;
|
||||||
@@ -37,10 +35,9 @@ class CommandInvocationError extends Error {
|
|||||||
super(message);
|
super(message);
|
||||||
this.exitCode = exitCode;
|
this.exitCode = exitCode;
|
||||||
this.stderr = stderr;
|
this.stderr = stderr;
|
||||||
this.stdout = stdout;
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
exports.CommandInvocationError = CommandInvocationError;
|
exports.CliError = CliError;
|
||||||
/**
|
/**
|
||||||
* Provide a better error message from the stderr of a CLI invocation that failed with a fatal
|
* Provide a better error message from the stderr of a CLI invocation that failed with a fatal
|
||||||
* error.
|
* error.
|
||||||
@@ -89,10 +86,10 @@ function extractFatalErrors(error) {
|
|||||||
}
|
}
|
||||||
const isOneLiner = !fatalErrors.some((e) => e.includes("\n"));
|
const isOneLiner = !fatalErrors.some((e) => e.includes("\n"));
|
||||||
if (isOneLiner) {
|
if (isOneLiner) {
|
||||||
fatalErrors = fatalErrors.map(ensureEndsInPeriod);
|
fatalErrors = fatalErrors.map(actions_util_1.ensureEndsInPeriod);
|
||||||
}
|
}
|
||||||
return [
|
return [
|
||||||
ensureEndsInPeriod(lastError),
|
(0, actions_util_1.ensureEndsInPeriod)(lastError),
|
||||||
"Context:",
|
"Context:",
|
||||||
...fatalErrors.reverse(),
|
...fatalErrors.reverse(),
|
||||||
].join(isOneLiner ? " " : "\n");
|
].join(isOneLiner ? " " : "\n");
|
||||||
@@ -109,9 +106,6 @@ function extractAutobuildErrors(error) {
|
|||||||
}
|
}
|
||||||
return errorLines.join("\n") || undefined;
|
return errorLines.join("\n") || undefined;
|
||||||
}
|
}
|
||||||
function ensureEndsInPeriod(text) {
|
|
||||||
return text[text.length - 1] === "." ? text : `${text}.`;
|
|
||||||
}
|
|
||||||
/** Error messages from the CLI that we consider configuration errors and handle specially. */
|
/** Error messages from the CLI that we consider configuration errors and handle specially. */
|
||||||
var CliConfigErrorCategory;
|
var CliConfigErrorCategory;
|
||||||
(function (CliConfigErrorCategory) {
|
(function (CliConfigErrorCategory) {
|
||||||
@@ -267,9 +261,6 @@ function getCliConfigCategoryIfExists(cliError) {
|
|||||||
* simply returns the original error.
|
* simply returns the original error.
|
||||||
*/
|
*/
|
||||||
function wrapCliConfigurationError(cliError) {
|
function wrapCliConfigurationError(cliError) {
|
||||||
if (!(cliError instanceof CommandInvocationError)) {
|
|
||||||
return cliError;
|
|
||||||
}
|
|
||||||
const cliConfigErrorCategory = getCliConfigCategoryIfExists(cliError);
|
const cliConfigErrorCategory = getCliConfigCategoryIfExists(cliError);
|
||||||
if (cliConfigErrorCategory === undefined) {
|
if (cliConfigErrorCategory === undefined) {
|
||||||
return cliError;
|
return cliError;
|
||||||
|
|||||||
File diff suppressed because one or more lines are too long
80
lib/codeql.js
generated
80
lib/codeql.js
generated
@@ -241,7 +241,7 @@ async function getCodeQLForCmd(cmd, checkVersion) {
|
|||||||
async getVersion() {
|
async getVersion() {
|
||||||
let result = util.getCachedCodeQlVersion();
|
let result = util.getCachedCodeQlVersion();
|
||||||
if (result === undefined) {
|
if (result === undefined) {
|
||||||
const output = await runTool(cmd, ["version", "--format=json"]);
|
const output = await runCli(cmd, ["version", "--format=json"]);
|
||||||
try {
|
try {
|
||||||
result = JSON.parse(output);
|
result = JSON.parse(output);
|
||||||
}
|
}
|
||||||
@@ -253,7 +253,7 @@ async function getCodeQLForCmd(cmd, checkVersion) {
|
|||||||
return result;
|
return result;
|
||||||
},
|
},
|
||||||
async printVersion() {
|
async printVersion() {
|
||||||
await runTool(cmd, ["version", "--format=json"]);
|
await runCli(cmd, ["version", "--format=json"]);
|
||||||
},
|
},
|
||||||
async supportsFeature(feature) {
|
async supportsFeature(feature) {
|
||||||
return (0, tools_features_1.isSupportedToolsFeature)(await this.getVersion(), feature);
|
return (0, tools_features_1.isSupportedToolsFeature)(await this.getVersion(), feature);
|
||||||
@@ -290,7 +290,7 @@ async function getCodeQLForCmd(cmd, checkVersion) {
|
|||||||
const overwriteFlag = (0, tools_features_1.isSupportedToolsFeature)(await this.getVersion(), tools_features_1.ToolsFeature.ForceOverwrite)
|
const overwriteFlag = (0, tools_features_1.isSupportedToolsFeature)(await this.getVersion(), tools_features_1.ToolsFeature.ForceOverwrite)
|
||||||
? "--force-overwrite"
|
? "--force-overwrite"
|
||||||
: "--overwrite";
|
: "--overwrite";
|
||||||
await runTool(cmd, [
|
await runCli(cmd, [
|
||||||
"database",
|
"database",
|
||||||
"init",
|
"init",
|
||||||
overwriteFlag,
|
overwriteFlag,
|
||||||
@@ -325,10 +325,10 @@ async function getCodeQLForCmd(cmd, checkVersion) {
|
|||||||
// When `DYLD_INSERT_LIBRARIES` is set in the environment for a step,
|
// When `DYLD_INSERT_LIBRARIES` is set in the environment for a step,
|
||||||
// the Actions runtime introduces its own workaround for SIP
|
// the Actions runtime introduces its own workaround for SIP
|
||||||
// (https://github.com/actions/runner/pull/416).
|
// (https://github.com/actions/runner/pull/416).
|
||||||
await runTool(autobuildCmd);
|
await runCli(autobuildCmd);
|
||||||
},
|
},
|
||||||
async extractScannedLanguage(config, language) {
|
async extractScannedLanguage(config, language) {
|
||||||
await runTool(cmd, [
|
await runCli(cmd, [
|
||||||
"database",
|
"database",
|
||||||
"trace-command",
|
"trace-command",
|
||||||
"--index-traceless-dbs",
|
"--index-traceless-dbs",
|
||||||
@@ -343,7 +343,7 @@ async function getCodeQLForCmd(cmd, checkVersion) {
|
|||||||
applyAutobuildAzurePipelinesTimeoutFix();
|
applyAutobuildAzurePipelinesTimeoutFix();
|
||||||
}
|
}
|
||||||
try {
|
try {
|
||||||
await runTool(cmd, [
|
await runCli(cmd, [
|
||||||
"database",
|
"database",
|
||||||
"trace-command",
|
"trace-command",
|
||||||
"--use-build-mode",
|
"--use-build-mode",
|
||||||
@@ -378,7 +378,7 @@ async function getCodeQLForCmd(cmd, checkVersion) {
|
|||||||
...getExtraOptionsFromEnv(["database", "finalize"]),
|
...getExtraOptionsFromEnv(["database", "finalize"]),
|
||||||
databasePath,
|
databasePath,
|
||||||
];
|
];
|
||||||
await runTool(cmd, args);
|
await runCli(cmd, args);
|
||||||
},
|
},
|
||||||
async resolveLanguages() {
|
async resolveLanguages() {
|
||||||
const codeqlArgs = [
|
const codeqlArgs = [
|
||||||
@@ -387,7 +387,7 @@ async function getCodeQLForCmd(cmd, checkVersion) {
|
|||||||
"--format=json",
|
"--format=json",
|
||||||
...getExtraOptionsFromEnv(["resolve", "languages"]),
|
...getExtraOptionsFromEnv(["resolve", "languages"]),
|
||||||
];
|
];
|
||||||
const output = await runTool(cmd, codeqlArgs);
|
const output = await runCli(cmd, codeqlArgs);
|
||||||
try {
|
try {
|
||||||
return JSON.parse(output);
|
return JSON.parse(output);
|
||||||
}
|
}
|
||||||
@@ -404,7 +404,7 @@ async function getCodeQLForCmd(cmd, checkVersion) {
|
|||||||
...(await getLanguageAliasingArguments(this)),
|
...(await getLanguageAliasingArguments(this)),
|
||||||
...getExtraOptionsFromEnv(["resolve", "languages"]),
|
...getExtraOptionsFromEnv(["resolve", "languages"]),
|
||||||
];
|
];
|
||||||
const output = await runTool(cmd, codeqlArgs);
|
const output = await runCli(cmd, codeqlArgs);
|
||||||
try {
|
try {
|
||||||
return JSON.parse(output);
|
return JSON.parse(output);
|
||||||
}
|
}
|
||||||
@@ -423,7 +423,7 @@ async function getCodeQLForCmd(cmd, checkVersion) {
|
|||||||
if (extraSearchPath !== undefined) {
|
if (extraSearchPath !== undefined) {
|
||||||
codeqlArgs.push("--additional-packs", extraSearchPath);
|
codeqlArgs.push("--additional-packs", extraSearchPath);
|
||||||
}
|
}
|
||||||
const output = await runTool(cmd, codeqlArgs);
|
const output = await runCli(cmd, codeqlArgs);
|
||||||
try {
|
try {
|
||||||
return JSON.parse(output);
|
return JSON.parse(output);
|
||||||
}
|
}
|
||||||
@@ -442,7 +442,7 @@ async function getCodeQLForCmd(cmd, checkVersion) {
|
|||||||
if (workingDir !== undefined) {
|
if (workingDir !== undefined) {
|
||||||
codeqlArgs.push("--working-dir", workingDir);
|
codeqlArgs.push("--working-dir", workingDir);
|
||||||
}
|
}
|
||||||
const output = await runTool(cmd, codeqlArgs);
|
const output = await runCli(cmd, codeqlArgs);
|
||||||
try {
|
try {
|
||||||
return JSON.parse(output);
|
return JSON.parse(output);
|
||||||
}
|
}
|
||||||
@@ -466,7 +466,7 @@ async function getCodeQLForCmd(cmd, checkVersion) {
|
|||||||
if (await util.codeQlVersionAtLeast(this, feature_flags_1.CODEQL_VERSION_FINE_GRAINED_PARALLELISM)) {
|
if (await util.codeQlVersionAtLeast(this, feature_flags_1.CODEQL_VERSION_FINE_GRAINED_PARALLELISM)) {
|
||||||
codeqlArgs.push("--intra-layer-parallelism");
|
codeqlArgs.push("--intra-layer-parallelism");
|
||||||
}
|
}
|
||||||
await runTool(cmd, codeqlArgs);
|
await runCli(cmd, codeqlArgs);
|
||||||
},
|
},
|
||||||
async databaseInterpretResults(databasePath, querySuitePaths, sarifFile, addSnippetsFlag, threadsFlag, verbosityFlag, automationDetailsId, config, features) {
|
async databaseInterpretResults(databasePath, querySuitePaths, sarifFile, addSnippetsFlag, threadsFlag, verbosityFlag, automationDetailsId, config, features) {
|
||||||
const shouldExportDiagnostics = await features.getValue(feature_flags_1.Feature.ExportDiagnosticsEnabled, this);
|
const shouldExportDiagnostics = await features.getValue(feature_flags_1.Feature.ExportDiagnosticsEnabled, this);
|
||||||
@@ -512,7 +512,7 @@ async function getCodeQLForCmd(cmd, checkVersion) {
|
|||||||
}
|
}
|
||||||
// Capture the stdout, which contains the analysis summary. Don't stream it to the Actions
|
// Capture the stdout, which contains the analysis summary. Don't stream it to the Actions
|
||||||
// logs to avoid printing it twice.
|
// logs to avoid printing it twice.
|
||||||
return await runTool(cmd, codeqlArgs, {
|
return await runCli(cmd, codeqlArgs, {
|
||||||
noStreamStdout: true,
|
noStreamStdout: true,
|
||||||
});
|
});
|
||||||
},
|
},
|
||||||
@@ -523,7 +523,7 @@ async function getCodeQLForCmd(cmd, checkVersion) {
|
|||||||
...getExtraOptionsFromEnv(["database", "print-baseline"]),
|
...getExtraOptionsFromEnv(["database", "print-baseline"]),
|
||||||
databasePath,
|
databasePath,
|
||||||
];
|
];
|
||||||
return await runTool(cmd, codeqlArgs);
|
return await runCli(cmd, codeqlArgs);
|
||||||
},
|
},
|
||||||
/**
|
/**
|
||||||
* Download specified packs into the package cache. If the specified
|
* Download specified packs into the package cache. If the specified
|
||||||
@@ -551,7 +551,7 @@ async function getCodeQLForCmd(cmd, checkVersion) {
|
|||||||
...getExtraOptionsFromEnv(["pack", "download"]),
|
...getExtraOptionsFromEnv(["pack", "download"]),
|
||||||
...packs,
|
...packs,
|
||||||
];
|
];
|
||||||
const output = await runTool(cmd, codeqlArgs);
|
const output = await runCli(cmd, codeqlArgs);
|
||||||
try {
|
try {
|
||||||
const parsedOutput = JSON.parse(output);
|
const parsedOutput = JSON.parse(output);
|
||||||
if (Array.isArray(parsedOutput.packs) &&
|
if (Array.isArray(parsedOutput.packs) &&
|
||||||
@@ -580,7 +580,7 @@ async function getCodeQLForCmd(cmd, checkVersion) {
|
|||||||
`${cacheCleanupFlag}=${cleanupLevel}`,
|
`${cacheCleanupFlag}=${cleanupLevel}`,
|
||||||
...getExtraOptionsFromEnv(["database", "cleanup"]),
|
...getExtraOptionsFromEnv(["database", "cleanup"]),
|
||||||
];
|
];
|
||||||
await runTool(cmd, codeqlArgs);
|
await runCli(cmd, codeqlArgs);
|
||||||
},
|
},
|
||||||
async databaseBundle(databasePath, outputFilePath, databaseName) {
|
async databaseBundle(databasePath, outputFilePath, databaseName) {
|
||||||
const args = [
|
const args = [
|
||||||
@@ -662,7 +662,7 @@ async function getCodeQLForCmd(cmd, checkVersion) {
|
|||||||
if (mergeRunsFromEqualCategory) {
|
if (mergeRunsFromEqualCategory) {
|
||||||
args.push("--sarif-merge-runs-from-equal-category");
|
args.push("--sarif-merge-runs-from-equal-category");
|
||||||
}
|
}
|
||||||
await runTool(cmd, args);
|
await runCli(cmd, args);
|
||||||
},
|
},
|
||||||
};
|
};
|
||||||
// To ensure that status reports include the CodeQL CLI version wherever
|
// To ensure that status reports include the CodeQL CLI version wherever
|
||||||
@@ -742,48 +742,16 @@ function getExtraOptions(options, paths, pathInfo) {
|
|||||||
: getExtraOptions(options?.[paths[0]], paths?.slice(1), pathInfo.concat(paths[0]));
|
: getExtraOptions(options?.[paths[0]], paths?.slice(1), pathInfo.concat(paths[0]));
|
||||||
return all.concat(specific);
|
return all.concat(specific);
|
||||||
}
|
}
|
||||||
/*
|
async function runCli(cmd, args = [], opts = {}) {
|
||||||
* A constant defining the maximum number of characters we will keep from
|
try {
|
||||||
* the programs stderr for logging. This serves two purposes:
|
return await (0, actions_util_1.runTool)(cmd, args, opts);
|
||||||
* (1) It avoids an OOM if a program fails in a way that results it
|
|
||||||
* printing many log lines.
|
|
||||||
* (2) It avoids us hitting the limit of how much data we can send in our
|
|
||||||
* status reports on GitHub.com.
|
|
||||||
*/
|
|
||||||
const maxErrorSize = 20_000;
|
|
||||||
async function runTool(cmd, args = [], opts = {}) {
|
|
||||||
let stdout = "";
|
|
||||||
let stderr = "";
|
|
||||||
process.stdout.write(`[command]${cmd} ${args.join(" ")}\n`);
|
|
||||||
const exitCode = await new toolrunner.ToolRunner(cmd, args, {
|
|
||||||
ignoreReturnCode: true,
|
|
||||||
listeners: {
|
|
||||||
stdout: (data) => {
|
|
||||||
stdout += data.toString("utf8");
|
|
||||||
if (!opts.noStreamStdout) {
|
|
||||||
process.stdout.write(data);
|
|
||||||
}
|
}
|
||||||
},
|
catch (e) {
|
||||||
stderr: (data) => {
|
if (e instanceof actions_util_1.CommandInvocationError) {
|
||||||
let readStartIndex = 0;
|
throw (0, cli_errors_1.wrapCliConfigurationError)(new cli_errors_1.CliError(e));
|
||||||
// If the error is too large, then we only take the last 20,000 characters
|
|
||||||
if (data.length - maxErrorSize > 0) {
|
|
||||||
// Eg: if we have 20,000 the start index should be 2.
|
|
||||||
readStartIndex = data.length - maxErrorSize + 1;
|
|
||||||
}
|
}
|
||||||
stderr += data.toString("utf8", readStartIndex);
|
throw e;
|
||||||
// Mimic the standard behavior of the toolrunner by writing stderr to stdout
|
|
||||||
process.stdout.write(data);
|
|
||||||
},
|
|
||||||
},
|
|
||||||
silent: true,
|
|
||||||
...(opts.stdin ? { input: Buffer.from(opts.stdin || "") } : {}),
|
|
||||||
}).exec();
|
|
||||||
if (exitCode !== 0) {
|
|
||||||
const e = new cli_errors_1.CommandInvocationError(cmd, args, exitCode, stderr, stdout);
|
|
||||||
throw (0, cli_errors_1.wrapCliConfigurationError)(e);
|
|
||||||
}
|
}
|
||||||
return stdout;
|
|
||||||
}
|
}
|
||||||
/**
|
/**
|
||||||
* Generates a code scanning configuration that is to be used for a scan.
|
* Generates a code scanning configuration that is to be used for a scan.
|
||||||
|
|||||||
File diff suppressed because one or more lines are too long
2
lib/codeql.test.js
generated
2
lib/codeql.test.js
generated
@@ -591,7 +591,7 @@ for (const { codeqlVersion, flagPassed, githubVersion, negativeFlagPassed, } of
|
|||||||
// safeWhich throws because of the test CodeQL object.
|
// safeWhich throws because of the test CodeQL object.
|
||||||
sinon.stub(safeWhich, "safeWhich").resolves("");
|
sinon.stub(safeWhich, "safeWhich").resolves("");
|
||||||
await t.throwsAsync(async () => await codeqlObject.databaseRunQueries(stubConfig.dbLocation, []), {
|
await t.throwsAsync(async () => await codeqlObject.databaseRunQueries(stubConfig.dbLocation, []), {
|
||||||
instanceOf: cli_errors_1.CommandInvocationError,
|
instanceOf: cli_errors_1.CliError,
|
||||||
message: `Encountered a fatal error while running "codeql-for-testing database run-queries --expect-discarded-cache --min-disk-free=1024 -v --intra-layer-parallelism". Exit code was 1 and error was: Oops! A fatal internal error occurred. Details:
|
message: `Encountered a fatal error while running "codeql-for-testing database run-queries --expect-discarded-cache --min-disk-free=1024 -v --intra-layer-parallelism". Exit code was 1 and error was: Oops! A fatal internal error occurred. Details:
|
||||||
com.semmle.util.exception.CatastrophicError: An error occurred while evaluating ControlFlowGraph::ControlFlow::Root.isRootOf/1#dispred#f610e6ed/2@86282cc8
|
com.semmle.util.exception.CatastrophicError: An error occurred while evaluating ControlFlowGraph::ControlFlow::Root.isRootOf/1#dispred#f610e6ed/2@86282cc8
|
||||||
Severe disk cache trouble (corruption or out of space) at /home/runner/work/_temp/codeql_databases/go/db-go/default/cache/pages/28/33.pack: Failed to write item to disk. See the logs for more details.`,
|
Severe disk cache trouble (corruption or out of space) at /home/runner/work/_temp/codeql_databases/go/db-go/default/cache/pages/28/33.pack: Failed to write item to disk. See the logs for more details.`,
|
||||||
|
|||||||
File diff suppressed because one or more lines are too long
2
lib/resolve-environment-action.js
generated
2
lib/resolve-environment-action.js
generated
@@ -55,7 +55,7 @@ async function run() {
|
|||||||
}
|
}
|
||||||
catch (unwrappedError) {
|
catch (unwrappedError) {
|
||||||
const error = (0, util_1.wrapError)(unwrappedError);
|
const error = (0, util_1.wrapError)(unwrappedError);
|
||||||
if (error instanceof cli_errors_1.CommandInvocationError) {
|
if (error instanceof cli_errors_1.CliError) {
|
||||||
// If the CLI failed to run successfully for whatever reason,
|
// If the CLI failed to run successfully for whatever reason,
|
||||||
// we just return an empty JSON object and proceed with the workflow.
|
// we just return an empty JSON object and proceed with the workflow.
|
||||||
core.setOutput(ENVIRONMENT_OUTPUT_NAME, {});
|
core.setOutput(ENVIRONMENT_OUTPUT_NAME, {});
|
||||||
|
|||||||
@@ -1 +1 @@
|
|||||||
{"version":3,"file":"resolve-environment-action.js","sourceRoot":"","sources":["../src/resolve-environment-action.ts"],"names":[],"mappings":";;;;;;;;;;;;;;;;;;;;;;;;;AAAA,oDAAsC;AAEtC,iDAKwB;AACxB,6CAAgD;AAChD,6CAAsD;AACtD,iDAAmD;AACnD,uCAA6C;AAC7C,+DAAmE;AACnE,mDAKyB;AACzB,iCAOgB;AAEhB,MAAM,uBAAuB,GAAG,aAAa,CAAC;AAE9C,KAAK,UAAU,GAAG;IAChB,MAAM,SAAS,GAAG,IAAI,IAAI,EAAE,CAAC;IAC7B,MAAM,MAAM,GAAG,IAAA,0BAAgB,GAAE,CAAC;IAElC,IAAI,MAA0B,CAAC;IAE/B,IAAI,CAAC;QACH,MAAM,gBAAgB,GAAG,MAAM,IAAA,sCAAsB,EACnD,0BAAU,CAAC,kBAAkB,EAC7B,UAAU,EACV,SAAS,EACT,MAAM,EACN,MAAM,IAAA,qBAAc,EAAC,MAAM,CAAC,EAC5B,MAAM,CACP,CAAC;QACF,IAAI,gBAAgB,KAAK,SAAS,EAAE,CAAC;YACnC,MAAM,IAAA,gCAAgB,EAAC,gBAAgB,CAAC,CAAC;QAC3C,CAAC;QAED,MAAM,aAAa,GAAG,MAAM,IAAA,6BAAgB,GAAE,CAAC;QAC/C,IAAA,gCAAyB,EAAC,aAAa,EAAE,MAAM,CAAC,CAAC;QACjD,IAAA,yBAAkB,EAAC,IAAA,+BAAgB,GAAE,EAAE,aAAa,CAAC,CAAC;QAEtD,MAAM,GAAG,MAAM,IAAA,wBAAS,EAAC,IAAA,oCAAqB,GAAE,EAAE,MAAM,CAAC,CAAC;QAC1D,IAAI,MAAM,KAAK,SAAS,EAAE,CAAC;YACzB,MAAM,IAAI,KAAK,CACb,yFAAyF,CAC1F,CAAC;QACJ,CAAC;QAED,MAAM,gBAAgB,GAAG,IAAA,+BAAgB,EAAC,mBAAmB,CAAC,CAAC;QAC/D,MAAM,MAAM,GAAG,MAAM,IAAA,gDAA0B,EAC7C,MAAM,CAAC,SAAS,EAChB,MAAM,EACN,gBAAgB,EAChB,IAAA,+BAAgB,EAAC,UAAU,CAAC,CAC7B,CAAC;QACF,IAAI,CAAC,SAAS,CAAC,uBAAuB,EAAE,MAAM,CAAC,CAAC;IAClD,CAAC;IAAC,OAAO,cAAc,EAAE,CAAC;QACxB,MAAM,KAAK,GAAG,IAAA,gBAAS,EAAC,cAAc,CAAC,CAAC;QAExC,IAAI,KAAK,YAAY,mCAAsB,EAAE,CAAC;YAC5C,6DAA6D;YAC7D,qEAAqE;YACrE,IAAI,CAAC,SAAS,CAAC,uBAAuB,EAAE,EAAE,CAAC,CAAC;YAC5C,MAAM,CAAC,OAAO,CACZ,wFAAwF,KAAK,CAAC,OAAO,EAAE,CACxG,CAAC;QACJ,CAAC;aAAM,CAAC;YACN,kFAAkF;YAClF,IAAI,CAAC,SAAS,CACZ,wFAAwF,KAAK,CAAC,OAAO,EAAE,CACxG,CAAC;YAEF,MAAM,gBAAgB,GAAG,MAAM,IAAA,sCAAsB,EACnD,0BAAU,CAAC,kBAAkB,EAC7B,IAAA,gCAAgB,EAAC,KAAK,CAAC,EACvB,SAAS,EACT,MAAM,EACN,MAAM,IAAA,qBAAc,EAAC,MAAM,CAAC,EAC5B,MAAM,EACN,KAAK,CAAC,OAAO,EACb,KAAK,CAAC,KAAK,CACZ,CAAC;YACF,IAAI,gBAAgB,KAAK,SAAS,EAAE,CAAC;gBACnC,MAAM,IAAA,gCAAgB,EAAC,gBAAgB,CAAC,CAAC;YAC3C,CAAC;QACH,CAAC;QAED,OAAO;IACT,CAAC;IAED,MAAM,gBAAgB,GAAG,MAAM,IAAA,sCAAsB,EACnD,0BAAU,CAAC,kBAAkB,EAC7B,SAAS,EACT,SAAS,EACT,MAAM,EACN,MAAM,IAAA,qBAAc,EAAC,MAAM,CAAC,EAC5B,MAAM,CACP,CAAC;IACF,IAAI,gBAAgB,KAAK,SAAS,EAAE,CAAC;QACnC,MAAM,IAAA,gCAAgB,EAAC,gBAAgB,CAAC,CAAC;IAC3C,CAAC;AACH,CAAC;AAED,KAAK,UAAU,UAAU;IACvB,IAAI,CAAC;QACH,MAAM,GAAG,EAAE,CAAC;IACd,CAAC;IAAC,OAAO,KAAK,EAAE,CAAC;QACf,IAAI,CAAC,SAAS,CACZ,GAAG,0BAAU,CAAC,kBAAkB,mBAAmB,IAAA,sBAAe,EAChE,KAAK,CACN,EAAE,CACJ,CAAC;IACJ,CAAC;IACD,MAAM,IAAA,sBAAe,GAAE,CAAC;AAC1B,CAAC;AAED,KAAK,UAAU,EAAE,CAAC"}
|
{"version":3,"file":"resolve-environment-action.js","sourceRoot":"","sources":["../src/resolve-environment-action.ts"],"names":[],"mappings":";;;;;;;;;;;;;;;;;;;;;;;;;AAAA,oDAAsC;AAEtC,iDAKwB;AACxB,6CAAgD;AAChD,6CAAwC;AACxC,iDAAmD;AACnD,uCAA6C;AAC7C,+DAAmE;AACnE,mDAKyB;AACzB,iCAOgB;AAEhB,MAAM,uBAAuB,GAAG,aAAa,CAAC;AAE9C,KAAK,UAAU,GAAG;IAChB,MAAM,SAAS,GAAG,IAAI,IAAI,EAAE,CAAC;IAC7B,MAAM,MAAM,GAAG,IAAA,0BAAgB,GAAE,CAAC;IAElC,IAAI,MAA0B,CAAC;IAE/B,IAAI,CAAC;QACH,MAAM,gBAAgB,GAAG,MAAM,IAAA,sCAAsB,EACnD,0BAAU,CAAC,kBAAkB,EAC7B,UAAU,EACV,SAAS,EACT,MAAM,EACN,MAAM,IAAA,qBAAc,EAAC,MAAM,CAAC,EAC5B,MAAM,CACP,CAAC;QACF,IAAI,gBAAgB,KAAK,SAAS,EAAE,CAAC;YACnC,MAAM,IAAA,gCAAgB,EAAC,gBAAgB,CAAC,CAAC;QAC3C,CAAC;QAED,MAAM,aAAa,GAAG,MAAM,IAAA,6BAAgB,GAAE,CAAC;QAC/C,IAAA,gCAAyB,EAAC,aAAa,EAAE,MAAM,CAAC,CAAC;QACjD,IAAA,yBAAkB,EAAC,IAAA,+BAAgB,GAAE,EAAE,aAAa,CAAC,CAAC;QAEtD,MAAM,GAAG,MAAM,IAAA,wBAAS,EAAC,IAAA,oCAAqB,GAAE,EAAE,MAAM,CAAC,CAAC;QAC1D,IAAI,MAAM,KAAK,SAAS,EAAE,CAAC;YACzB,MAAM,IAAI,KAAK,CACb,yFAAyF,CAC1F,CAAC;QACJ,CAAC;QAED,MAAM,gBAAgB,GAAG,IAAA,+BAAgB,EAAC,mBAAmB,CAAC,CAAC;QAC/D,MAAM,MAAM,GAAG,MAAM,IAAA,gDAA0B,EAC7C,MAAM,CAAC,SAAS,EAChB,MAAM,EACN,gBAAgB,EAChB,IAAA,+BAAgB,EAAC,UAAU,CAAC,CAC7B,CAAC;QACF,IAAI,CAAC,SAAS,CAAC,uBAAuB,EAAE,MAAM,CAAC,CAAC;IAClD,CAAC;IAAC,OAAO,cAAc,EAAE,CAAC;QACxB,MAAM,KAAK,GAAG,IAAA,gBAAS,EAAC,cAAc,CAAC,CAAC;QAExC,IAAI,KAAK,YAAY,qBAAQ,EAAE,CAAC;YAC9B,6DAA6D;YAC7D,qEAAqE;YACrE,IAAI,CAAC,SAAS,CAAC,uBAAuB,EAAE,EAAE,CAAC,CAAC;YAC5C,MAAM,CAAC,OAAO,CACZ,wFAAwF,KAAK,CAAC,OAAO,EAAE,CACxG,CAAC;QACJ,CAAC;aAAM,CAAC;YACN,kFAAkF;YAClF,IAAI,CAAC,SAAS,CACZ,wFAAwF,KAAK,CAAC,OAAO,EAAE,CACxG,CAAC;YAEF,MAAM,gBAAgB,GAAG,MAAM,IAAA,sCAAsB,EACnD,0BAAU,CAAC,kBAAkB,EAC7B,IAAA,gCAAgB,EAAC,KAAK,CAAC,EACvB,SAAS,EACT,MAAM,EACN,MAAM,IAAA,qBAAc,EAAC,MAAM,CAAC,EAC5B,MAAM,EACN,KAAK,CAAC,OAAO,EACb,KAAK,CAAC,KAAK,CACZ,CAAC;YACF,IAAI,gBAAgB,KAAK,SAAS,EAAE,CAAC;gBACnC,MAAM,IAAA,gCAAgB,EAAC,gBAAgB,CAAC,CAAC;YAC3C,CAAC;QACH,CAAC;QAED,OAAO;IACT,CAAC;IAED,MAAM,gBAAgB,GAAG,MAAM,IAAA,sCAAsB,EACnD,0BAAU,CAAC,kBAAkB,EAC7B,SAAS,EACT,SAAS,EACT,MAAM,EACN,MAAM,IAAA,qBAAc,EAAC,MAAM,CAAC,EAC5B,MAAM,CACP,CAAC;IACF,IAAI,gBAAgB,KAAK,SAAS,EAAE,CAAC;QACnC,MAAM,IAAA,gCAAgB,EAAC,gBAAgB,CAAC,CAAC;IAC3C,CAAC;AACH,CAAC;AAED,KAAK,UAAU,UAAU;IACvB,IAAI,CAAC;QACH,MAAM,GAAG,EAAE,CAAC;IACd,CAAC;IAAC,OAAO,KAAK,EAAE,CAAC;QACf,IAAI,CAAC,SAAS,CACZ,GAAG,0BAAU,CAAC,kBAAkB,mBAAmB,IAAA,sBAAe,EAChE,KAAK,CACN,EAAE,CACJ,CAAC;IACJ,CAAC;IACD,MAAM,IAAA,sBAAe,GAAE,CAAC;AAC1B,CAAC;AAED,KAAK,UAAU,EAAE,CAAC"}
|
||||||
@@ -480,3 +480,89 @@ export const getFileType = async (filePath: string): Promise<string> => {
|
|||||||
export function isSelfHostedRunner() {
|
export function isSelfHostedRunner() {
|
||||||
return process.env.RUNNER_ENVIRONMENT === "self-hosted";
|
return process.env.RUNNER_ENVIRONMENT === "self-hosted";
|
||||||
}
|
}
|
||||||
|
|
||||||
|
export function prettyPrintInvocation(cmd: string, args: string[]): string {
|
||||||
|
return [cmd, ...args].map((x) => (x.includes(" ") ? `'${x}'` : x)).join(" ");
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* An error from a tool invocation, with associated exit code, stderr, etc.
|
||||||
|
*/
|
||||||
|
export class CommandInvocationError extends Error {
|
||||||
|
constructor(
|
||||||
|
public cmd: string,
|
||||||
|
public args: string[],
|
||||||
|
public exitCode: number,
|
||||||
|
public stderr: string,
|
||||||
|
public stdout: string,
|
||||||
|
) {
|
||||||
|
const prettyCommand = prettyPrintInvocation(cmd, args);
|
||||||
|
const lastLine = ensureEndsInPeriod(
|
||||||
|
stderr.trim().split("\n").pop()?.trim() || "n/a",
|
||||||
|
);
|
||||||
|
super(
|
||||||
|
`Failed to run "${prettyCommand}". ` +
|
||||||
|
`Exit code was ${exitCode} and last log line was: ${lastLine} See the logs for more details.`,
|
||||||
|
);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
export function ensureEndsInPeriod(text: string): string {
|
||||||
|
return text[text.length - 1] === "." ? text : `${text}.`;
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* A constant defining the maximum number of characters we will keep from
|
||||||
|
* the programs stderr for logging.
|
||||||
|
*
|
||||||
|
* This serves two purposes:
|
||||||
|
* 1. It avoids an OOM if a program fails in a way that results it
|
||||||
|
* printing many log lines.
|
||||||
|
* 2. It avoids us hitting the limit of how much data we can send in our
|
||||||
|
* status reports on GitHub.com.
|
||||||
|
*/
|
||||||
|
const MAX_STDERR_BUFFER_SIZE = 20000;
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Runs a CLI tool.
|
||||||
|
*
|
||||||
|
* @returns Standard output produced by the tool.
|
||||||
|
* @throws A `CommandInvocationError` if the tool exits with a non-zero status code.
|
||||||
|
*/
|
||||||
|
export async function runTool(
|
||||||
|
cmd: string,
|
||||||
|
args: string[] = [],
|
||||||
|
opts: { stdin?: string; noStreamStdout?: boolean } = {},
|
||||||
|
): Promise<string> {
|
||||||
|
let stdout = "";
|
||||||
|
let stderr = "";
|
||||||
|
process.stdout.write(`[command]${cmd} ${args.join(" ")}\n`);
|
||||||
|
const exitCode = await new toolrunner.ToolRunner(cmd, args, {
|
||||||
|
ignoreReturnCode: true,
|
||||||
|
listeners: {
|
||||||
|
stdout: (data: Buffer) => {
|
||||||
|
stdout += data.toString("utf8");
|
||||||
|
if (!opts.noStreamStdout) {
|
||||||
|
process.stdout.write(data);
|
||||||
|
}
|
||||||
|
},
|
||||||
|
stderr: (data: Buffer) => {
|
||||||
|
let readStartIndex = 0;
|
||||||
|
// If the error is too large, then we only take the last MAX_STDERR_BUFFER_SIZE characters
|
||||||
|
if (data.length - MAX_STDERR_BUFFER_SIZE > 0) {
|
||||||
|
// Eg: if we have MAX_STDERR_BUFFER_SIZE the start index should be 2.
|
||||||
|
readStartIndex = data.length - MAX_STDERR_BUFFER_SIZE + 1;
|
||||||
|
}
|
||||||
|
stderr += data.toString("utf8", readStartIndex);
|
||||||
|
// Mimic the standard behavior of the toolrunner by writing stderr to stdout
|
||||||
|
process.stdout.write(data);
|
||||||
|
},
|
||||||
|
},
|
||||||
|
silent: true,
|
||||||
|
...(opts.stdin ? { input: Buffer.from(opts.stdin || "") } : {}),
|
||||||
|
}).exec();
|
||||||
|
if (exitCode !== 0) {
|
||||||
|
throw new CommandInvocationError(cmd, args, exitCode, stderr, stdout);
|
||||||
|
}
|
||||||
|
return stdout;
|
||||||
|
}
|
||||||
|
|||||||
@@ -1,21 +1,20 @@
|
|||||||
|
import {
|
||||||
|
CommandInvocationError,
|
||||||
|
ensureEndsInPeriod,
|
||||||
|
prettyPrintInvocation,
|
||||||
|
} from "./actions-util";
|
||||||
import { DocUrl } from "./doc-url";
|
import { DocUrl } from "./doc-url";
|
||||||
import { ConfigurationError } from "./util";
|
import { ConfigurationError } from "./util";
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* A class of Error that we can classify as an error stemming from a CLI
|
* An error from a CodeQL CLI invocation, with associated exit code, stderr, etc.
|
||||||
* invocation, with associated exit code, stderr,etc.
|
|
||||||
*/
|
*/
|
||||||
export class CommandInvocationError extends Error {
|
export class CliError extends Error {
|
||||||
constructor(
|
public readonly exitCode: number;
|
||||||
cmd: string,
|
public readonly stderr: string;
|
||||||
args: string[],
|
|
||||||
public exitCode: number,
|
constructor({ cmd, args, exitCode, stderr }: CommandInvocationError) {
|
||||||
public stderr: string,
|
const prettyCommand = prettyPrintInvocation(cmd, args);
|
||||||
public stdout: string,
|
|
||||||
) {
|
|
||||||
const prettyCommand = [cmd, ...args]
|
|
||||||
.map((x) => (x.includes(" ") ? `'${x}'` : x))
|
|
||||||
.join(" ");
|
|
||||||
|
|
||||||
const fatalErrors = extractFatalErrors(stderr);
|
const fatalErrors = extractFatalErrors(stderr);
|
||||||
const autobuildErrors = extractAutobuildErrors(stderr);
|
const autobuildErrors = extractAutobuildErrors(stderr);
|
||||||
@@ -42,6 +41,8 @@ export class CommandInvocationError extends Error {
|
|||||||
}
|
}
|
||||||
|
|
||||||
super(message);
|
super(message);
|
||||||
|
this.exitCode = exitCode;
|
||||||
|
this.stderr = stderr;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
@@ -115,10 +116,6 @@ function extractAutobuildErrors(error: string): string | undefined {
|
|||||||
return errorLines.join("\n") || undefined;
|
return errorLines.join("\n") || undefined;
|
||||||
}
|
}
|
||||||
|
|
||||||
function ensureEndsInPeriod(text: string): string {
|
|
||||||
return text[text.length - 1] === "." ? text : `${text}.`;
|
|
||||||
}
|
|
||||||
|
|
||||||
/** Error messages from the CLI that we consider configuration errors and handle specially. */
|
/** Error messages from the CLI that we consider configuration errors and handle specially. */
|
||||||
export enum CliConfigErrorCategory {
|
export enum CliConfigErrorCategory {
|
||||||
AutobuildError = "AutobuildError",
|
AutobuildError = "AutobuildError",
|
||||||
@@ -282,7 +279,7 @@ export const cliErrorsConfig: Record<
|
|||||||
* if not, return undefined.
|
* if not, return undefined.
|
||||||
*/
|
*/
|
||||||
export function getCliConfigCategoryIfExists(
|
export function getCliConfigCategoryIfExists(
|
||||||
cliError: CommandInvocationError,
|
cliError: CliError,
|
||||||
): CliConfigErrorCategory | undefined {
|
): CliConfigErrorCategory | undefined {
|
||||||
for (const [category, configuration] of Object.entries(cliErrorsConfig)) {
|
for (const [category, configuration] of Object.entries(cliErrorsConfig)) {
|
||||||
if (
|
if (
|
||||||
@@ -308,11 +305,7 @@ export function getCliConfigCategoryIfExists(
|
|||||||
* error message appended, if it exists in a known set of configuration errors. Otherwise,
|
* error message appended, if it exists in a known set of configuration errors. Otherwise,
|
||||||
* simply returns the original error.
|
* simply returns the original error.
|
||||||
*/
|
*/
|
||||||
export function wrapCliConfigurationError(cliError: Error): Error {
|
export function wrapCliConfigurationError(cliError: CliError): Error {
|
||||||
if (!(cliError instanceof CommandInvocationError)) {
|
|
||||||
return cliError;
|
|
||||||
}
|
|
||||||
|
|
||||||
const cliConfigErrorCategory = getCliConfigCategoryIfExists(cliError);
|
const cliConfigErrorCategory = getCliConfigCategoryIfExists(cliError);
|
||||||
if (cliConfigErrorCategory === undefined) {
|
if (cliConfigErrorCategory === undefined) {
|
||||||
return cliError;
|
return cliError;
|
||||||
|
|||||||
@@ -12,7 +12,7 @@ import * as sinon from "sinon";
|
|||||||
|
|
||||||
import * as actionsUtil from "./actions-util";
|
import * as actionsUtil from "./actions-util";
|
||||||
import { GitHubApiDetails } from "./api-client";
|
import { GitHubApiDetails } from "./api-client";
|
||||||
import { CommandInvocationError } from "./cli-errors";
|
import { CliError } from "./cli-errors";
|
||||||
import * as codeql from "./codeql";
|
import * as codeql from "./codeql";
|
||||||
import { AugmentationProperties, Config } from "./config-utils";
|
import { AugmentationProperties, Config } from "./config-utils";
|
||||||
import * as defaults from "./defaults.json";
|
import * as defaults from "./defaults.json";
|
||||||
@@ -961,7 +961,7 @@ test("runTool recognizes fatal internal errors", async (t) => {
|
|||||||
async () =>
|
async () =>
|
||||||
await codeqlObject.databaseRunQueries(stubConfig.dbLocation, []),
|
await codeqlObject.databaseRunQueries(stubConfig.dbLocation, []),
|
||||||
{
|
{
|
||||||
instanceOf: CommandInvocationError,
|
instanceOf: CliError,
|
||||||
message: `Encountered a fatal error while running "codeql-for-testing database run-queries --expect-discarded-cache --min-disk-free=1024 -v --intra-layer-parallelism". Exit code was 1 and error was: Oops! A fatal internal error occurred. Details:
|
message: `Encountered a fatal error while running "codeql-for-testing database run-queries --expect-discarded-cache --min-disk-free=1024 -v --intra-layer-parallelism". Exit code was 1 and error was: Oops! A fatal internal error occurred. Details:
|
||||||
com.semmle.util.exception.CatastrophicError: An error occurred while evaluating ControlFlowGraph::ControlFlow::Root.isRootOf/1#dispred#f610e6ed/2@86282cc8
|
com.semmle.util.exception.CatastrophicError: An error occurred while evaluating ControlFlowGraph::ControlFlow::Root.isRootOf/1#dispred#f610e6ed/2@86282cc8
|
||||||
Severe disk cache trouble (corruption or out of space) at /home/runner/work/_temp/codeql_databases/go/db-go/default/cache/pages/28/33.pack: Failed to write item to disk. See the logs for more details.`,
|
Severe disk cache trouble (corruption or out of space) at /home/runner/work/_temp/codeql_databases/go/db-go/default/cache/pages/28/33.pack: Failed to write item to disk. See the logs for more details.`,
|
||||||
|
|||||||
@@ -7,15 +7,14 @@ import * as yaml from "js-yaml";
|
|||||||
import * as semver from "semver";
|
import * as semver from "semver";
|
||||||
|
|
||||||
import {
|
import {
|
||||||
|
CommandInvocationError,
|
||||||
getActionVersion,
|
getActionVersion,
|
||||||
getOptionalInput,
|
getOptionalInput,
|
||||||
isAnalyzingDefaultBranch,
|
isAnalyzingDefaultBranch,
|
||||||
|
runTool,
|
||||||
} from "./actions-util";
|
} from "./actions-util";
|
||||||
import * as api from "./api-client";
|
import * as api from "./api-client";
|
||||||
import {
|
import { CliError, wrapCliConfigurationError } from "./cli-errors";
|
||||||
CommandInvocationError,
|
|
||||||
wrapCliConfigurationError,
|
|
||||||
} from "./cli-errors";
|
|
||||||
import { type Config } from "./config-utils";
|
import { type Config } from "./config-utils";
|
||||||
import { DocUrl } from "./doc-url";
|
import { DocUrl } from "./doc-url";
|
||||||
import { EnvVar } from "./environment";
|
import { EnvVar } from "./environment";
|
||||||
@@ -544,7 +543,7 @@ export async function getCodeQLForCmd(
|
|||||||
async getVersion() {
|
async getVersion() {
|
||||||
let result = util.getCachedCodeQlVersion();
|
let result = util.getCachedCodeQlVersion();
|
||||||
if (result === undefined) {
|
if (result === undefined) {
|
||||||
const output = await runTool(cmd, ["version", "--format=json"]);
|
const output = await runCli(cmd, ["version", "--format=json"]);
|
||||||
try {
|
try {
|
||||||
result = JSON.parse(output) as VersionInfo;
|
result = JSON.parse(output) as VersionInfo;
|
||||||
} catch {
|
} catch {
|
||||||
@@ -557,7 +556,7 @@ export async function getCodeQLForCmd(
|
|||||||
return result;
|
return result;
|
||||||
},
|
},
|
||||||
async printVersion() {
|
async printVersion() {
|
||||||
await runTool(cmd, ["version", "--format=json"]);
|
await runCli(cmd, ["version", "--format=json"]);
|
||||||
},
|
},
|
||||||
async supportsFeature(feature: ToolsFeature) {
|
async supportsFeature(feature: ToolsFeature) {
|
||||||
return isSupportedToolsFeature(await this.getVersion(), feature);
|
return isSupportedToolsFeature(await this.getVersion(), feature);
|
||||||
@@ -627,7 +626,7 @@ export async function getCodeQLForCmd(
|
|||||||
? "--force-overwrite"
|
? "--force-overwrite"
|
||||||
: "--overwrite";
|
: "--overwrite";
|
||||||
|
|
||||||
await runTool(
|
await runCli(
|
||||||
cmd,
|
cmd,
|
||||||
[
|
[
|
||||||
"database",
|
"database",
|
||||||
@@ -674,10 +673,10 @@ export async function getCodeQLForCmd(
|
|||||||
// When `DYLD_INSERT_LIBRARIES` is set in the environment for a step,
|
// When `DYLD_INSERT_LIBRARIES` is set in the environment for a step,
|
||||||
// the Actions runtime introduces its own workaround for SIP
|
// the Actions runtime introduces its own workaround for SIP
|
||||||
// (https://github.com/actions/runner/pull/416).
|
// (https://github.com/actions/runner/pull/416).
|
||||||
await runTool(autobuildCmd);
|
await runCli(autobuildCmd);
|
||||||
},
|
},
|
||||||
async extractScannedLanguage(config: Config, language: Language) {
|
async extractScannedLanguage(config: Config, language: Language) {
|
||||||
await runTool(cmd, [
|
await runCli(cmd, [
|
||||||
"database",
|
"database",
|
||||||
"trace-command",
|
"trace-command",
|
||||||
"--index-traceless-dbs",
|
"--index-traceless-dbs",
|
||||||
@@ -692,7 +691,7 @@ export async function getCodeQLForCmd(
|
|||||||
applyAutobuildAzurePipelinesTimeoutFix();
|
applyAutobuildAzurePipelinesTimeoutFix();
|
||||||
}
|
}
|
||||||
try {
|
try {
|
||||||
await runTool(cmd, [
|
await runCli(cmd, [
|
||||||
"database",
|
"database",
|
||||||
"trace-command",
|
"trace-command",
|
||||||
"--use-build-mode",
|
"--use-build-mode",
|
||||||
@@ -731,7 +730,7 @@ export async function getCodeQLForCmd(
|
|||||||
...getExtraOptionsFromEnv(["database", "finalize"]),
|
...getExtraOptionsFromEnv(["database", "finalize"]),
|
||||||
databasePath,
|
databasePath,
|
||||||
];
|
];
|
||||||
await runTool(cmd, args);
|
await runCli(cmd, args);
|
||||||
},
|
},
|
||||||
async resolveLanguages() {
|
async resolveLanguages() {
|
||||||
const codeqlArgs = [
|
const codeqlArgs = [
|
||||||
@@ -740,7 +739,7 @@ export async function getCodeQLForCmd(
|
|||||||
"--format=json",
|
"--format=json",
|
||||||
...getExtraOptionsFromEnv(["resolve", "languages"]),
|
...getExtraOptionsFromEnv(["resolve", "languages"]),
|
||||||
];
|
];
|
||||||
const output = await runTool(cmd, codeqlArgs);
|
const output = await runCli(cmd, codeqlArgs);
|
||||||
|
|
||||||
try {
|
try {
|
||||||
return JSON.parse(output) as ResolveLanguagesOutput;
|
return JSON.parse(output) as ResolveLanguagesOutput;
|
||||||
@@ -759,7 +758,7 @@ export async function getCodeQLForCmd(
|
|||||||
...(await getLanguageAliasingArguments(this)),
|
...(await getLanguageAliasingArguments(this)),
|
||||||
...getExtraOptionsFromEnv(["resolve", "languages"]),
|
...getExtraOptionsFromEnv(["resolve", "languages"]),
|
||||||
];
|
];
|
||||||
const output = await runTool(cmd, codeqlArgs);
|
const output = await runCli(cmd, codeqlArgs);
|
||||||
|
|
||||||
try {
|
try {
|
||||||
return JSON.parse(output) as BetterResolveLanguagesOutput;
|
return JSON.parse(output) as BetterResolveLanguagesOutput;
|
||||||
@@ -783,7 +782,7 @@ export async function getCodeQLForCmd(
|
|||||||
if (extraSearchPath !== undefined) {
|
if (extraSearchPath !== undefined) {
|
||||||
codeqlArgs.push("--additional-packs", extraSearchPath);
|
codeqlArgs.push("--additional-packs", extraSearchPath);
|
||||||
}
|
}
|
||||||
const output = await runTool(cmd, codeqlArgs);
|
const output = await runCli(cmd, codeqlArgs);
|
||||||
|
|
||||||
try {
|
try {
|
||||||
return JSON.parse(output) as ResolveQueriesOutput;
|
return JSON.parse(output) as ResolveQueriesOutput;
|
||||||
@@ -805,7 +804,7 @@ export async function getCodeQLForCmd(
|
|||||||
if (workingDir !== undefined) {
|
if (workingDir !== undefined) {
|
||||||
codeqlArgs.push("--working-dir", workingDir);
|
codeqlArgs.push("--working-dir", workingDir);
|
||||||
}
|
}
|
||||||
const output = await runTool(cmd, codeqlArgs);
|
const output = await runCli(cmd, codeqlArgs);
|
||||||
|
|
||||||
try {
|
try {
|
||||||
return JSON.parse(output) as ResolveBuildEnvironmentOutput;
|
return JSON.parse(output) as ResolveBuildEnvironmentOutput;
|
||||||
@@ -839,7 +838,7 @@ export async function getCodeQLForCmd(
|
|||||||
) {
|
) {
|
||||||
codeqlArgs.push("--intra-layer-parallelism");
|
codeqlArgs.push("--intra-layer-parallelism");
|
||||||
}
|
}
|
||||||
await runTool(cmd, codeqlArgs);
|
await runCli(cmd, codeqlArgs);
|
||||||
},
|
},
|
||||||
async databaseInterpretResults(
|
async databaseInterpretResults(
|
||||||
databasePath: string,
|
databasePath: string,
|
||||||
@@ -911,7 +910,7 @@ export async function getCodeQLForCmd(
|
|||||||
}
|
}
|
||||||
// Capture the stdout, which contains the analysis summary. Don't stream it to the Actions
|
// Capture the stdout, which contains the analysis summary. Don't stream it to the Actions
|
||||||
// logs to avoid printing it twice.
|
// logs to avoid printing it twice.
|
||||||
return await runTool(cmd, codeqlArgs, {
|
return await runCli(cmd, codeqlArgs, {
|
||||||
noStreamStdout: true,
|
noStreamStdout: true,
|
||||||
});
|
});
|
||||||
},
|
},
|
||||||
@@ -922,7 +921,7 @@ export async function getCodeQLForCmd(
|
|||||||
...getExtraOptionsFromEnv(["database", "print-baseline"]),
|
...getExtraOptionsFromEnv(["database", "print-baseline"]),
|
||||||
databasePath,
|
databasePath,
|
||||||
];
|
];
|
||||||
return await runTool(cmd, codeqlArgs);
|
return await runCli(cmd, codeqlArgs);
|
||||||
},
|
},
|
||||||
|
|
||||||
/**
|
/**
|
||||||
@@ -956,7 +955,7 @@ export async function getCodeQLForCmd(
|
|||||||
...packs,
|
...packs,
|
||||||
];
|
];
|
||||||
|
|
||||||
const output = await runTool(cmd, codeqlArgs);
|
const output = await runCli(cmd, codeqlArgs);
|
||||||
|
|
||||||
try {
|
try {
|
||||||
const parsedOutput: PackDownloadOutput = JSON.parse(output);
|
const parsedOutput: PackDownloadOutput = JSON.parse(output);
|
||||||
@@ -994,7 +993,7 @@ export async function getCodeQLForCmd(
|
|||||||
`${cacheCleanupFlag}=${cleanupLevel}`,
|
`${cacheCleanupFlag}=${cleanupLevel}`,
|
||||||
...getExtraOptionsFromEnv(["database", "cleanup"]),
|
...getExtraOptionsFromEnv(["database", "cleanup"]),
|
||||||
];
|
];
|
||||||
await runTool(cmd, codeqlArgs);
|
await runCli(cmd, codeqlArgs);
|
||||||
},
|
},
|
||||||
async databaseBundle(
|
async databaseBundle(
|
||||||
databasePath: string,
|
databasePath: string,
|
||||||
@@ -1103,7 +1102,7 @@ export async function getCodeQLForCmd(
|
|||||||
args.push("--sarif-merge-runs-from-equal-category");
|
args.push("--sarif-merge-runs-from-equal-category");
|
||||||
}
|
}
|
||||||
|
|
||||||
await runTool(cmd, args);
|
await runCli(cmd, args);
|
||||||
},
|
},
|
||||||
};
|
};
|
||||||
// To ensure that status reports include the CodeQL CLI version wherever
|
// To ensure that status reports include the CodeQL CLI version wherever
|
||||||
@@ -1216,53 +1215,19 @@ export function getExtraOptions(
|
|||||||
return all.concat(specific);
|
return all.concat(specific);
|
||||||
}
|
}
|
||||||
|
|
||||||
/*
|
async function runCli(
|
||||||
* A constant defining the maximum number of characters we will keep from
|
|
||||||
* the programs stderr for logging. This serves two purposes:
|
|
||||||
* (1) It avoids an OOM if a program fails in a way that results it
|
|
||||||
* printing many log lines.
|
|
||||||
* (2) It avoids us hitting the limit of how much data we can send in our
|
|
||||||
* status reports on GitHub.com.
|
|
||||||
*/
|
|
||||||
const maxErrorSize = 20_000;
|
|
||||||
|
|
||||||
async function runTool(
|
|
||||||
cmd: string,
|
cmd: string,
|
||||||
args: string[] = [],
|
args: string[] = [],
|
||||||
opts: { stdin?: string; noStreamStdout?: boolean } = {},
|
opts: { stdin?: string; noStreamStdout?: boolean } = {},
|
||||||
) {
|
): Promise<string> {
|
||||||
let stdout = "";
|
try {
|
||||||
let stderr = "";
|
return await runTool(cmd, args, opts);
|
||||||
process.stdout.write(`[command]${cmd} ${args.join(" ")}\n`);
|
} catch (e) {
|
||||||
const exitCode = await new toolrunner.ToolRunner(cmd, args, {
|
if (e instanceof CommandInvocationError) {
|
||||||
ignoreReturnCode: true,
|
throw wrapCliConfigurationError(new CliError(e));
|
||||||
listeners: {
|
|
||||||
stdout: (data: Buffer) => {
|
|
||||||
stdout += data.toString("utf8");
|
|
||||||
if (!opts.noStreamStdout) {
|
|
||||||
process.stdout.write(data);
|
|
||||||
}
|
}
|
||||||
},
|
throw e;
|
||||||
stderr: (data: Buffer) => {
|
|
||||||
let readStartIndex = 0;
|
|
||||||
// If the error is too large, then we only take the last 20,000 characters
|
|
||||||
if (data.length - maxErrorSize > 0) {
|
|
||||||
// Eg: if we have 20,000 the start index should be 2.
|
|
||||||
readStartIndex = data.length - maxErrorSize + 1;
|
|
||||||
}
|
}
|
||||||
stderr += data.toString("utf8", readStartIndex);
|
|
||||||
// Mimic the standard behavior of the toolrunner by writing stderr to stdout
|
|
||||||
process.stdout.write(data);
|
|
||||||
},
|
|
||||||
},
|
|
||||||
silent: true,
|
|
||||||
...(opts.stdin ? { input: Buffer.from(opts.stdin || "") } : {}),
|
|
||||||
}).exec();
|
|
||||||
if (exitCode !== 0) {
|
|
||||||
const e = new CommandInvocationError(cmd, args, exitCode, stderr, stdout);
|
|
||||||
throw wrapCliConfigurationError(e);
|
|
||||||
}
|
|
||||||
return stdout;
|
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
|
|||||||
@@ -7,7 +7,7 @@ import {
|
|||||||
getTemporaryDirectory,
|
getTemporaryDirectory,
|
||||||
} from "./actions-util";
|
} from "./actions-util";
|
||||||
import { getGitHubVersion } from "./api-client";
|
import { getGitHubVersion } from "./api-client";
|
||||||
import { CommandInvocationError } from "./cli-errors";
|
import { CliError } from "./cli-errors";
|
||||||
import { Config, getConfig } from "./config-utils";
|
import { Config, getConfig } from "./config-utils";
|
||||||
import { getActionsLogger } from "./logging";
|
import { getActionsLogger } from "./logging";
|
||||||
import { runResolveBuildEnvironment } from "./resolve-environment";
|
import { runResolveBuildEnvironment } from "./resolve-environment";
|
||||||
@@ -69,7 +69,7 @@ async function run() {
|
|||||||
} catch (unwrappedError) {
|
} catch (unwrappedError) {
|
||||||
const error = wrapError(unwrappedError);
|
const error = wrapError(unwrappedError);
|
||||||
|
|
||||||
if (error instanceof CommandInvocationError) {
|
if (error instanceof CliError) {
|
||||||
// If the CLI failed to run successfully for whatever reason,
|
// If the CLI failed to run successfully for whatever reason,
|
||||||
// we just return an empty JSON object and proceed with the workflow.
|
// we just return an empty JSON object and proceed with the workflow.
|
||||||
core.setOutput(ENVIRONMENT_OUTPUT_NAME, {});
|
core.setOutput(ENVIRONMENT_OUTPUT_NAME, {});
|
||||||
|
|||||||
Reference in New Issue
Block a user