我有一个各种测试套件都需要的变量。我决定不使用每个套件进行初始化,而是决定使用一个带有beforeAll
的测试文件来初始化变量并将测试拆分为套件文件,从而基本上导出测试。
为简单起见,我们假设我的测试文件(仅有一个jest
调用)是这样的:
import { foobar } from './foobar'
let foo
beforeAll(() => {
foo = 'bar'
})
describe('foo is bar', () => {
foobar(foo)
})
和我的测试套件文件之一是这样的:
export const foobar = (foo) => {
it('should be defined', () => expect(foo).toBeDefined())
it('should be bar', () => expect(foo).toMatch('bar'))
}
它不起作用。 foo
始终为undefined
,并且测试失败。
foo is bar
✕ should be defined (3 ms)
✕ should be bar
我想念什么?我可能要放屁了,所以如果我很傻,请原谅。
编辑(@Estus Flask)
如果我仅在导入的foobar
文件中定义支票,如下所示:
export const foobar = (foo) => expect(foo).toBeDefined()
我这样修改测试文件:
import { foobar } from './foobar'
let foo
beforeAll(() => {
foo = 'bar'
})
describe('foo is bar', () => {
it('should be defined', () => foobar(foo))
})
有效:
foo is bar
✓ should be defined (2 ms)
那么,Jest如何组织不同的流程?而且是的,我可以将参数放在全局名称空间中,但我想避免这样做。
答案 0 :(得分:0)
我找到了解决方案。我没有将foo
传递给foobar
函数,而是将其导出,然后在需要的地方导入。
因此,我的测试文件如下所示(导出了foo
)
import { foobar } from './foobar'
export let foo
beforeAll(() => {
foo = 'bar'
})
describe('foo is bar', () => {
foobar()
})
我的测试套件文件如下:
import { foo } from './foo.test'
export const foobar = () => {
it('should be defined', () => expect(foo).toBeDefined())
it('should be bar', () => expect(foo).toMatch('bar'))
}
现在一切顺利:
foo is bar
✓ should be defined (1 ms)
✓ should be bar