Tutorial

How To Serve Flask Applications with Gunicorn and Nginx on Ubuntu 14.04

How To Serve Flask Applications with Gunicorn and Nginx on Ubuntu 14.04
Not using Ubuntu 14.04?Choose a different version or distribution.
Ubuntu 14.04

Introduction

In this guide, we will be setting up a simple Python application using the Flask micro-framework on Ubuntu 14.04. The bulk of this article will be about how to set up the Gunicorn application server to launch the application and Nginx to act as a front end reverse proxy.

Prerequisites

Before starting on this guide, you should have a non-root user configured on your server. This user needs to have sudo privileges so that it can perform administrative functions. To learn how to set this up, follow our initial server setup guide.

To learn more about the WSGI specification that our application server will use to communicate with our Flask app, you can read the linked section of this guide. Understanding these concepts will make this guide easier to follow.

When you are ready to continue, read on.

Install the Components from the Ubuntu Repositories

Our first step will be to install all of the pieces that we need from the repositories. We will install pip, the Python package manager, in order to install and manage our Python components. We will also get the Python development files needed to build some of the Gunicorn components. We’ll install Nginx now as well.

Update your local package index and then install the packages by typing:

sudo apt-get update
sudo apt-get install python-pip python-dev nginx

Create a Python Virtual Environment

Next, we’ll set up a virtual environment in order to isolate our Flask application from the other Python files on the system.

Start by installing the virtualenv package using pip:

sudo pip install virtualenv

Now, we can make a parent directory for our Flask project. Move into the directory after you create it:

mkdir ~/myproject
cd ~/myproject

We can create a virtual environment to store our Flask project’s Python requirements by typing:

virtualenv myprojectenv

This will install a local copy of Python and pip into a directory called myprojectenv within your project directory.

Before we install applications within the virtual environment, we need to activate it. You can do so by typing:

source myprojectenv/bin/activate

Your prompt will change to indicate that you are now operating within the virtual environment. It will look something like this (myprojectenv)user@host:~/myproject$.

Set Up a Flask Application

Now that you are in your virtual environment, we can install Flask and Gunicorn and get started on designing our application:

Install Flask and Gunicorn

We can use the local instance of pip to install Flask and Gunicorn. Type the following commands to get these two components:

pip install gunicorn flask

Create a Sample App

Now that we have Flask available, we can create a simple application. Flask is a micro-framework. It does not include many of the tools that more full-featured frameworks might, and exists mainly as a module that you can import into your projects to assist you in initializing a web application.

While your application might be more complex, we’ll create our Flask app in a single file, which we will call myproject.py:

nano ~/myproject/myproject.py

Within this file, we’ll place our application code. Basically, we need to import flask and instantiate a Flask object. We can use this to define the functions that should be run when a specific route is requested. We’ll call our Flask application in the code application to replicate the examples you’d find in the WSGI specification:

from flask import Flask
application = Flask(__name__)

@application.route("/")
def hello():
    return "<h1 style='color:blue'>Hello There!</h1>"

if __name__ == "__main__":
    application.run(host='0.0.0.0')

This basically defines what content to present when the root domain is accessed. Save and close the file when you’re finished.

You can test your Flask app by typing:

python myproject.py

Visit your server’s domain name or IP address followed by the port number specified in the terminal output (most likely :5000) in your web browser. You should see something like this:

Flask sample app

When you are finished, hit CTRL-C in your terminal window a few times to stop the Flask development server.

Create the WSGI Entry Point

Next, we’ll create a file that will serve as the entry point for our application. This will tell our Gunicorn server how to interact with the application.

We will call the file wsgi.py:

nano ~/myproject/wsgi.py

The file is incredibly simple, we can simply import the Flask instance from our application and then run it:

from myproject import application

if __name__ == "__main__":
    application.run()

Save and close the file when you are finished.

Testing Gunicorn’s Ability to Serve the Project

Before moving on, we should check that Gunicorn can correctly.

We can do this by simply passing it the name of our entry point. We’ll also specify the interface and port to bind to so that it will be started on a publicly available interface:

cd ~/myproject
gunicorn --bind 0.0.0.0:8000 wsgi

If you visit your server’s domain name or IP address with :8000 appended to the end in your web browser, you should see a page that looks like this:

Flask sample app

When you have confirmed that it’s functioning properly, press CTRL-C in your terminal window.

We’re now done with our virtual environment, so we can deactivate it:

deactivate

Any operations now will be done to the system’s Python environment.

Create an Upstart Script

The next piece we need to take care of is the Upstart script. Creating an Upstart script will allow Ubuntu’s init system to automatically start Gunicorn and serve our Flask application whenever the server boots.

Create a script file ending with .conf within the /etc/init directory to begin:

sudo nano /etc/init/myproject.conf

Inside, we’ll start with a simple description of the script’s purpose. Immediately afterwards, we’ll define the conditions where this script will be started and stopped by the system. The normal system runtime numbers are 2, 3, 4, and 5, so we’ll tell it to start our script when the system reaches one of those runlevels. We’ll tell it to stop on any other runlevel (such as when the server is rebooting, shutting down, or in single-user mode):

description "Gunicorn application server running myproject"

start on runlevel [2345]
stop on runlevel [!2345]

We’ll tell the init system that it should restart the process if it ever fails. Next, we need to define the user and group that Gunicorn should be run as. Our project files are all owned by our own user account, so we will set ourselves as the user to run. The Nginx server runs under the www-data group. We need Nginx to be able to read from and write to the socket file, so we’ll give this group ownership over the process:

description "Gunicorn application server running myproject"

start on runlevel [2345]
stop on runlevel [!2345]

respawn
setuid user
setgid www-data

Next, we need to set up the process so that it can correctly find our files and process them. We’ve installed all of our Python components into a virtual environment, so we need to set an environmental variable with this as our path. We also need to change to our project directory. Afterwards, we can simply call the Gunicorn application with the options we’d like to use.

We will tell it to start 3 worker processes (adjust this as necessary). We will also tell it to create and bind to a Unix socket file within our project directory called myproject.sock. We’ll set a umask value of 007 so that the socket file is created giving access to the owner and group, while restricting other access. Finally, we need to pass in the WSGI entry point file name:

description "Gunicorn application server running myproject"

start on runlevel [2345]
stop on runlevel [!2345]

respawn
setuid user
setgid www-data

env PATH=/home/user/myproject/myprojectenv/bin
chdir /home/user/myproject
exec gunicorn --workers 3 --bind unix:myproject.sock -m 007 wsgi

Save and close the file when you are finished.

You can start the process immediately by typing:

sudo start myproject

Configuring Nginx to Proxy Requests

Our Gunicorn application server should now be up and running, waiting for requests on the socket file in the project directory. We need to configure Nginx to pass web requests to that socket by making some small additions to its configuration file.

Begin by creating a new server block configuration file in Nginx’s sites-available directory. We’ll simply call this myproject to keep in line with the rest of the guide:

sudo nano /etc/nginx/sites-available/myproject

Open up a server block and tell Nginx to listen on the default port 80. We also need to tell it to use this block for requests for our server’s domain name or IP address:

server {
    listen 80;
    server_name server_domain_or_IP;
}

The only other thing that we need to add is a location block that matches every request. Within this block, we’ll include the proxy_params file that specifies some general proxying parameters that need to be set. We’ll then pass the requests to the socket we defined using the proxy_pass directive:

server {
    listen 80;
    server_name server_domain_or_IP;

    location / {
        include proxy_params;
        proxy_pass http://unix:/home/user/myproject/myproject.sock;
    }
}

That’s actually all we need to serve our application. Save and close the file when you’re finished.

To enable the Nginx server block configuration we’ve just created, link the file to the sites-enabled directory:

sudo ln -s /etc/nginx/sites-available/myproject /etc/nginx/sites-enabled

With the file in that directory, we can test for syntax errors by typing:

sudo nginx -t

If this returns without indicating any issues, we can restart the Nginx process to read the our new config:

sudo service nginx restart

You should now be able to go to your server’s domain name or IP address in your web browser and see your application:

Flask sample app

Conclusion

In this guide, we’ve created a simple Flask application within a Python virtual environment. We create a WSGI entry point so that any WSGI-capable application server can interface with it, and then configured the Gunicorn app server to provide this function. Afterwards, we created an Upstart script to automatically launch the application server on boot. We created an Nginx server block that passes web client traffic to the application server, relaying external requests.

Flask is a very simple, but extremely flexible framework meant to provide your applications with functionality without being too restrictive about structure and design. You can use the general stack described in this guide to serve the flask applications that you design.

Thanks for learning with the DigitalOcean Community. Check out our offerings for compute, storage, networking, and managed databases.

Learn more about us


About the authors

Still looking for an answer?

Ask a questionSearch for more help

Was this helpful?
 
10 Comments


This textbox defaults to using Markdown to format your answer.

You can type !ref in this text area to quickly search our full set of tutorials, documentation & marketplace offerings and insert the link!

For those who are getting timeouts at the first attempt to connect via port 5000 (or whatever is assigned), I got around the issue by adding that port to the ufw firewall, if you set it up per the initial server setup guide.

This may only help newcomers like myself, but I’m sure there are a few of us around.

After I restart nginx, in the very last step, when I navigate to my domain I’m shown the nginx welcome screen instead of the flask application. All other checkpoints were successful. Any ideas what I could be missing? Thank you for the tutorial.

Justin Ellingwood
DigitalOcean Employee
DigitalOcean Employee badge
July 27, 2015

@ktizzel: Try reloading your application server instead:

  1. sudo reload myproject

If that doesn’t work, you can try restarting it:

  1. sudo restart myproject

Hope that helps!

I get an error when I try to run “sudo start myproject”, saying “sudo: start: command not found”. How can I fix this? Thanks for the help!

When I try to run the “gunicorn --bind 0.0.0.0:8000 wsgi” I get a “Failed to find application : ‘wsgi’”. I’m in the same dir as wsgi.py file. Any ideas?

Thanks in advance!

Hi! The upstart script needs sudo privileges as you mentioned. I do not have sudo access, and I installed all of the dependencies from source. How is it possible to have an upstart script without root privileges?

Thanks for this great tutorial, while try to access the domain i get below error. 017/09/03 06:25:18 [error] 15994#0: *1 connect() to unix:/home/ubuntu/4k/smilesnaturecure/mysnc.sock failed (111: Connection refused) while connecting to upstream, client: 182.65.222.167, server: smilesnaturecure.com, request: “GET /favicon.ico HTTP/1.1”, upstream: “http://unix:/home/ubuntu/4k/smilesnaturecure/mysnc.sock:/favicon.ico”, host: “www.smilesnaturecure.com”, referrer: “http://www.smilesnaturecure.com/

Down at the step of creating the .conf file in the /etc/init directory it seems there are some important parts missing in the conf file. I suspect the pathing.

When I run ‘sudo start (myproject)’ I get:

“sudo: start: command not found”

Is the syntax in:

exec gunicorn --workers 3 --bind unix:myproject.sock -m 007 wsgi

correct? Should there be more comprehensive paths in here?

Thanks,

Chris.

@jellingwood I have this error “init: Failed to spawn myproject main process: unable to find setuid user”. Here is myproject.conf :

description “Gunicorn application server running myproject”

start on runlevel [2345] stop on runlevel [!2345]

respawn setuid user setgid www-data

env PATH=/root/myproject/myprojectenv/bin chdir /root/myproject exec gunicorn --workers 3 --bind unix:myproject.sock -m 007 wsgi

I dont have home/user/myproject/ instead I have root/myproject and I also changed myproject.py into app.py . I had it running on port 5000 and port 8000.

These are my error logs:

random: nonblocking pool is initialized Disconnected from Upstart Disconnected from Upstart init: upstart-udev-bridge main process (667) terminated with status 1 init: upstart-udev-bridge main process ended, respawning init: upstart-socket-bridge main process (953) terminated with status 1 init: upstart-socket-bridge main process ended, respawning init: upstart-file-bridge main process (1261) terminated with status 1 init: upstart-file-bridge main process ended, respawning (root) CMD ( cd / && run-parts --report /etc/cron.hourly) init: Failed to spawn myproject main process: unable to change working directory: No such file or directory init: Failed to spawn myproject main process: unable to change working directory: No such file or directory init: Failed to spawn myproject main process: unable to change working directory: No such file or directory Failed to spawn myproject main process: unable to change working directory: No such file or directory init: Failed to spawn myproject main process: unable to find setuid user init: Failed to spawn myproject main process: unable to find setuid user

Hello everyone, I am using ubuntu 16.10 machine, and when I try to execute sudo start myproject, it tells me start command not found. I googled for some time and found out that ubuntu 16.10 uses systemd and not upstart, so how am I suppose to execute above command for 16.10 machine ?

Try DigitalOcean for free

Click below to sign up and get $200 of credit to try our products over 60 days!

Sign up

Join the Tech Talk
Success! Thank you! Please check your email for further details.

Please complete your information!

Get our biweekly newsletter

Sign up for Infrastructure as a Newsletter.

Hollie's Hub for Good

Working on improving health and education, reducing inequality, and spurring economic growth? We'd like to help.

Become a contributor

Get paid to write technical tutorials and select a tech-focused charity to receive a matching donation.

Welcome to the developer cloud

DigitalOcean makes it simple to launch in the cloud and scale up as you grow — whether you're running one virtual machine or ten thousand.

Learn more
DigitalOcean Cloud Control Panel