Step By Step Tutorial: Building a Comprehensive Food Delivery App with React JS in 2024

Posted by


Food delivery apps have become increasingly popular in recent years, providing users with a convenient way to order food from their favorite restaurants and have it delivered right to their doorstep. In this tutorial, we will be explaining how to create a complete food delivery app using React JS, a popular JavaScript framework for building user interfaces. By the end of this tutorial, you will have a fully functional food delivery app that allows users to browse restaurants, view menus, place orders, and track the status of their deliveries.

Step 1: Set Up Your Development Environment

Before we jump into building our food delivery app, we need to set up our development environment. Make sure you have Node.js and npm installed on your machine. You can download them from the official Node.js website.

Next, create a new React project by running the following command in your terminal:

npx create-react-app food-delivery-app

This command will create a new React project called "food-delivery-app" in your current directory. Change into the newly created directory by running:

cd food-delivery-app

Now, start the development server by running:

npm start

You should now see the default React welcome screen in your browser at http://localhost:3000.

Step 2: Set Up Firebase

We will be using Firebase, a cloud-based platform, for the backend of our food delivery app. Sign up for a free Firebase account and create a new project. Once your project is created, navigate to the Firestore database and set it up with the following rules:

{
  "rules": {
    ".read": "auth != null",
    ".write": "auth != null"
  }
}

Make sure to copy your Firebase configuration details from the project settings page, as we will need them later.

Step 3: Create Components

Now that we have set up our development environment and backend, it’s time to start building our app. Create a new folder called "components" inside the src directory of your project. Inside this folder, create the following components:

  • RestaurantList.js: This component will display a list of restaurants available for delivery.
  • Menu.js: This component will display the menu of a selected restaurant.
  • Cart.js: This component will display the user’s cart with their selected items.
  • OrderConfirmation.js: This component will display the order confirmation screen.
  • OrderHistory.js: This component will display the user’s order history.

Step 4: Fetch Data from Firebase

In your RestaurantList.js component, import Firebase and set up a connection to your Firestore database using the Firebase configuration details you copied earlier:

import firebase from 'firebase/app';
import 'firebase/firestore';

const firebaseConfig = {
  apiKey: "YOUR_API_KEY",
  authDomain: "YOUR_AUTH_DOMAIN",
  projectId: "YOUR_PROJECT_ID",
  storageBucket: "YOUR_STORAGE_BUCKET",
  messagingSenderId: "YOUR_MESSAGING_SENDER_ID",
  appId: "YOUR_APP_ID"
};

firebase.initializeApp(firebaseConfig);
const db = firebase.firestore();

Next, create a function to fetch a list of restaurants from Firestore and display them in your component:

const RestaurantList = () => {
  const [restaurants, setRestaurants] = useState([]);

  useEffect(() => {
    const fetchData = async () => {
      const data = await db.collection('restaurants').get();
      setRestaurants(data.docs.map(doc => doc.data()));
    };
    fetchData();
  }, []);

  return (
    <div>
      {restaurants.map((restaurant) => (
        <div key={restaurant.id}>
          <h2>{restaurant.name}</h2>
          <p>{restaurant.description}</p>
        </div>
      ))}
    </div>
  );
};

Step 5: Add Navigation

To allow users to navigate between different screens in our food delivery app, we will use React Router. Install React Router by running:

npm install react-router-dom

Next, create a new file called App.js in the src directory and initialize a basic routing structure for our app:

import { BrowserRouter as Router, Switch, Route } from 'react-router-dom';
import RestaurantList from './components/RestaurantList';
import Menu from './components/Menu';
import Cart from './components/Cart';

function App() {
  return (
    <Router>
      <Switch>
        <Route exact path="/" component={RestaurantList} />
        <Route path="/menu/:restaurantId" component={Menu} />
        <Route path="/cart" component={Cart} />
      </Switch>
    </Router>
  );
}

export default App;

Step 6: Implement Ordering Functionality

In your Menu.js component, create a function to add items to the user’s cart and calculate the total order amount:

const Menu = () => {
  const [cart, setCart] = useState([]);
  const [totalAmount, setTotalAmount] = useState(0);

  const addToCart = (item) => {
    setCart([...cart, item]);
    setTotalAmount(totalAmount + item.price);
  };

  return (
    <div>
      {menuItems.map((item) => (
        <div key={item.id}>
          <h3>{item.name}</h3>
          <p>{item.price}</p>
          <button onClick={() => addToCart(item)}>Add to Cart</button>
        </div>
      ))}
      <h4>Total Amount: {totalAmount}</h4>
    </div>
  );
};

Step 7: Implement Order Confirmation

In your Cart.js component, create a function to allow users to confirm their order and submit it to the Firestore database:

const Cart = () => {
  const confirmOrder = () => {
    db.collection('orders').add({ items: cart, totalAmount, status: 'pending' });
    // Redirect user to order confirmation screen
    history.push('/order-confirmation');
  };

  return (
    <div>
      {cart.map((item) => (
        <div key={item.id}>
          <h3>{item.name}</h3>
          <p>{item.price}</p>
        </div>
      ))}
      <button onClick={confirmOrder}>Confirm Order</button>
    </div>
  );
};

Step 8: Display Order History

In your OrderHistory.js component, fetch the user’s order history from Firestore and display it in a list:

const OrderHistory = () => {
  const [orders, setOrders] = useState([]);

  useEffect(() => {
    const fetchData = async () => {
      const data = await db.collection('orders').get();
      setOrders(data.docs.map(doc => doc.data()));
    };
    fetchData();
  }, []);

  return (
    <div>
      {orders.map((order) => (
        <div key={order.id}>
          {order.items.map((item) => (
            <div key={item.id}>
              <h3>{item.name}</h3>
              <p>{item.price}</p>
            </div>
          ))}
          <h4>Total Amount: {order.totalAmount}</h4>
          <p>Status: {order.status}</p>
        </div>
      ))}
    </div>
  );
};

Step 9: Testing and Deployment

Congratulations! You have successfully created a complete food delivery app using React JS. Test your app locally by running it in the development server:

npm start

Once you have tested your app and are satisfied with the results, you can deploy it to a hosting service like Vercel or Netlify. Follow the deployment instructions provided by the hosting service to make your app accessible to users online.

In this tutorial, we covered the basic steps for creating a food delivery app using React JS. You can further enhance your app by adding features like user authentication, real-time order tracking, and integration with payment gateways. Feel free to experiment and customize your app to make it even better!

0 0 votes
Article Rating

Leave a Reply

40 Comments
Oldest
Newest Most Voted
Inline Feedbacks
View all comments
@GreatStackDev
5 days ago

Backend and admin panel: https://youtu.be/DBMPXJJfQEA

@loveandlike6747
5 days ago

Thanks a lot , can you make one project for very beginner react please?

@rajshekheryadav1797
5 days ago

sir,please provide live link of this project

@MUSHIMIREVictor
5 days ago

Hello sir can you guide us on how to host above project on vercel or github.

@theeagle4213
5 days ago

Completed the project and waiting for backend. Thank You sir

@mishaalvi4257
5 days ago

Amazing project! very helpful in building concepsts of react👍

@u-tube6746
5 days ago

How did you get all the images

@user-gz9tr4zw7k
5 days ago

Just Completed

@vid-savage619
5 days ago

FYI: If you found bug of addToCart
1:40:00 You all should rename in asset.js at export const food_list from _id to id

@user-zh3bg6os9r
5 days ago

Wow you just helped me understand how to achieve my project.. thank you

@danadaa9772
5 days ago

My Web page got blanked after the router tag was added. Can you explain why that?

@theeagle4213
5 days ago

amazing sir Thank you for your services.

@Redgateer
5 days ago

I cant restart my vite environment using the integrated terminal. I had to come back to the project after working on something else and I can no longer monitor changes using localhost. If anyone has advice on how to restrat vite lmk

@5041-SHAKINABANUS-IT
5 days ago

I'm facing a issue while working in the project whenever I am creating the category in the menu and in the const variable my webpage is not displaying but it didn't show any error Can anyone tell me what should I do to resolve this?

@NIKHILGUPTA-s1r
5 days ago

please provide its figma design

@nikhilgowda514
5 days ago

How to solve react router dom not respond it shows blank page doesnot show the home page what issue

@nikhilgowda514
5 days ago

How to solve react router dom not respond it shows blank page doesnot show the home page what issue

@user-BP2020
5 days ago

Thank Q sir 😍😍😚😚

@amitthul3520
5 days ago

Hi sir
I got one problem in storecontext component where the object is not read in cartItmes useState because of that when i try to add on something the click plus button is applying for all image

@salmanhaider8182
5 days ago

2:35:38

40
0
Would love your thoughts, please comment.x
()
x