REST API stands for REpresentational State Transfer API. It is a type of API (Application Programming Interface) that allows communication between different systems over the internet. REST APIs work by sending requests and receiving responses, typically in JSON format, between the client and server.
REST APIs use HTTP methods (such as GET, POST, PUT, DELETE) to define actions that can be performed on resources. These methods align with CRUD (Create, Read, Update, Delete) operations, which are used to manipulate resources over the web.
A request is sent from the client to the server via a web URL, using one of the HTTP methods. The server then responds with the requested resource, which could be HTML, XML, Image, or JSON, with JSON being the most commonly used format for modern web services.
Key Features of REST APIsNote => REST is an architectural design style for APIs, while HTTP is the communication protocol used for data transfer over the web. REST APIs use HTTP methods to interact with resources, but they are not the same thing. REST defines how the APIs should behave, while HTTP defines the rules for communication over the web. They commonly work together, but they serve different purposes.
In HTTP, there are five methods that are commonly used in a REST-based Architecture, i.e., POST, GET, PUT, PATCH, and DELETE. These correspond to create, read, update, and delete (or CRUD) operations, respectively. There are other methods that are less frequently used, like OPTIONS and HEAD.
1. GET MethodThe HTTP GET method is used to read (or retrieve) a representation of a resource. In the safe path, GET returns a representation in XML or JSON and an HTTP response code of 200 (OK). In an error case, it most often returns a 404 (NOT FOUND) or 400 (BAD REQUEST).
GET /users/123
This request fetches data for the user with ID 123.
2. POST MethodThe POST method is commonly used to create new resources. It is often used to create subordinate resources related to a parent resource. Upon successful creation, the server returns HTTP status 201 (Created) along with a Location header pointing to the newly created resource.
POST /users
{
"name": "Anjali",
"email": "gfg@example.com"
}
This request creates a new user with the given data.
3. PUT MethodNOTE: POST is neither safe nor idempotent.
PUT is an HTTP method used to update or create a resource on the server. When using PUT, the entire resource is sent in the request body, and it replaces the current resource at the specified URL. If the resource doesn’t exist, it can create a new one.
PUT /users/123
{
"name": "Anjali",
"email": "gfg@example.com"
}
This request updates the user with ID 123 or creates a new user if one doesn't exist.
4. PATCH MethodPATCH is an HTTP method used to partially update a resource on the server. Unlike PUT, PATCH only requires the fields that need to be updated to be sent in the request body. It modifies specific parts of the resource rather than replacing the entire resource.
PATCH /users/123
{
"email": "new.email@example.com"
}
This request updates only the email of the user with ID 123, leaving the rest of the user data unchanged.
Key Differences Between PUT & PATCHBoth PATCH and PUT are used to update resources on the server, but they differ in how they handle the update process:
PUT PATCH Replaces the entire resource Updates only specified fields Must send full data Only sends changes Idempotent Not always idempotent Example: Updating a user’s entire profile Example: Changing just a user’s email 5. DELETE MethodIt is used to delete a resource identified by a URI. On successful deletion, return HTTP status 200 (OK) along with a response body.
DELETE /users/123
This request deletes the user with ID 123.
Create a Simple REST API using Node.js and ExpressIdempotence: An idempotent HTTP method is a HTTP method that can be called many times without different outcomes. It would not matter if the method is called only once, or ten times over. The result should be the same. Again, this only applies to the result, not the resource itself.
Now let's create a REST AP and perform the various HTTP operations.
Step 1: Create the folderCreate the NodeJs project by using the following command:
mkdir node-appStep 2: Install the package.json
cd node-app
npm init -yStep 3: Install Express
To begin building a REST API in Node.js, you need to install Express. Run the following command in your terminal:
npm install expressStep 4: Create the Server
Here’s a basic example of creating a REST API in Node.js using Express
JavaScript
// Import the Express module
const express = require('express');
const app = express();
const port = 3000;
app.use(express.json());
// Define a route for GET requests
app.get('/users', (req, res) => {
res.json({ message: 'Returning list of users' });
});
// Define a route for POST requests
app.post('/users', (req, res) => {
const newUser = req.body;
res.json({ message: 'User created', user: newUser });
});
// Define a route for PUT requests
app.put('/users/:id', (req, res) => {
const userId = req.params.id;
const updatedUser = req.body;
res.json({ message: `User with ID ${userId} updated`, updatedUser });
});
// Define a route for DELETE requests
app.delete('/users/:id', (req, res) => {
const userId = req.params.id;
res.json({ message: `User with ID ${userId} deleted` });
});
// Start the server
app.listen(port, () => {
console.log(`Server is running on http://localhost:${port}`);
});
Output: To test the API, open http://localhost:3000 in Postman or another API testing tool.
In this example
REST APIs are widely used across various industries to simplify communication between systems. Some common applications include:
GraphQL is another popular approach for building APIs. Here's how it compares to REST API:
Feature REST API GraphQL Flexibility Fixed endpoints, predefined responses Clients request only the data they need Efficiency May require multiple API calls for related data Single request fetches nested/related data Over-fetching Often returns extra unused data No over-fetching – only requested fields Under-fetching Sometimes needs additional requests to get all data Gets all needed data in one query Complexity Simpler for basic use cases More flexible but requires learning GraphQL queriesRetroSearch is an open source project built by @garambo | Open a GitHub Issue
Search and Browse the WWW like it's 1997 | Search results from DuckDuckGo
HTML:
3.2
| Encoding:
UTF-8
| Version:
0.7.4