快照
通过 Vue School 的视频学习快照快照测试是一个非常有用的工具,当你想要确保函数的输出不会意外更改时。
使用快照时,Vitest 会对给定值进行快照,然后将其与存储在测试旁边的参考快照文件进行比较。如果两个快照不匹配,测试将失败:要么更改是意外的,要么参考快照需要更新为结果的新版本。
使用快照
要对值进行快照,你可以使用 expect() API 中的 toMatchSnapshot():
import { expect, it } from 'vitest'
it('toUpperCase', () => {
const result = toUpperCase('foobar')
expect(result).toMatchSnapshot()
})第一次运行此测试时,Vitest 会创建一个如下所示的快照文件:
// Vitest 快照 v1, https://vitest.dev/guide/snapshot.html
exports['toUpperCase 1'] = '"FOOBAR"'快照文件应该与代码更改一起提交,并作为代码审查过程的一部分进行审查。在后续的测试运行中,Vitest 会将渲染的输出与之前的快照进行比较。如果它们匹配,测试将通过。如果它们不匹配,要么测试运行器发现了代码中应该修复的错误,要么实现已更改并且需要更新快照。
Vitest 存储接收值的序列化表示。快照渲染由 @vitest/pretty-format 提供支持。snapshotFormat 允许配置 Vitest 中的常规快照格式化行为。为了进一步定制,你可以实现自己的 自定义序列化器 或 自定义快照匹配器。
WARNING
当在异步并发测试中使用快照时,必须使用本地 测试上下文 中的 expect 以确保检测到正确的测试。
内联快照
类似地,你可以使用 toMatchInlineSnapshot() 将快照存储在测试文件内。
import { expect, it } from 'vitest'
it('toUpperCase', () => {
const result = toUpperCase('foobar')
expect(result).toMatchInlineSnapshot()
})Vitest 不会创建快照文件,而是直接修改测试文件以将快照更新为字符串:
import { expect, it } from 'vitest'
it('toUpperCase', () => {
const result = toUpperCase('foobar')
expect(result).toMatchInlineSnapshot('"FOOBAR"')
})这允许你直接看到预期输出,而无需在不同文件之间跳转。
WARNING
当在异步并发测试中使用快照时,必须使用本地 测试上下文 中的 expect 以确保检测到正确的测试。
更新快照
当接收到的值与快照不匹配时,测试将失败并显示它们之间的差异。当快照更改是预期时,你可能想要从当前状态更新快照。
在监视模式下,你可以在终端中按 u 键直接更新失败的快照。
或者你可以在 CLI 中使用 --update 或 -u 标志使 Vitest 更新快照。
vitest -uCI 行为
默认情况下,Vitest 不会在 CI 中写入快照(process.env.CI 为真值),任何快照不匹配、缺少快照和过时快照都会导致运行失败。详见 update。
过时快照 是指不再匹配任何收集到的测试的快照条目(或快照文件)。这通常发生在移除或重命名测试之后。
文件快照
当调用 toMatchSnapshot() 时,我们将所有快照存储在一个格式化的 snap 文件中。这意味着我们需要转义快照字符串中的某些字符(即双引号 " 和反引号 `)。同时,你可能会丢失快照内容的语法高亮(如果它们是某种语言)。
鉴于此,我们引入了 toMatchFileSnapshot() 来显式匹配文件。这允许你为快照文件分配任何文件扩展名,并使它们更具可读性。
import { expect, it } from 'vitest'
it('render basic', async () => {
const result = renderHTML(h('div', { class: 'foo' }))
await expect(result).toMatchFileSnapshot('./test/basic.output.html')
})它将与 ./test/basic.output.html 的内容进行比较。并且可以通过 --update 标志写回。
视觉快照
对于 UI 组件和页面的视觉回归测试,Vitest 通过 浏览器模式 提供内置支持,并使用 toMatchScreenshot() 断言:
import { expect, test } from 'vitest'
import { page } from 'vitest/browser'
test('button looks correct', async () => {
const button = page.getByRole('button')
await expect(button).toMatchScreenshot('primary-button')
})这会捕获截图并将其与参考图像进行比较以检测意外的视觉更改。在 视觉回归测试指南 中了解更多。
自定义序列化器
你可以添加自己的逻辑来更改快照的序列化方式。像 Jest 一样,Vitest 拥有内置 JavaScript 类型、HTML 元素、ImmutableJS 和 React 元素的默认序列化器。
你可以使用 expect.addSnapshotSerializer API 显式添加自定义序列化器。
expect.addSnapshotSerializer({
serialize(val, config, indentation, depth, refs, printer) {
// `printer` 是一个使用现有插件序列化值的函数。
return `Pretty foo: ${printer(
val.foo,
config,
indentation,
depth,
refs,
)}`
},
test(val) {
return val && Object.prototype.hasOwnProperty.call(val, 'foo')
},
})我们还支持 snapshotSerializers 选项来隐式添加自定义序列化器。
import { SnapshotSerializer } from 'vitest'
export default {
serialize(val, config, indentation, depth, refs, printer) {
// `printer` 是一个使用现有插件序列化值的函数。
return `Pretty foo: ${printer(
val.foo,
config,
indentation,
depth,
refs,
)}`
},
test(val) {
return val && Object.prototype.hasOwnProperty.call(val, 'foo')
},
} satisfies SnapshotSerializerimport { defineConfig } from 'vitest/config'
export default defineConfig({
test: {
snapshotSerializers: ['path/to/custom-serializer.ts'],
},
})添加如下测试后:
test('foo snapshot test', () => {
const bar = {
foo: {
x: 1,
y: 2,
},
}
expect(bar).toMatchSnapshot()
})你将获得以下快照:
Pretty foo: Object {
"x": 1,
"y": 2,
}自定义快照匹配器 实验性 4.1.3+
你可以使用 vitest 中 Snapshots 暴露的组合函数构建自定义快照匹配器。这允许你在快照之前转换值,同时保留完整的快照生命周期支持(创建、更新、内联重写)。
import { expect, test, Snapshots } from 'vitest'
const { toMatchFileSnapshot, toMatchInlineSnapshot, toMatchSnapshot } = Snapshots
expect.extend({
toMatchTrimmedSnapshot(received: string, length: number) {
return toMatchSnapshot.call(this, received.slice(0, length))
},
toMatchTrimmedInlineSnapshot(received: string, inlineSnapshot?: string) {
return toMatchInlineSnapshot.call(this, received.slice(0, 10), inlineSnapshot)
},
async toMatchTrimmedFileSnapshot(received: string, file: string) {
return toMatchFileSnapshot.call(this, received.slice(0, 10), file)
},
})
test('file snapshot', () => {
expect('extra long string oh my gerd').toMatchTrimmedSnapshot(10)
})
test('inline snapshot', () => {
expect('extra long string oh my gerd').toMatchTrimmedInlineSnapshot()
})
test('raw file snapshot', async () => {
await expect('extra long string oh my gerd').toMatchTrimmedFileSnapshot('./raw-file.txt')
})组合函数返回 { pass, message },因此你可以进一步自定义错误:
import { Snapshots } from 'vitest'
const { toMatchSnapshot } = Snapshots
expect.extend({
toMatchTrimmedSnapshot(received: string, length: number) {
const result = toMatchSnapshot.call(this, received.slice(0, length))
return { ...result, message: () => `Trimmed snapshot failed: ${result.message()}` }
},
})WARNING
对于内联快照匹配器,快照参数必须是最后一个参数(或者在使用属性匹配器时为倒数第二个)。Vitest 会重写源代码中的最后一个字符串参数,因此快照之前的自定义参数可以工作,但不支持之后的自定义参数。
TIP
文件快照匹配器必须是 async 的 — toMatchFileSnapshot 返回一个 Promise。记得在匹配器和测试中 await 结果。
对于 TypeScript,扩展 Assertion 接口:
import 'vitest'
declare module 'vitest' {
interface Assertion<T = any> {
toMatchTrimmedSnapshot: (length: number) => T
toMatchTrimmedInlineSnapshot: (inlineSnapshot?: string) => T
toMatchTrimmedFileSnapshot: (file: string) => Promise<T>
}
}TIP
有关 expect.extend 和自定义匹配器约定的更多信息,请参阅 扩展匹配器。
与 Jest 的区别
Vitest 提供了与 Jest 几乎兼容的快照功能,但有一些例外:
1. 快照文件中的注释头不同
- // Jest 快照 v1, https://goo.gl/fbAQLP
+ // Vitest 快照 v1, https://vitest.dev/guide/snapshot.html这实际上不影响功能,但在从 Jest 迁移时可能会影响你的提交差异。
2. printBasicPrototype 默认为 false
Jest 和 Vitest 快照都由 pretty-format 驱动,但 Vitest 在 @vitest/pretty-format 之上应用了自己的快照默认值。特别是,Vitest 将 printBasicPrototype 设置为 false 以提供更清晰的快照输出,而在 Jest <29.0.0 中默认为 true。
import { expect, test } from 'vitest'
test('snapshot', () => {
const bar = [
{
foo: 'bar',
},
]
// 在 Jest 中
expect(bar).toMatchInlineSnapshot(`
Array [
Object {
"foo": "bar",
},
]
`)
// 在 Vitest 中
expect(bar).toMatchInlineSnapshot(`
[
{
"foo": "bar",
},
]
`)
})我们认为这对于可读性和整体 DX 来说是更合理的默认值。如果你仍然更喜欢 Jest 的行为,你可以更改配置:
import { defineConfig } from 'vitest/config'
export default defineConfig({
test: {
snapshotFormat: {
printBasicPrototype: true,
},
},
})3. 使用尖括号 > 而不是冒号 : 作为自定义消息的分隔符
当在创建快照文件期间传递自定义消息时,Vitest 使用尖括号 > 而不是冒号 : 作为分隔符,以提高可读性。
对于以下示例测试代码:
test('toThrowErrorMatchingSnapshot', () => {
expect(() => {
throw new Error('error')
}).toThrowErrorMatchingSnapshot('hint')
})在 Jest 中,快照将是:
exports[`toThrowErrorMatchingSnapshot: hint 1`] = `"error"`;在 Vitest 中,等效的快照将是:
exports[`toThrowErrorMatchingSnapshot > hint 1`] = `[Error: error]`;4. toThrowErrorMatchingSnapshot 和 toThrowErrorMatchingInlineSnapshot 的默认 Error 快照不同
import { expect, test } from 'vitest'
test('snapshot', () => {
// 在 Jest 和 Vitest 中
expect(new Error('error')).toMatchInlineSnapshot(`[Error: error]`)
// Jest 为 `Error` 实例快照 `Error.message`
// Vitest 打印与 toMatchInlineSnapshot 相同的值
expect(() => {
throw new Error('error')
}).toThrowErrorMatchingInlineSnapshot(`"error"`)
}).toThrowErrorMatchingInlineSnapshot(`[Error: error]`)
})