我目前正在使用本机反应项目v0.63.2,并使用@ react-navigation-5。从初始屏幕,登录屏幕和选项卡屏幕进行导航是基于上下文的。
appContext.js
import React from 'react';
const AppContext = React.createContext({IsLoading: true, IsLoggedIn: false});
export default AppContext;
navigationContainer.js
import AppContext from './appContext';
const StackApp = createStackNavigator();
export const StackNavigator = () => {
const [appState, setAppState] = React.useState({});
const state = { appState, setAppState };
React.useEffect(() => {
setAppState({ IsLoading: true, IsLoggedIn: false });
}, []);
return (
<AppContext.Provider value={state}>
{appState.IsLoading ? (
<SplashScreen />
)
: (
<NavigationContainer>
<StackApp.Navigator>
{
appState.IsLoggedIn
?
<>
<StackApp.Screen name='BottomTabScreen' component={BottomTabScreen} options={{ headerShown: false }} />
</>
:
<StackApp.Screen name='LoginScreen' component={NavigatorLogin} options={{ headerShown: false }} />
}
</StackApp.Navigator>
</NavigationContainer>
)}
</AppContext.Provider>
)
}
我使用类组件重新创建新的登录页面。它可以将所有以前的方式加载为功能组件。但是我无法修改/更新IsLoggedIn: true
的上下文。
我尝试过的方法:- initLogin.js
import AppContext from '../navigator/appContext';
const AppState = ({ newContext }) => {
const { setAppState } = React.useContext(AppContext);
console.log('setAppState:=> ' + JSON.stringify(setAppState));
console.log('newContext:=> ' + JSON.stringify(newContext));
setAppState(newContext);
}
export class initSignIn extends Component {
onPressLogin = () => {
AppState({ IsLoggedIn: true });
}
}
这将引发错误钩子规则
无效的挂钩调用。挂钩只能在功能组件的主体内部调用
我也尝试使用静态上下文。没有错误,但值未定义,表明密钥IsLoggedIn
不存在。
我的一些参考资料:
我添加了零食最小脚本。由于我使用的UI小猫主题可能会出错。我不熟悉零食 Minimal Script
答案 0 :(得分:1)
这将是一个使用上下文和类组件的工作示例。 请记住,从类访问上下文时,只能使用一个上下文。
在这里,我创建了一个按钮组件,它将更新上下文。 如您所见,我在上下文中具有函数,该函数将更新上下文,我们通过useState传递setAppState函数。
const AppContext = React.createContext({
appState: { IsLoading: true, IsLoggedIn: false },
setAppState: () => {},
});
export default function App() {
const [appState, setAppState] = React.useState({
IsLoading: false,
IsLoggedIn: false,
});
return (
<AppContext.Provider value={{ appState, setAppState }}>
<View style={styles.container}>
<Text style={styles.paragraph}>{JSON.stringify(appState)}</Text>
<Button />
</View>
</AppContext.Provider>
);
}
class Button extends React.PureComponent {
render() {
return (
<TouchableOpacity
onPress={() =>
this.context.setAppState({
IsLoading: !this.context.appState.IsLoading,
IsLoggedIn: true,
})
}>
<Text>Update</Text>
</TouchableOpacity>
);
}
}
Button.contextType = AppContext;