1
Fork 0
mirror of https://github.com/pds-nest/nest.git synced 2024-11-22 13:04:19 +00:00
pds-2021-g2-nest/code/frontend/src/hooks/useData.js

56 lines
1.5 KiB
JavaScript
Raw Normal View History

2021-04-27 13:29:38 +00:00
import { useCallback, useEffect, useState } from "react"
/**
* Hook which fetches data from the backend on the first render of a component.
*
* @param fetchData - The function to use when fetching data.
* @param method - The HTTP method to use.
* @param path - The HTTP path to fetch the data at.
* @param body - The body of the HTTP request (it will be JSONified before being sent).
* @param init - Additional `init` parameters to pass to `fetch`.
*/
export default function useData(fetchData, method, path, body, init) {
const [error, setError] = useState(null)
const [data, setData] = useState(null)
const [loading, setLoading] = useState(false)
/**
* Load data from the API.
*/
const load = useCallback(
async () => {
console.debug(`Trying to ${method} ${path}...`)
setLoading(true)
try {
const _data = await fetchData(method, path, body, init)
setData(_data)
} catch(e) {
setError(e)
} finally {
setLoading(false)
}
},
2021-04-29 03:03:34 +00:00
[fetchData, method, path, body, init]
)
/**
* Invalidate the data loaded from the API and try to load it again.
*/
2021-05-07 23:40:49 +00:00
const fetchNow = useCallback(
async () => {
console.debug("Clearing data...")
setData(null)
console.debug("Clearing error...")
setError(null)
await load()
},
2021-04-29 03:03:34 +00:00
[load]
)
2021-05-07 23:40:49 +00:00
return {data, error, loading, fetchNow}
}