GraphQL is a powerful query language for APIs that allows clients to request only the data they need. Setting up a GraphQL server might seem daunting at first, but with a few simple examples, you’ll see how straightforward it can be. In this guide, we will walk through three diverse examples that demonstrate different ways to set up a GraphQL server. Let’s dive in!
This example is perfect for beginners who want to create a simple GraphQL server using Node.js and Express. It’s an excellent starting point for understanding how GraphQL works.
const express = require('express');
const { ApolloServer, gql } = require('apollo-server-express');
// Define your type definitions
const typeDefs = gql`
type Query {
hello: String
}
`;
// Provide resolver functions for your schema fields
const resolvers = {
Query: {
hello: () => 'Hello, world!'
}
};
const app = express();
const server = new ApolloServer({ typeDefs, resolvers });
server.applyMiddleware({ app });
app.listen({ port: 4000 }, () => {
console.log(`🚀 Server ready at http://localhost:4000${server.graphqlPath}`);
});
In this example, we will set up a GraphQL server that connects to a MongoDB database. This is useful for applications that require persistent data storage.
const express = require('express');
const { ApolloServer, gql } = require('apollo-server-express');
const mongoose = require('mongoose');
// Connect to MongoDB
mongoose.connect('mongodb://localhost:27017/mydatabase', { useNewUrlParser: true, useUnifiedTopology: true });
const User = mongoose.model('User', new mongoose.Schema({ name: String }));
// Define your type definitions
const typeDefs = gql`
type User {
id: ID!
name: String
}
type Query {
users: [User]
}
`;
// Provide resolver functions for your schema fields
const resolvers = {
Query: {
users: async () => await User.find()
}
};
const app = express();
const server = new ApolloServer({ typeDefs, resolvers });
server.applyMiddleware({ app });
app.listen({ port: 4000 }, () => {
console.log(`🚀 Server ready at http://localhost:4000${server.graphqlPath}`);
});
This example demonstrates how to set up a GraphQL server that supports real-time data updates through subscriptions. This is ideal for apps that need to receive live updates.
const express = require('express');
const { ApolloServer, gql } = require('apollo-server-express');
const { createServer } = require('http');
const { SubscriptionServer } = require('subscriptions-transport-ws');
const { execute, subscribe } = require('graphql');
const typeDefs = gql`
type Message {
content: String
}
type Query {
messages: [Message]
}
type Subscription {
messageSent: Message
}
`;
const messages = [];
const resolvers = {
Query: {
messages: () => messages
},
Subscription: {
messageSent: {
subscribe: (parent, args, { pubsub }) => {
return pubsub.asyncIterator('MESSAGE_SENT');
}
}
}
};
const app = express();
const server = new ApolloServer({ typeDefs, resolvers });
const httpServer = createServer(app);
server.applyMiddleware({ app });
httpServer.listen(4000, () => {
new SubscriptionServer({
execute,
subscribe,
schema: server.schema
}, {
server: httpServer,
path: server.graphqlPath
});
console.log(`🚀 Server ready at http://localhost:4000${server.graphqlPath}`);
});
pubsub
from the graphql-subscriptions
package to handle real-time events.By going through these examples of setting up a GraphQL server, you’ll have the tools to create and expand your own GraphQL APIs tailored to your specific needs. Happy coding!