Hi, and welcome to part four of our series on how to make an app with React Native! If you haven't been following along with parts one through three, I suggest you go back and get started there. You can read the first article in the series here. If you're ready for what comes next, let's dive in!
Creating the explore components
If you've been following along you will remember that we are building a stock photo browsing app with UI inspired by the Unsplash app for iOS. For your reference here are the home and search results screens of that app.

The first part that we're going to be working on today is the horizontally scrollable UI under the Explore heading. If you pull the content from right to left you will see a list of curated collections with a nice background image and the text for that collection.
The Pixabay API doesn't have an endpoint to pull collections from their data, but on the API documentation page, they have a list of categories that you can filter your image searches by. That part of the documentation looks like this.

So, the first thing we'll be doing based on this information is to store these categories in an array in our code. Create a file called
constants.ts// constants.ts
import { ICategoryItem } from "./types/categories.types";
export const categories: ICategoryItem[] = [
  { text: "Backgrounds", image: require("./images/backgrounds-category.jpg") },
  { text: "Fashion", image: require("./images/fashion-category.jpg") },
  { text: "Nature", image: require("./images/nature-category.jpg") },
  { text: "Science", image: require("./images/science-category.jpg") },
  { text: "Education", image: require("./images/education-category.jpg") },
  { text: "Feelings", image: require("./images/feelings-category.jpg") },
  { text: "Health", image: require("./images/health-category.jpg") },
  { text: "People", image: require("./images/people-category.jpg") },
  { text: "Religion", image: require("./images/religion-category.jpg") },
  { text: "Places", image: require("./images/places-category.jpg") },
  { text: "Animals", image: require("./images/animals-category.jpg") },
  { text: "Industry", image: require("./images/industry-category.jpg") },
  { text: "Computer", image: require("./images/computer-category.jpg") },
  { text: "Food", image: require("./images/food-category.jpg") },
  { text: "Sports", image: require("./images/sports-category.jpg") },
  {
    text: "Transportation",
    image: require("./images/transportation-category.jpg"),
  },
  { text: "Travel", image: require("./images/travel-category.jpg") },
  { text: "Buildings", image: require("./images/buildings-category.jpg") },
  { text: "Business", image: require("./images/business-category.jpg") },
  { text: "Music", image: require("./images/music-category.jpg") },
];
Along with this file, we'll need to create a category item type for use here and later when we render categories in the explore section. Add this code to a file at
types/categories.types.ts// types/categories.types.ts
export interface ICategoryItem {
  text: string;
  image: number;
}
Now that we have the categories in a safe place and some type definitions to go along with it, let's get to work on the explore component. Create a new file at
components/explore.component.tsx// components/explore.component.tsx
import React from "react";
import { Text } from "./text.component";
import {
  TouchableWithoutFeedback,
  FlatList,
  StyleSheet,
  View,
  ImageBackground,
} from "react-native";
import { deviceWidth, space1, space2 } from "../theme/space";
import { useNavigation } from "@react-navigation/native";
import { categories } from "../constants";
import { SectionHeading } from "./section-heading.component";
import { ICategoryItem } from "../types/categories.types";
const styles = StyleSheet.create({
  container: {
    paddingLeft: space2,
  },
  category: {
    height: 145,
    width: deviceWidth - 4 * space1,
    marginRight: space1,
  },
  image: {
    borderRadius: space1,
    overflow: "hidden",
    width: "100%",
    flex: 1,
  },
  imageOverlay: {
    width: "100%",
    flex: 1,
    backgroundColor: "rgba(0, 0, 0, .4)",
    alignItems: "center",
    justifyContent: "center",
  },
});
export const Explore = () => {
  const navigation = useNavigation();
  const renderCategory = ({ item }: { item: ICategoryItem }) => {
    return (
      <View style={styles.category}>
        <ImageBackground source={item.image} style={styles.image}>
          <TouchableWithoutFeedback
            onPress={() =>
              navigation.navigate("Results", { category: item.text })
            }
          >
            <View style={styles.imageOverlay}>
              <Text color="light1" weight="bold">
                {item.text}
              </Text>
            </View>
          </TouchableWithoutFeedback>
        </ImageBackground>
      </View>
    );
  };
  return (
    <View>
      <SectionHeading>Explore</SectionHeading>
      <FlatList
        horizontal
        snapToAlignment="start"
        snapToInterval={deviceWidth - 3 * space1}
        decelerationRate="fast"
        showsHorizontalScrollIndicator={false}
        data={categories}
        renderItem={renderCategory}
        keyExtractor={(category) => category.text}
        contentContainerStyle={styles.container}
      />
    </View>
  );
};
Now that's a lot of code! Let's go over what we've added in the file above. In the main render section of the code, we're returning a SectionHeading and FlatList component. In the FlatList we are telling it to take the category list we just created and use that as the
datacategoriesrenderCategoryIn the
renderCategoryThe ImageBackground component does exactly what it sounds like, it creates a background image for its child components. The TouchableWithoutFeedback component makes it so we can easily handle taps on each particular category item we're rendering. With the function we pass to the
onPressnavigation.navigate()useNavigationNote: if you aren't familiar with hooks, you should check out this great article on learning the basics of React hooks.
Another thing we should pay attention to are the properties we pass to the FlatList regarding snapping. The side-scrolling list of categories in the iOS Unsplash app shows the previous and next categories peeking onto the screen on either side of the focused category. To get this effect in our React Native app we need to tell the FlatList we are using a custom interval, which is the width of the category item, and that we want to have each item in the list
snapToAlignmentsnapToAlignment="start"
snapToInterval={deviceWidth - 3 * space1}
Along with the addition of the Explore component we need to add a SectionHeading component at
components/section-heading.component.tsx// components/section-heading.component.tsx
import React, { FC } from "react";
import { Text } from "./text.component";
import { StyleSheet } from "react-native";
import { space2, space1 } from "../theme/space";
const styles = StyleSheet.create({
  heading: {
    padding: space2,
    paddingTop: space2,
    paddingBottom: space1,
  },
});
export const SectionHeading: FC = ({ children }) => {
  return (
    <Text weight="bold" size="large" style={styles.heading}>
      {children}
    </Text>
  );
};
We'll also need to add another entry for the
space2theme/space.ts// theme/space.ts
import { Dimensions } from 'react-native';
export const deviceWidth = Dimensions.get('screen').width;
export const space1 = 10;
+ export const space2 = 20;
And we'll need to add another color to our
theme/colors.tskeyof typeoftheme/colors.tsMake these changes in your
theme/colors.ts// theme/colors.ts
export const light1 = '#fff';
+ export const dark3 = '#000';
+ export default {
+   light1,
+   dark3,
+ };
And finally, we'll add the custom Text component in a new file at
components/text.component.tsx// components/text.component.tsx
import React, { FC } from "react";
import { Text as RNText, TextProps, TextStyle } from "react-native";
import colors from "../theme/colors";
const sizes = {
  regular: 15,
  large: 17,
};
interface IProps extends TextProps {
  weight?:
    | "normal"
    | "bold"
    | "100"
    | "200"
    | "300"
    | "400"
    | "500"
    | "600"
    | "700"
    | "800"
    | "900";
  color?: keyof typeof colors;
  size?: keyof typeof sizes;
}
export const Text: FC<IProps> = (props) => {
  const { weight, color, size, ...textProps } = props;
  const style: TextStyle[] = [
    {
      fontWeight: weight || "normal",
      color: colors[color || "dark3"],
      fontSize: sizes[size || "regular"],
    },
    props.style as TextStyle,
  ];
  return <RNText {...textProps} style={style} />;
};
All we're doing in this file is setting up default styling for the text component so that we can get consistent text styles across the whole application. You'll notice that before we declare the
styleweightcolorsizeNow that we have the explore section all put together, let's move on to hooking up the search results page.
Creating the search results page
The first thing we're going to do is to create a new file at
screens/results.screen.tsx// screens/results.screen.tsx
import React, { FC, useEffect } from "react";
import { Image } from "../components/image.component";
import { IPhoto } from "../types/photos.types";
import { FlatList } from "react-native";
import { photos, searchPhotos } from "../stores/photo.store";
import { useRoute, RouteProp, useNavigation } from "@react-navigation/native";
import { RootStackParamList } from "../types/navigator.types";
import { Separator } from "../components/separator.component";
import { observer } from "mobx-react";
export const Results: FC = observer(() => {
  const { params } = useRoute<RouteProp<RootStackParamList, "Results">>();
  const navigation = useNavigation();
  const renderPhoto = ({ item }: { item: IPhoto }) => {
    return <Image image={item} />;
  };
  useEffect(() => {
    if (params?.category) {
      navigation.setOptions({ title: params?.category });
      searchPhotos({
        category: params?.category,
        keyword: params?.category,
      });
    }
  }, []);
  return (
    <FlatList
      keyExtractor={(photo) => photo.id.toString()}
      data={photos[params?.category] || []}
      renderItem={renderPhoto}
      style={{ flex: 1 }}
      ItemSeparatorComponent={Separator}
    />
  );
});
Using React Navigation route params
The first new thing that we're going to run across in this screen is that we're making use of React Navigation's route params that get passed from one screen to the next. Remember when we called
navigation.navigate('Results', { category: item.text })We need to be able to pass params between screens so that the screens are linked together in a way that's understandable to anyone using the app. So here, we've taken the category that has been tapped and we pass it through to the results screen.
Using the 
 hook in the results screen we can pull out the params object and check to see if it has a category property in it.useRoute
Setting the screen header title
Another thing we need to do is to set the page title of the screen. Because this screen is going to be used for all category search results, the page title will need to be set dynamically. To do this, we'll call the
navigation.setOptions()useEffectSearching the API based on keyword
Next, we also make a call the
searchPhotosYou may have noticed that the argument signature of this function looks different than the last time we saw it. We will have to do a little refactor to the code to handle the category as well as the keyword in an understandable way.
Update your
searchPhotos()stores/photo.store.ts// stores/photo.store.ts
export const searchPhotos = async ({
  keyword,
  category,
}: {
  keyword?: string;
  category?: string;
}) => {
  let params = "";
  if (category) {
    params += `&category=${category.toLowerCase()}`;
  }
  if (keyword) {
    params += `&q=${keyword}`;
  }
  const url = `${BASE_URL}/?key=${Config.PIXABAY_API_KEY}&safesearch=true&per_page=4${params}`;
  const response = await fetch(url);
  const data = await response.json();
  photos[keyword || "default"] = data.hits;
};
And then also make sure your call to the
searchPhotos()screens/home.screen.tsxRefactoring the Image component
At this point, we also need to make some changes to the Image component we built in part three of this series. We're going to move the styles to make the image full width and the correct aspect ratio from the
screens/home.screen.tsxcomponents/image.component.tsxNow our Image component should look like this.
// components/image.component.tsx
import React, { FC } from "react";
import { Image as Img, ImageStyle } from "react-native";
import { deviceWidth } from "../theme/space";
import { IPhoto } from "../types/photos.types";
interface IProps {
  image: IPhoto;
}
export const Image: FC<IProps> = ({ image }) => {
  return (
    <Img
      source={{ uri: image.largeImageURL }}
      style={{
        width: "100%",
        height: (deviceWidth / image.imageWidth) * image.imageHeight,
      }}
    />
  );
};
After these changes to the Image component, we'll also need to adjust the code that renders the images in
screens/home.screen.tsxrenderPhoto// screens/home.screen.tsx
   const renderPhoto = ({ item }: { item: IPhoto }) => (
-    <Image
-      key={item.id}
-      uri={item.largeImageURL}
-      style={{
-        width: '100%',
-        height: (deviceWidth / item.imageWidth) * item.imageHeight,
-      }}
-    />
+    <Image key={item.id} image={item} />
   );
Adding the Separator component
To make the list of images in the search results page match how all lists of images are separated in the Unsplash app, we'll create a Separator component to use on the search results screen as well as on the home screen later on. Create a file at
components/separator.component.tsx// components/separator.component.tsx
import React from "react";
import { View, StyleSheet } from "react-native";
import { light1 } from "../theme/colors";
const styles = StyleSheet.create({
  separator: {
    height: 1,
    backgroundColor: light1,
  },
});
export const Separator = () => {
  return <View style={styles.separator} />;
};
Hooking the search results screen into the navigator
Now that we have the results screen all built out, we need to hook it into the navigator so that we can navigate to it. In our
App.tsx
// App.tsx
  import 'mobx-react-lite/batchingForReactNative';
  import 'react-native-gesture-handler';
  import React from 'react';
  import { NavigationContainer } from '@react-navigation/native';
  import { createStackNavigator } from '@react-navigation/stack';
  import { Home } from './screens/home.screen';
  import { Provider } from 'mobx-react';
+ import { Results } from './screens/results.screen';
+ import { RootStackParamList } from './types/navigator.types';
- const AppStack = createStackNavigator();
+ const AppStack = createStackNavigator<RootStackParamList>();
  export default function App() {
    return (
      <Provider>
        <NavigationContainer>
          <AppStack.Navigator>
            <AppStack.Screen
              options={{
                header: () => null,
              }}
              name="Home"
              component={Home}
            />
+           <AppStack.Screen name="Results" component={Results} />
          </AppStack.Navigator>
        </NavigationContainer>
      </Provider>
    );
  }
Here we import the results screen and render out an additional
<AppStack.Screen />RootStackParamListThe
types/navigator.types.tsRootStackParamList// types/navigator.types.ts
export type RootStackParamList = {
  Home: undefined;
  Results: { category: string };
};
After these changes, we should be able to tap on a category in the horizontally scrolling list and then be pushed over to a new screen with the category name in the navigation bar and related images in the screen body.
At this point, we are mostly done!
Customizing the navigation header back button
To match the Unsplash iOS app we need to customize the navigation header's back button. Currently, we have the default iOS blue with a text label of "Home" for our back button. To get it to match the Unsplash app's back button we need to remove the text label and change the color to black. Here are the changes we need to make.
// App.tsx
+ import { dark3 } from './theme/colors';
...
-        <AppStack.Navigator>
+        <AppStack.Navigator
+          screenOptions={{
+            headerBackTitleVisible: false,
+            headerTintColor: dark3,
+          }}
+        >
...
Final clean up
To match the style of the search results page a bit more we need to make a couple of other changes to the home screen. To get the explore section to scroll off the screen as we scroll down we'll need to move it into the
ListHeaderComponent
  // screens.home.screen.tsx
  import React, { useEffect } from 'react';
  import { FlatList, StyleSheet, View, SafeAreaView } from 'react-native';
  import { photos, searchPhotos } from '../stores/photo.store';
  import { Image } from '../components/image.component';
  import { observer } from 'mobx-react';
  import { IPhoto } from '../types/photos.types';
  import { Explore } from '../components/explore.component';
+ import { SectionHeading } from '../components/section-heading.component';
+ import { Separator } from '../components/separator.component';
  const styles = StyleSheet.create({
    container: {
      flex: 1,
    },
  });
 export const Home = observer(() => {
   useEffect(() => {
     searchPhotos({});
   }, []);
   const renderPhoto = ({ item }: { item: IPhoto }) => (
     <Image key={item.id} image={item} />
   );
   return (
     <SafeAreaView style={styles.container}>
-      <Explore />
       <FlatList
         keyExtractor={(photo) => photo.id.toString()}
         data={photos.default}
         style={styles.container}
         renderItem={renderPhoto}
+        ListHeaderComponent={
+          <>
+            <Explore />
+            <SectionHeading>New</SectionHeading>
+          </>
+        }
+        ItemSeparatorComponent={Separator}
       />
     </SafeAreaView>
   );
 });
And that's it! Now your app should look something like this. Congrats! You did it. 🎉

Conclusion
Thanks for following along as we added the explore section and search results page to our React Native app.
To see the changes between part three of this series and this part you can check out the diff on Github.
You can also see the entire codebase so far by viewing the branch on Github.
Make sure to stay tuned for part five where we build the image detail gallery!
Has there been something in this article that didn't make sense? Let's connect on Twitter, I'd love to help you along on your React Native journey!
