-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathfetch_wrapper.ts
79 lines (66 loc) · 1.96 KB
/
fetch_wrapper.ts
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
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
class ApiService {
constructor(
private readonly baseUrl: string,
private interceptors: ((req: Request) => Request)[] = []
) {}
async makeFetch(endpoint: string, customConfig: RequestInit) {
const url = this.baseUrl + endpoint;
const config = {
...customConfig,
headers: { "Content-Type": "application/json" },
};
const request = new Request(url, config);
try {
const response = await fetch(this.runInterceptors(request));
const data = await response.json();
// return axios-like response
if (response.ok) {
return {
status: response.status,
data,
statusText: response.statusText,
url: response.url,
};
}
throw new Error(response.statusText);
} catch (error) {
throw new Error((error as Error).message);
}
}
addInterceptor(fn: (req: Request) => Request) {
this.interceptors = [...this.interceptors, fn];
}
runInterceptors(originalRequest: Request) {
return this.interceptors.reduce(
(req, interceptor) => interceptor(req),
originalRequest
);
}
get(endpoint: string, config: RequestInit = {}) {
return this.makeFetch(endpoint, { ...config, method: "GET" });
}
post(endpoint: string, body: Object, config: RequestInit = {}) {
if (!body) {
throw new Error("A body was not provided for this request.");
}
return this.makeFetch(endpoint, {
...config,
body: JSON.stringify(body),
method: "POST",
});
}
patch(endpoint: string, body: Object, config: RequestInit = {}) {
if (!body) {
throw new Error("A body was not provided for this request.");
}
return this.makeFetch(endpoint, {
...config,
body: JSON.stringify(body),
method: "PATCH",
});
}
delete(endpoint: string, config: RequestInit = {}) {
return this.makeFetch(endpoint, { ...config, method: "DELETE" });
}
}
const api = new ApiService('localhost:3000');