Rest Assured Scenario Based Interview Questions with Answers

In previous articles, we have covered Rest Assured Basic Interview Questions and Rest Assured Advanced Interview Questions. In this article, we will cover Rest Assured Scenario Based Interview Questions to help you crack Rest Assured interviews.

How do we Create employee record and validate it in single API request using Rest Assured?

We first create an employee record using POST request and then validate the response in the same request using GET request. Here is the code snippet:
Response response = given()
    .contentType(ContentType.JSON)
    .body("{ \"name\": \"John Doe\", \"age\": 30, \"salary\": 50000 }")
    .post("/employees");

response.then()
    .statusCode(201);

String employeeId = response.jsonPath().getString("id");

given()
    .get("/employees/{id}", employeeId)
    .then()
    .statusCode(200)
    .body("name", equalTo("John Doe"))
    .body("age", equalTo(30))
    .body("salary", equalTo(50000));

How to validate response that changes with each request using Rest Assured?

To validate a response that contains dynamic values that change with each request, we can use matchers in Rest Assured. Here is an example:
given()
    .get("/api/data")
    .then()
    .body("timestamp", matchesPattern("\\d{4}-\\d{2}-\\d{2}"))
    .body("id", not(empty()));
In this example, we are validating that the "timestamp" field matches a specific pattern and the "id" field is not empty in the response.

How to handle CORS enabled API requests using Rest Assured?

We can use RequestSpecification to add custom headers for CORS enabled API requests in Rest Assured. Here is an example:
RequestSpecification requestSpec = new RequestSpecBuilder()
    .addHeader("Origin", "http://example.com")
    .addHeader("Access-Control-Request-Method", "GET")
    .addHeader("Access-Control-Request-Headers", "Content-Type")
    .build();

given()
    .spec(requestSpec)
    .get("/cors-api")
    .then()
    .statusCode(200);
In this example, we are adding custom headers for CORS enabled API requests using RequestSpecification in Rest Assured.

How to validate complex nested JSON response with multiple arrays using Rest Assured?

To validate a complex nested JSON response with multiple arrays, we can use JsonPath with GPath expressions in Rest Assured. Here is an example:
given()
    .get("/api/users")
    .then()
    .body("users.findAll{it.age > 18}.name", hasItems("John", "Jane"))
    .body("users[0].address.city", equalTo("New York"));
In this example, we are validating that the response contains users with age greater than 18 and their names are "John" and "Jane". We are also validating that the first user's address city is "New York".

How to test pagination with 10 pages of data using Rest Assured?

We can send multiple API requests with different page numbers to test pagination with 10 pages of a data using loop. Here is an example:
for (int page = 1; page <= 10; page++) {
    given()
        .queryParam("page", page)
        .get("/api/data")
        .then()
        .statusCode(200);
}

How to test api with Localization or that supports multiple languages?

We can use RequestSpecification to add custom headers for localization or multiple languages in Rest Assured. Here is an example:
RequestSpecification requestSpec = new RequestSpecBuilder()
    .addHeader("Accept-Language", "fr-FR")
    .build();
    
In this example, we are adding a custom header "Accept-Language" with value "fr-FR" to test an API that supports French language.

Session Management in Rest Assured?

We can use SessionFilter to manage sessions in Rest Assured. Here is an example:
SessionFilter sessionFilter = new SessionFilter();

given()
    .filter(sessionFilter)

// Login
.post("/login")
.then()
.statusCode(200);

// Access secure resource
given()
    .filter(sessionFilter)
.get("/secure-resource")
.then()
.statusCode(200);
In this example, we are using a SessionFilter to manage sessions for login and accessing secure

How to generate co-relation id for each request in Rest Assured?

We can use UUID to generate a correlation id for each request in Rest Assured. Here is an example:
String correlationId = UUID.randomUUID().toString();

given()
    .header("X-Correlation-ID", correlationId)
    .get("/correlated-endpoint")
    .then()
    .statusCode(200);
In this example, we are generating a UUID as a correlation id and adding it as a header "X-Correlation-ID" for each request in Rest Assured.

Masking sensitive data in Rest Assured?

We can use matchesPattern() matcher to mask sensitive data in Rest Assured. Here is an example:
given()
    .get("/user/details")
    .then()
    .body("creditCard", matchesPattern("XXXX-XXXX-XXXX-\\d{4}"))
    .body("ssn", matchesPattern("XXX-XX-\\d{4}"));
In this example, we are masking sensitive data like credit card and social security number using matchesPattern

How to upload multiple files in a single API request using Rest Assured?

To upload multiple files in a single API request using Rest Assured, we can use the multiPart() method. Here is an example:
given()
    .multiPart("file1", new File("doc1.pdf"))
    .multiPart("file2", new File("doc2.pdf"))
    .post("/upload");
In this example, we are uploading two files "doc1.pdf" and "doc2.pdf" in a single API request.

How to Bearer token header that can be reused across multiple requests using Rest Assured?

We can use RequestSpecification to add custom headers that need to be reused across multiple requests in Rest Assured. Here is an example:
RequestSpecification requestSpec = new RequestSpecBuilder()
    .addHeader("Authorization", "Bearer token")
    .addHeader("Custom-Header", "value")
    .build();
In this example, we are creating a RequestSpecification with custom headers "Authorization" and "Custom-Header" that can be reused across multiple requests.

How to retry failed API requests automatically using Rest Assured?

We can implement a custom Filter with retry logic to retry failed API requests automatically in Rest Assured. Here is an example:
given()
    .filter(new RetryFilter(3))
    .get("/unstable-api");
In this example, we are retrying the API request "/unstable-api" up to 3 times using a custom retry filter.

How to execute api tests in parallel using Rest Assured?

We can use ExecutorService to execute API tests in parallel in Rest Assured. Here is an example:
List<CompletableFuture<Response>> futures = endpoints.stream()
    .map(endpoint -> CompletableFuture.supplyAsync(() ->
        given().get(endpoint)))
    .collect(Collectors.toList());
In this example, we are executing API tests for multiple endpoints in parallel using CompletableFuture and ExecutorService.

How to test video streaming API using Rest Assured?

We can use Response.asInputStream() method to test video streaming API using Rest Assured. Here is an example:
InputStream videoStream = given()
    .get("/video-stream")
    .asInputStream();

// Validate video stream
// For example, check video duration, resolution, etc.

How to test API with gzip compressed response using Rest Assured?

We can configure Accept-Encoding header to handle gzip compressed response in Rest Assured. Here is an example:
given()
    .config(RestAssured.config()
        .encoderConfig(encoderConfig()
            .acceptEncoding("gzip, deflate")))
    .get("/compressed-api");

Explain testing E-commerce API like Amazon with multiple endpoints and authentication using Rest Assured?

To test an E-commerce API like Amazon with multiple endpoints and authentication using Rest Assured, we can create a test suite with different test cases for each endpoint. We can use RequestSpecification to add authentication headers and ExecutorService to execute tests in parallel. Examples of test cases can include:
  • Search for a product
  • Add a product to the cart
  • Checkout and place an order
  • Make the payment
  • Validate the response status code, response body, and response headers for each test case.
Coding Perspective:
  • Create a test suite with different test cases for each endpoint.
  • Use RequestSpecification to add authentication headers.
  • Use ExecutorService to execute tests in parallel.
  • Validate the response parameters for each test case.
If you have liked our content, please share it with your friends and colleagues.
Hope these Rest Assured Scenario Based Interview Questions help you to crack your next technical interview. If you have any questions or feedback, please feel free to contact us. Good luck!