summaryrefslogtreecommitdiff
path: root/testing/runner.ts
diff options
context:
space:
mode:
authorNayeem Rahman <muhammed.9939@gmail.com>2019-09-28 14:33:17 +0100
committerRyan Dahl <ry@tinyclouds.org>2019-09-28 09:33:17 -0400
commita472b6732dd37636b7b31128f53d3e6bcf531a73 (patch)
tree11fa3fb56917582c0c88c871e71ff212b39eb841 /testing/runner.ts
parentaf18093498c3fca103bd47305e447ddeda40d9a2 (diff)
Test runner v2 (denoland/deno_std#604)
Original: https://github.com/denoland/deno_std/commit/17a214bbd5b3a058a8126e9f7210992b1b52ba11
Diffstat (limited to 'testing/runner.ts')
-rwxr-xr-xtesting/runner.ts300
1 files changed, 187 insertions, 113 deletions
diff --git a/testing/runner.ts b/testing/runner.ts
index 414fb1f56..b0357d8e4 100755
--- a/testing/runner.ts
+++ b/testing/runner.ts
@@ -1,44 +1,46 @@
#!/usr/bin/env -S deno -A
// Copyright 2018-2019 the Deno authors. All rights reserved. MIT license.
import { parse } from "../flags/mod.ts";
-import { glob, isGlob, walk } from "../fs/mod.ts";
-import { runTests } from "./mod.ts";
-const { args, cwd } = Deno;
-
-const DEFAULT_GLOBS = [
- "**/*_test.ts",
- "**/*_test.js",
- "**/test.ts",
- "**/test.js"
-];
-
-/* eslint-disable max-len */
+import {
+ WalkInfo,
+ expandGlobSync,
+ glob,
+ ExpandGlobOptions
+} from "../fs/mod.ts";
+import { isWindows } from "../fs/path/constants.ts";
+import { isAbsolute, join } from "../fs/path/mod.ts";
+import { RunTestsOptions, runTests } from "./mod.ts";
+const { DenoError, ErrorKind, args, cwd, exit } = Deno;
+
+const DIR_GLOBS = [join("**", "?(*_)test.{js,ts}")];
+
function showHelp(): void {
console.log(`Deno test runner
USAGE:
- deno -A https://deno.land/std/testing/runner.ts [OPTIONS] [FILES...]
+ deno -A https://deno.land/std/testing/runner.ts [OPTIONS] [MODULES...]
OPTIONS:
- -q, --quiet Don't show output from test cases
- -f, --failfast Stop test suite on first error
- -e, --exclude <FILES...> List of file names to exclude from run. If this options is
- used files to match must be specified after "--".
-
-ARGS:
- [FILES...] List of file names to run. Defaults to: ${DEFAULT_GLOBS.join(
- ","
- )}
-`);
-}
-/* eslint-enable max-len */
+ -q, --quiet Don't show output from test cases
+ -f, --failfast Stop running tests on first error
+ -e, --exclude <MODULES...> List of comma-separated modules to exclude
+ --allow-none Exit with status 0 even when no test modules are
+ found
-function filePathToRegExp(str: string): RegExp {
- if (isGlob(str)) {
- return glob(str, { flags: "g" });
- }
-
- return RegExp(str, "g");
+ARGS:
+ [MODULES...] List of test modules to run.
+ A directory <dir> will expand to:
+ ${DIR_GLOBS.map((s: string): string => `${join("<dir>", s)}`)
+ .join(`
+ `)}
+ Defaults to "." when none are provided.
+
+Note that modules can refer to file paths or URLs. File paths support glob
+expansion.
+
+Examples:
+ deno test src/**/*_test.ts
+ deno test tests`);
}
function isRemoteUrl(url: string): boolean {
@@ -58,112 +60,184 @@ function partition(
);
}
+function filePathToUrl(path: string): string {
+ return `file://${isWindows ? "/" : ""}${path.replace(/\\/g, "/")}`;
+}
+
+function expandDirectory(dir: string, options: ExpandGlobOptions): WalkInfo[] {
+ return DIR_GLOBS.flatMap((s: string): WalkInfo[] => [
+ ...expandGlobSync(s, { ...options, root: dir })
+ ]);
+}
+
/**
- * Given list of globs or URLs to include and exclude and root directory return
- * list of file URLs that should be imported for test runner.
+ * Given a list of globs or URLs to include and exclude and a root directory
+ * from which to expand relative globs, return a list of URLs
+ * (file: or remote) that should be imported for the test runner.
*/
-export async function getMatchingUrls(
- matchPaths: string[],
- excludePaths: string[],
- root: string
+export async function findTestModules(
+ includeModules: string[],
+ excludeModules: string[],
+ root: string = cwd()
): Promise<string[]> {
- const [includeLocal, includeRemote] = partition(matchPaths, isRemoteUrl);
- const [excludeLocal, excludeRemote] = partition(excludePaths, isRemoteUrl);
-
- const localFileIterator = walk(root, {
- match: includeLocal.map((f: string): RegExp => filePathToRegExp(f)),
- skip: excludeLocal.map((f: string): RegExp => filePathToRegExp(f))
- });
-
- let matchingLocalUrls: string[] = [];
- for await (const { filename } of localFileIterator) {
- matchingLocalUrls.push(`file://${filename}`);
- }
-
- const excludeRemotePatterns = excludeRemote.map(
- (url: string): RegExp => RegExp(url)
+ const [includePaths, includeUrls] = partition(includeModules, isRemoteUrl);
+ const [excludePaths, excludeUrls] = partition(excludeModules, isRemoteUrl);
+
+ const expandGlobOpts = {
+ root,
+ extended: true,
+ globstar: true,
+ filepath: true
+ };
+
+ // TODO: We use the `g` flag here to support path prefixes when specifying
+ // excludes. Replace with a solution that does this more correctly.
+ const excludePathPatterns = excludePaths.map(
+ (s: string): RegExp =>
+ glob(isAbsolute(s) ? s : join(root, s), { ...expandGlobOpts, flags: "g" })
);
- const matchingRemoteUrls = includeRemote.filter(
- (candidateUrl: string): boolean => {
- return !excludeRemotePatterns.some((pattern: RegExp): boolean => {
- const r = pattern.test(candidateUrl);
- pattern.lastIndex = 0;
- return r;
- });
- }
+ const excludeUrlPatterns = excludeUrls.map(
+ (url: string): RegExp => RegExp(url)
);
+ const notExcludedPath = ({ filename }: WalkInfo): boolean =>
+ !excludePathPatterns.some((p: RegExp): boolean => !!filename.match(p));
+ const notExcludedUrl = (url: string): boolean =>
+ !excludeUrlPatterns.some((p: RegExp): boolean => !!url.match(p));
+
+ const matchedPaths = includePaths
+ .flatMap((s: string): WalkInfo[] => [...expandGlobSync(s, expandGlobOpts)])
+ .filter(notExcludedPath)
+ .flatMap(({ filename, info }): string[] =>
+ info.isDirectory()
+ ? expandDirectory(filename, { ...expandGlobOpts, includeDirs: false })
+ .filter(notExcludedPath)
+ .map(({ filename }): string => filename)
+ : [filename]
+ );
+
+ const matchedUrls = includeUrls.filter(notExcludedUrl);
+
+ return [...matchedPaths.map(filePathToUrl), ...matchedUrls];
+}
- return matchingLocalUrls.concat(matchingRemoteUrls);
+export interface RunTestModulesOptions extends RunTestsOptions {
+ include?: string[];
+ exclude?: string[];
+ allowNone?: boolean;
}
+
/**
- * This function runs matching test files in `root` directory.
+ * Import the specified test modules and run their tests as a suite.
+ *
+ * Test modules are specified as an array of strings and can include local files
+ * or URLs.
*
- * File matching and excluding supports glob syntax, ie. if encountered arg is
- * a glob it will be expanded using `glob` method from `fs` module.
+ * File matching and excluding support glob syntax - arguments recognized as
+ * globs will be expanded using `glob()` from the `fs` module.
*
- * Note that your shell may expand globs for you:
- * $ deno -A ./runner.ts **\/*_test.ts **\/test.ts
+ * Example:
*
- * Expanding using `fs.glob`:
- * $ deno -A ./runner.ts \*\*\/\*_test.ts \*\*\/test.ts
+ * runTestModules({ include: ["**\/*_test.ts", "**\/test.ts"] });
*
- * `**\/*_test.ts` and `**\/test.ts"` are arguments that will be parsed and
- * expanded as: [glob("**\/*_test.ts"), glob("**\/test.ts")]
+ * Any matched directory `<dir>` will expand to:
+ * <dir>/**\/?(*_)test.{js,ts}
+ *
+ * So the above example is captured naturally by:
+ *
+ * runTestModules({ include: ["."] });
+ *
+ * Which is the default used for:
+ *
+ * runTestModules();
*/
-// TODO: change return type to `Promise<void>` once, `runTests` is updated
-// to return boolean instead of exiting
-export async function main(root: string = cwd()): Promise<void> {
- const parsedArgs = parse(args.slice(1), {
- boolean: ["quiet", "failfast", "help"],
- string: ["exclude"],
- alias: {
- help: ["h"],
- quiet: ["q"],
- failfast: ["f"],
- exclude: ["e"]
+// TODO: Change return type to `Promise<void>` once, `runTests` is updated
+// to return boolean instead of exiting.
+export async function runTestModules({
+ include = ["."],
+ exclude = [],
+ allowNone = false,
+ parallel = false,
+ exitOnFail = false,
+ only = /[^\s]/,
+ skip = /^\s*$/,
+ disableLog = false
+}: RunTestModulesOptions = {}): Promise<void> {
+ const testModuleUrls = await findTestModules(include, exclude);
+
+ if (testModuleUrls.length == 0) {
+ const noneFoundMessage = "No matching test modules found.";
+ if (!allowNone) {
+ throw new DenoError(ErrorKind.NotFound, noneFoundMessage);
+ } else if (!disableLog) {
+ console.log(noneFoundMessage);
}
- });
-
- if (parsedArgs.help) {
- return showHelp();
+ return;
}
- let includeFiles: string[];
- let excludeFiles: string[];
-
- if (parsedArgs._.length) {
- includeFiles = (parsedArgs._ as string[])
- .map((fileGlob: string): string[] => {
- return fileGlob.split(",");
- })
- .flat();
- } else {
- includeFiles = DEFAULT_GLOBS;
+ if (!disableLog) {
+ console.log(`Found ${testModuleUrls.length} matching test modules.`);
}
- if (parsedArgs.exclude) {
- excludeFiles = (parsedArgs.exclude as string).split(",");
- } else {
- excludeFiles = [];
+ for (const url of testModuleUrls) {
+ await import(url);
}
- const foundTestUrls = await getMatchingUrls(includeFiles, excludeFiles, root);
+ await runTests({
+ parallel,
+ exitOnFail,
+ only,
+ skip,
+ disableLog
+ });
+}
- if (foundTestUrls.length === 0) {
- console.error("No matching test files found.");
- return;
+async function main(): Promise<void> {
+ const parsedArgs = parse(args.slice(1), {
+ boolean: ["allow-none", "failfast", "help", "quiet"],
+ string: ["exclude"],
+ alias: {
+ exclude: ["e"],
+ failfast: ["f"],
+ help: ["h"],
+ quiet: ["q"]
+ },
+ default: {
+ "allow-none": false,
+ failfast: false,
+ help: false,
+ quiet: false
+ }
+ });
+ if (parsedArgs.help) {
+ return showHelp();
}
- console.log(`Found ${foundTestUrls.length} matching test files.`);
-
- for (const url of foundTestUrls) {
- await import(url);
+ const include =
+ parsedArgs._.length > 0
+ ? (parsedArgs._ as string[]).flatMap((fileGlob: string): string[] =>
+ fileGlob.split(",")
+ )
+ : ["."];
+ const exclude =
+ parsedArgs.exclude != null ? (parsedArgs.exclude as string).split(",") : [];
+ const allowNone = parsedArgs["allow-none"];
+ const exitOnFail = parsedArgs.failfast;
+ const disableLog = parsedArgs.quiet;
+
+ try {
+ await runTestModules({
+ include,
+ exclude,
+ allowNone,
+ exitOnFail,
+ disableLog
+ });
+ } catch (error) {
+ if (!disableLog) {
+ console.error(error.message);
+ }
+ exit(1);
}
-
- await runTests({
- exitOnFail: !!parsedArgs.failfast,
- disableLog: !!parsedArgs.quiet
- });
}
if (import.meta.main) {