DEV Community

Cover image for MLOps: Deploying Machine Learning Models with Docker and Google Cloud Platform (Part 2)
Idowuilekura
Idowuilekura

Posted on • Updated on

MLOps: Deploying Machine Learning Models with Docker and Google Cloud Platform (Part 2)

In this article, we will look into the process of deploying a Machine Learning Model with Flask and Swagger.

Model Deployment

We have already discussed Model Deployment in the previous article, but to give a recap. Model Deployment is the process of making Machine Learning models accessible to others through different interfaces like Websites, Mobile Phones, Embedded Systems e.t.c.
Flask and Swagger will be used to deploy the model in this article, but what are Flask and Swagger?

What on earth is Flask?

According to Wikipedia

Flask is a micro web framework written in Python. It is classified as a microframework because it does not require particular tools or libraries.

Flask is simply a framework that helps python developers to build websites, without the need to learn Javascript. With flask, full-fledged websites can be built with python, HTML & CSS

Getting Started with Flask

Now that we understand the functionality of flask, let us dive into a practical example.
You will need an Integrated Development Environment like Visual Studio Code, PyCharm e.t.c to follow along. You will also need to install Flask, you can install Flask by navigating to your command prompt/terminal and type

pip install flask
Enter fullscreen mode Exit fullscreen mode

Now that we have the necessary tools to work with flask, let's dive into flask. We will write a simple program that will return your name with a greeting. The code below will

  • Import the Flask class from the flask module
  • Initialize a Flask() object with the name of the current file __name__, __name__ will help python to locate where to load other dependencies into (in this case into our script). You can read this article from StackOverflow to understand the purpose of __name__
  • declare a variable to store my name(replace with your name)
  • initialize a decorator, the decorator will be called when users click on the homepage URL of the website (this is what is called when you click on www.google.com). You can read this article from Datacamp to learn more about Decorators.
  • define a function that binds to the decorator (the decorator will return the function whenever it is called). The function can return a HTML File or just a text.
  • write an if conditional statement that restricts the execution of the application to the current script(I.e if you import the script into another script the application won't run). You can read this article from GeeksForGeeks to understand the importance of if __name__== '__main__'
# Importing the Flask module from flask library
from flask import Flask

# initializing our application with the name of our module
app = Flask(__name__)
# Variable to store my name( change to your name)
my_name = 'idowu'

# Initializing the homepage route
@app.route('/')
def greet(): # function that will be returned
    return 'Hello ' + my_name

if __name__=='__main__':
    app.run(debug=True) 
Enter fullscreen mode Exit fullscreen mode

Copy the code above and save it inside a file, you can name the file my_flask.py . Now navigate to where you saved the file using the command line, and type python my_flask.py.

python my_flask.py
Enter fullscreen mode Exit fullscreen mode

or just by clicking on the run icon if you are using Visual Studio Code.

image
Fig. 1 How to run python file with VSCode (Image by Author)

After running the file either with the command line/terminal or with VSCode you will be presented with this screen.

image
Fig. 2 Image displaying information about flask (Image by Author)

Click on the link (http://127.0.0.1:5000/),once you click on the link you will see the screen below.
image
Fig.3 Image showing the output of the greet function (Image by Author)

When you clicked on the link (http://127.0.0.1:5000/), flask automatically called the @app.route('/') decorator, this is because you are trying to access the homepage (which is /). The @app.route decorator will automatically call the greet function and the output of the function will be returned. You will notice that, we hardcoded the variable name into our script, which is not intuitive. What if we want to accept the name from users and return Hello + user_name,
we can do this by creating another index for the name.
We need to rewrite the programs in our script.
The code below will

  • Bind a welcome function to the home route (/)
  • Bind a different function greet_name to the /greet/name decorator. This decorator will allow users to insert their names ( this is similar to www.google.com/search/query). www.google.com is the home route url while /search is for the search route.
from flask import Flask
app = Flask(__name__)

@app.route("/")
def welcome():
    return 'Hello welcome to my first flask website'

@app.route("/greet/<name>")
def greet_name(name):
    return 'Hello ' + name

if __name__=='__main__':
    app.run(debug=True)
Enter fullscreen mode Exit fullscreen mode

Delete the previous codes in my_flask.py and copy the above code into my_flask.py (ensure you save the file)

Now try to run my_flask.py and click on the homepage url.

python my_flask.py
Enter fullscreen mode Exit fullscreen mode

You will be presented with the screen below
image
Fig. 4 Home page of the website (Image by Author)

Now, for users to insert their names, the users will need to add /greet/their_name after the homepage url i.e (http://127.0.0.1:5000/greet/their_username).

While still on the homepage, try and add /greet/your_name[replace with your name]
image
Fig. 5 Image showing the response from greet route

You will agree with me that this process is quite tedious. What if we have an interface that accepts responses from users using forms, sends the responses to flask and return the responses. To achieve this, we can build a form with HTML that accepts parameters. Luckily, instead of writing a HTML program, we can leverage the Swagger module to do that.

Swagger allows you to describe the structure of your APIs so that machines can read them. The ability of APIs to describe their own structure is the root of all awesomeness in Swagger. Why is it so great? Well, by reading your API’s structure, we can automatically build beautiful and interactive API documentation.
Source

Getting Started with Swagger

You will need to install flasgger module, which can be done with

pip install flasgger
Enter fullscreen mode Exit fullscreen mode

The code below will

  • Import the request and Flask module from flask.
  • Import swagger from flasgger
  • Initialize the Flask object
  • Wrap the flask object application with Swagger. This helps our application to inherit properties from Swagger.
  • create a decorator for our homepage url
  • create a decorator for our greet url. If you notice we have something different from what we have been defining previously. The @app.route() decorator for the greet url takes in a methods parameter with the value Get. There are two major methods that @app.route receives
    • The Get Method (The get method is used when you want to receive something, when you navigate to www.google.com you are indirectly calling the Get method to return the HTML file for the homepage)
    • The Post Method is used to send information to a server. You can read this article from GeeksforGeeks to learn more about Post and Get Methods.
  • Inside the greet_name() function, you will have to use docstring to define the Swagger interface.

    • The interface expects the;
    • title of the query
    • information about the query
    • parameters that will be inputted. The parameter fields expects
      • the name of the field
      • the mode in which the parameter will be entered, it can be manually inserted as values(query) or by inserting a path to the value.
      • the type of the parameter ( it can be an integer or string)
      • if the parameter is compulsory or not( if it is required then the parameter can't be omitted)
    • the responses.
  • N.B Make sure you indent the docstring with four spaces, also you will need to indent the details under the parameters and responses else swagger won't render the display.

  • To access the user_name under the parameters, you will need to use the request module to access the parameter

  • Lastly, you can return the greeting and the user_name.

Copy the code below into my_flask.py

from flask import Flask, request 
from flasgger import Swagger 
app = Flask(__name__)
Swagger(app)

@app.route("/")
def welcome():
    return 'Hello, welcome to my first flask website'


@app.route('/greet', methods=["Get"])
def greet_name():
    """Greetings
    This is using docstrings for specifications.
    ---
    parameters:
        - name: user_name
          in: query
          type: string
          required: true
    responses:
      200:
         description: "greetings with user's name"
    """

    user_name = request.args.get("user_name")

    print(user_name)

    return "Hello " + user_name

if __name__=='__main__':
    app.run(debug=True)
Enter fullscreen mode Exit fullscreen mode

Now, try to run my_flask.py with

python my_flask.py
Enter fullscreen mode Exit fullscreen mode

image
Fig. 6 Image showing the homepage (Image by Author)

To access the Swagger User Interface, append /apidocs after the homepage url i.e http://127.0.0.1:5000/apidocs

image
Fig. 7 Image showing the Swagger UI (Image by Author)

To interact with the UI, click on the GET button, which will present you with this screen

image
Fig. 8 Image showing the UI under the GET button.

If you notice, you can't insert any parameter inside the user_name, to insert value into the user_name field you will need to click on the Try it out button.

image

You can now insert any name into the user_name field and once you are done click on the Execute button.

image
Fig. 9 Image showing the Response

The response body display's the response from the greet function. Now that we have all the prerequisite for deploying our model, we can move on to cracking our main task which is to deploy a house price prediction model for Mowaale.

Deploying Machine Learning Models with Flask and Swagger

To successfully deploy the model, we will need to build a simple pipeline that will receive users inputs and make prediction.
We need to rewrite our Swagger program, to accommodate more information.
The code below will

  • import Flask & request from flask
  • import Swagger from flasgger
  • import joblib(this will be useful later)
  • load the previously saved label-encoder for sale condition and save into lb_salecond variable
  • load the previously saved label-encoder for sale type and save into lb_saletype variable
  • load the previously saved linear regression model and save into model variable
  • Initialize our Flask application object
  • Wrap the application object with Swagger
  • define a route for the homepage.
  • define another route for the predict_price index.
  • define the name of each parameters and other information that was discussed previously. The default is to specify a default parameter and the enum is to create a dropdown list of values.
  • use the request module to get each parameters that was inputted.
  • transform the salecondition from a string to a number (this was discussed in part 1)
  • transform the sale type from a string to a number.
  • store all the parameters into a list
  • use the model to make predictions and return the predicted price for the house. Copy the code below into my_flask.py
from flask import Flask, request 
from flasgger import Swagger
import joblib 
lb_salecond = joblib.load('lb_sc')
lb_saletype = joblib.load('lb_st') 
model = joblib.load('lr_model')
app = Flask(__name__)
Swagger(app)


@app.route("/")
def welcome():
    return 'Hello welcome to my first flask website'

['Normal', 'Partial', 'Abnorml', 'Family', 'Alloca', 'AdjLand']
@app.route('/predict_price', methods=["Get"])
def predict_prices():
    """Welcome to Moowale House Prediction Website
    This is using docstrings for specifications.
    ---
    parameters:
        - name: MSSubClass
          in: query
          type: integer
          required: true
        - name: LotFrontage
          in: query
          type: integer
          required: true
        - name: Year_sold
          in: query
          type: integer
          required: true
        - name: Sale_type
          in: query
          type: string
          required: true
          default: New
          enum: ['WD', 'New', 'COD', 'ConLD', 'ConLI', 'ConLw', 'CWD', 'Oth', 'Con']
        - name: Sale_condition
          in: query
          type: string
          default: Normal
          enum: ['Normal', 'Partial', 'Abnorml', 'Family', 'Alloca', 'AdjLand']
    responses:
      200:
         description: House Price Prediction
    """

    mssubclass = request.args.get("MSSubClass")
    lotfrontage = request.args.get("LotFrontage")
    year_sold = request.args.get("Year_sold")
    saletype = request.args.get("Sale_type")
    salecondition = request.args.get("Sale_condition")

    label_encode_sc = lb_salecond.transform([salecondition])
    label_encode_st = lb_saletype.transform([saletype])

    columns_list = [mssubclass,lotfrontage,year_sold,label_encode_sc,label_encode_st]

    price = round(model.predict([columns_list])[0])
    return f'The predicted price is ${price:.0f}'

if __name__=='__main__':
    app.run(debug=True)
Enter fullscreen mode Exit fullscreen mode

Run my_flask.py,click on the url and attach /apidocs after the homepage url. You will see the screen below,

image
Fig. 10 Image showing the UI of moowale (Image by Author)

Click on Try it out, and insert these values for MSSUbClass insert 20, for Lotfrontage insert 80, for Year_sold insert 2007, for Sale type & SaleCondition leave as the default and click on Execute.

image
Fig.11 Image showing the prediction (Image by Author)

Now that we have our model deployed, we have come to the end of the second article in this series.

Conclusion

This article has introduced you to the process of deploying machine learning models with flask and building interactive visuals with Swagger. In part 3 of this series, you will learn how to containerize the Api with Docker and Deploy on Google Cloud Platform.
You can connect with me on Linkedin

Reference/ Resources

Video from Krish Naik channel

Flasgger

Top comments (0)