Saya menyarankan untuk melihat jawaban Dan Abramov (salah satu pengelola inti React) di sini :
Saya pikir Anda membuatnya lebih rumit dari yang seharusnya.
function Example() {
const [data, dataSet] = useState<any>(null)
useEffect(() => {
async function fetchMyAPI() {
let response = await fetch('api/data')
response = await response.json()
dataSet(response)
}
fetchMyAPI()
}, [])
return <div>{JSON.stringify(data)}</div>
}
Jangka panjang kami akan mencegah pola ini karena mendorong kondisi balapan. Seperti - apa pun bisa terjadi antara panggilan Anda dimulai dan diakhiri, dan Anda bisa mendapatkan properti baru. Sebagai gantinya, kami akan merekomendasikan Suspense untuk pengambilan data yang lebih mirip
const response = MyAPIResource.read();
dan tidak ada efek. Namun sementara itu Anda dapat memindahkan hal-hal asinkron ke fungsi terpisah dan memanggilnya.
Anda dapat membaca lebih lanjut tentang ketegangan eksperimental di sini .
Jika Anda ingin menggunakan fungsi luar dengan eslint.
function OutsideUsageExample() {
const [data, dataSet] = useState<any>(null)
const fetchMyAPI = useCallback(async () => {
let response = await fetch('api/data')
response = await response.json()
dataSet(response)
}, [])
useEffect(() => {
fetchMyAPI()
}, [fetchMyAPI])
return (
<div>
<div>data: {JSON.stringify(data)}</div>
<div>
<button onClick={fetchMyAPI}>manual fetch</button>
</div>
</div>
)
}
Dengan useCallback useCallback . Sandbox .
import React, { useState, useEffect, useCallback } from "react";
export default function App() {
const [counter, setCounter] = useState(1);
// if counter is changed, than fn will be updated with new counter value
const fn = useCallback(() => {
setCounter(counter + 1);
}, [counter]);
// if counter is changed, than fn will not be updated and counter will be always 1 inside fn
/*const fnBad = useCallback(() => {
setCounter(counter + 1);
}, []);*/
// if fn or counter is changed, than useEffect will rerun
useEffect(() => {
if (!(counter % 2)) return; // this will stop the loop if counter is not even
fn();
}, [fn, counter]);
// this will be infinite loop because fn is always changing with new counter value
/*useEffect(() => {
fn();
}, [fn]);*/
return (
<div>
<div>Counter is {counter}</div>
<button onClick={fn}>add +1 count</button>
</div>
);
}
useEffect(() => { let unmounted = false promise.then(res => { if (!unmounted) { setState(...) } }) return () => { unmounted = true } }, [])