DEV Community

Cover image for GraphQL vs REST: Implementing GraphQL in a MERN Application πŸš€
Info general Hazedawn
Info general Hazedawn

Posted on

GraphQL vs REST: Implementing GraphQL in a MERN Application πŸš€

In the world of web development, APIs play a crucial role in enabling communication between the frontend and backend. While REST has been the traditional choice for building APIs, GraphQL has emerged as a powerful alternative that offers greater flexibility and efficiency. In this blog post, we will explore the differences between GraphQL and REST, how to set up GraphQL with Express and MongoDB, and how to query and mutate data in a React application. Let’s dive in! 🌐

What is GraphQL? πŸ€”

GraphQL is a query language for your API that allows clients to request exactly the data they need. Unlike REST, which exposes multiple endpoints for different resources, GraphQL operates through a single endpoint where clients can specify their data requirements. This approach reduces over-fetching and under-fetching of data, making it more efficient for modern applications.

Key Differences Between GraphQL and REST:

  • Single Endpoint: GraphQL uses one endpoint for all requests, while REST has multiple endpoints.

  • Flexible Queries: Clients can request specific fields, reducing unnecessary data transfer.

  • Strongly Typed Schema: GraphQL APIs are defined by a schema that specifies the types of data available.

Setting Up GraphQL with Express and MongoDB πŸ› οΈ

Step 1: Initialize Your MERN Project

  • Create a New Directory:

bash
mkdir graphql-mern-app
cd graphql-mern-app

  • Initialize Node.js Project:

bash
npm init -y

  • Install Required Packages:

bash
npm install express mongoose graphql express-graphql cors

Step 2: Create Your Server

  • Create server.js File:

In your project root, create a file named server.js and add the following code:

javascript
const express = require('express');
const mongoose = require('mongoose');
const { graphqlHTTP } = require('express-graphql');
const schema = require('./schema/schema'); // We'll create this later
const cors = require('cors');

const app = express();
const PORT = process.env.PORT || 5000;

app.use(cors());

// Connect to MongoDB
mongoose.connect('mongodb://localhost/graphql-mern', {
useNewUrlParser: true,
useUnifiedTopology: true,
})
.then(() => console.log("MongoDB connected"))
.catch(err => console.error(err));

// Setup GraphQL endpoint
app.use('/graphql', graphqlHTTP({
schema,
graphiql: true, // Enable GraphiQL interface
}));

app.listen(PORT, () => {
console.log(Server is running on port ${PORT});
});

Step 3: Define Your Data Model with Mongoose πŸ“Š

  • Create a Model:

Create a folder named models and inside it create a file named Item.js:

javascript
const mongoose = require('mongoose');

const ItemSchema = new mongoose.Schema({
name: { type: String, required: true },
quantity: { type: Number, required: true },
description: { type: String },
});

module.exports = mongoose.model('Item', ItemSchema);

Step 4: Create Your GraphQL Schema πŸ“œ

  • Create Schema File:

Create a folder named schema and inside it create a file named schema.js:

javascript
const graphql = require('graphql');
const Item = require('../models/Item');

const { GraphQLObjectType, GraphQLString, GraphQLInt, GraphQLSchema, GraphQLList } = graphql;

// Define Item Type
const ItemType = new GraphQLObjectType({
name: 'Item',
fields: () => ({
id: { type: GraphQLString },
name: { type: GraphQLString },
quantity: { type: GraphQLInt },
description: { type: GraphQLString },
}),
});

// Root Query
const RootQuery = new GraphQLObjectType({
name: 'RootQueryType',
fields: {
items: {
type: new GraphQLList(ItemType),
resolve(parent, args) {
return Item.find();
}
},
item: {
type: ItemType,
args: { id: { type: GraphQLString } },
resolve(parent, args) {
return Item.findById(args.id);
}
}
}
});

// Mutations
const Mutation = new GraphQLObjectType({
name: 'Mutation',
fields: {
addItem: {
type: ItemType,
args: {
name: { type: GraphQLString },
quantity: { type: GraphQLInt },
description: { type: GraphQLString }
},
resolve(parent, args) {
const item = new Item({
name: args.name,
quantity: args.quantity,
description: args.description,
});
return item.save();
}
},
deleteItem: {
type: ItemType,
args: { id: { type: GraphQLString } },
resolve(parent, args) {
return Item.findByIdAndRemove(args.id);
}
}
}
});

module.exports = new GraphQLSchema({
query: RootQuery,
mutation: Mutation,
});

Querying and Mutating Data with GraphQL in React πŸ“²

Step 5: Set Up Your React Frontend

  • Create React App:

bash
npx create-react-app client
cd client
npm install @apollo/client graphql

  • Setup Apollo Client:

In src/index.js, set up Apollo Client:

javascript
import React from 'react';
import ReactDOM from 'react-dom';
import App from './App';
import { ApolloClient, ApolloProvider, InMemoryCache } from '@apollo/client';

const client = new ApolloClient({
uri: 'http://localhost:5000/graphql',
cache: new InMemoryCache(),
});

ReactDOM.render(


,
document.getElementById('root')
);

Step 6: Querying Data in React Components

  • Create a Component to Fetch Items:

In src/App.js, add the following code to fetch and display items:

javascript
import React from 'react';
import { useQuery, gql } from '@apollo/client';

const GET_ITEMS = gql
query GetItems {
items {
id
name
quantity
description
}
}
;

function App() {
const { loading, error, data } = useQuery(GET_ITEMS);

if (loading) return

Loading...

;
if (error) return

Error :(

;

return (


Items


    {data.items.map(item => (
  • {item.name}

    Quantity: {item.quantity}

    Description: {item.description}

  • ))}




);

}

export default App;

Conclusion πŸŽ‰

Congratulations! You have successfully implemented a basic GraphQL API using Node.js and Express.js while connecting it to MongoDB. By leveraging the power of GraphQL, you can efficiently query and mutate data in your MERN application.

GraphQL provides greater flexibility compared to traditional REST APIs by allowing clients to request only the data they need through a single endpoint. As you continue to develop your application, consider exploring advanced features like subscriptions for real-time updates or integrating authentication mechanisms.

Start building your next project with GraphQL today! πŸ’»βœ¨

GraphQL #REST #MERNStack #WebDevelopment #NodeJS #ExpressJS #MongoDB #ReactJS #API #CodingJourney

Top comments (1)

Collapse
 
anuja_mehta_5a6363c99f6d8 profile image
anuja Mehta

Great post! I appreciate the clear comparison between GraphQL and REST. Implementing GraphQL in a MERN stack is a game-changer for API design. It allows for more efficient data fetching, reducing over-fetching and under-fetching issues common with REST. Plus, integrating it into a MERN application enhances flexibility and performance. For complex applications with multiple data sources, GraphQL's single endpoint and powerful querying capabilities make it a strong choice. Thanks for the detailed implementation guide!