1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
| mock.onGet("/users").reply(function (config) {
// `config` 是axios配置,包含URL等内容
// 返回[status,data,header]形式的数组
return [
200,
{
users: [{ id: 1, name: "John Smith" }],
},
];
});
// 模拟重定向
mock.onPost("/foo").reply(function (config) {
return axios.get("/bar");
});
// 正则
mock.onGet(/\/users\/\d+/).reply(function (config) {
// 实际ID可以从config.url中获取
return [200, {}];
});
// 正则中添加变量
const usersUri = "/users";
const url = new RegExp(`${usersUri}/*`);
mock.onGet(url).reply(200, users);
// 模拟错误
mock.onPost().reply(500);
// 链式
mock.onGet("/users").reply(200, users).onGet("/posts").reply(200, posts);
// replyOnce()
mock..onGet("/users").replyOnce(200, users); //只相应一次后,执行mock.resetHandlers(),删除请求
mock..onGet("/users")..replyOnce(500); //只相应一次后,再次请求就会返回500
// 模拟 GET, POST, PUT, DELETE, PATCH, HEAD, OPTIONS 等任何请求
mock.onAny("/foo").reply(200);
// 允许特定请求,其它返回500
mock.onGet("/foo").reply(200).onAny().reply(500);
// 允许特定st请求,其它直接通过,passThrough()
mock.onGet("/foo").reply(200).onPut("/bar", { xyz: "abc" }).reply(204).onAny().passThrough();
// 未命中的所有请求都添加passThrough()
const mock = new MockAdapter(axios,{ onNoMatch: "passthrough" })
mock.onAny("/foo").reply(200); // 未命中的会直接通过,不会返回500
// 未命中的所有请求都添加异常
const mock = new MockAdapter(axios,{ onNoMatch: "throwException" })
// 模拟请求参数数据
mock.onPut("/product", { id: 4, name: "foo" }).reply(204);
|