Jasmine .toHaveBeenCalledWith 什么时候匹配参数?
When does Jasmine .toHaveBeenCalledWith match the parameters?
我有以下 angular 服务及其 jasmine 测试。该测试调用 f1() 并监视 f2()。函数 f2 获取变量 v2 并对其进行修改(将字段 a 设置为 3)。函数 f2 应该用 v2 调用(如 f1 中声明的那样),但我的测试在 toHaveBeenCalledWith 上失败,并表示实际调用是在 f2 函数调用之后对对象进行的。 jasmine 是否在函数调用后匹配 .toHaveBeenCalledWith 的参数,这不应该是推荐的方式,或者我在这里犯了一些错误。
服务:
export class JasmineTestClass{
constructor(){
}
f2(v2){
v2.a = 3
};
f1(v1){
let v2 = {
a:30
};
this.f2(v2);
}
}
测试:
describe('Test', () => {
let service: JasmineTestClass;
beforeEach(() => {
service = new JasmineTestClass();
spyOn(service, 'f2').and.callThrough();
});
let v1 = {
a:2, b:3
};
let v2 = {
a:30
};
it('should succeed', () => {
service.f1(v1);
expect(service.f2).toHaveBeenCalledWith(v2); //this is failing
});
})
日志:
Test should succeed FAILED
Expected spy f2 to have been called with [Object ({a:30})] but actual calls were [Object ({a:3})]
请注意,我在测试时在 Chrome 中进行了调试,函数 f2() 是使用 v2 = {a:30} 调用的。
toHaveBeenCalledWith
在断言时匹配调用参数。
Jasmine 间谍只是在内部保存参数引用。可以通过记录 service.f2.calls.all()
对象来跟踪调用参数。
这里的问题是 f2
修改了通过引用传递给它的对象。 v2
和 v2.a === 30
在 f2
调用后的任何地方都不存在。
此类情况的正确策略是创建细粒度测试,每个单元(方法)一个测试。使用 callThrough
的事实表明单元不是相互隔离的,默认情况下只使用 spyOn(service, 'f2')
存根是个好主意:
it('should succeed', () => {
service.f1(v1);
expect(service.f2).toHaveBeenCalledWith({ a:30 });
});
it('should succeed', () => {
const obj = { a:30 };
service.f2(obj);
expect(obj).toEqual({ a:3 });
});
现在我们正在测试这两种方法到底发生了什么。
我有以下 angular 服务及其 jasmine 测试。该测试调用 f1() 并监视 f2()。函数 f2 获取变量 v2 并对其进行修改(将字段 a 设置为 3)。函数 f2 应该用 v2 调用(如 f1 中声明的那样),但我的测试在 toHaveBeenCalledWith 上失败,并表示实际调用是在 f2 函数调用之后对对象进行的。 jasmine 是否在函数调用后匹配 .toHaveBeenCalledWith 的参数,这不应该是推荐的方式,或者我在这里犯了一些错误。
服务:
export class JasmineTestClass{
constructor(){
}
f2(v2){
v2.a = 3
};
f1(v1){
let v2 = {
a:30
};
this.f2(v2);
}
}
测试:
describe('Test', () => {
let service: JasmineTestClass;
beforeEach(() => {
service = new JasmineTestClass();
spyOn(service, 'f2').and.callThrough();
});
let v1 = {
a:2, b:3
};
let v2 = {
a:30
};
it('should succeed', () => {
service.f1(v1);
expect(service.f2).toHaveBeenCalledWith(v2); //this is failing
});
})
日志:
Test should succeed FAILED
Expected spy f2 to have been called with [Object ({a:30})] but actual calls were [Object ({a:3})]
请注意,我在测试时在 Chrome 中进行了调试,函数 f2() 是使用 v2 = {a:30} 调用的。
toHaveBeenCalledWith
在断言时匹配调用参数。
Jasmine 间谍只是在内部保存参数引用。可以通过记录 service.f2.calls.all()
对象来跟踪调用参数。
这里的问题是 f2
修改了通过引用传递给它的对象。 v2
和 v2.a === 30
在 f2
调用后的任何地方都不存在。
此类情况的正确策略是创建细粒度测试,每个单元(方法)一个测试。使用 callThrough
的事实表明单元不是相互隔离的,默认情况下只使用 spyOn(service, 'f2')
存根是个好主意:
it('should succeed', () => {
service.f1(v1);
expect(service.f2).toHaveBeenCalledWith({ a:30 });
});
it('should succeed', () => {
const obj = { a:30 };
service.f2(obj);
expect(obj).toEqual({ a:3 });
});
现在我们正在测试这两种方法到底发生了什么。