我正在测试一个对象是否匹配一组字段,但是其中一个是浮点,因此我需要使用.toBeCloseTo。如何在一个expect内完成?
expect(foo).toMatchObject({
bar: 'baz',
value: ???.toBeCloseTo(5), // TODO
});
我可以使用expect(foo.value).toBeCloseTo(5)
,但我不想将逻辑分解为多个expect
,每个浮点数一个。
答案 0 :(得分:4)
docs for toMatchObject
指出“您可以将属性与值或匹配器进行匹配”。
不幸的是,toBeCloseTo
当前不可用作非对称匹配器,看起来像these are the only asymmetric matchers currently provided by Jest。
如果您使用的是Jest v23或更高版本,则可以创建自己的副本,实质上是使用toBeCloseTo
复制expect.extend
:
expect.extend({
toBeAround(actual, expected, precision = 2) {
const pass = Math.abs(expected - actual) < Math.pow(10, -precision) / 2;
if (pass) {
return {
message: () => `expected ${actual} not to be around ${expected}`,
pass: true
};
} else {
return {
message: () => `expected ${actual} to be around ${expected}`,
pass: false
}
}
}
});
const foo = {
bar: 'baz',
value: 4.9999
};
test('foo', () => {
expect(foo.value).toBeAround(5, 3); // SUCCESS in Jest > v20
expect(foo).toMatchObject({
bar: 'baz',
value: expect.toBeAround(5, 3) // SUCCESS only in Jest > v23
});
});
请注意,expect.extend
创建的匹配器只能在Jest v23及更高版本中用在toMatchObject
之类的函数中。
来自Jest合作者的this post:“虽然暗含但当前未记录,但Jest断言将非对称匹配器对象评估为defined in Jasmine”。
可以使用以下方式创建使用the logic from toBeCloseTo
的不对称匹配器:
const closeTo = (expected, precision = 2) => ({
asymmetricMatch: (actual) => Math.abs(expected - actual) < Math.pow(10, -precision) / 2
});
const foo = {
bar: 'baz',
value: 4.9999
};
test('foo', () => {
expect(foo).toMatchObject({
bar: 'baz',
value: closeTo(5, 3) // SUCCESS
});
});