在Angular中使用Jasmine进行单元测试时,可以使用toHaveBeenCalledWith
来验证函数是否以特定参数被调用。然而,有时可能会遇到toHaveBeenCalledWith
中的queryParams不起作用的情况。这可能是因为传递的参数是一个对象,而在比较时,Jasmine使用的是toEqual
,默认情况下比较对象的引用。
以下是解决这个问题的方法之一:
首先,确保你的测试代码中使用了HttpClientTestingModule
,这样可以拦截HTTP请求并提供模拟的响应。在测试代码中导入并添加HttpClientTestingModule
:
import { HttpClientTestingModule, HttpTestingController } from '@angular/common/http/testing';
import { TestBed } from '@angular/core/testing';
// ...
beforeEach(() => {
TestBed.configureTestingModule({
imports: [HttpClientTestingModule],
// ...
});
});
然后,在测试用例中获取HttpTestingController
实例,并使用它来验证HTTP请求:
import { HttpTestingController } from '@angular/common/http/testing';
// ...
it('should make a GET request with queryParams', () => {
const httpMock = TestBed.get(HttpTestingController);
// 执行包含HTTP请求的代码
// ...
// 验证HTTP请求
const req = httpMock.expectOne((request) => {
// 使用toEqual比较queryParams
return request.params?.get('param1') === 'value1' && request.params?.get('param2') === 'value2';
});
expect(req.request.method).toBe('GET');
// 模拟响应
req.flush({ /* 响应数据 */ });
});
在上面的代码中,我们使用httpMock.expectOne
来验证是否发起了一个HTTP请求,并使用request.params?.get('param1')
来获取查询参数的值。然后,我们使用toEqual
来比较查询参数的值是否与我们期望的值相匹配。
这样,就可以解决toHaveBeenCalledWith
中的queryParams不起作用的问题。