开发者问题收集

React 中钩子调用无效

2020-08-01
406

https://reactjs.org/docs/hooks-custom.html 构建自己的 Hooks 可让您将组件逻辑提取到可重用的函数中。 这就是我想要做的:将我的组件逻辑提取到其他组件的可重用函数中。

我的功能组件:

//React
import React from 'react';
import { FlatList, View, Text, StyleSheet } from 'react-native';
//Local
import UserPreview from './UserPreview';
import defaultContainer from '../../shared/styles/defaultContainer';
import useFetchUsers from './../../../handler/useFetchUsers';

export default function UserList(props) {
    const { users } = props;
    const dispatch = useDispatch();
    //State
    const [isLoading, setIsLoading] = React.useState(false);
    const [error, setError] = React.useState(null);

    return (
        <View style={defaultContainer}>
            <FlatList
                data={users}
                keyExtractor={(item) => item.id}
                renderItem={({ item }) => <UserPreview user={item} />}
                ListEmptyComponent={() => <Text style={styles.listEmpty}>Keine Benutzer gefunden!</Text>}
                ItemSeparatorComponent={() => <View style={styles.listSeperator} />}
                onRefresh={useFetchUsers}
                refreshing={isLoading}
                contentContainerStyle={styles.container}
            />
        </View>
    );
}

我的可重用函数:

import React from 'react';
import * as userActions from '../store/actions/user';
import { useDispatch } from 'react-redux';

export default async function useFetchUsers() {
    const [error, setError] = React.useState(null);
    const dispatch = useDispatch();
    const [isLoading, setIsLoading] = React.useState(false);

    console.log('StartupScreen: User laden');
    setIsLoading(true);
    setError(null);
    try {
        await dispatch(userActions.fetchUsers());
        console.log('StartupScreen: User erfolgreich geladen');
    } catch (err) {
        setError(err.message);
    }
    setIsLoading(false);
}

我应该如何在 Userlist 中的 onRefresh prop 中使用我的函数? 我收到此错误:无效的钩子调用 在此处输入图片描述

2个回答

您正在使用 useFetchUsers 作为回调。Hooks 规则禁止这样做。

useFetchUsers 应返回一些可用作回调的函数:

export default function useFetchUsers() {
    const [error, setError] = React.useState(null);
    const dispatch = useDispatch();
    const [isLoading, setIsLoading] = React.useState(false);

    return async function() {
        console.log('StartupScreen: User laden');
        setIsLoading(true);
        setError(null);
        try {
            await dispatch(userActions.fetchUsers());
            console.log('StartupScreen: User erfolgreich geladen');
        } catch (err) {
            setError(err.message);
        }
        setIsLoading(false);
    }
}


function UserList(props) {

    ...

    const handleRefresh = useFetchUsers();

    ...

    return <FlatList onRefresh={handleRefresh} />;
}
UjinT34
2020-08-01

React hooks 不能是异步函数。因此根据此 redux 工作流程: 在此处输入图片说明

您必须分派获取用户的操作,然后您的加载和错误状态应该在您的 Reducer 中,如果您在 redux 旁边有任何副作用管理器(例如 redux-saga),您必须在那里调用所有 HTTP 方法,您的组件只需分派并显示结果即可。另一种方法是调用和获取用户到您的 hook 中,并通过您分派的操作将他们放入您的 redux 存储中。 这样,loading和error就可以在你的hook里了(在你本地的hook状态里,而不是进入redux-store里)。

那么我们来试试这个代码(我实现了第二种方式):

import React from 'react';
import * as userActions from '../store/actions/user';
import { useDispatch } from 'react-redux';

export default function useFetchUsers() {
    const [error, setError] = React.useState(null);
    const dispatch = useDispatch();
    const [isLoading, setIsLoading] = React.useState(false);
    
    React.useEffect(() => {
      (async () => {
          console.log('StartupScreen: User laden');
          setIsLoading(true);
          setError(null);
          try {
              const res = await fetchUsers();

              dispatch(setUsers(res.data));
              console.log('StartupScreen: User erfolgreich geladen');
              setIsLoading(false);
          } catch (err) {
              setIsLoading(false);
              setError(err.message);
          }
      })()
    }, [])
}
Ali Torki
2020-08-01