Creating a microservice with REST API¤
Warning
Under construction!
In the previous tutorial, you learned how to create a web server.
In this tutorial, you'll learn how to create a basic ASAB microservice that provides a REST HTTP API. This microservice will implement CREATE, READ, UPDATE and DELETE functionality, in another words: CRUD.
We will also use MongoDB as a database running on Docker. If you're not familiar with CRUD, MongoDB, or Docker, take the time to learn the basics, because they are the foundations of backend programming with ASAB.
Set up the project with Docker and MongoDB¤
-
Install Docker if you don't have it already. Go to the official website, choose your operating system, and follow the guide.
Tip
Based on our experience, we recommend installing just the Docker engine - there's no need to install Docker Desktop in most cases. In some cases, installing Docker Desktop might even cause problems when interacting with Docker in the terminal.
You can always check if you have Docker installed successfully:
-
Pull the MongoDB image from Docker Hub.
Start the container: -
Install Postman in case you do not have it (download here on the official website). We will use Postman to test the webservice REST API. In Postman, you can create your collection of HTTP requests, save the HTTPs requests as templates, or automatically generate documentation.
-
Prepare the structure of the project. Every ASAB microservice consists of several Python modules. Create the following file structure in your repository:
Build a microservice¤
Now that you've prepared the modules, we move on to actual coding. Here is the code for every module with explanations.
#!/usr/bin/env python3 # (1)!
from my_rest_api import TutorialApp
if __name__ == '__main__':
app = TutorialApp()
app.run()
- This is the executable file used to run the application via
python my_rest_api.py
command.
import asab
import asab.web
import asab.web.rest
import asab.storage
class TutorialApp(asab.Application):
def __init__(self):
super().__init__()
# Register modules
self.add_module(asab.web.Module)
self.add_module(asab.storage.Module)
# Locate the web service
self.WebService = self.get_service("asab.WebService")
self.WebContainer = asab.web.WebContainer(
self.WebService, "web"
)
self.WebContainer.WebApp.middlewares.append(
asab.web.rest.JsonExceptionMiddleware
)
from .tutorial.handler import CRUDWebHandler
from .tutorial.service import CRUDService
self.CRUDService = CRUDService(self)
self.CRUDWebHandler = CRUDWebHandler(
self, self.CRUDService
)
Continue with the init file, so that the directory my_rest_api
will work as a module.
Create a handler¤
The handler is where HTTP REST calls are handled and transformed into the actual (internal) service calls. From another perspective, the handler should contain only translation between REST calls and the service interface. No actual 'business logic' should be here. We strongly recommend building these CRUD methods one by one and testing each one immediately.
Let's start with two methods - PUT
and GET
- which allow us to write into database and check the
record.
The handler only accepts the incoming requests and returns appropriate responses. All of the "logic", be it the specifics of the database connection, additional validations, or other operations, take place in the CRUDService.
Create a service¤
import asab
import asab.storage.exceptions
import logging
L = logging.getLogger(__name__)
class CRUDService(asab.Service):
def __init__(self, app, service_name='crud.CRUDService'):
super().__init__(app, service_name)
self.MongoDBStorageService = app.get_service(
"asab.StorageService"
)
async def create(self, collection, json_data):
obj_id = json_data.pop("_id")
cre = self.MongoDBStorageService.upsertor(
collection, obj_id
)
for key, value in zip(
json_data.keys(), json_data.values()
):
cre.set(key, value)
try:
await cre.execute()
return "OK"
except asab.storage.exceptions.DuplicateError:
L.warning(
"Document you are trying to create already exists."
)
return None
async def read(self, collection, obj_id):
response = await self.MongoDBStorageService.get(
collection, obj_id
)
return response
As mentioned above, this is where the inner workings of the microservice request processing are. Let's start, as usual, by importing the desired modules:
Now define the CRUDService class which inherits from the
[asab.Service]{.title-ref}
class.
[asab.Service]{.title-ref}
is a lightweight yet powerful abstract class
providing your object with 3 functionalities:
- Name of the
[asab.Service]{.title-ref}
is registered in the app and can be called from the[app]{.title-ref}
object anywhere in your code. [asab.Service]{.title-ref}
class implements[initialize()]{.title-ref}
and[finalize()]{.title-ref}
coroutines which help you to handle asynchronous operations in init and exit time of your application.[asab.Service]{.title-ref}
registers application object as[self.App]{.title-ref}
for you.
[asab.StorageService]{.title-ref}
initialized in [app.py]{.title-ref}
as
part of the [asab.storage.Module]{.title-ref}
enables connection to
MongoDB. Further on, two methods provide the handler with the desired
functionalities.
Create a configuration file¤
[asab:storage]
type=mongodb
mongodb_uri='mongodb://mongouser:mongopassword@mongoipaddress:27017'
mongodb_database=mongodatabase
Testing the app¤
Now everything is prepared and we can test our application using Postman. Let's create a new collection named celebrities
provided with some information.
-
Start the application
The application is implicitly running on an http://localhost:8080/ port.
-
Open Postman and set a new request. First, try to add some data using the
PUT
method to thelocalhost:8080/crud-myrestapi/celebrities
endpoint. Insert this JSON document into the request body:Hopefully you received a status 200! Let's add one more.
Now let's test if we can request for some data. Use the
GET
method to thelocalhost:8080/crud-myrestapi/celebrities/1
endpoint, this time with no request body.Now, what is the response?
Success
Up and running! Congratulation on your first ASAB microservice!
Failure
If you see the following message:
This message means that there's a missing module, probably the motor library, which provides an asynchronous driver for MongoDB. Try to fix it:
Failure
If you see the following message:
OSError: [Errno 98] error while attempting to bind on address ('0.0.0.0', 8080): address already in use
This message means that the port is already used by some other application (have you exited the application from the previous tutorial?) To check what's running on your port, try:
or
If you something similar to the following output:
This output means there's a running process using the port with ID 103203.
The first option is simply to stop the process:
(Replace the ID with the corresponding ID from the previous output.)The second option is to add these lines into the configuration file:
If you run the app again, it should be running on http://localhost:8081/ port.
Question
What if you see no errors, but also no response at all?
Try to check the Mongo database credentials. Do your credentials in the config file fit the ones you entered when running the Mongo Docker image?
Summary¤
In this tutorial, you learned how to create a simple microservice provided with REST API.
Exercise 0: Store JSON schema in the file¤
In order to get used to the asab.web.rest.json_schema_handler()
decorator, store the JSON schema in a separate file. Then, pass its path as an argument to the decorator.
Exercise 1: Implement POST
and DELETE
methods¤
For updating and deleting data from the database, implement the methods POST
and DELETE
.
- Implement
update()
anddelete()
methods to theCRUDService
class. Use
handler.py
[./myrestapi/tutorial/handler.py]{.title-ref}
import asab
import asab.web.rest
class CRUDWebHandler(object):
def __init__(self, app, mongo_svc):
self.CRUDService = mongo_svc
web_app = app.WebContainer.WebApp
web_app.router.add_put(
'/crud-myrestapi/{collection}',
self.create
)
web_app.router.add_get(
'/crud-myrestapi/{collection}/{id}',
self.read
)
web_app.router.add_put(
'/crud-myrestapi/{collection}/{id}',
self.update
)
web_app.router.add_delete(
'/crud-myrestapi/{collection}/{id}',
self.delete
)
@asab.web.rest.json_schema_handler({
'type': 'object',
'properties': {
'_id': {'type': 'string'},
'field1': {'type': 'string'},
'field2': {'type': 'number'},
'field3': {'type': 'number'}
}})
async def create(self, request, *, json_data):
collection = request.match_info['collection']
result = await self.CRUDService.create(
collection, json_data
)
if result:
return asab.web.rest.json_response(
request, {"result": "OK"}
)
else:
asab.web.rest.json_response(
request, {"result": "FAILED"}
)
async def read(self, request):
collection = request.match_info['collection']
key = request.match_info['id']
response = await self.CRUDService.read(
collection, key
)
return asab.web.rest.json_response(
request, response
)
@asab.web.rest.json_schema_handler({
'type': 'object',
'properties': {
'_id': {'type': 'string'},
'field1': {'type': 'string'},
'field2': {'type': 'number'},
'field3': {'type': 'number'}
}})
async def update(self, request, *, json_data):
collection = request.match_info['collection']
obj_id = request.match_info["id"]
result = await self.CRUDService.update(
collection, obj_id, json_data
)
if result:
return asab.web.rest.json_response(
request, {"result": "OK"}
)
else:
asab.web.rest.json_response(
request, {"result": "FAILED"}
)
async def delete(self, request):
collection = request.match_info['collection']
obj_id = request.match_info["id"]
result = await self.CRUDService.delete(
collection, obj_id
)
if result:
return asab.web.rest.json_response(
request, {"result": "OK"}
)
else:
asab.web.rest.json_response(
request, {"result": "FAILED"}
)
service.py
[./myrestapi/tutorial/service.py]{.title-ref}
import asab
import asab.storage.exceptions
import logging
#
L = logging.getLogger(__name__)
#
class CRUDService(asab.Service):
def __init__(self, app, service_name='crud.CRUDService'):
super().__init__(app, service_name)
self.MongoDBStorageService = app.get_service(
"asab.StorageService"
)
async def create(self, collection, json_data):
obj_id = json_data.pop("_id")
cre = self.MongoDBStorageService.upsertor(
collection, obj_id
)
for key, value in zip(
json_data.keys(), json_data.values()
):
cre.set(key, value)
try:
await cre.execute()
return "OK"
except asab.storage.exceptions.DuplicateError:
L.warning(
"Document you are trying to create already exists."
)
return None
async def read(self, collection, obj_id):
response = await self.MongoDBStorageService.get(
collection, obj_id
)
return response
async def update(self, collection, obj_id, document):
original = await self.read(
collection, obj_id
)
cre = self.MongoDBStorageService.upsertor(
collection, original["_id"], original["_v"]
)
for key, value in zip(
document.keys(), document.values()
):
cre.set(key, value)
try:
await cre.execute()
return "OK"
except KeyError:
return None
async def delete(self, collection, obj_id):
try:
await self.MongoDBStorageService.delete(
collection, obj_id
)
return True
except KeyError:
return False