KEMBAR78
Rest Api | PDF | Client–Server Model | Transport Layer Security
0% found this document useful (0 votes)
29 views50 pages

Rest Api

This document provides an overview of REST APIs, detailing their purpose, constraints, and popular HTTP request methods such as GET, POST, PUT, and DELETE. It also discusses best practices for designing REST APIs, including the use of JSON, proper naming conventions for endpoints, and the importance of using HTTP status codes for error handling. Additionally, it covers methods for consuming REST APIs using JavaScript, including XMLHttpRequest, Fetch, and Axios.

Uploaded by

jimcyabrahm0.17
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
29 views50 pages

Rest Api

This document provides an overview of REST APIs, detailing their purpose, constraints, and popular HTTP request methods such as GET, POST, PUT, and DELETE. It also discusses best practices for designing REST APIs, including the use of JSON, proper naming conventions for endpoints, and the importance of using HTTP status codes for error handling. Additionally, it covers methods for consuming REST APIs using JavaScript, including XMLHttpRequest, Fetch, and Axios.

Uploaded by

jimcyabrahm0.17
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
You are on page 1/ 50

REST API – An Overview

APIs for Updating and fetching data from the server


Why API is Required

• Why API Management?

• As an organization builds
Enterprise and mobile
apps for customers,
partners, and employees,
you need apps that
perform well over different
network types and speeds.
REST API and HTTP Requests
• REST API : A REST (REpresentational State Transfer ) API (also known as RESTful
API) is an application programming interface (API or web API)

• It conforms to the rules of REST architectural style

• It is the interface used by programs to interact with applications (not users)


POPULAR HTTP REQUEST METHODS :
The HTTP GET Requests Demo
Here is a list of sample API end points for HTTP GET in the browser :

http://localhost:3001/staff
Will list all the staff

http://localhost:3001/staff/2
Will list the staff with id 2

http://localhost:3001/staff?first_name=FirstName 1
Will list all the staffs with first name ‘FirstName 1’
A Demo REST API Online
We can use a nice service from the website called https://reqres.in/
Constraints of REST API
Uniform Interface:
The uniform interface constraint restrict the consistency interface between
clients and servers.

Stateless:
In REST, statelessness is key. This means that the necessary state to handle the
request is contained within the request itself.

Cacheable:
As on the World Wide Web, clients can cache responses. Well-managed caching
partially or completely eliminates some client–server interactions, further
improving scalability and performance.
Constraints of REST API
Client-Server
clients are not concerned with data storage, which remains internal to each
server. Servers are not concerned with the user interface or user state. Servers
and clients may also be replaced and developed independently, as long as the
interface is not altered.

Layered System
Intermediary servers may improve system scalability by enabling load-balancing
and by providing shared caches.
Popular HTTP Verbs
The four primary HTTP verbs are used as follows:

GET
Read a specific resource (by an identifier) or a collection

POST
Create a new resource.

PUT
Update a specific resource (by an identifier) or a collection

DELETE
Remove/delete a specific resource by an identifier.
Popular HTTP Verbs
PUT vs PATCH

When a client needs to replace an existing Resource entirely,


they can use PUT.

When they're doing a partial update, they can use PATCH.

PUT /users/1 PATCH /users/1

{ {
"username": "skwee357", "email": "skwee357@gmail.com" // new
"email": "skwee357@gmail.com" // new email email
}
}
Popular HTTP Response Codes
Top 10 HTTP Response Status Codes are as follows:

200 OK
General success status code. This is the most common code. Used
to indicate success.

201 CREATED
Successful creation occurred (via either POST or PUT). Response
body content may or may not be present.

204 NO CONTENT
Indicates success but nothing is in the response body, often
used for DELETE and PUT operations.
Popular HTTP Response Codes
Top 10 HTTP Response Status Codes are as follows:

400 BAD REQUEST


General error for when fulfilling the request would cause an
invalid state. Domain validation errors, missing data, etc. are
some examples.

401 UNAUTHORIZED
Error code response for missing or invalid authentication token.

403 FORBIDDEN
Error code for when the user is not authorized to perform the
operation or the resource is unavailable for some reason (e.g.
time constraints, etc.).
Popular HTTP Response Codes
Top 10 HTTP Response Status Codes are as follows:

404 NOT FOUND


Used when the requested resource is not found, whether it
doesn't exist or if there was a 401 or 403 that, for security
reasons, the service wants to mask.

405 METHOD NOT ALLOWED


Used to indicate that the requested URL exists, but the
requested HTTP method is not applicable.
Popular HTTP Response Codes
Top 10 HTTP Response Status Codes are as follows:

409 CONFLICT
Whenever a resource conflict would be caused by fulfilling the
request. Duplicate entries, such as trying to create two
customers with the same information, and deleting root objects
when cascade-delete is not supported are a couple of examples.

500 INTERNAL SERVER ERROR


The general catch-all error when the server-side throws an
exception. Use this only for errors that the consumer cannot
address from their end.
Popular HTTP Response Codes
Top 10 HTTP Response Status Codes are as follows:

409 CONFLICT
Whenever a resource conflict would be caused by fulfilling the
request. Duplicate entries, such as trying to create two
customers with the same information, and deleting root objects
when cascade-delete is not supported are a couple of examples.

500 INTERNAL SERVER ERROR


The general catch-all error when the server-side throws an
exception. Use this only for errors that the consumer cannot
address from their end.
HTTP Requests Using Postman
For HTTP requests other than GET you can make use of an HTTP client tool like
Postman (https://www.getpostman.com).

Download and install Postman for free


Using Postman Chrome App
In case you are not able to install the postman native app, you can for the time
being, have the postman chrome extension
(https://chrome.google.com/webstore/detail/postman/fhbjgbiflinjbdggehcddcbn
cdddomop ).
Using Postman Chrome App
In case you are not able to install the postman native app, you can for the time
being, have the postman chrome extension
(https://chrome.google.com/webstore/detail/postman/fhbjgbiflinjbdggehcddcbn
cdddomop ).
HTTP Requests Using Postman
HTTP Requests Using Postman

Save this request inside a


'collection' to use it again
HTTP Requests Using Postman

Save this request


inside a
'collection' to use
it again
REST API – Consume using JS
Send and Receive data from REST API using different JavaScript Classes
Consuming APIs Using JavaScript
There are different ways to make an API call using JS, they are

1. XMLHttpRequest

2. Fetch

3. Axios
Consume REST API using XMLHttpRequest
Before ES6 in 2015, XMLHttpRequest was the only way to make HTTP requests in
JavaScript. It will make async request to server. Here is a sample GET request

var request = new XMLHttpRequest()


request.open("GET","https://reqres.in/api/users");
request.send();
request.onload = () => {

if(request.status === 200){


//By default we receive the response in the string format, we need to parse into JSON.
console.log(JSON.parse(request.response))
} else {
console.log("Page not found")// if link is broken
}
}
Consume REST API using XMLHttpRequest
Send POST using XMLHttpRequest with JSON parameters

var params = {
name: "morpheus",
job: "leader"
}

var request = new XMLHttpRequest()


request.open('POST', 'https://reqres.in/api/users')
request.setRequestHeader('Content-type', 'application/json')
request.send(JSON.stringify(params)) // Make sure to stringify
request.onload = function() {
// Do whatever with response
console.log(request.responseText)
}
Consume REST API using XMLHttpRequest
Send PUT using XMLHttpRequest with JSON parameters

var params = {
name: "morpheus",
job: "leader"
}

var request = new XMLHttpRequest()


request.open('PUT', 'https://reqres.in/api/users/2')
request.setRequestHeader('Content-type', 'application/json')
request.send(JSON.stringify(params)) // Make sure to stringify
request.onload = function() {
// Do whatever with response
console.log(request.responseText)
}
Consume REST API using XMLHttpRequest
Send PATCH using XMLHttpRequest with JSON parameters

var params = {
job: "leader"
}

var request = new XMLHttpRequest()


request.open('PATCH', 'https://reqres.in/api/users/2')
request.setRequestHeader('Content-type', 'application/json')
request.send(JSON.stringify(params)) // Make sure to stringify
request.onload = function() {
// Do whatever with response
console.log(request.responseText)
}
Consume REST API using XMLHttpRequest
Send DELETE using XMLHttpRequest with JSON parameters

var request = new XMLHttpRequest()


request.open("DELETE","https://reqres.in/api/users/2");
request.send();
request.onload = () => {

if(request.status === 204){


//By default we receive the response in the string format,
we need to parse into JSON.
console.log(“Deleted")//
} else {
console.log("Page not found")// if link is broken
}
}
ASSIGNMENT – SEND DATA FROM FORM
Create a form to gather the data
<html>
<head></head>
<body">
Name: <input type="text" id="myname" value = "enter your name">
<p id="name_err" class="error"></p>

Job: <input type="text" id="myjob" value = "enter your job">


<p id="address_err" class="error"></p>

<button class="btn">Cancel</button> &nbsp;


<button id="submitbtn" onclick="return login()"
class="btn">submit</button>
</body>

<script src="js/javascript.js"></script>
</html>
ASSIGNMENT – SEND DATA FROM FORM
Create the javascript to send data
function login() {
// Form fields
var params = {
name: document.querySelector('#myname').value,
job: document.querySelector('#myjob').value
}

var request = new XMLHttpRequest()


request.open('POST', 'https://reqres.in/api/users')
request.setRequestHeader('Content-type', 'application/json')
request.send(JSON.stringify(params)) // Make sure to stringify
request.onload = function() {
// Do whatever with response
alert(request.responseText)
}
}
Consuming APIs Using JavaScript
There are different ways to make an API call using JS, they are

1. XMLHttpRequest

2. Fetch

3. Axios
Consume REST API using Fetch
Fetch is a modern way of making API calls.

It is more straightforward and results to lesser lines of code compared to


XMLHttpRequests.

It comes inbuilt with the browser. fetch is a promised based http call, there are
two ways to make a fetch call.

The first is to use the fetch keyword and the second is the async await call.

fetch("https://reqres.in/api/users")
.then( (response) => response.json())
.then((data)=> console.log(data))// output
.catch((error) => console.log(error))
Consume REST API using Fetch
Fetch to send POST Requests.

fetch(“https://reqres.in/api/users”, {
method: 'post',
headers: {
'Accept': 'application/json, text/plain, */*',
'Content-Type': 'application/json'
},
body: JSON.stringify(params) var params = {
name: "morpheus",
}) job: "leader"
.then( (response) => response.json()) }
.then((data)=> console.log(data))// output
.catch((error) => console.log(error))
Consume REST API using Fetch async await
Async and await work just the way the name implies, we get the data, wait to parse it through
json and then return.

async function getUsers() {


let response = await fetch("https://reqres.in/api/users");
let data = await response.json();
return data;
}

getUsers().then((data)=> console.log(data))// output


Consume REST API using Fetch async await
send POST Requests.

async function getUsers() {


let response = await fetch(“https://reqres.in/api/users”, {
method: 'post',
headers: {
'Accept': 'application/json, text/plain, */*',
'Content-Type': 'application/json'
},
body: JSON.stringify(params) var params = {
}); name: "morpheus",
job: "leader"
let data = await response.json() }
return data;
}
getUsers().then((data)=> console.log(data))// output
Consume REST API using Axios
Axios is an open-source library for making HTTP requests and provides many great features,
and it works both in browsers and Node.js.

In order to use axios in our code, we need to install the node package, or use external CDN:

<script src="https://unpkg.com/axios/dist/axios.min.js"></script>
Include this CDN in the html page and then

axios.get("https://reqres.in/api/users")
.then ( response => console.log(response))//output
.catch (error => console.log(error))
Consume REST API using Axios
send POST Requests.

var params = {
name: "morpheus",
job: "leader"
}

axios.post("https://reqres.in/api/users",params)
.then ( response => console.log(response))//output
.catch (error => console.log(error))
REST API – Best Practices
Best Practices and Endpoint Design Examples
REST API Best Practices
• API plays a crucial role in this client–server communication

• we should always design APIs with best practices in mind.

• This helps the developers maintaining them, and those consuming them as well.

• We will see few best practices to follow while making REST APIs.

Source: https://www.freecodecamp.org/news/rest-api-best-practices-rest-endpoint-design-examples/
REST API Best Practices
1. Use JSON as the Format for Sending and Receiving Data

• In the past, accepting and responding to API requests were done mostly in
XML and even HTML.

• But these days, JSON (JavaScript Object Notation) has largely become the
de-facto format for sending and receiving API data.

• To ensure the client interprets JSON data correctly, we should set the
Content-Type type in the response header to application/json while making
the request.
headers: {
'Content-Type': 'application/json'
},
REST API Best Practices
2. Use Nouns Instead of Verbs in Endpoints

• When you're designing a REST API, you should not use verbs in the
endpoint paths. The endpoints should use nouns, signifying what each of
them does.

• This is because HTTP methods such as GET, POST, PUT, PATCH, and
DELETE are already in verb form for performing basic CRUD (Create, Read,
Update, Delete) operations.
for example, an endpoint should not look like this:

https://mysite.com/getPosts or https://mysite.com/createPost

Instead, it should be something like this: https://mysite.com/posts


REST API Best Practices
3. Name Collections with Plural Nouns

• You can think of the data of your API as a collection of different resources
from your consumers.

• If you have an endpoint like https://mysite.com/post/123, it might be okay


for deleting a post with a DELETE request or updating a post with PUT or
PATCH request,

• But it doesn’t tell the user that there could be some other posts in the
collection. This is why your collections should use plural nouns.
So, instead of https://mysite.com/post/123, it should be
https://mysite.com/posts/123.
REST API Best Practices
4. Use Status Codes in Error Handling

• You should always use regular HTTP status codes in responses to


requests made to your API. This will help your users to know what is going
on – whether the request is successful, or if it fails, or something else.

• Below is a table showing different HTTP Status Code ranges and their
meanings:
STATUS CODE RANGE MEANING
100 – 199 Informational Responses.
For example, 102 indicates the resource is being processed
300 – 399 Redirects
For example, 301 means Moved permanently
400 – 499 Client-side errors
400 means bad request and 404 means resource not found
500 – 599 Server-side errors
For example, 500 means an internal server error
REST API Best Practices
5. Use Nesting on Endpoints to Show Relationships

• Oftentimes, different endpoints can be interlinked, so you should nest


them so it's easier to understand them.

For example, in the case of a multi-user blogging platform, different


posts could be written by different authors, so an endpoint such as
https://mysite.com/posts/author would make a valid nesting in this
case.

the posts might have their individual comments, so to retrieve the


comments, an endpoint like https://mysite.com/posts/postId/comments
would make sense.

avoid nesting that is more than 3 levels deep as this can make the API
less elegant and readable.
REST API Best Practices
6. Use Filtering, Sorting, and Pagination to Retrieve the Data Requested

• API's database can get incredibly large. If this happens, retrieving data
from such a database could be very slow.

• Filtering, sorting, and pagination are all actions that can be performed on
the collection of a REST API. This lets it only retrieve, sort, and arrange the
necessary data into pages so the server doesn’t get too occupied with
requests.
An example of a filtered endpoint is the one below:

https://mysite.com/posts?tags=javascript

This endpoint will fetch any post that has a tag of JavaScript.
REST API Best Practices
7. Use SSL for Security

• SSL stands for secure socket layer. It is crucial for security in REST API
design. This will secure your API and make it less vulnerable to malicious
attacks.

• Other security measures you should take into consideration include:


making the communication between server and client private and ensuring
that anyone consuming the API doesn’t get more than what they request.
The clear difference between the URL of a REST API that runs over SSL
and the one which does not is the “s” in HTTP:

https://mysite.com/posts runs on SSL.


http://mysite.com/posts does not run on SSL.
REST API Best Practices
8. Be Clear with Versioning

• REST APIs should have different versions, so you don’t force clients
(users) to migrate to new versions. This might even break the application if
you're not careful.

• One of the commonest versioning systems in web development is


semantic versioning.
An example of semantic versioning is 1.0.0, 2.1.2, and 3.3.4. The first
number represents the major version, the second number represents the
minor version, and the third represents the patch version.

Many RESTful APIs from tech giants and individuals usually comes like
this:
https://mysite.com/v1/ for version 1
https://mysite.com/v2 for version 2
REST API Best Practices
9. Provide Accurate API Documentation

• When you make a REST API, you need to help clients (consumers) learn
and figure out how to use it correctly.

• The best way to do this is by providing good documentation for the API.

• The documentation should contain:

• Relevant endpoints of the API


• Example requests of the endpoints
• Implementation in several programming languages
• Messages listed for different errors with their status codes
REST API LIST OF TOPICS COVERED
• REST API – An Overview
• Why API is Required
• REST API and HTTP Requests
• POPULAR HTTP REQUEST METHODS :
• A Demo REST API Online from https://reqres.in/
• Constraints of REST API
• Popular HTTP Verbs - GET,POST,PUT,DELETE,PATCH
• Popular HTTP Response Codes - 200,201,204,400,401,403,404,405,409,500
• Handling HTTP Requests Using Postman
• Using Postman Chrome App for GET,POST,PUT,DELETE,PATCH
• REST API – Consume using JS
• Using XMLHttpRequest
• sample GET GET,POST,PUT,DELETE,PATCH requests
• Using Fetch
• sample GET GET,POST,PUT,DELETE,PATCH requests
• Using Axios
• sample GET GET,POST,PUT,DELETE,PATCH requests
• REST API – Standards and Best Practices with examples
REST API DOCUMENATION ASSIGNMENT
Create REST API
Documentation with all
possible CRUD operations for
the following DB Diagram

• Make sure you follow all


the REST API design
best practices we
learned so far.

• Create a pdf with a front


cover page explaining
the version and Index
page listing the inner
contents of document

You might also like