Asynchronous hooks and non-asynchronous hooks to obtain data
P粉041881924
P粉041881924 2024-02-26 20:12:15
0
2
286

I have built a custom hook:

const useFirestoreCollection = async (collectionName) => {

    const [documents, setDocuments] = useState([]);

    useEffect(() => {
        const fetchData = async () => {
            const querySnapshot = await getDocs(collection(db, collectionName));
            const documentsData = [];
            querySnapshot.forEach((doc) => {
                documentsData.push({
                    id: doc.id,
                    ...doc.data(),
                });
            });
            setDocuments(documentsData);
        };
        fetchData();
    }, []);

    return documents;
};

I can use it in my component like this:

const [myData, setMyData] = useState([]);

useFirestoreCollection('registeredUsers')
    .then((data) => {
        setMyData(data); // Data Access
    })
    .catch((error) => {
        console.log(error); // Error
    });

I can also remove the async in the custom hook:

const useFirestoreCollection = (collectionName) => { <- ASYNC DELETED
    const [documents, setDocuments] = useState([]);

    useEffect(() => {
        const fetchData = async () => {
            const querySnapshot = await getDocs(collection(db, collectionName));
            const documentsData = [];
            querySnapshot.forEach((doc) => {
                documentsData.push({
                    id: doc.id,
                    ...doc.data(),
                });
            });
            setDocuments(documentsData);
        };
        fetchData();
    }, []);
    return documents;
};

...and use it in my component like this:

const myData = useFirestoreCollection('registeredUsers')

I tried to figure out the best way but couldn't.

When should you use the async keyword in hooks, and when shouldn't you use it?

P粉041881924
P粉041881924

reply all(2)
P粉262926195

I've never seen a situation where a hook should be async. The hook now returns a promise instead of just the state and setState functions you want the component to use. This would be a major anti-pattern and make the simplicity of the hook very complicated.

If you need to use async/await functionality in a hook, you can declare an async function in it. Just like you do.

The second method is obviously the correct way to do this.

P粉369196603

In the first case, making the hook async is useless because there is nothing asynchronous in the hook, only inside the useEffect.

This makes it harder to use and makes you duplicate state.

Latest Downloads
More>
Web Effects
Website Source Code
Website Materials
Front End Template
About us Disclaimer Sitemap
php.cn:Public welfare online PHP training,Help PHP learners grow quickly!