diff --git a/docs/recipes/watch-mode.md b/docs/recipes/watch-mode.md index d4e764007..800d72e69 100644 --- a/docs/recipes/watch-mode.md +++ b/docs/recipes/watch-mode.md @@ -65,7 +65,7 @@ AVA uses [`chokidar`] as the file watcher. Note that even if you see warnings ab In AVA there's a distinction between *source files* and *test files*. As you can imagine the *test files* contain your tests. *Source files* are all other files that are needed for the tests to run, be it your source code or test fixtures. -By default AVA watches for changes to the test files, `package.json`, and any other `.js` files. It'll ignore files in [certain directories](https://github.com/novemberborn/ignore-by-default/blob/master/index.js) as provided by the [`ignore-by-default`] package. +By default AVA watches for changes to the test files, snapshot files, `package.json`, and any other `.js` files. It'll ignore files in [certain directories](https://github.com/novemberborn/ignore-by-default/blob/master/index.js) as provided by the [`ignore-by-default`] package. You can configure patterns for the source files in the [`ava` section of your `package.json`] file, using the `source` key. diff --git a/lib/assert.js b/lib/assert.js index b15568109..8d0b1e4c8 100644 --- a/lib/assert.js +++ b/lib/assert.js @@ -1,12 +1,32 @@ 'use strict'; +const concordance = require('concordance'); const coreAssert = require('core-assert'); -const deepEqual = require('lodash.isequal'); const observableToPromise = require('observable-to-promise'); const isObservable = require('is-observable'); const isPromise = require('is-promise'); -const jestDiff = require('jest-diff'); +const concordanceOptions = require('./concordance-options').default; +const concordanceDiffOptions = require('./concordance-options').diff; const enhanceAssert = require('./enhance-assert'); -const formatAssertError = require('./format-assert-error'); +const snapshotManager = require('./snapshot-manager'); + +function formatDescriptorDiff(actualDescriptor, expectedDescriptor, options) { + options = Object.assign({}, options, concordanceDiffOptions); + return { + label: 'Difference:', + formatted: concordance.diffDescriptors(actualDescriptor, expectedDescriptor, options) + }; +} + +function formatDescriptorWithLabel(label, descriptor) { + return { + label, + formatted: concordance.formatDescriptor(descriptor, concordanceOptions) + }; +} + +function formatWithLabel(label, value) { + return formatDescriptorWithLabel(label, concordance.describe(value, concordanceOptions)); +} class AssertionError extends Error { constructor(opts) { @@ -61,16 +81,12 @@ function wrapAssertions(callbacks) { if (Object.is(actual, expected)) { pass(this); } else { - const diff = formatAssertError.formatDiff(actual, expected); - const values = diff ? [diff] : [ - formatAssertError.formatWithLabel('Actual:', actual), - formatAssertError.formatWithLabel('Must be the same as:', expected) - ]; - + const actualDescriptor = concordance.describe(actual, concordanceOptions); + const expectedDescriptor = concordance.describe(expected, concordanceOptions); fail(this, new AssertionError({ assertion: 'is', message, - values + values: [formatDescriptorDiff(actualDescriptor, expectedDescriptor)] })); } }, @@ -80,7 +96,7 @@ function wrapAssertions(callbacks) { fail(this, new AssertionError({ assertion: 'not', message, - values: [formatAssertError.formatWithLabel('Value is the same as:', actual)] + values: [formatWithLabel('Value is the same as:', actual)] })); } else { pass(this); @@ -88,29 +104,28 @@ function wrapAssertions(callbacks) { }, deepEqual(actual, expected, message) { - if (deepEqual(actual, expected)) { + const result = concordance.compare(actual, expected, concordanceOptions); + if (result.pass) { pass(this); } else { - const diff = formatAssertError.formatDiff(actual, expected); - const values = diff ? [diff] : [ - formatAssertError.formatWithLabel('Actual:', actual), - formatAssertError.formatWithLabel('Must be deeply equal to:', expected) - ]; - + const actualDescriptor = result.actual || concordance.describe(actual, concordanceOptions); + const expectedDescriptor = result.expected || concordance.describe(expected, concordanceOptions); fail(this, new AssertionError({ assertion: 'deepEqual', message, - values + values: [formatDescriptorDiff(actualDescriptor, expectedDescriptor)] })); } }, notDeepEqual(actual, expected, message) { - if (deepEqual(actual, expected)) { + const result = concordance.compare(actual, expected, concordanceOptions); + if (result.pass) { + const actualDescriptor = result.actual || concordance.describe(actual, concordanceOptions); fail(this, new AssertionError({ assertion: 'notDeepEqual', message, - values: [formatAssertError.formatWithLabel('Value is deeply equal:', actual)] + values: [formatDescriptorWithLabel('Value is deeply equal:', actualDescriptor)] })); } else { pass(this); @@ -128,7 +143,7 @@ function wrapAssertions(callbacks) { assertion: 'throws', improperUsage: true, message: '`t.throws()` must be called with a function, Promise, or Observable', - values: [formatAssertError.formatWithLabel('Called with:', fn)] + values: [formatWithLabel('Called with:', fn)] })); return; } @@ -157,15 +172,13 @@ function wrapAssertions(callbacks) { }, coreAssertThrowsErrorArg); return actual; } catch (err) { - const values = threw ? - [formatAssertError.formatWithLabel('Threw unexpected exception:', actual)] : - null; - throw new AssertionError({ assertion: 'throws', message, stack, - values + values: threw ? + [formatWithLabel('Threw unexpected exception:', actual)] : + null }); } }; @@ -177,7 +190,7 @@ function wrapAssertions(callbacks) { throw new AssertionError({ assertion: 'throws', message: 'Expected promise to be rejected, but it was resolved instead', - values: [formatAssertError.formatWithLabel('Resolved with:', value)] + values: [formatWithLabel('Resolved with:', value)] }); }, reason => test(makeRethrow(reason), stack)); @@ -206,7 +219,7 @@ function wrapAssertions(callbacks) { assertion: 'notThrows', improperUsage: true, message: '`t.notThrows()` must be called with a function, Promise, or Observable', - values: [formatAssertError.formatWithLabel('Called with:', fn)] + values: [formatWithLabel('Called with:', fn)] })); return; } @@ -219,7 +232,7 @@ function wrapAssertions(callbacks) { assertion: 'notThrows', message, stack, - values: [formatAssertError.formatWithLabel('Threw:', err.actual)] + values: [formatWithLabel('Threw:', err.actual)] }); } }; @@ -246,28 +259,57 @@ function wrapAssertions(callbacks) { fail(this, new AssertionError({ assertion: 'ifError', message, - values: [formatAssertError.formatWithLabel('Error:', actual)] + values: [formatWithLabel('Error:', actual)] })); } else { pass(this); } }, - snapshot(actual, message) { - const state = this._test.getSnapshotState(); - const result = state.match(this.title, actual); + snapshot(expected, optionsOrMessage, message) { + const options = {}; + if (typeof optionsOrMessage === 'string') { + message = optionsOrMessage; + } else if (optionsOrMessage) { + options.id = optionsOrMessage.id; + } + options.expected = expected; + options.message = message; + + let result; + try { + result = this._test.compareWithSnapshot(options); + } catch (err) { + if (!(err instanceof snapshotManager.SnapshotError)) { + throw err; + } + + const improperUsage = {name: err.name, snapPath: err.snapPath}; + if (err instanceof snapshotManager.VersionMismatchError) { + improperUsage.snapVersion = err.snapVersion; + improperUsage.expectedVersion = err.expectedVersion; + } + + fail(this, new AssertionError({ + assertion: 'snapshot', + message: message || 'Could not compare snapshot', + improperUsage + })); + return; + } + if (result.pass) { pass(this); - } else { - const diff = jestDiff(result.expected.trim(), result.actual.trim(), {expand: true}) - // Remove annotation - .split('\n') - .slice(3) - .join('\n'); + } else if (result.actual) { fail(this, new AssertionError({ assertion: 'snapshot', message: message || 'Did not match snapshot', - values: [{label: 'Difference:', formatted: diff}] + values: [formatDescriptorDiff(result.actual, result.expected, {invert: true})] + })); + } else { + fail(this, new AssertionError({ + assertion: 'snapshot', + message: message || 'No snapshot available, run with --update-snapshots' })); } } @@ -280,7 +322,7 @@ function wrapAssertions(callbacks) { assertion: 'truthy', message, operator: '!!', - values: [formatAssertError.formatWithLabel('Value is not truthy:', actual)] + values: [formatWithLabel('Value is not truthy:', actual)] }); } }, @@ -291,7 +333,7 @@ function wrapAssertions(callbacks) { assertion: 'falsy', message, operator: '!', - values: [formatAssertError.formatWithLabel('Value is not falsy:', actual)] + values: [formatWithLabel('Value is not falsy:', actual)] }); } }, @@ -301,7 +343,7 @@ function wrapAssertions(callbacks) { throw new AssertionError({ assertion: 'true', message, - values: [formatAssertError.formatWithLabel('Value is not `true`:', actual)] + values: [formatWithLabel('Value is not `true`:', actual)] }); } }, @@ -311,7 +353,7 @@ function wrapAssertions(callbacks) { throw new AssertionError({ assertion: 'false', message, - values: [formatAssertError.formatWithLabel('Value is not `false`:', actual)] + values: [formatWithLabel('Value is not `false`:', actual)] }); } }, @@ -322,7 +364,7 @@ function wrapAssertions(callbacks) { assertion: 'regex', improperUsage: true, message: '`t.regex()` must be called with a string', - values: [formatAssertError.formatWithLabel('Called with:', string)] + values: [formatWithLabel('Called with:', string)] }); } if (!(regex instanceof RegExp)) { @@ -330,7 +372,7 @@ function wrapAssertions(callbacks) { assertion: 'regex', improperUsage: true, message: '`t.regex()` must be called with a regular expression', - values: [formatAssertError.formatWithLabel('Called with:', regex)] + values: [formatWithLabel('Called with:', regex)] }); } @@ -339,8 +381,8 @@ function wrapAssertions(callbacks) { assertion: 'regex', message, values: [ - formatAssertError.formatWithLabel('Value must match expression:', string), - formatAssertError.formatWithLabel('Regular expression:', regex) + formatWithLabel('Value must match expression:', string), + formatWithLabel('Regular expression:', regex) ] }); } @@ -352,7 +394,7 @@ function wrapAssertions(callbacks) { assertion: 'notRegex', improperUsage: true, message: '`t.notRegex()` must be called with a string', - values: [formatAssertError.formatWithLabel('Called with:', string)] + values: [formatWithLabel('Called with:', string)] }); } if (!(regex instanceof RegExp)) { @@ -360,7 +402,7 @@ function wrapAssertions(callbacks) { assertion: 'notRegex', improperUsage: true, message: '`t.notRegex()` must be called with a regular expression', - values: [formatAssertError.formatWithLabel('Called with:', regex)] + values: [formatWithLabel('Called with:', regex)] }); } @@ -369,8 +411,8 @@ function wrapAssertions(callbacks) { assertion: 'notRegex', message, values: [ - formatAssertError.formatWithLabel('Value must not match expression:', string), - formatAssertError.formatWithLabel('Regular expression:', regex) + formatWithLabel('Value must not match expression:', string), + formatWithLabel('Regular expression:', regex) ] }); } diff --git a/lib/ava-files.js b/lib/ava-files.js index dd9a2ee6d..cfdc9f202 100644 --- a/lib/ava-files.js +++ b/lib/ava-files.js @@ -265,7 +265,7 @@ class AvaFiles { ignored = getDefaultIgnorePatterns().concat(ignored, overrideDefaultIgnorePatterns); if (paths.length === 0) { - paths = ['package.json', '**/*.js']; + paths = ['package.json', '**/*.js', '**/*.snap']; } paths = paths.concat(this.files); diff --git a/lib/concordance-options.js b/lib/concordance-options.js new file mode 100644 index 000000000..e3aca849e --- /dev/null +++ b/lib/concordance-options.js @@ -0,0 +1,129 @@ +'use strict'; +const ansiStyles = require('ansi-styles'); +const chalk = require('chalk'); +const cloneDeepWith = require('lodash.clonedeepwith'); +const reactPlugin = require('@concordance/react'); +const options = require('./globals').options; + +// Wrap Concordance's React plugin. Change the name to avoid collisions if in +// the future users can register plugins themselves. +const avaReactPlugin = Object.assign({}, reactPlugin, {name: 'ava-plugin-react'}); +const plugins = [avaReactPlugin]; + +const forceColor = new chalk.constructor({enabled: true}); + +const colorTheme = { + boolean: ansiStyles.yellow, + circular: forceColor.grey('[Circular]'), + date: { + invalid: forceColor.red('invalid'), + value: ansiStyles.blue + }, + diffGutters: { + actual: forceColor.red('-') + ' ', + expected: forceColor.green('+') + ' ', + padding: ' ' + }, + error: { + ctor: {open: ansiStyles.grey.open + '(', close: ')' + ansiStyles.grey.close}, + name: ansiStyles.magenta + }, + function: { + name: ansiStyles.blue, + stringTag: ansiStyles.magenta + }, + global: ansiStyles.magenta, + item: {after: forceColor.grey(',')}, + list: {openBracket: forceColor.grey('['), closeBracket: forceColor.grey(']')}, + mapEntry: {after: forceColor.grey(',')}, + maxDepth: forceColor.grey('…'), + null: ansiStyles.yellow, + number: ansiStyles.yellow, + object: { + openBracket: forceColor.grey('{'), + closeBracket: forceColor.grey('}'), + ctor: ansiStyles.magenta, + stringTag: {open: ansiStyles.magenta.open + '@', close: ansiStyles.magenta.close}, + secondaryStringTag: {open: ansiStyles.grey.open + '@', close: ansiStyles.grey.close} + }, + property: { + after: forceColor.grey(','), + keyBracket: {open: forceColor.grey('['), close: forceColor.grey(']')}, + valueFallback: forceColor.grey('…') + }, + react: { + functionType: forceColor.grey('\u235F'), + openTag: { + start: forceColor.grey('<'), + end: forceColor.grey('>'), + selfClose: forceColor.grey('/'), + selfCloseVoid: ' ' + forceColor.grey('/') + }, + closeTag: { + open: forceColor.grey(''), + close: forceColor.grey('>') + }, + tagName: ansiStyles.magenta, + attribute: { + separator: '=', + value: { + openBracket: forceColor.grey('{'), + closeBracket: forceColor.grey('}'), + string: { + line: {open: forceColor.blue('"'), close: forceColor.blue('"'), escapeQuote: '"'} + } + } + }, + child: { + openBracket: forceColor.grey('{'), + closeBracket: forceColor.grey('}') + } + }, + regexp: { + source: {open: ansiStyles.blue.open + '/', close: '/' + ansiStyles.blue.close}, + flags: ansiStyles.yellow + }, + stats: {separator: forceColor.grey('---')}, + string: { + open: ansiStyles.blue.open, + close: ansiStyles.blue.close, + line: {open: forceColor.blue('\''), close: forceColor.blue('\'')}, + multiline: {start: forceColor.blue('`'), end: forceColor.blue('`')}, + controlPicture: ansiStyles.grey, + diff: { + insert: { + open: ansiStyles.bgGreen.open + ansiStyles.black.open, + close: ansiStyles.black.close + ansiStyles.bgGreen.close + }, + delete: { + open: ansiStyles.bgRed.open + ansiStyles.black.open, + close: ansiStyles.black.close + ansiStyles.bgRed.close + }, + equal: ansiStyles.blue, + insertLine: { + open: ansiStyles.green.open, + close: ansiStyles.green.close + }, + deleteLine: { + open: ansiStyles.red.open, + close: ansiStyles.red.close + } + } + }, + symbol: ansiStyles.yellow, + typedArray: { + bytes: ansiStyles.yellow + }, + undefined: ansiStyles.yellow +}; + +const plainTheme = cloneDeepWith(colorTheme, value => { + if (typeof value === 'string') { + return chalk.stripColor(value); + } +}); + +const theme = options.color === false ? plainTheme : colorTheme; +exports.default = {maxDepth: 3, plugins, theme}; +exports.diff = {maxDepth: 1, plugins, theme}; +exports.snapshotManager = {plugins, theme: plainTheme}; diff --git a/lib/enhance-assert.js b/lib/enhance-assert.js index 7808765b7..6e127b3d6 100644 --- a/lib/enhance-assert.js +++ b/lib/enhance-assert.js @@ -1,6 +1,7 @@ 'use strict'; +const concordance = require('concordance'); const dotProp = require('dot-prop'); -const formatValue = require('./format-assert-error').formatValue; +const concordanceOptions = require('./concordance-options').default; // When adding patterns, don't forget to add to // https://github.com/avajs/babel-preset-transform-test-files/blob/master/espower-patterns.json @@ -37,7 +38,10 @@ const formatter = context => { return args .map(arg => { const range = getNode(ast, arg.espath).range; - return [computeStatement(tokens, range), formatValue(arg.value, {maxDepth: 1})]; + const statement = computeStatement(tokens, range); + + const formatted = concordance.format(arg.value, concordanceOptions); + return [statement, formatted]; }) .reverse(); }; diff --git a/lib/format-assert-error.js b/lib/format-assert-error.js deleted file mode 100644 index a899af463..000000000 --- a/lib/format-assert-error.js +++ /dev/null @@ -1,121 +0,0 @@ -'use strict'; -const prettyFormat = require('@ava/pretty-format'); -const reactTestPlugin = require('@ava/pretty-format/plugins/ReactTestComponent'); -const chalk = require('chalk'); -const diff = require('diff'); -const DiffMatchPatch = require('diff-match-patch'); -const indentString = require('indent-string'); -const globals = require('./globals'); - -function formatValue(value, options) { - return prettyFormat(value, Object.assign({ - callToJSON: false, - plugins: [reactTestPlugin], - highlight: globals.options.color !== false - }, options)); -} -exports.formatValue = formatValue; - -const cleanUp = line => { - if (line[0] === '+') { - return `${chalk.green('+')} ${line.slice(1)}`; - } - - if (line[0] === '-') { - return `${chalk.red('-')} ${line.slice(1)}`; - } - - if (line.match(/@@/)) { - return null; - } - - if (line.match(/\\ No newline/)) { - return null; - } - - return ` ${line}`; -}; - -const getType = value => { - const type = typeof value; - if (type === 'object') { - if (type === null) { - return 'null'; - } - if (Array.isArray(value)) { - return 'array'; - } - } - return type; -}; - -function formatDiff(actual, expected) { - const actualType = getType(actual); - const expectedType = getType(expected); - if (actualType !== expectedType) { - return null; - } - - if (actualType === 'array' || actualType === 'object') { - const formatted = diff.createPatch('string', formatValue(actual), formatValue(expected)) - .split('\n') - .slice(4) - .map(cleanUp) - .filter(Boolean) - .join('\n') - .trimRight(); - - return {label: 'Difference:', formatted}; - } - - if (actualType === 'string') { - const formatted = new DiffMatchPatch() - .diff_main(formatValue(actual, {highlight: false}), formatValue(expected, {highlight: false})) - .map(part => { - if (part[0] === 1) { - return chalk.bgGreen.black(part[1]); - } - - if (part[0] === -1) { - return chalk.bgRed.black(part[1]); - } - - return chalk.red(part[1]); - }) - .join('') - .trimRight(); - - return {label: 'Difference:', formatted}; - } - - return null; -} -exports.formatDiff = formatDiff; - -function formatWithLabel(label, value) { - return {label, formatted: formatValue(value)}; -} -exports.formatWithLabel = formatWithLabel; - -function formatSerializedError(error) { - if (error.statements.length === 0 && error.values.length === 0) { - return null; - } - - let result = error.values - .map(value => `${value.label}\n\n${indentString(value.formatted, 2).trimRight()}\n`) - .join('\n'); - - if (error.statements.length > 0) { - if (error.values.length > 0) { - result += '\n'; - } - - result += error.statements - .map(statement => `${statement[0]}\n${chalk.grey('=>')} ${statement[1]}\n`) - .join('\n'); - } - - return result; -} -exports.formatSerializedError = formatSerializedError; diff --git a/lib/main.js b/lib/main.js index 52618e8b7..1b03cc854 100644 --- a/lib/main.js +++ b/lib/main.js @@ -11,6 +11,7 @@ const runner = new Runner({ failWithoutAssertions: opts.failWithoutAssertions, file: opts.file, match: opts.match, + projectDir: opts.projectDir, serial: opts.serial, updateSnapshots: opts.updateSnapshots }); diff --git a/lib/process-adapter.js b/lib/process-adapter.js index b50f37398..5f9c0d79d 100644 --- a/lib/process-adapter.js +++ b/lib/process-adapter.js @@ -94,7 +94,7 @@ exports.installDependencyTracking = (dependencies, testPath) => { require.extensions[ext] = (module, filename) => { if (filename !== testPath) { - dependencies.push(filename); + dependencies.add(filename); } wrappedHandler(module, filename); diff --git a/lib/reporters/format-serialized-error.js b/lib/reporters/format-serialized-error.js new file mode 100644 index 000000000..6ab59e47c --- /dev/null +++ b/lib/reporters/format-serialized-error.js @@ -0,0 +1,26 @@ +'use strict'; +const chalk = require('chalk'); +const trimOffNewlines = require('trim-off-newlines'); + +function formatSerializedError(error) { + const printMessage = error.values.length === 0 ? + Boolean(error.message) : + !error.values[0].label.startsWith(error.message); + + if (error.statements.length === 0 && error.values.length === 0) { + return {formatted: null, printMessage}; + } + + let formatted = ''; + for (const value of error.values) { + formatted += `${value.label}\n\n${trimOffNewlines(value.formatted)}\n\n`; + } + + for (const statement of error.statements) { + formatted += `${statement[0]}\n${chalk.grey('=>')} ${trimOffNewlines(statement[1])}\n\n`; + } + + formatted = trimOffNewlines(formatted); + return {formatted, printMessage}; +} +module.exports = formatSerializedError; diff --git a/lib/reporters/improper-usage-messages.js b/lib/reporters/improper-usage-messages.js index 0a2626638..298ef79a5 100644 --- a/lib/reporters/improper-usage-messages.js +++ b/lib/reporters/improper-usage-messages.js @@ -7,15 +7,48 @@ exports.forError = error => { } const assertion = error.assertion; - if (assertion !== 'throws' || !assertion === 'notThrows') { - return null; - } - - return `Try wrapping the first argument to \`t.${assertion}()\` in a function: + if (assertion === 'throws' || assertion === 'notThrows') { + return `Try wrapping the first argument to \`t.${assertion}()\` in a function: ${chalk.cyan(`t.${assertion}(() => { `)}${chalk.grey('/* your code here */')}${chalk.cyan(' })')} Visit the following URL for more details: ${chalk.blue.underline('https://github.com/avajs/ava#throwsfunctionpromise-error-message')}`; + } else if (assertion === 'snapshot') { + const name = error.improperUsage.name; + const snapPath = error.improperUsage.snapPath; + + if (name === 'ChecksumError') { + return `The snapshot file is corrupted. + +File path: ${chalk.yellow(snapPath)} + +Please run AVA again with the ${chalk.cyan('--update-snapshots')} flag to recreate it.`; + } + + if (name === 'LegacyError') { + return `The snapshot file was created with AVA 0.19. It's not supported by this AVA version. + +File path: ${chalk.yellow(snapPath)} + +Please run AVA again with the ${chalk.cyan('--update-snapshots')} flag to upgrade.`; + } + + if (name === 'VersionMismatchError') { + const snapVersion = error.improperUsage.snapVersion; + const expectedVersion = error.improperUsage.expectedVersion; + const upgradeMessage = snapVersion < expectedVersion ? + `Please run AVA again with the ${chalk.cyan('--update-snapshots')} flag to upgrade.` : + 'You should upgrade AVA.'; + + return `The snapshot file is v${snapVersion}, but only v${expectedVersion} is supported. + +File path: ${chalk.yellow(snapPath)} + +${upgradeMessage}`; + } + } + + return null; }; diff --git a/lib/reporters/mini.js b/lib/reporters/mini.js index 1f552bdaa..8acfab8e7 100644 --- a/lib/reporters/mini.js +++ b/lib/reporters/mini.js @@ -9,10 +9,11 @@ const cliTruncate = require('cli-truncate'); const cross = require('figures').cross; const indentString = require('indent-string'); const ansiEscapes = require('ansi-escapes'); -const formatAssertError = require('../format-assert-error'); +const trimOffNewlines = require('trim-off-newlines'); const extractStack = require('../extract-stack'); const codeExcerpt = require('../code-excerpt'); const colors = require('../colors'); +const formatSerializedError = require('./format-serialized-error'); const improperUsageMessages = require('./improper-usage-messages'); class MiniReporter { @@ -131,38 +132,37 @@ class MiniReporter { time = chalk.gray.dim('[' + new Date().toLocaleTimeString('en-US', {hour12: false}) + ']'); } - let status = this.reportCounts(time); + let status = this.reportCounts(time) + '\n'; if (this.rejectionCount > 0) { - status += '\n ' + colors.error(this.rejectionCount, plur('rejection', this.rejectionCount)); + status += ' ' + colors.error(this.rejectionCount, plur('rejection', this.rejectionCount)) + '\n'; } if (this.exceptionCount > 0) { - status += '\n ' + colors.error(this.exceptionCount, plur('exception', this.exceptionCount)); + status += ' ' + colors.error(this.exceptionCount, plur('exception', this.exceptionCount)) + '\n'; } if (runStatus.previousFailCount > 0) { - status += '\n ' + colors.error(runStatus.previousFailCount, 'previous', plur('failure', runStatus.previousFailCount), 'in test files that were not rerun'); + status += ' ' + colors.error(runStatus.previousFailCount, 'previous', plur('failure', runStatus.previousFailCount), 'in test files that were not rerun') + '\n'; } if (this.knownFailureCount > 0) { for (const test of runStatus.knownFailures) { const title = test.title; - status += '\n\n ' + colors.title(title); + status += '\n ' + colors.title(title) + '\n'; // TODO: Output description with link // status += colors.stack(description); } } + status += '\n'; if (this.failCount > 0) { - runStatus.errors.forEach((test, index) => { + runStatus.errors.forEach(test => { if (!test.error) { return; } - const beforeSpacing = index === 0 ? '\n\n' : '\n\n\n\n'; - - status += beforeSpacing + ' ' + colors.title(test.title) + '\n'; + status += ' ' + colors.title(test.title) + '\n'; if (test.error.source) { status += ' ' + colors.errorSource(test.error.source.file + ':' + test.error.source.line) + '\n'; @@ -172,28 +172,32 @@ class MiniReporter { } } - if (test.error.message) { - status += '\n' + indentString(test.error.message, 2) + '\n'; - } - if (test.error.avaAssertionError) { - const formatted = formatAssertError.formatSerializedError(test.error); - if (formatted) { - status += '\n' + indentString(formatted, 2); + const result = formatSerializedError(test.error); + if (result.printMessage) { + status += '\n' + indentString(test.error.message, 2) + '\n'; + } + + if (result.formatted) { + status += '\n' + indentString(result.formatted, 2) + '\n'; } const message = improperUsageMessages.forError(test.error); if (message) { status += '\n' + indentString(message, 2) + '\n'; } + } else if (test.error.message) { + status += '\n' + indentString(test.error.message, 2) + '\n'; } if (test.error.stack) { const extracted = extractStack(test.error.stack); if (extracted.includes('\n')) { - status += '\n' + indentString(colors.errorStack(extracted), 2); + status += '\n' + indentString(colors.errorStack(extracted), 2) + '\n'; } } + + status += '\n\n\n'; }); } @@ -205,7 +209,7 @@ class MiniReporter { } if (err.type === 'exception' && err.name === 'AvaError') { - status += '\n\n ' + colors.error(cross + ' ' + err.message); + status += ' ' + colors.error(cross + ' ' + err.message) + '\n\n'; } else { const title = err.type === 'rejection' ? 'Unhandled Rejection' : 'Uncaught Exception'; let description = err.stack ? err.stack.trimRight() : JSON.stringify(err); @@ -213,23 +217,23 @@ class MiniReporter { const errorTitle = err.name ? description[0] : 'Threw non-error: ' + description[0]; const errorStack = description.slice(1).join('\n'); - status += '\n\n ' + colors.title(title) + '\n'; + status += ' ' + colors.title(title) + '\n'; status += ' ' + colors.stack(errorTitle) + '\n'; - status += colors.errorStack(errorStack); + status += colors.errorStack(errorStack) + '\n\n'; } }); } if (runStatus.failFastEnabled === true && runStatus.remainingCount > 0 && runStatus.failCount > 0) { const remaining = 'At least ' + runStatus.remainingCount + ' ' + plur('test was', 'tests were', runStatus.remainingCount) + ' skipped.'; - status += '\n\n ' + colors.information('`--fail-fast` is on. ' + remaining); + status += ' ' + colors.information('`--fail-fast` is on. ' + remaining) + '\n\n'; } if (runStatus.hasExclusive === true && runStatus.remainingCount > 0) { - status += '\n\n ' + colors.information('The .only() modifier is used in some tests.', runStatus.remainingCount, plur('test', runStatus.remainingCount), plur('was', 'were', runStatus.remainingCount), 'not run'); + status += ' ' + colors.information('The .only() modifier is used in some tests.', runStatus.remainingCount, plur('test', runStatus.remainingCount), plur('was', 'were', runStatus.remainingCount), 'not run'); } - return status + '\n\n'; + return '\n' + trimOffNewlines(status) + '\n'; } section() { return '\n' + chalk.gray.dim('\u2500'.repeat(process.stdout.columns || 80)); diff --git a/lib/reporters/verbose.js b/lib/reporters/verbose.js index 1be43ce5e..cd47683e8 100644 --- a/lib/reporters/verbose.js +++ b/lib/reporters/verbose.js @@ -4,10 +4,11 @@ const prettyMs = require('pretty-ms'); const figures = require('figures'); const chalk = require('chalk'); const plur = require('plur'); -const formatAssertError = require('../format-assert-error'); +const trimOffNewlines = require('trim-off-newlines'); const extractStack = require('../extract-stack'); const codeExcerpt = require('../code-excerpt'); const colors = require('../colors'); +const formatSerializedError = require('./format-serialized-error'); const improperUsageMessages = require('./improper-usage-messages'); class VerboseReporter { @@ -70,7 +71,7 @@ class VerboseReporter { return output; } finish(runStatus) { - let output = '\n'; + let output = ''; const lines = [ runStatus.failCount > 0 ? @@ -86,23 +87,23 @@ class VerboseReporter { if (lines.length > 0) { lines[0] += ' ' + chalk.gray.dim('[' + new Date().toLocaleTimeString('en-US', {hour12: false}) + ']'); - output += lines.join('\n'); + output += lines.join('\n') + '\n'; } if (runStatus.knownFailureCount > 0) { runStatus.knownFailures.forEach(test => { - output += '\n\n\n ' + colors.error(test.title); + output += '\n\n ' + colors.error(test.title) + '\n'; }); } + output += '\n'; if (runStatus.failCount > 0) { - runStatus.tests.forEach((test, index) => { + runStatus.tests.forEach(test => { if (!test.error) { return; } - const beforeSpacing = index === 0 ? '\n\n' : '\n\n\n\n'; - output += beforeSpacing + ' ' + colors.title(test.title) + '\n'; + output += ' ' + colors.title(test.title) + '\n'; if (test.error.source) { output += ' ' + colors.errorSource(test.error.source.file + ':' + test.error.source.line) + '\n'; @@ -112,41 +113,45 @@ class VerboseReporter { } } - if (test.error.message) { - output += '\n' + indentString(test.error.message, 2) + '\n'; - } - if (test.error.avaAssertionError) { - const formatted = formatAssertError.formatSerializedError(test.error); - if (formatted) { - output += '\n' + indentString(formatted, 2); + const result = formatSerializedError(test.error); + if (result.printMessage) { + output += '\n' + indentString(test.error.message, 2) + '\n'; + } + + if (result.formatted) { + output += '\n' + indentString(result.formatted, 2) + '\n'; } const message = improperUsageMessages.forError(test.error); if (message) { output += '\n' + indentString(message, 2) + '\n'; } + } else if (test.error.message) { + output += '\n' + indentString(test.error.message, 2) + '\n'; } if (test.error.stack) { const extracted = extractStack(test.error.stack); if (extracted.includes('\n')) { - output += '\n' + indentString(colors.errorStack(extracted), 2); + output += '\n' + indentString(colors.errorStack(extracted), 2) + '\n'; } } + + output += '\n\n\n'; }); } if (runStatus.failFastEnabled === true && runStatus.remainingCount > 0 && runStatus.failCount > 0) { const remaining = 'At least ' + runStatus.remainingCount + ' ' + plur('test was', 'tests were', runStatus.remainingCount) + ' skipped.'; - output += '\n\n\n ' + colors.information('`--fail-fast` is on. ' + remaining); + output += ' ' + colors.information('`--fail-fast` is on. ' + remaining) + '\n\n'; } if (runStatus.hasExclusive === true && runStatus.remainingCount > 0) { - output += '\n\n\n ' + colors.information('The .only() modifier is used in some tests.', runStatus.remainingCount, plur('test', runStatus.remainingCount), plur('was', 'were', runStatus.remainingCount), 'not run'); + output += ' ' + colors.information('The .only() modifier is used in some tests.', runStatus.remainingCount, plur('test', runStatus.remainingCount), plur('was', 'were', runStatus.remainingCount), 'not run'); } - return output + '\n'; + return '\n' + trimOffNewlines(output) + '\n'; } section() { return chalk.gray.dim('\u2500'.repeat(process.stdout.columns || 80)); diff --git a/lib/run-status.js b/lib/run-status.js index 6526f7bdc..609c79a87 100644 --- a/lib/run-status.js +++ b/lib/run-status.js @@ -73,6 +73,7 @@ class RunStatus extends EventEmitter { } handleTeardown(data) { this.emit('dependencies', data.file, data.dependencies, this); + this.emit('touchedFiles', data.touchedFiles); } handleStats(stats) { this.emit('stats', stats, this); diff --git a/lib/runner.js b/lib/runner.js index 5f0edacb2..bda2132fd 100644 --- a/lib/runner.js +++ b/lib/runner.js @@ -2,9 +2,9 @@ const EventEmitter = require('events'); const path = require('path'); const Bluebird = require('bluebird'); -const jestSnapshot = require('jest-snapshot'); const optionChain = require('option-chain'); const matcher = require('matcher'); +const snapshotManager = require('./snapshot-manager'); const TestCollection = require('./test-collection'); const validateTest = require('./validate-test'); @@ -49,16 +49,17 @@ class Runner extends EventEmitter { this.file = options.file; this.match = options.match || []; + this.projectDir = options.projectDir; this.serial = options.serial; this.updateSnapshots = options.updateSnapshots; this.hasStarted = false; this.results = []; - this.snapshotState = null; + this.snapshots = null; this.tests = new TestCollection({ bail: options.bail, failWithoutAssertions: options.failWithoutAssertions, - getSnapshotState: () => this.getSnapshotState() + compareTestSnapshot: this.compareTestSnapshot.bind(this) }); this.chain = optionChain(chainableMethods, (opts, args) => { @@ -179,26 +180,31 @@ class Runner extends EventEmitter { return stats; } - getSnapshotState() { - if (this.snapshotState) { - return this.snapshotState; + compareTestSnapshot(options) { + if (!this.snapshots) { + this.snapshots = snapshotManager.load({ + name: path.basename(this.file), + projectDir: this.projectDir, + relFile: path.relative(this.projectDir, this.file), + testDir: path.dirname(this.file), + updating: this.updateSnapshots + }); + this.emit('dependency', this.snapshots.snapPath); } - const name = path.basename(this.file) + '.snap'; - const dir = path.dirname(this.file); - - const snapshotPath = path.join(dir, '__snapshots__', name); - const testPath = this.file; - const update = this.updateSnapshots; - - const state = jestSnapshot.initializeSnapshotState(testPath, update, snapshotPath); - this.snapshotState = state; - return state; + return this.snapshots.compare(options); } saveSnapshotState() { - if (this.snapshotState) { - this.snapshotState.save(this.updateSnapshots); + if (this.snapshots) { + const files = this.snapshots.save(); + if (files) { + this.emit('touched', files); + } + } else if (this.updateSnapshots) { + // TODO: There may be unused snapshot files if no test caused the + // snapshots to be loaded. Prune them. But not if tests (including hooks!) + // were skipped. Perhaps emit a warning if this occurs? } } diff --git a/lib/snapshot-manager.js b/lib/snapshot-manager.js new file mode 100644 index 000000000..e7a053919 --- /dev/null +++ b/lib/snapshot-manager.js @@ -0,0 +1,395 @@ +'use strict'; + +const crypto = require('crypto'); +const fs = require('fs'); +const path = require('path'); +const zlib = require('zlib'); + +const writeFileAtomic = require('@ava/write-file-atomic'); +const concordance = require('concordance'); +const indentString = require('indent-string'); +const makeDir = require('make-dir'); +const md5Hex = require('md5-hex'); + +const concordanceOptions = require('./concordance-options').snapshotManager; + +// Increment if encoding layout or Concordance serialization versions change. Previous AVA versions will not be able to +// decode buffers generated by a newer version, so changing this value will require a major version bump of AVA itself. +// The version is encoded as an unsigned 16 bit integer. +const VERSION = 1; + +const VERSION_HEADER = Buffer.alloc(2); +VERSION_HEADER.writeUInt16LE(VERSION); + +// The decoder matches on the trailing newline byte (0x0A). +const READABLE_PREFIX = Buffer.from(`AVA Snapshot v${VERSION}\n`, 'ascii'); +const REPORT_SEPARATOR = Buffer.from('\n\n', 'ascii'); +const REPORT_TRAILING_NEWLINE = Buffer.from('\n', 'ascii'); + +const MD5_HASH_LENGTH = 16; + +class SnapshotError extends Error { + constructor(message, snapPath) { + super(message); + this.name = 'SnapshotError'; + this.snapPath = snapPath; + } +} +exports.SnapshotError = SnapshotError; + +class ChecksumError extends SnapshotError { + constructor(snapPath) { + super('Checksum mismatch', snapPath); + this.name = 'ChecksumError'; + } +} +exports.ChecksumError = ChecksumError; + +class VersionMismatchError extends SnapshotError { + constructor(snapPath, version) { + super('Unexpected snapshot version', snapPath); + this.name = 'VersionMismatchError'; + this.snapVersion = version; + this.expectedVersion = VERSION; + } +} +exports.VersionMismatchError = VersionMismatchError; + +const LEGACY_SNAPSHOT_HEADER = Buffer.from('// Jest Snapshot v1'); +function isLegacySnapshot(buffer) { + return LEGACY_SNAPSHOT_HEADER.equals(buffer.slice(0, LEGACY_SNAPSHOT_HEADER.byteLength)); +} + +class LegacyError extends SnapshotError { + constructor(snapPath) { + super('Legacy snapshot file', snapPath); + this.name = 'LegacyError'; + } +} +exports.LegacyError = LegacyError; + +function tryRead(file) { + try { + return fs.readFileSync(file); + } catch (err) { + if (err.code === 'ENOENT') { + return null; + } + + throw err; + } +} + +function withoutLineEndings(buffer) { + let newLength = buffer.byteLength - 1; + while (buffer[newLength] === 0x0A || buffer[newLength] === 0x0D) { + newLength--; + } + return buffer.slice(0, newLength); +} + +function formatEntry(label, descriptor) { + if (label) { + label = `> ${label}\n\n`; + } + const codeBlock = indentString(concordance.formatDescriptor(descriptor, concordanceOptions), 4); + return Buffer.from(label + codeBlock, 'utf8'); +} + +function combineEntries(entries) { + const buffers = []; + let byteLength = 0; + + const sortedKeys = Array.from(entries.keys()).sort(); + for (const key of sortedKeys) { + const keyBuffer = Buffer.from(`\n\n## ${key}\n\n`, 'utf8'); + buffers.push(keyBuffer); + byteLength += keyBuffer.byteLength; + + const formattedEntries = entries.get(key); + const last = formattedEntries[formattedEntries.length - 1]; + for (const entry of formattedEntries) { + buffers.push(entry); + byteLength += entry.byteLength; + + if (entry !== last) { + buffers.push(REPORT_SEPARATOR); + byteLength += REPORT_SEPARATOR.byteLength; + } + } + } + + return {buffers, byteLength}; +} + +function generateReport(relFile, snapFile, entries) { + const combined = combineEntries(entries); + const buffers = combined.buffers; + let byteLength = combined.byteLength; + + const header = Buffer.from(`# Snapshot report for \`${relFile}\` + +The actual snapshot is saved in \`${snapFile}\`. + +Generated by [AVA](https://ava.li).`, 'utf8'); + buffers.unshift(header); + byteLength += header.byteLength; + + buffers.push(REPORT_TRAILING_NEWLINE); + byteLength += REPORT_TRAILING_NEWLINE.byteLength; + return Buffer.concat(buffers, byteLength); +} + +function appendReportEntries(existingReport, entries) { + const combined = combineEntries(entries); + const buffers = combined.buffers; + let byteLength = combined.byteLength; + + const prepend = withoutLineEndings(existingReport); + buffers.unshift(prepend); + byteLength += prepend.byteLength; + + return Buffer.concat(buffers, byteLength); +} + +function encodeSnapshots(buffersByHash) { + const buffers = []; + let byteOffset = 0; + + // Entry start and end pointers are relative to the header length. This means + // it's possible to append new entries to an existing snapshot file, without + // having to rewrite pointers for existing entries. + const headerLength = Buffer.alloc(4); + buffers.push(headerLength); + byteOffset += 4; + + // Allows 65535 hashes (tests or identified snapshots) per file. + const numHashes = Buffer.alloc(2); + numHashes.writeUInt16LE(buffersByHash.size); + buffers.push(numHashes); + byteOffset += 2; + + const entries = []; + for (const pair of buffersByHash) { + const hash = pair[0]; + const snapshotBuffers = pair[1]; + + buffers.push(Buffer.from(hash, 'hex')); + byteOffset += MD5_HASH_LENGTH; + + // Allows 65535 snapshots per hash. + const numSnapshots = Buffer.alloc(2); + numSnapshots.writeUInt16LE(snapshotBuffers.length, 0); + buffers.push(numSnapshots); + byteOffset += 2; + + for (const value of snapshotBuffers) { + // Each pointer is 32 bits, restricting the total, uncompressed buffer to + // 4 GiB. + const start = Buffer.alloc(4); + const end = Buffer.alloc(4); + entries.push({start, end, value}); + + buffers.push(start, end); + byteOffset += 8; + } + } + + headerLength.writeUInt32LE(byteOffset, 0); + + let bodyOffset = 0; + for (const entry of entries) { + const start = bodyOffset; + const end = bodyOffset + entry.value.byteLength; + entry.start.writeUInt32LE(start, 0); + entry.end.writeUInt32LE(end, 0); + buffers.push(entry.value); + bodyOffset = end; + } + byteOffset += bodyOffset; + + const compressed = zlib.gzipSync(Buffer.concat(buffers, byteOffset)); + const md5sum = crypto.createHash('md5').update(compressed).digest(); + return Buffer.concat([ + READABLE_PREFIX, + VERSION_HEADER, + md5sum, + compressed + ], READABLE_PREFIX.byteLength + VERSION_HEADER.byteLength + MD5_HASH_LENGTH + compressed.byteLength); +} + +function decodeSnapshots(buffer, snapPath) { + if (isLegacySnapshot(buffer)) { + throw new LegacyError(snapPath); + } + + // The version starts after the readable prefix, which is ended by a newline + // byte (0x0A). + const versionOffset = buffer.indexOf(0x0A) + 1; + const version = buffer.readUInt16LE(versionOffset); + if (version !== VERSION) { + throw new VersionMismatchError(snapPath, version); + } + + const md5sumOffset = versionOffset + 2; + const compressedOffset = md5sumOffset + MD5_HASH_LENGTH; + const compressed = buffer.slice(compressedOffset); + + const md5sum = crypto.createHash('md5').update(compressed).digest(); + const expectedSum = buffer.slice(md5sumOffset, compressedOffset); + if (!md5sum.equals(expectedSum)) { + throw new ChecksumError(snapPath); + } + + const decompressed = zlib.gunzipSync(compressed); + let byteOffset = 0; + + const headerLength = decompressed.readUInt32LE(byteOffset); + byteOffset += 4; + + const snapshotsByHash = new Map(); + const numHashes = decompressed.readUInt16LE(byteOffset); + byteOffset += 2; + + for (let count = 0; count < numHashes; count++) { + const hash = decompressed.toString('hex', byteOffset, byteOffset + MD5_HASH_LENGTH); + byteOffset += MD5_HASH_LENGTH; + + const numSnapshots = decompressed.readUInt16LE(byteOffset); + byteOffset += 2; + + const snapshotsBuffers = new Array(numSnapshots); + for (let index = 0; index < numSnapshots; index++) { + const start = decompressed.readUInt32LE(byteOffset) + headerLength; + byteOffset += 4; + const end = decompressed.readUInt32LE(byteOffset) + headerLength; + byteOffset += 4; + snapshotsBuffers[index] = decompressed.slice(start, end); + } + + // Allow for new entries to be appended to an existing header, which could + // lead to the same hash being present multiple times. + if (snapshotsByHash.has(hash)) { + snapshotsByHash.set(hash, snapshotsByHash.get(hash).concat(snapshotsBuffers)); + } else { + snapshotsByHash.set(hash, snapshotsBuffers); + } + } + + return snapshotsByHash; +} + +class Manager { + constructor(options) { + this.appendOnly = options.appendOnly; + this.dir = options.dir; + this.relFile = options.relFile; + this.reportFile = options.reportFile; + this.snapFile = options.snapFile; + this.snapPath = options.snapPath; + this.snapshotsByHash = options.snapshotsByHash; + + this.hasChanges = false; + this.reportEntries = new Map(); + } + + compare(options) { + const hash = md5Hex(options.belongsTo); + const entries = this.snapshotsByHash.get(hash) || []; + if (options.index > entries.length) { + throw new RangeError(`Cannot record snapshot ${options.index} for ${JSON.stringify(options.belongsTo)}, exceeds expected index of ${entries.length}`); + } + if (options.index === entries.length) { + this.record(hash, options); + return {pass: true}; + } + + const snapshotBuffer = entries[options.index]; + const actual = concordance.deserialize(snapshotBuffer, concordanceOptions); + + const expected = concordance.describe(options.expected, concordanceOptions); + const pass = concordance.compareDescriptors(actual, expected); + + return {actual, expected, pass}; + } + + record(hash, options) { + const descriptor = concordance.describe(options.expected, concordanceOptions); + + this.hasChanges = true; + const snapshot = concordance.serialize(descriptor); + if (this.snapshotsByHash.has(hash)) { + this.snapshotsByHash.get(hash).push(snapshot); + } else { + this.snapshotsByHash.set(hash, [snapshot]); + } + + const entry = formatEntry(options.label, descriptor); + if (this.reportEntries.has(options.belongsTo)) { + this.reportEntries.get(options.belongsTo).push(entry); + } else { + this.reportEntries.set(options.belongsTo, [entry]); + } + } + + save() { + if (!this.hasChanges) { + return null; + } + + const snapPath = this.snapPath; + const buffer = encodeSnapshots(this.snapshotsByHash); + + const reportPath = path.join(this.dir, this.reportFile); + const existingReport = this.appendOnly ? tryRead(reportPath) : null; + const reportBuffer = existingReport ? + appendReportEntries(existingReport, this.reportEntries) : + generateReport(this.relFile, this.snapFile, this.reportEntries); + + makeDir.sync(this.dir); + const tmpSnapPath = writeFileAtomic.sync(snapPath, buffer); + const tmpReportPath = writeFileAtomic.sync(reportPath, reportBuffer); + + return [tmpSnapPath, tmpReportPath, snapPath, reportPath]; + } +} + +function determineSnapshotDir(projectDir, testDir) { + const parts = new Set(path.relative(projectDir, testDir).split(path.sep)); + if (parts.has('__tests__')) { + return path.join(testDir, '__snapshots__'); + } else if (parts.has('test') || parts.has('tests')) { // Accept tests, even though it's not in the default test patterns + return path.join(testDir, 'snapshots'); + } + return testDir; +} + +function load(options) { + const dir = determineSnapshotDir(options.projectDir, options.testDir); + const reportFile = `${options.name}.md`; + const snapFile = `${options.name}.snap`; + const snapPath = path.join(dir, snapFile); + + let appendOnly = !options.updating; + let snapshotsByHash; + + if (!options.updating) { + const buffer = tryRead(snapPath); + if (buffer) { + snapshotsByHash = decodeSnapshots(buffer, snapPath); + } else { + appendOnly = false; + } + } + + return new Manager({ + appendOnly, + dir, + relFile: options.relFile, + reportFile, + snapFile, + snapPath, + snapshotsByHash: snapshotsByHash || new Map() + }); +} +exports.load = load; diff --git a/lib/test-collection.js b/lib/test-collection.js index 5404cb119..91c604e06 100644 --- a/lib/test-collection.js +++ b/lib/test-collection.js @@ -11,7 +11,7 @@ class TestCollection extends EventEmitter { this.bail = options.bail; this.failWithoutAssertions = options.failWithoutAssertions; - this.getSnapshotState = options.getSnapshotState; + this.compareTestSnapshot = options.compareTestSnapshot; this.hasExclusive = false; this.testCount = 0; @@ -133,7 +133,7 @@ class TestCollection extends EventEmitter { contextRef, failWithoutAssertions: false, fn: hook.fn, - getSnapshotState: this.getSnapshotState, + compareTestSnapshot: this.compareTestSnapshot, metadata: hook.metadata, onResult: this._emitTestResult, title @@ -150,7 +150,7 @@ class TestCollection extends EventEmitter { contextRef, failWithoutAssertions: this.failWithoutAssertions, fn: test.fn, - getSnapshotState: this.getSnapshotState, + compareTestSnapshot: this.compareTestSnapshot, metadata: test.metadata, onResult: this._emitTestResult, title: test.title diff --git a/lib/test-worker.js b/lib/test-worker.js index a70aa977a..0061775f0 100644 --- a/lib/test-worker.js +++ b/lib/test-worker.js @@ -17,18 +17,18 @@ } } -/* eslint-enable import/order */ -const Bluebird = require('bluebird'); -const currentlyUnhandled = require('currently-unhandled')(); -const isObj = require('is-obj'); const adapter = require('./process-adapter'); const globals = require('./globals'); -const serializeError = require('./serialize-error'); const opts = adapter.opts; -const testPath = opts.file; globals.options = opts; +/* eslint-enable import/order */ +const Bluebird = require('bluebird'); +const currentlyUnhandled = require('currently-unhandled')(); +const isObj = require('is-obj'); +const serializeError = require('./serialize-error'); + // Bluebird specific Bluebird.longStackTraces(); @@ -37,13 +37,25 @@ Bluebird.longStackTraces(); adapter.installSourceMapSupport(); adapter.installPrecompilerHook(); -const dependencies = []; +const testPath = opts.file; + +const dependencies = new Set(); adapter.installDependencyTracking(dependencies, testPath); +const touchedFiles = new Set(); + // Set when main.js is required (since test files should have `require('ava')`). let runner = null; exports.setRunner = newRunner => { runner = newRunner; + runner.on('dependency', file => { + dependencies.add(file); + }); + runner.on('touched', files => { + for (const file of files) { + touchedFiles.add(file); + } + }); }; require(testPath); @@ -121,8 +133,12 @@ process.on('ava-teardown', () => { // Include dependencies in the final teardown message. This ensures the full // set of dependencies is included no matter how the process exits, unless - // it flat out crashes. - adapter.send('teardown', {dependencies}); + // it flat out crashes. Also include any files that AVA touched during the + // test run. This allows the watcher to ignore modifications to those files. + adapter.send('teardown', { + dependencies: Array.from(dependencies), + touchedFiles: Array.from(touchedFiles) + }); }); process.on('ava-exit', () => { diff --git a/lib/test.js b/lib/test.js index a9b0fb1d9..58be54d32 100644 --- a/lib/test.js +++ b/lib/test.js @@ -1,13 +1,19 @@ 'use strict'; const isGeneratorFn = require('is-generator-fn'); const co = require('co-with-promise'); +const concordance = require('concordance'); const observableToPromise = require('observable-to-promise'); const isPromise = require('is-promise'); const isObservable = require('is-observable'); const plur = require('plur'); const assert = require('./assert'); -const formatAssertError = require('./format-assert-error'); const globals = require('./globals'); +const concordanceOptions = require('./concordance-options').default; + +function formatErrorValue(label, error) { + const formatted = concordance.format(error, concordanceOptions); + return {label, formatted}; +} class SkipApi { constructor(test) { @@ -26,8 +32,10 @@ const captureStack = start => { class ExecutionContext { constructor(test) { - this._test = test; - this.skip = new SkipApi(test); + Object.defineProperties(this, { + _test: {value: test}, + skip: {value: new SkipApi(test)} + }); } plan(ct) { @@ -67,7 +75,6 @@ class ExecutionContext { this._test.trackThrows(null); } } -Object.defineProperty(ExecutionContext.prototype, 'context', {enumerable: true}); { const assertions = assert.wrapAssertions({ @@ -98,11 +105,19 @@ class Test { this.contextRef = options.contextRef; this.failWithoutAssertions = options.failWithoutAssertions; this.fn = isGeneratorFn(options.fn) ? co.wrap(options.fn) : options.fn; - this.getSnapshotState = options.getSnapshotState; this.metadata = options.metadata; this.onResult = options.onResult; this.title = options.title; + this.snapshotInvocationCount = 0; + this.compareWithSnapshot = assertionOptions => { + const belongsTo = assertionOptions.id || this.title; + const expected = assertionOptions.expected; + const index = assertionOptions.id ? 0 : this.snapshotInvocationCount++; + const label = assertionOptions.id ? '' : assertionOptions.message || `Snapshot ${this.snapshotInvocationCount}`; + return options.compareTestSnapshot({belongsTo, expected, index, label}); + }; + this.assertCount = 0; this.assertError = undefined; this.calledEnd = false; @@ -139,7 +154,7 @@ class Test { actual: err, message: 'Callback called with an error', stack, - values: [formatAssertError.formatWithLabel('Error:', err)] + values: [formatErrorValue('Callback called with an error:', err)] })); } @@ -234,7 +249,7 @@ class Test { const values = []; if (err) { - values.push(formatAssertError.formatWithLabel(`The following error was thrown, possibly before \`t.${pending.assertion}()\` could be called:`, err)); + values.push(formatErrorValue(`The following error was thrown, possibly before \`t.${pending.assertion}()\` could be called:`, err)); } this.saveFirstError(new assert.AssertionError({ @@ -297,7 +312,7 @@ class Test { this.saveFirstError(new assert.AssertionError({ message: 'Error thrown in test', stack: result.error instanceof Error && result.error.stack, - values: [formatAssertError.formatWithLabel('Error:', result.error)] + values: [formatErrorValue('Error thrown in test:', result.error)] })); } return this.finish(); @@ -361,7 +376,7 @@ class Test { this.saveFirstError(new assert.AssertionError({ message: 'Rejected promise returned by test', stack: err instanceof Error && err.stack, - values: [formatAssertError.formatWithLabel('Rejection reason:', err)] + values: [formatErrorValue('Rejected promise returned by test. Reason:', err)] })); } }) diff --git a/lib/watcher.js b/lib/watcher.js index 3d7094ffb..d07a155a8 100644 --- a/lib/watcher.js +++ b/lib/watcher.js @@ -16,18 +16,23 @@ function rethrowAsync(err) { }); } +const MIN_DEBOUNCE_DELAY = 10; +const INITIAL_DEBOUNCE_DELAY = 100; + class Debouncer { constructor(watcher) { this.watcher = watcher; this.timer = null; this.repeat = false; } - debounce() { + debounce(delay) { if (this.timer) { this.again = true; return; } + delay = delay ? Math.max(delay, MIN_DEBOUNCE_DELAY) : INITIAL_DEBOUNCE_DELAY; + const timer = setTimeout(() => { this.watcher.busy.then(() => { // Do nothing if debouncing was canceled while waiting for the busy @@ -39,14 +44,14 @@ class Debouncer { if (this.again) { this.timer = null; this.again = false; - this.debounce(); + this.debounce(delay / 2); } else { this.watcher.runAfterChanges(); this.timer = null; this.again = false; } }); - }, 10); + }, delay); this.timer = timer; } @@ -111,6 +116,7 @@ class Watcher { } } + this.touchedFiles.clear(); this.busy = api.run(specificFiles || files, {runOnlyExclusive}) .then(runStatus => { runStatus.previousFailCount = this.sumPreviousFailures(currentVector); @@ -125,6 +131,9 @@ class Watcher { this.testDependencies = []; this.trackTestDependencies(api, sources); + this.touchedFiles = new Set(); + this.trackTouchedFiles(api); + this.filesWithExclusiveTests = []; this.trackExclusivity(api); @@ -179,6 +188,15 @@ class Watcher { this.testDependencies.push(new TestDependency(file, sources)); } } + trackTouchedFiles(api) { + api.on('test-run', runStatus => { + runStatus.on('touchedFiles', files => { + for (const file of files) { + this.touchedFiles.add(nodePath.relative(process.cwd(), file)); + } + }); + }); + } trackExclusivity(api) { api.on('stats', stats => { this.updateExclusivity(stats.file, stats.hasExclusive); @@ -279,7 +297,14 @@ class Watcher { const dirtyStates = this.dirtyStates; this.dirtyStates = {}; - const dirtyPaths = Object.keys(dirtyStates); + const dirtyPaths = Object.keys(dirtyStates).filter(path => { + if (this.touchedFiles.has(path)) { + debug('Ignoring known touched file %s', path); + this.touchedFiles.delete(path); + return false; + } + return true; + }); const dirtyTests = dirtyPaths.filter(this.avaFiles.isTest); const dirtySources = diff(dirtyPaths, dirtyTests); const addedOrChangedTests = dirtyTests.filter(path => dirtyStates[path] !== 'unlink'); @@ -309,7 +334,8 @@ class Watcher { // Rerun all tests if source files were changed that could not be traced to // specific tests if (testsBySource.length !== dirtySources.length) { - debug('Sources remain that cannot be traced to specific tests. Rerunning all tests'); + debug('Sources remain that cannot be traced to specific tests: %O', dirtySources); + debug('Rerunning all tests'); this.run(); return; } diff --git a/media/snapshot-testing.png b/media/snapshot-testing.png index adea50054..4776e0bb3 100644 Binary files a/media/snapshot-testing.png and b/media/snapshot-testing.png differ diff --git a/package-lock.json b/package-lock.json index 833e6a094..11c4272a2 100644 --- a/package-lock.json +++ b/package-lock.json @@ -30,10 +30,15 @@ "resolved": "https://registry.npmjs.org/@ava/babel-preset-transform-test-files/-/babel-preset-transform-test-files-3.0.0.tgz", "integrity": "sha1-ze0RlqjY2TgaUJJAq5LpGl7Aafc=" }, - "@ava/pretty-format": { - "version": "1.1.0", - "resolved": "https://registry.npmjs.org/@ava/pretty-format/-/pretty-format-1.1.0.tgz", - "integrity": "sha1-0KV9Jeua6rlkO90aAwZCuRwSPig=" + "@ava/write-file-atomic": { + "version": "2.2.0", + "resolved": "https://registry.npmjs.org/@ava/write-file-atomic/-/write-file-atomic-2.2.0.tgz", + "integrity": "sha512-BTNB3nGbEfJT+69wuqXFr/bQH7Vr7ihx2xGOMNqPgDGhwspoZhiWumDDZNjBy7AScmqS5CELIOGtPVXESyrnDA==" + }, + "@concordance/react": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/@concordance/react/-/react-1.0.0.tgz", + "integrity": "sha512-htrsRaQX8Iixlsek8zQU7tE8wcsTQJ5UhZkSPEA8slCDAisKpC/2VgU/ucPn32M5/LjGGXRaUEKvEw1Wiuu4zQ==" }, "abbrev": { "version": "1.1.0", @@ -89,9 +94,9 @@ "integrity": "sha1-w7M6te42DYbg5ijwRorn7yfWVN8=" }, "ansi-styles": { - "version": "2.2.1", - "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-2.2.1.tgz", - "integrity": "sha1-tDLdM1i2NM914eRmQ2gkBTPB3b4=" + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-3.1.0.tgz", + "integrity": "sha1-CcIC1ckX7CMYjKpcnLkXnNlUd1A=" }, "anymatch": { "version": "1.3.0", @@ -153,6 +158,12 @@ "resolved": "https://registry.npmjs.org/arrify/-/arrify-1.0.1.tgz", "integrity": "sha1-iYUI2iIm84DfkEcoRWhJwVAaSw0=" }, + "asap": { + "version": "2.0.5", + "resolved": "https://registry.npmjs.org/asap/-/asap-2.0.5.tgz", + "integrity": "sha1-UidltQw1EEkOUtfc/ghe+bqWlY8=", + "dev": true + }, "asn1": { "version": "0.2.3", "resolved": "https://registry.npmjs.org/asn1/-/asn1-0.2.3.tgz", @@ -687,6 +698,11 @@ "integrity": "sha1-CqxmL9Ur54lk1VMvaUeE5wEQrPc=", "dev": true }, + "concordance": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/concordance/-/concordance-2.0.0.tgz", + "integrity": "sha512-jVxBZbAkFIZE5WHCAL7RpkX+XPl9ZnT8uYjZ9EXPFSquNDgq2iXWFsT2iptVoxvfSL+/5ej8CdHsmE7XYJjCPA==" + }, "configstore": { "version": "3.1.0", "resolved": "https://registry.npmjs.org/configstore/-/configstore-3.1.0.tgz", @@ -754,6 +770,12 @@ "resolved": "https://registry.npmjs.org/create-error-class/-/create-error-class-3.0.2.tgz", "integrity": "sha1-Br56vvlHo/FKMP1hBnHUAbyot7Y=" }, + "create-react-class": { + "version": "15.6.0", + "resolved": "https://registry.npmjs.org/create-react-class/-/create-react-class-15.6.0.tgz", + "integrity": "sha1-q0SEl8JlZuHilBPogyB9V8/nvtQ=", + "dev": true + }, "cross-spawn": { "version": "4.0.2", "resolved": "https://registry.npmjs.org/cross-spawn/-/cross-spawn-4.0.2.tgz", @@ -886,12 +908,8 @@ "diff": { "version": "3.2.0", "resolved": "https://registry.npmjs.org/diff/-/diff-3.2.0.tgz", - "integrity": "sha1-yc45Okt8vQsFinJck98pkCeGj/k=" - }, - "diff-match-patch": { - "version": "1.0.0", - "resolved": "https://registry.npmjs.org/diff-match-patch/-/diff-match-patch-1.0.0.tgz", - "integrity": "sha1-HMPIOkkNZ/ldkeOfatHy4Ia2MEg=" + "integrity": "sha1-yc45Okt8vQsFinJck98pkCeGj/k=", + "dev": true }, "doctrine": { "version": "2.0.0", @@ -920,6 +938,12 @@ "resolved": "https://registry.npmjs.org/empower-core/-/empower-core-0.6.2.tgz", "integrity": "sha1-Wt71ZgiOMfuoC6CjbfR9cJQWkUQ=" }, + "encoding": { + "version": "0.1.12", + "resolved": "https://registry.npmjs.org/encoding/-/encoding-0.1.12.tgz", + "integrity": "sha1-U4tm8+5izRq1HsMjgp0flIDHS+s=", + "dev": true + }, "enhance-visitors": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/enhance-visitors/-/enhance-visitors-1.0.0.tgz", @@ -1248,12 +1272,31 @@ "resolved": "https://registry.npmjs.org/extsprintf/-/extsprintf-1.0.2.tgz", "integrity": "sha1-4QgOBljjALBilJkMxw4VAiNf1VA=" }, + "fast-diff": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/fast-diff/-/fast-diff-1.1.1.tgz", + "integrity": "sha1-CuoOTmBbaiGJ8Ok21Lf7rxt8/Zs=" + }, "fast-levenshtein": { "version": "2.0.6", "resolved": "https://registry.npmjs.org/fast-levenshtein/-/fast-levenshtein-2.0.6.tgz", "integrity": "sha1-PYpcZog6FqMMqGQ+hR8Zuqd5eRc=", "dev": true }, + "fbjs": { + "version": "0.8.12", + "resolved": "https://registry.npmjs.org/fbjs/-/fbjs-0.8.12.tgz", + "integrity": "sha1-ELXZL3bUVXX9Y6IX1OoCvqL47QQ=", + "dev": true, + "dependencies": { + "core-js": { + "version": "1.2.7", + "resolved": "https://registry.npmjs.org/core-js/-/core-js-1.2.7.tgz", + "integrity": "sha1-ZSKUwUZR2yj6k70tX/KYOk8IxjY=", + "dev": true + } + } + }, "figures": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/figures/-/figures-2.0.0.tgz", @@ -1938,6 +1981,11 @@ "integrity": "sha1-gHa7MF6OajzO7ikgdl8zDRkPNAw=", "dev": true }, + "function-name-support": { + "version": "0.2.0", + "resolved": "https://registry.npmjs.org/function-name-support/-/function-name-support-0.2.0.tgz", + "integrity": "sha1-VdO/qm6v1QWlD5vIH99XVkoLsHE=" + }, "generate-function": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/generate-function/-/generate-function-2.0.0.tgz", @@ -2419,57 +2467,28 @@ "resolved": "https://registry.npmjs.org/isobject/-/isobject-2.1.0.tgz", "integrity": "sha1-8GVWEJaj8dou9GJy+BXIQNh+DIk=" }, + "isomorphic-fetch": { + "version": "2.2.1", + "resolved": "https://registry.npmjs.org/isomorphic-fetch/-/isomorphic-fetch-2.2.1.tgz", + "integrity": "sha1-YRrhrPFPXoH3KVB0coGf6XM1WKk=", + "dev": true + }, "isstream": { "version": "0.1.2", "resolved": "https://registry.npmjs.org/isstream/-/isstream-0.1.2.tgz", "integrity": "sha1-R+Y/evVa+m+S4VAOaQ64uFKcCZo=" }, - "jest-diff": { - "version": "19.0.0", - "resolved": "https://registry.npmjs.org/jest-diff/-/jest-diff-19.0.0.tgz", - "integrity": "sha1-0VY8/FbItgIymI+8BdTRbtkPBjw=" - }, - "jest-file-exists": { - "version": "19.0.0", - "resolved": "https://registry.npmjs.org/jest-file-exists/-/jest-file-exists-19.0.0.tgz", - "integrity": "sha1-zKLlh6EeyS4kz+qz+KlNZX8/zrg=" - }, - "jest-matcher-utils": { - "version": "19.0.0", - "resolved": "https://registry.npmjs.org/jest-matcher-utils/-/jest-matcher-utils-19.0.0.tgz", - "integrity": "sha1-Xs2bY1ZdKwAfYfv37Ex/U3lkVk0=" - }, - "jest-message-util": { - "version": "19.0.0", - "resolved": "https://registry.npmjs.org/jest-message-util/-/jest-message-util-19.0.0.tgz", - "integrity": "sha1-cheWuJwOTXYWBvm6jLgoo7YkZBY=" - }, - "jest-mock": { - "version": "19.0.0", - "resolved": "https://registry.npmjs.org/jest-mock/-/jest-mock-19.0.0.tgz", - "integrity": "sha1-ZwOGQelgerLOCOxKjLg6q7yJnQE=" - }, - "jest-snapshot": { - "version": "19.0.2", - "resolved": "https://registry.npmjs.org/jest-snapshot/-/jest-snapshot-19.0.2.tgz", - "integrity": "sha1-nBshYhT3GHw4v9XHCx76sWsP9Qs=" - }, - "jest-util": { - "version": "19.0.2", - "resolved": "https://registry.npmjs.org/jest-util/-/jest-util-19.0.2.tgz", - "integrity": "sha1-4KAjKiq55rK1Nmi9s1NMK1l37UE=" - }, - "jest-validate": { - "version": "19.0.2", - "resolved": "https://registry.npmjs.org/jest-validate/-/jest-validate-19.0.2.tgz", - "integrity": "sha1-3FNN9fEnjVtj3zKxQkHU2/ckTAw=" - }, "jodid25519": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/jodid25519/-/jodid25519-1.0.2.tgz", "integrity": "sha1-BtSRIlUJNBlHfUJWM2BuDpB4KWc=", "optional": true }, + "js-string-escape": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/js-string-escape/-/js-string-escape-1.0.1.tgz", + "integrity": "sha1-4mJbrbwNZ8dTPp7cEGjFh65BN+8=" + }, "js-tokens": { "version": "3.0.1", "resolved": "https://registry.npmjs.org/js-tokens/-/js-tokens-3.0.1.tgz", @@ -2573,11 +2592,6 @@ "integrity": "sha1-GwuP+ayceIklBYK3C3ExXZ2m2aM=", "dev": true }, - "leven": { - "version": "2.1.0", - "resolved": "https://registry.npmjs.org/leven/-/leven-2.1.0.tgz", - "integrity": "sha1-wuep93IJTe6dNCAq6KzORoeHVYA=" - }, "levn": { "version": "0.3.0", "resolved": "https://registry.npmjs.org/levn/-/levn-0.3.0.tgz", @@ -2826,6 +2840,11 @@ "integrity": "sha1-z4tP9PKWQGdNbN0CsOO8UjwrvcA=", "dev": true }, + "moment": { + "version": "2.18.1", + "resolved": "https://registry.npmjs.org/moment/-/moment-2.18.1.tgz", + "integrity": "sha1-w2GT3Tzhwu7SrbfIAtu8d6gbHA8=" + }, "ms": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/ms/-/ms-1.0.0.tgz", @@ -2857,7 +2876,14 @@ "natural-compare": { "version": "1.4.0", "resolved": "https://registry.npmjs.org/natural-compare/-/natural-compare-1.4.0.tgz", - "integrity": "sha1-Sr6/7tdUHywnrPspvbvRXI1bpPc=" + "integrity": "sha1-Sr6/7tdUHywnrPspvbvRXI1bpPc=", + "dev": true + }, + "node-fetch": { + "version": "1.7.1", + "resolved": "https://registry.npmjs.org/node-fetch/-/node-fetch-1.7.1.tgz", + "integrity": "sha512-j8XsFGCLw79vWXkZtMSmmLaOk9z5SQ9bV/tkbZVCqvgwzrjAGq66igobLofHtF63NvMTp2WjytpsNTGKa+XRIQ==", + "dev": true }, "nopt": { "version": "1.0.10", @@ -4085,18 +4111,6 @@ "resolved": "https://registry.npmjs.org/preserve/-/preserve-0.2.0.tgz", "integrity": "sha1-gV7R9uvGWSb4ZbMQwHE7yzMVzks=" }, - "pretty-format": { - "version": "19.0.0", - "resolved": "https://registry.npmjs.org/pretty-format/-/pretty-format-19.0.0.tgz", - "integrity": "sha1-VlMNMqy5ij+khRxOK503tCBoTIQ=", - "dependencies": { - "ansi-styles": { - "version": "3.0.0", - "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-3.0.0.tgz", - "integrity": "sha1-VATpOlRMT+x/BIJil3vr/jFV4ME=" - } - } - }, "pretty-ms": { "version": "2.1.0", "resolved": "https://registry.npmjs.org/pretty-ms/-/pretty-ms-2.1.0.tgz", @@ -4125,6 +4139,18 @@ "integrity": "sha1-4mDHj2Fhzdmw5WzD4Khd4Xx6V74=", "dev": true }, + "promise": { + "version": "7.3.0", + "resolved": "https://registry.npmjs.org/promise/-/promise-7.3.0.tgz", + "integrity": "sha512-bzAZ0u9Kxa0FYyfISjr9/PK7sCclAzc5rP4UgynMWA2Qv/gpZLKynJmTEXYq2i/giYdjBfRONDhfbsMlGIgvjA==", + "dev": true + }, + "prop-types": { + "version": "15.5.10", + "resolved": "https://registry.npmjs.org/prop-types/-/prop-types-15.5.10.tgz", + "integrity": "sha1-J5ffwxJhguOpXj37suiT3ddFYVQ=", + "dev": true + }, "proto-props": { "version": "0.2.1", "resolved": "https://registry.npmjs.org/proto-props/-/proto-props-0.2.1.tgz", @@ -4169,6 +4195,18 @@ } } }, + "react": { + "version": "15.6.1", + "resolved": "https://registry.npmjs.org/react/-/react-15.6.1.tgz", + "integrity": "sha1-uqhDTsZ4C96ZfNw4C3nNM7ljk98=", + "dev": true + }, + "react-test-renderer": { + "version": "15.6.1", + "resolved": "https://registry.npmjs.org/react-test-renderer/-/react-test-renderer-15.6.1.tgz", + "integrity": "sha1-Am9KW7VVJmH9LMS7zQ1LyKNev34=", + "dev": true + }, "read-pkg": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/read-pkg/-/read-pkg-2.0.0.tgz", @@ -4393,6 +4431,12 @@ "resolved": "https://registry.npmjs.org/set-immediate-shim/-/set-immediate-shim-1.0.1.tgz", "integrity": "sha1-SysbJ+uAip+NzEgaWOXlb1mfP2E=" }, + "setimmediate": { + "version": "1.0.5", + "resolved": "https://registry.npmjs.org/setimmediate/-/setimmediate-1.0.5.tgz", + "integrity": "sha1-KQy7Iy4waULX1+qbg3Mqt4VvgoU=", + "dev": true + }, "shebang-command": { "version": "1.2.0", "resolved": "https://registry.npmjs.org/shebang-command/-/shebang-command-1.2.0.tgz", @@ -5807,6 +5851,11 @@ "resolved": "https://registry.npmjs.org/trim-newlines/-/trim-newlines-1.0.0.tgz", "integrity": "sha1-WIeWa7WCpFA6QetST301ARgVphM=" }, + "trim-off-newlines": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/trim-off-newlines/-/trim-off-newlines-1.0.1.tgz", + "integrity": "sha1-n5up2e+odkw4dpi8v+sshI8RrbM=" + }, "trim-right": { "version": "1.0.1", "resolved": "https://registry.npmjs.org/trim-right/-/trim-right-1.0.1.tgz", @@ -5859,6 +5908,12 @@ "integrity": "sha1-PTgyGCgjHkNPKHUUlZw3qCtin0I=", "dev": true }, + "ua-parser-js": { + "version": "0.7.12", + "resolved": "https://registry.npmjs.org/ua-parser-js/-/ua-parser-js-0.7.12.tgz", + "integrity": "sha1-BMgamb3V3FImPqKdJMa/jUgYpLs=", + "dev": true + }, "uid2": { "version": "0.0.3", "resolved": "https://registry.npmjs.org/uid2/-/uid2-0.0.3.tgz", @@ -5926,6 +5981,17 @@ "resolved": "https://registry.npmjs.org/verror/-/verror-1.3.6.tgz", "integrity": "sha1-z/XfEpRtKX0rqu+qJoniW+AcAFw=" }, + "well-known-symbols": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/well-known-symbols/-/well-known-symbols-1.0.0.tgz", + "integrity": "sha1-c8eK6Bp3Jqj6WY4ogIAcixYiVRg=" + }, + "whatwg-fetch": { + "version": "2.0.3", + "resolved": "https://registry.npmjs.org/whatwg-fetch/-/whatwg-fetch-2.0.3.tgz", + "integrity": "sha1-nITsLc9oGH/wC8ZOEnS0QhduHIQ=", + "dev": true + }, "which": { "version": "1.2.14", "resolved": "https://registry.npmjs.org/which/-/which-1.2.14.tgz", @@ -5966,9 +6032,9 @@ "dev": true }, "write-file-atomic": { - "version": "2.1.0", - "resolved": "https://registry.npmjs.org/write-file-atomic/-/write-file-atomic-2.1.0.tgz", - "integrity": "sha512-0TZ20a+xcIl4u0+Mj5xDH2yOWdmQiXlKf9Hm+TgDXjTMsEYb+gDrmb8e8UNAzMCitX8NBqG4Z/FUQIyzv/R1JQ==" + "version": "1.3.4", + "resolved": "https://registry.npmjs.org/write-file-atomic/-/write-file-atomic-1.3.4.tgz", + "integrity": "sha1-+Aek8LHZ6ROuekgRLmzDrxmRtF8=" }, "write-json-file": { "version": "2.2.0", diff --git a/package.json b/package.json index 6b6783adc..7e39c3e16 100644 --- a/package.json +++ b/package.json @@ -95,8 +95,10 @@ "dependencies": { "@ava/babel-preset-stage-4": "^1.1.0", "@ava/babel-preset-transform-test-files": "^3.0.0", - "@ava/pretty-format": "^1.1.0", + "@ava/write-file-atomic": "^2.2.0", + "@concordance/react": "^1.0.0", "ansi-escapes": "^2.0.0", + "ansi-styles": "^3.1.0", "arr-flatten": "^1.0.1", "array-union": "^1.0.1", "array-uniq": "^1.0.2", @@ -116,12 +118,11 @@ "co-with-promise": "^4.6.0", "code-excerpt": "^2.1.0", "common-path-prefix": "^1.0.0", + "concordance": "^2.0.0", "convert-source-map": "^1.2.0", "core-assert": "^0.2.0", "currently-unhandled": "^0.4.1", "debug": "^2.2.0", - "diff": "^3.0.1", - "diff-match-patch": "^1.0.0", "dot-prop": "^4.1.0", "empower-core": "^0.6.1", "equal-length": "^1.0.0", @@ -140,14 +141,12 @@ "is-obj": "^1.0.0", "is-observable": "^0.2.0", "is-promise": "^2.1.0", - "jest-diff": "19.0.0", - "jest-snapshot": "19.0.2", "js-yaml": "^3.8.2", "last-line-stream": "^1.0.0", + "lodash.clonedeepwith": "^4.5.0", "lodash.debounce": "^4.0.3", "lodash.difference": "^4.3.0", "lodash.flatten": "^4.2.0", - "lodash.isequal": "^4.5.0", "loud-rejection": "^1.2.0", "make-dir": "^1.0.0", "matcher": "^0.1.1", @@ -170,6 +169,7 @@ "strip-bom-buf": "^1.0.0", "supports-color": "^3.2.3", "time-require": "^0.1.2", + "trim-off-newlines": "^1.0.1", "unique-temp-dir": "^1.0.0", "update-notifier": "^2.1.0" }, @@ -188,6 +188,8 @@ "lolex": "^1.4.0", "nyc": "^10.0.0", "proxyquire": "^1.7.4", + "react": "^15.6.1", + "react-test-renderer": "^15.6.1", "signal-exit": "^3.0.0", "sinon": "^2.0.0", "source-map-fixtures": "^2.1.0", diff --git a/readme.md b/readme.md index 2e03aa007..06b6fc0f2 100644 --- a/readme.md +++ b/readme.md @@ -867,7 +867,7 @@ Should contain the actual test. Type: `object` -The execution object of a particular test. Each test implementation receives a different object. Contains the [assertions](#assertions) as well as `.plan(count)` and `.end()` methods. `t.context` can contain shared state from `beforeEach` hooks. +The execution object of a particular test. Each test implementation receives a different object. Contains the [assertions](#assertions) as well as `.plan(count)` and `.end()` methods. `t.context` can contain shared state from `beforeEach` hooks. `t.title` returns the test's title. ###### `t.plan(count)` @@ -923,11 +923,7 @@ Assert that `value` is not the same as `expected`. This is based on [`Object.is( ### `.deepEqual(value, expected, [message])` -Assert that `value` is deeply equal to `expected`. This is based on [Lodash's `isEqual()`](https://lodash.com/docs/4.17.4#isEqual): - -> Performs a deep comparison between two values to determine if they are equivalent. -> -> *Note*: This method supports comparing arrays, array buffers, booleans, date objects, error objects, maps, numbers, `Object` objects, regexes, sets, strings, symbols, and typed arrays. `Object` objects are compared by their own, not inherited, enumerable properties. Functions and DOM nodes are compared by strict equality, i.e. `===`. +Assert that `value` is deeply equal to `expected`. See [Concordance](https://github.com/concordancejs/concordance) for details. Works with [React elements and `react-test-renderer`](https://github.com/concordancejs/react). ### `.notDeepEqual(value, expected, [message])` @@ -998,15 +994,14 @@ Assert that `contents` does not match `regex`. Assert that `error` is falsy. -### `.snapshot(contents, [message])` +### `.snapshot(expected, [message])` +### `.snapshot(expected, [options], [message])` -Make a snapshot of the stringified `contents`. +Compares the `expected` value with a previously recorded snapshot. Snapshots are stored for each test, so ensure you give your tests unique titles. Alternatively pass an `options` object to select a specific snapshot, for instance `{id: 'my snapshot'}`. ## Snapshot testing -Snapshot testing comes as another kind of assertion and uses [jest-snapshot](https://facebook.github.io/jest/blog/2016/07/27/jest-14.html) under the hood. - -When used with React, it looks very similar to Jest: +AVA supports snapshot testing, [as introduced by Jest](https://facebook.github.io/jest/docs/snapshot-testing.html), through its [Assertions](#assertions) interface. You can snapshot any value as well as React elements: ```js // Your component @@ -1028,32 +1023,25 @@ test('HelloWorld component', t => { }); ``` -The first time you run this test, a snapshot file will be created in `__snapshots__` folder looking something like this: +Snapshots are stored alongside your test files. If your tests are in a `test` or `tests` folder the snapshots will be stored in a `snapshots` folder. If your tests are in a `__tests__` folder then they they'll be stored in a `__snapshots__` folder. -```js -exports[`HelloWorld component 1`] = ` -