常见错误
无法找到模块 './relative-path'
如果你收到模块无法找到的错误,这可能意味着几种不同的情况:
你拼错了路径。确保路径是正确的。
你可能依赖了
tsconfig.json中的baseUrl。Vite 默认不考虑tsconfig.json,所以如果你依赖这种行为,可能需要自己安装vite-tsconfig-paths。
import { defineConfig } from 'vitest/config'
import tsconfigPaths from 'vite-tsconfig-paths'
export default defineConfig({
plugins: [tsconfigPaths()]
})或者重写你的路径,使其不相对于根目录:
- import helpers from 'src/helpers'
+ import helpers from '../src/helpers'- 确保你没有相对 别名。Vite 将它们视为相对于导入所在的文件,而不是根目录。
import { defineConfig } from 'vitest/config'
export default defineConfig({
test: {
alias: {
'@/': './src/',
'@/': new URL('./src/', import.meta.url).pathname,
}
}
})无法终止 Worker
当 NodeJS 的 fetch 与 pool: 'threads' 一起使用时,可能会发生此错误。详见 #3077。
默认的 pool: 'forks' 没有这个问题。如果你显式设置了 pool: 'threads',切换回 'forks' 或使用 'vmForks' 将解决它。
自定义 package 条件未解析
如果你在 package.json 的 exports 或 subpath imports 中使用了自定义条件,你可能会发现 Vitest 默认不尊重这些条件。
例如,如果你的 package.json 中有以下内容:
{
"exports": {
".": {
"custom": "./lib/custom.js",
"import": "./lib/index.js"
}
},
"imports": {
"#internal": {
"custom": "./src/internal.js",
"default": "./lib/internal.js"
}
}
}默认情况下,Vitest 只会使用 import 和 default 条件。要使 Vitest 尊重自定义条件,你需要在 Vitest 配置中配置 ssr.resolve.conditions:
import { defineConfig } from 'vitest/config'
export default defineConfig({
ssr: {
resolve: {
conditions: ['custom', 'import', 'default'],
},
},
})为什么是 ssr.resolve.conditions 而不是 resolve.conditions?
Vitest 遵循 Vite 的配置约定:
resolve.conditions适用于 Vite 的client环境,对应于 Vitest 的 browser 模式、jsdom、happy-dom 或带有viteEnvironment: 'client'的自定义环境。ssr.resolve.conditions适用于 Vite 的ssr环境,对应于 Vitest 的 node 环境或带有viteEnvironment: 'ssr'的自定义环境。
由于 Vitest 默认为 node 环境(使用 viteEnvironment: 'ssr'),模块解析使用 ssr.resolve.conditions。这适用于 package exports 和 subpath imports。
你可以在 environment 中了解更多关于 Vite 环境和 Vitest 环境的信息。
段错误和原生代码错误
在 pool: 'threads' 中运行 原生 NodeJS 模块 可能会遇到来自原生代码的神秘错误。
Segmentation fault (core dumped)thread '<unnamed>' panicked at 'assertion failedAbort trap: 6internal error: entered unreachable code
在这些情况下,原生模块可能不是为多线程安全构建的。作为变通方法,你可以切换到 pool: 'forks',它在多个 node:child_process 中运行测试用例,而不是多个 node:worker_threads。
import { defineConfig } from 'vitest/config'
export default defineConfig({
test: {
pool: 'forks',
},
})vitest --pool=forks未处理的 Promise 拒绝
当 Promise 被拒绝但在微任务队列刷新之前没有附加 .catch() 处理程序或 await 时,会发生此错误。这种行为来自 JavaScript 本身,并非 Vitest 特有。请在 Node.js 文档 中了解更多。
一个常见的原因是在没有 await 的情况下调用异步函数:
async function fetchUser(id) {
const res = await fetch(`/api/users/${id}`)
if (!res.ok) {
throw new Error(`User ${id} not found`)
}
return res.json()
}
test('fetches user', async () => {
fetchUser(123)
})因为 fetchUser() 没有被 await,它的拒绝没有处理程序,Vitest 报告:
Unhandled Rejection: Error: User 123 not found修复
await 该 promise 以便 Vitest 可以捕获错误:
test('fetches user', async () => {
await fetchUser(123)
})如果你期望调用抛出错误,使用 expect().rejects:
test('rejects for missing user', async () => {
await expect(fetchUser(123)).rejects.toThrow('User 123 not found')
})