prometheus/web/ui/react-app/src/hooks/useFetch.ts

35 lines
1 KiB
TypeScript
Raw Normal View History

import { useState, useEffect } from 'react';
2019-11-12 05:35:47 -08:00
export type APIResponse<T> = { status: string; data?: T };
export interface FetchState<T> {
response: APIResponse<T>;
error?: Error;
isLoading: boolean;
}
export const useFetch = <T extends {}>(url: string, options?: RequestInit): FetchState<T> => {
const [response, setResponse] = useState<APIResponse<T>>({ status: 'start fetching' });
const [error, setError] = useState<Error>();
const [isLoading, setIsLoading] = useState<boolean>(false);
useEffect(() => {
const fetchData = async () => {
setIsLoading(true);
try {
const res = await fetch(url, { cache: 'no-cache', credentials: 'same-origin', ...options });
if (!res.ok) {
throw new Error(res.statusText);
}
2019-11-12 05:35:47 -08:00
const json = (await res.json()) as APIResponse<T>;
setResponse(json);
setIsLoading(false);
} catch (error) {
setError(error);
}
};
fetchData();
}, [url, options]);
return { response, error, isLoading };
};