Chaining requests in Postman allows you to execute multiple requests in a sequence, where the output of one request can be used as the input for the next. This is particularly useful in scenarios like authentication, where you need a token from one request to access another resource. Below are three practical examples of chaining requests in Postman.
In this example, we will authenticate a user and then retrieve their profile data using the obtained token.
You start by sending a POST request to the authentication endpoint to log in, which provides a token. This token will then be used in the subsequent GET request to fetch user data.
To set this up, proceed as follows:
POST Request: Send a request to the login endpoint.
https://api.example.com/login
{
"username": "testuser",
"password": "password123"
}
In the Tests tab of the POST request, save the token to an environment variable:
pm.environment.set("authToken", pm.response.json().token);
GET Request: Use the token in a request to get user data.
https://api.example.com/user
Authorization: Bearer {{authToken}}
Ensure you have the environment variable set up in Postman. You can view the token in the Postman console for debugging.
Here, we will create a new item in a resource list and then retrieve it to confirm creation.
The process involves sending a POST request to create an item, followed by a GET request to fetch the newly created item.
POST Request: Create a new item.
https://api.example.com/items
{
"name": "New Item",
"type": "example"
}
In the Tests tab, save the ID of the created item:
pm.environment.set("itemId", pm.response.json().id);
GET Request: Retrieve the created item.
https://api.example.com/items/{{itemId}}
This approach is helpful for validating that the item was created successfully, especially if there are unique identifiers needed for subsequent operations.
In this instance, we will update user information and then validate that the update was successful by retrieving the updated data.
The workflow consists of sending a PUT request to update the user’s details and then a GET request to fetch the updated information.
PUT Request: Update user information.
https://api.example.com/user/{{userId}}
{
"email": "newemail@example.com"
}
In the Tests tab, confirm the response status is 200:
pm.test("Update successful", function () {
pm.response.to.have.status(200);
});
GET Request: Validate the updated information.
https://api.example.com/user/{{userId}}
Using assertions in the Tests tab ensures that updates are functioning as expected, providing immediate feedback on the operation’s success.
These examples highlight the power and flexibility of chaining requests in Postman, making API testing smoother and more efficient.