Loading...

Building Your First REST API with Node.js and Express

Jeevan Singh

28 August, 2025

Node.js Logo


REST APIs are the backbone of modern web and mobile applications. They allow clients and servers to communicate effectively, exchanging data in a structured way. In this blog, we’ll walk through the process of building your first REST API using Node.js and Express – one of the most popular frameworks for server-side JavaScript.

Why Use Express for APIs?

While Node.js provides the core runtime, Express.js simplifies the process of building APIs by offering an easy-to-use framework. It provides routing, middleware support, and a clean structure to build scalable applications. With Express, you can create REST APIs in just a few lines of code.

Step-by-Step Guide to Building Your First REST API

1. Initialize a New Node.js Project

Create a project folder and initialize it with npm:

mkdir my-first-api
cd my-first-api
npm init -y

This sets up your project and creates a package.json file.

2. Install Express

Next, install Express.js:

npm install express

This adds Express as a dependency to your project.

3. Create Your API Server

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

const express = require('express');
const app = express();
const PORT = 3000;

// Middleware to parse JSON
app.use(express.json());

// Sample data
let users = [
  { id: 1, name: 'John Doe' },
  { id: 2, name: 'Jane Smith' }
];

// GET all users
app.get('/api/users', (req, res) => {
  res.json(users);
});

// GET single user
app.get('/api/users/:id', (req, res) => {
  const user = users.find(u => u.id === parseInt(req.params.id));
  user ? res.json(user) : res.status(404).json({ message: 'User not found' });
});

// POST new user
app.post('/api/users', (req, res) => {
  const newUser = {
    id: users.length + 1,
    name: req.body.name
  };
  users.push(newUser);
  res.status(201).json(newUser);
});

// PUT update user
app.put('/api/users/:id', (req, res) => {
  const user = users.find(u => u.id === parseInt(req.params.id));
  if (user) {
    user.name = req.body.name || user.name;
    res.json(user);
  } else {
    res.status(404).json({ message: 'User not found' });
  }
});

// DELETE user
app.delete('/api/users/:id', (req, res) => {
  users = users.filter(u => u.id !== parseInt(req.params.id));
  res.json({ message: 'User deleted successfully' });
});

// Start server
app.listen(PORT, () => {
  console.log(`Server running on http://localhost:${PORT}`);
});

This simple API allows you to perform CRUD operations (Create, Read, Update, Delete) on a list of users.

4. Test Your API

Run your server with:

node server.js

Use tools like Postman or curl to test your API endpoints:

  • GET /api/users → Fetch all users
  • GET /api/users/:id → Fetch a single user
  • POST /api/users → Add a new user
  • PUT /api/users/:id → Update a user
  • DELETE /api/users/:id → Delete a user

How This Helps You

By creating this REST API, you’ve built a foundation for more advanced applications. You can now connect your frontend (React, Angular, Vue, or even mobile apps) to this backend and manage data seamlessly. Understanding the basics of Express and REST APIs opens doors to building scalable full-stack applications.

Conclusion

Building your first REST API with Node.js and Express is a major step toward becoming a full-stack developer. With just a few lines of code, you created a functional backend that supports CRUD operations. From here, you can expand by connecting to databases, adding authentication, or deploying your API to production. Keep experimenting, and you’ll soon be building powerful backend systems!

RECENT POSTS

The Impact of Retention on Company Culture: Why Keeping Employees Matters More Than Ever

The Impact of Retention on Company Culture: Why Keeping Employees Matters More Than Ever Khushi Kaushik 08 dec, 2025 In today’s competitive business landscape, organizations are investing heavily in hiring the best talent— but the real challenge begins after onboarding. Employee retention is no longer just an HR metric; it has become a defining factor […]

How a BDE Connects Business Vision With Technology

How a BDE Connects Business Vision With Technology Kumkum Kumari                                                              21/11/2025At Speqto, we work with organizations that are constantly evolving entering new markets, scaling operations, or […]

Apache JMeter Demystified: Your 7-Stage Blueprint for a Seamless First Performance Test

Apache JMeter Demystified: Your 7-Stage Blueprint for a Seamless First Performance Test Megha Srivastava 21 November 2025 In the intricate world of software development and deployment, ensuring a robust user experience is paramount. A slow application can quickly deter users, impacting reputation and revenue. This is where Apache JMeter emerges as an indispensable tool, offering […]

STRIDE Simplified: A Hands-On Blueprint for Pinpointing Software Threats Effectively

STRIDE Simplified: A Hands-On Blueprint for Pinpointing Software Threats Effectively Megha Srivastava 21 November 2025 In the intricate landscape of modern software development, proactive security measures are paramount. While reactive incident response is crucial, preventing vulnerabilities before they become exploits is the hallmark of robust software engineering. This is where threat modeling, and specifically the […]

From Static to Streaming: A Practical Developer’s Guide to Real-time Applications Using GraphQL Subscriptions

From Static to Streaming: A Practical Developer’s Guide to Real-time Applications Using GraphQL Subscriptions Shakir Khan 21 November 2025 The Paradigm Shift: From Static to Streaming Experiences In an era where user expectations demand instant gratification, the web has rapidly evolved beyond its static origins. Today, a modern application’s success is often measured by its […]

POPULAR TAG

POPULAR CATEGORIES