If you are in tech, then you may have heard this popular term called "API". Some people use APIs for fun, some for money and some for their applications. There are n ways you can use APIs. In this blog, let's learn what exactly is an API, how you can build your own API and how you can monetize your API.
I am taking a popular example to explain this. Imagine you go to a restaurant to eat some food. Now you don't directly go to the kitchen and cook yourself and then eat it, right 😂? (Of course, they don't allow you to do so). You call a waiter and order your food. Then the waiter goes to the kitchen and brings your food.
Here you can compare API with the waiter. So, API is an intermediary between two applications and makes it possible for those two applications to communicate with each other. If we put this in our example, one application is you the customer, another application is the restaurant kitchen where the food is prepared and the waiter is an API who acts as an intermediary between you and the kitchen.
Imagine you have data and you want to share that data to allow developers to build software with your data. Now you need some sort of way you can make this possible. That's where APIs can help you. You can build an API to share your data and other resources so that developers can use your API to build services or software.
Let's understand this with an example;
Let's say you are building an app that suggests the vehicle take the route with less traffic. For this, you need traffic data of different routes so that you can train a machine learning model and build your app.
It's not an easy task to count the number of vehicles travelling on different routes and prepare data. So what you can do is, use a 3rd party service that provides their data with APIs.
Another thing you need to know about API is not just about data, it can be a set of functions, objects, and commands. For example, browser API provides various functions, objects etc to use in your applications to interact with the browser.
Before building our own API let's use an API. We will be using a JokeAPI.
Before that let's learn some terms of API:
Endpoint - An endpoint is an API server URL where you can access all the different resources that API provides. Endpoints are actions like GET
, POST
, DELETE
, etc.., which you can perform on different routes.
For example,
GET https://api.github.com/
- is an API endpointPOST https://api.github.com/user
- is another endpointPaths - Paths are different URLs of an API.
For example:
https://api.github.com/user
- is a path/routeParameter - All the paths are pre-defined in the API server. If you have a path that can't be pre-defined in the server, then you can use parameters. Parameters are key-value pairs and start after ?
from the end of a path.
For example,
https://api.github.com/user?userId=12335235235
- here userId
is a parameter.
If you have more than one parameter, then you can append them by adding &
after each parameter.
For example,
https://api.github.com/user?userId=12335235235&api_key=yu67432ffu6f2t446
https://v2.jokeapi.dev/joke/Any
You will receive something like this,
This is called a "response" you got from JokeAPI for your request. And the format of the response is "JSON". JSON is a popular output format for APIs.
In the above options, each category is a different route/path, like
https://v2.jokeapi.dev/joke/Programming
https://v2.jokeapi.dev/joke/Miscellaneous
https://v2.jokeapi.dev/joke/Dark
and all the options below category can be appended as parameters, like
https://v2.jokeapi.dev/joke/Programming?blacklistFlags=nsfw&type=twopart&amount=2
Let's try to tweak the options,
After tweaking the options, copy the URL and paste it into the browser,
Now you will get a response with all the filters applied.
You can build two types of APIs:
Let's build an API service to add, delete, edit and get your daily tasks.
We need a database and a server to create an API service. Let's use MongoDB as our database and NodeJs, and ExpressJs for creating a server.
todo-api
.npm
with,npm init
express
, mongoose
, and axios
packages as we use them for the project.npm i express mongoose axios
nodemon
as a dev dependency. (Nodemon restarts the server every time we make changes to the code so that we don't need to manually restart)npm i nodemon --save-dev
"scripts": {
...
"dev": "nodemon server.js"
...
},
server.js
in the root and paste this boilerplate code.todo-api/server.js (Snippet)
const express = require("express");
const mongoose = require("mongoose");
const app = express();
const PORT = process.env.PORT || 5000;
const MONGODB_URI = process.env.MONGODB_URI || "mongodb://localhost/todoapiDB";
app.use(express.json());
mongoose
.connect(MONGODB_URI, { useNewUrlParser: true })
.then(() => {
app.listen(PORT, console.log("Server stated on port 5000"));
})
.catch((err) => {
console.log(err);
});
npm run dev
http://localhost:5000/
in your browser and see the response.
You should see this in your browser. What it is telling you is there is no endpoint like GET http://localhost:5000/
defined in the server.
todo-api/server.js (Snippet)
app.get("/", (req, res) => {
res.send("Hello World!");
});
So this is a simple "GET" request we created on our server.
todo-api/models/tasks.model.js (Snippet)
const mongoose = require("mongoose");
const Schema = mongoose.Schema;
const taskSchema = new Schema({
name: {
type: String,
required: true,
},
});
module.exports = mongoose.model("Task", taskSchema);
and require the model in server.js
todo-api/server.js (Snippet)
const Task = require("./models/tasks.model");
Before we move further, it's not possible to do everything from the browser so let's use an API tool called "Postman". Download it from here (Free).
After downloading, test it by entering the URL http://localhost:5000/
and clicking Send.
todo-api/server.js (Snippet)
// GET http://localhost:5000/getTasks
app.get("/getTasks", async (req, res) => {
try {
const response = await Task.find();
res.json(response);
} catch (err) {
res.json({ message: err });
}
});
If you test this now you will get an empty response as we have not added any tasks to our database.
todo-api/server.js (Snippet)
// POST http://localhost:5000/postTask
app.post("/postTask", async (req, res) => {
try {
const response = await Task.create(req.body);
res.json(response);
} catch (err) {
res.json({ message: err });
}
});
Now in postman change the GET
request to POST
. Then go to the Body tab and select raw -> JSON from dropdown.
Write a JSON object in the body field and make a POST
request to http://localhost:5000/postTask
.
You will receive a response back containing name
- the name of the task, _id
- the unique id of the task generated by MongoDB.
GET
request to http://localhost:5000/
, you will see all your tasks.
todo-api/server.js (Snippet)
// DELETE http://localhost:5000/deleteTask/:id
app.delete("/deleteTask/:id", async (req, res) => {
try {
const response = await Task.remove({ _id: req.params.id });
res.json(response);
} catch (err) {
res.json({ message: err });
}
});
In the above route http://localhost:5000/deleteTask/:id
:id
is called a Path Variable. It is used when we can't pre-define a route. You can also use Query Parameter for our case.
So, change the request method to DELETE
in postman and copy one of your tasks id and paste in the path variable value and click Send.
If you now make a GET
request to /getTasks
you won't see the deleted task. That means you successfully deleted the Task.
PATCH
request. Let's create a route for that. You can make use PUT
request to edit a document. But PATCH
request is better if we want to edit partial data.
todo-api/server.js (Snippet)
// PATCH http://localhost:5000/editTask/:id
app.patch("/editTask/:id", async (req, res) => {
try {
const response = await Task.updateOne({ _id: req.params.id }, { $set: req.body });
res.json(response);
} catch (err) {
res.json({ message: err });
}
});
Same as the POST
request, add body to your PATCH
request. Copy the id of the task that you wish to edit and paste it into the path variable value field and click Send. Now make a GET
request to /getTasks
you will see Task updated.
So that's it! We learned 4 important RESTAPI methods while building our small "todo application".
"Data is the new oil" - a popular quote of the 21st century and it is 100% true. If you have data, then you can make loads of $$$. API is one great way to sell/monetize your data. Let's see how we can monetize our API.
To monetize our API, we are going to use RapidAPI
Rapid API is the world's largest API hub where you can explore different APIs, and create and manage your own APIs.
Before continuing, host your API server somewhere like Heroku because you know "localhost" doesn't work outside of your computer :). And replace all http://localhost:5000/
with https://yourdomain.com/
in your postman collection.
You can download your postman collection by exporting the collection as a JSON file. To do so, open your postman collection, and click three dots -> Export.
Export
Or you can download the JSON file from this tutorial GitHub repository. Make sure to change the domain name.
That's it! I hope you learned something new from this article. Feel free to ask any questions or doubts or anything in the comments.