React Native Navigation:未定义不是对象(评估'_this2.props.navigation.navigate
2020-10-28
263
我是 React Native 的新手,正在学习“导航”。我的练习应用程序的流程是:App.js -> login.js -> dashed.js -> updateUser.js,运行良好。我也在使用 react-native-tab-view 库。当用户从 login.js 导航到 dashed.js 时,他会看到 3 个选项卡,其中一个是 updateUser.js,它只有一个按钮,我希望当我单击它时,我应该再次重定向到 login.js。它给出的错误如下:
TypeError: undefined is not an object (evaluating'_this2.props.navigation.navigate
当我将相同的代码粘贴到 dashed.js 中时,它运行良好。(我已成功重定向到 login.js)。任何帮助都将不胜感激。错误的可能原因是我不知道在哪里声明路由等。 这是我的 updateUser.js
export default class UpdateInfo extends Component {
render() {
return (
<View style={styles.container}>
<TouchableOpacity
style={styles.loginBtn}
onPress={() => this.props.navigation.navigate('Login')}
>
<Text style={styles.loginText}>Go to Login</Text>
</TouchableOpacity>
</View>
);
}
}
这是我的 App.js
const Stack = createStackNavigator();
function MyStack() {
return (
<Stack.Navigator
initialRouteName="Login"
screenOptions={{
headerTitleAlign: 'center',
headerStyle: {
backgroundColor: '#fb5b5a',
},
headerTintColor: '#003f5c',
headerTitleStyle: {
fontWeight: 'bold',
},
}}>
<Stack.Screen
name="Login"
component={Login}
options={
{title: 'Login'},
{headerLeft: null}
}
/>
<Stack.Screen
name="Dashboard"
component={Dashboard}
options={
{ title: 'Dashboards' },
{headerLeft: null}
}
/>
</Stack.Navigator>
);
}
export default function App() {
return (
<NavigationContainer>
<MyStack />
</NavigationContainer>
);
}
我的 dashboard.js
export default function Dashboard() {
const [index, setIndex] = React.useState(0);
const [routes] = React.useState([
{ key: 'first', title: 'ALL PROFILE' },
{ key: 'second', title: 'ADD PROFILE' },
{ key: 'third', title: 'UPDATE INFO' },
]);
const renderScene = ({ route }) => {
switch (route.key) {
case 'first':
return <AllProfile />;
case 'second':
return <AddProfile />;
case 'third':
return <UpdateInfo/>
default:
return null;
}
};
return (
<TabView
navigationState={{ index, routes }}
renderTabBar={props => (
<TabBar
{...props}
renderLabel={({ route, color }) => (
<Text style={{ color: '#fb5b5a', fontWeight: "bold" }}>
{route.title}
</Text>
)}
style={{backgroundColor: '#003f5c'}}
/>
)}
renderScene={renderScene}
onIndexChange={setIndex}
initialLayout={initialLayout}
style={styles.dashboardContainer}
/>
);
}
2个回答
您必须手动传递导航,因为它不是像下面这样的屏幕,只有导航中的屏幕才会获得导航属性。如果它是功能组件,您可以使用 useNavigation 钩子并访问导航。在您的情况下,您必须像下面这样操作
export default function Dashboard({navigation}) {
并且
<UpdateInfo navigation={navigation}/>
Guruparan Giritharan
2020-10-28
带钩
class UpdateInfo extends Component {
render() {
return (
<View style={styles.container}>
<TouchableOpacity
style={styles.loginBtn}
onPress={() => this.props.navigation.navigate('Login')}
>
<Text style={styles.loginText}>Go to Login</Text>
</TouchableOpacity>
</View>
);
}
}
// Wrap and export
export default function(props) {
const navigation = useNavigation();
return <UpdateInfo navigation={navigation} />;
}
anthony willis muñoz
2020-10-28