Horizontal ScrollView in React Native
Posted By: Harish
data:image/s3,"s3://crabby-images/29ce2/29ce2c70be5f9d476350369caadba511a537716e" alt="Horizontal ScrollView in React Native"
By default, a ScrollView component loads a vertical scrollable list rather than horizontal list. To get a horizontal scrollable list, we have added a horizontal prop to scrollview.
Let's see how it works with an example.
Create A New Project
Create a new react-native project by using npx. Check documentation for creating a new react native project.
npx react-native@latest init ScrollViewRN
Example Implementation
We will create scrollable horizontal color blocks.
Import and add ScrollView
with some color blocks.
//App.tsx
...
import { View, ScrollView } from 'react-native';
...
<ScrollView
contentContainerStyle={styles.content_container}
>
{
colors
.map((color: string) => {
return (
<View
key={color}
style={[
styles.view,
{
backgroundColor: color
}
]}
>
</View>
)
})
}
</ScrollView>
...
If we run the app,
#for Android
npx react-native run-android
#for ios
npx react-native run-ios
Long vertical list of color blocks will be seen.
data:image/s3,"s3://crabby-images/2e26b/2e26bd9ff60f2252ce3f2cdeba524d19a92093c3" alt="vertical ScrollView in React Native"
Now we want to transform this vertical list to horizontal list.
To do that, add horizontal={true}
or just horizontal
to the scrollview as a prop and fix the width of the color block.
...
import { View, ScrollView } from 'react-native';
...
<ScrollView
...
horizontal
>
...
</ScrollView>
...
After saving the changes, you can see that the list is horizontal.
data:image/s3,"s3://crabby-images/a91e2/a91e25ae5aac5b09a4e0895288fbce28b10f8de5" alt="Horizontal ScrollView in React Native"
Complete code of our example,
//App.tsx
import React from "react";
import {
Text,
StyleSheet,
SafeAreaView,
StatusBar,
View,
ScrollView,
} from "react-native";
const colors = [
'orange',
'green',
'blue',
'maroon',
'violet',
'darkorange',
'gold',
'darkgreen',
'aquamarine',
'cadetblue'
];
export default function App() {
return (
<SafeAreaView style={{ flex: 1, backgroundColor: 'white' }}>
<StatusBar
barStyle="dark-content"
/>
<View style={styles.container}>
<Text style={styles.text}>
ifelsething.com
</Text>
<Text style={styles.text}>
horizontal scrollview
</Text>
<ScrollView
horizontal
contentContainerStyle={styles.content_container}
>
{
colors
.map((color: string) => {
return (
<View
key={color}
style={[
styles.view,
{
backgroundColor: colors
}
]}
>
</View>
)
})
}
</ScrollView>
</View>
</SafeAreaView>
);
}
const styles = StyleSheet.create({
container: {
flex: 1,
margin: 10,
gap: 20
},
text: {
fontSize: 15,
color: 'black',
fontStyle: 'italic'
},
content_container: {
gap: 10
},
view: {
width: 300,
height: 200,
borderRadius: 10,
//alignSelf: 'center'
}
});