리액트 네비게이션 설치와 사용방법에 대해 알아보자. 공식문서와 책을 참고했다.
아래 번호 순서는 공식문서 getting started 순서대로 작성하였다. 나중에 좀 더 익숙해지면 하나하나 다시 정리해나갈 생각이다.
우선 Fundamentals 내용 전부와 Guidesd의 Tab navigation까지가 1차 목표
그리고 책 꾸준히 해나가기
공식문서
https://reactnavigation.org/docs/getting-started
getting started
npx react-native init LearnReactNative
yarn add @react-navigation/native
yarn add react-native-screens react-native-safe-area-context
npx pod-install ios
또는
cd ios
pod install
경로
android/app/src/main/java/<your package name>/MainActivity.java.
추가할 코드
import android.os.Bundle; // 최상단에
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(null);
}
import * as React from 'react';
import { NavigationContainer } from '@react-navigation/native';
export default function App() {
return (
<NavigationContainer>{/* Rest of your app code */}</NavigationContainer>
);
}
yarn add @react-navigation/native-stack
// In App.js in a new project
import * as React from 'react';
import { View, Text } from 'react-native';
import { NavigationContainer } from '@react-navigation/native';
import { createNativeStackNavigator } from '@react-navigation/native-stack';
function HomeScreen() {
return (
<View style={{ flex: 1, alignItems: 'center', justifyContent: 'center' }}>
<Text>Home Screen</Text>
</View>
);
}
const Stack = createNativeStackNavigator();
function App() {
return (
<NavigationContainer>
<Stack.Navigator>
<Stack.Screen name="Home" component={HomeScreen} />
</Stack.Navigator>
</NavigationContainer>
);
}
export default App;
navigation.navigate('detail')에 들어간 상태에서 다시한번 detail로 들어가면 아무일도 일어나지 않는다. 하지만 navigation.push를 사용하면 추가적인 화면이 계속 생긴다.
StackNavigator에 의해 생긴 헤더는 go.back키를 가지고있다. 스택이 사라지면 자동으로 없어진다.
state persistence - https://reactnavigation.org/docs/state-persistence
deep linking -
https://reactnavigation.org/docs/deep-linking
We recommend that the params you pass are
JSON-serializable.
That way, you'll be able to use state persistence
and your screen components will have the right contract
for implementing deep linking.
<Stack.Screen
name="Details"
component={DetailsScreen}
initialParams={{ itemId: 42 }}
/>
function HomeScreen({ navigation, route }) {
React.useEffect(() => {
if (route.params?.post) {
// Post updated, do something with `route.params.post`
// For example, send the post to the server
}
}, [route.params?.post]);
return (
<View style={{ flex: 1, alignItems: 'center', justifyContent: 'center' }}>
<Button
title="Create post"
onPress={() => navigation.navigate('CreatePost')}
/>
<Text style={{ margin: 10 }}>Post: {route.params?.post}</Text>
</View>
);
}
function CreatePostScreen({ navigation, route }) {
const [postText, setPostText] = React.useState('');
return (
<>
<TextInput
multiline
placeholder="What's on your mind?"
style={{ height: 200, padding: 10, backgroundColor: 'white' }}
value={postText}
onChangeText={setPostText}
/>
<Button
title="Done"
onPress={() => {
// Pass and merge params back to home screen
// 뒤로 전달할때는 네비게이터에 이렇게 전달하는게 핵심인듯 하다.
navigation.navigate({
name: 'Home',
params: { post: postText },
merge: true,
});
}}
/>
</>
);
}
얘도 여기서 찾아서보자
https://reactnavigation.org/docs/params
// Don't do this 이렇게 사용 노노
navigation.navigate('Profile', {
user: {
id: 'jane',
firstName: 'Jane',
lastName: 'Done',
age: 25,
},
});
// Some examples of what should be in params are: 사용예시
1.Ds like user id, item id etc., e.g.
navigation.navigate('Profile', { userId: 'Jane' })
2. Params for sorting, filtering data etc.
when you have a list of items, e.g.
navigation.navigate('Feeds', { sortBy: 'latest' })
3. Timestamps, page numbers or cursors for pagination, e.g.
navigation.navigate('Chat', { beforeTime: 1603897152675 })
4. Data to fill inputs on a screen to compose something, e.g.
navigation.navigate('ComposeTweet', { title: 'Hello world!' })
Using params in th title (얘 이해못햇음)
https://reactnavigation.org/docs/headers
navigation.setOptions로 설정된 options의 title을 변경할 수 잇다.
options에 headerStyle등으로 스타일 변경가능
function LogoTitle() {
return (
<Image
style={{ width: 50, height: 50 }}
source={require('@expo/snack-static/react-native-logo.png')}
/>
);
}
function StackScreen() {
return (
<Stack.Navigator>
<Stack.Screen
name="Home"
component={HomeScreen}
options={{ headerTitle: (props) => <LogoTitle {...props} /> }}
/>
</Stack.Navigator>
);
}