In this guide, you will build a Python application using the Flask microframework on Ubuntu 18.04. The bulk of this article will be about how to set up the uWSGI application server and how to launch the application and configure Nginx to act as a front-end reverse proxy.
To complete this tutorial, you will need:
A server with Ubuntu 18.04 installed and a non-root user with sudo privileges and a firewall enabled. Follow our initial server setup guide for guidance.
Nginx installed, following Steps 1 and 2 of How To Install Nginx on Ubuntu 18.04.
A domain name configured to point to your server. You can purchase one on Namecheap or get one for free on Freenom. You can learn how to point domains to DigitalOcean by following the relevant documentation on domains and DNS. Be sure to create the following DNS records:
your_domain
pointing to your server’s public IP address.www.your_domain
pointing to your server’s public IP address.Familiarity with uWSGI, our application server, and the WSGI specification. This discussion of definitions and concepts goes over both in detail.
The first step is to install all of the pieces that you need from the Ubuntu repositories. You’ll install pip
, the Python package manager, to manage your Python components. You’ll also get the Python development files necessary to build uWSGI.
First, update the local package index:
Then install the packages that will allow you to build your Python environment. These will include python3-pip
, along with a few more packages and development tools necessary for a robust programming environment:
With these packages in place, you can move on to creating a virtual environment for your project.
Next, set up a virtual environment in order to isolate your Flask application from the other Python files on the system.
Start by installing the python3-venv
package, which will install the venv
module:
Next, make a parent directory for your Flask project:
Then move into the directory after you create it:
Create a virtual environment to store your Flask project’s Python requirements by running the following:
This will install a local copy of Python and pip
into a directory called myprojectenv
within your project directory.
Before installing applications within the virtual environment, you need to activate it:
Your prompt will change to indicate that you are now operating within the virtual environment. It will read like the following: (myprojectenv) user@host:~/myproject$
.
Now that you are in your virtual environment, you can install Flask and uWSGI and get started on designing your application.
First, install wheel
with the local instance of pip
to ensure that your packages will install even if they are missing wheel archives:
Note: Regardless of which version of Python you are using, when the virtual environment is activated, you should use the pip
command (not pip3
).
Next, install Flask and uWSGI:
After installation is complete, you can begin using Flask.
Now that you have Flask available, you can create a simple application. As you may recall, Flask is a microframework and doesn’t include many of the tools that more full-featured frameworks might. Flask exists primarily 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, you’ll create your Flask app in a single file. You can create the file using your favorite text editor. For this example, we will use nano
and name it myproject.py
:
The application code will live in this file. It will import Flask and instantiate a Flask object. You can use this to define the functions that should be run when a specific route is requested:
This defines what content to present when the root domain is accessed. Save and close the file when you’re finished. If you’re using nano
you can do this by pressing CTRL + X
then Y
and ENTER
.
If you followed the initial server setup guide, you should have a UFW firewall enabled. To test the application, you need to allow access to port 5000
:
Now test your Flask app:
You will receive output like the following, including a helpful warning reminding you not to use this server setup in production:
Output* Serving Flask app "myproject" (lazy loading)
* Environment: production
WARNING: Do not use the development server in a production environment.
Use a production WSGI server instead.
* Debug mode: off
* Running on http://0.0.0.0:5000/ (Press CTRL+C to quit)
Visit your server’s IP address followed by :5000
in your web browser:
http://your_server_ip:5000
You should see something like the following:
When you are finished, hit CTRL + C
in your terminal window to stop the Flask development server.
Next, you’ll create a file that will serve as the entry point for your application. This will tell your uWSGI server how to interact with it.
First create and name the file wsgi.py
:
In this file, import the Flask instance from your application and then run it:
Save and close the file when you are finished.
Your application is now written with an entry point established. You can now move on to configuring uWSGI.
Before making more changes, it might be helpful to test that uWSGI can serve your application.
You can do this by passing the name of your entry point to uWSGI. This is constructed by the name of the module (minus the .py
extension) plus the name of the callable within the application. In this case the entry point’s name is wsgi:app
.
You’ll also specify the socket, so that it will be started on a publicly available interface, as well as the protocol, so that it will use HTTP instead of the uwsgi
binary protocol. Use the same port number, 5000
, that you opened earlier:
Visit your server’s IP address with :5000
appended to the end in your web browser again:
http://your_server_ip:5000
You should receive your application’s output again:
When you have confirmed that it’s functioning properly, press CTRL + C
in your terminal window.
Now that you’re done with your virtual environment, you can deactivate it:
Any Python commands will now use the system’s Python environment again.
You have tested and verified that uWSGI is able to serve your application, but ultimately you will want something more robust for long-term usage. You can create a uWSGI configuration file with the relevant options for this.
Place that file in your project directory and call it myproject.ini
:
Inside, you’ll start off with the [uwsgi]
header so that uWSGI knows to apply the settings. You’ll specify two things: the module itself, by referring to the wsgi.py
file minus the extension, and the callable within the file, app
:
[uwsgi]
module = wsgi:app
Next, tell uWSGI to start up in master mode and spawn five worker processes to serve actual requests:
[uwsgi]
module = wsgi:app
master = true
processes = 5
When you were testing, you exposed uWSGI on a network port. However, you’re going to be using Nginx to handle actual client connections, which will then pass requests to uWSGI. Since these components are operating on the same computer, a Unix socket is preferable because it is faster and more secure. Call the socket myproject.sock
and place it in this directory.
Also change the permissions on the socket. This gives the Nginx group ownership of the uWSGI process later on, so make sure the group owner of the socket can read information from it and write to it. Additionally, clean up the socket when the process stops by adding the vacuum
option:
[uwsgi]
module = wsgi:app
master = true
processes = 5
socket = myproject.sock
chmod-socket = 660
vacuum = true
The last thing you’ll do is set the die-on-term
option. This can help ensure that the init system and uWSGI have the same assumptions about what each process signal means. Setting this aligns the two system components, implementing the expected behavior:
[uwsgi]
module = wsgi:app
master = true
processes = 5
socket = myproject.sock
chmod-socket = 660
vacuum = true
die-on-term = true
You may have noticed that you did not specify a protocol like you did from the command line. That’s because by default, uWSGI speaks using the uwsgi
protocol, a fast binary protocol designed to communicate with other servers. Nginx can speak this protocol natively, so it’s better to use this than to force communication by HTTP.
When you are finished, save and close the file.
Next, create the systemd service unit file. Creating a systemd unit file will allow Ubuntu’s init system to automatically start uWSGI and serve the Flask application whenever the server boots.
Create a unit file ending in .service
within the /etc/systemd/system
directory to begin:
Inside the file, start with the [Unit]
section, which is used to specify metadata and dependencies. Describe your service here and tell the init system to only start after the networking target has been reached:
[Unit]
Description=uWSGI instance to serve myproject
After=network.target
Next, open up the [Service]
section. This will specify the user and group that you want the process to run under. Give your regular user account ownership of the process since it owns all of the relevant files. Also give group ownership to the www-data
group so that Nginx can communicate easily with the uWSGI processes. Remember to replace the username here with your username:
[Unit]
Description=uWSGI instance to serve myproject
After=network.target
[Service]
User=sammy
Group=www-data
Next, map out the working directory and set the PATH
environmental variable so that the init system knows that the executables for the process are located within your virtual environment. Also specify the command to start the service. Systemd requires that you give the full path to the uWSGI executable, which is installed within your virtual environment. You’ll pass the name of the .ini
configuration file you created in your project directory.
Remember to replace the username and project paths with your own information:
[Unit]
Description=uWSGI instance to serve myproject
After=network.target
[Service]
User=sammy
Group=www-data
WorkingDirectory=/home/sammy/myproject
Environment="PATH=/home/sammy/myproject/myprojectenv/bin"
ExecStart=/home/sammy/myproject/myprojectenv/bin/uwsgi --ini myproject.ini
Then add an [Install]
section. This will tell systemd what to link this service to if you enable it to start at boot. You want this service to start when the regular multi-user system is up and running:
[Unit]
Description=uWSGI instance to serve myproject
After=network.target
[Service]
User=sammy
Group=www-data
WorkingDirectory=/home/sammy/myproject
Environment="PATH=/home/sammy/myproject/myprojectenv/bin"
ExecStart=/home/sammy/myproject/myprojectenv/bin/uwsgi --ini myproject.ini
[Install]
WantedBy=multi-user.target
With that, your systemd service file is complete. Save and close it now.
Now you can start the uWSGI service you created and enable it so that it starts at boot:
Check the status:
You should receive output like the following:
Output● myproject.service - uWSGI instance to serve myproject
Loaded: loaded (/etc/systemd/system/myproject.service; enabled; vendor preset
Active: active (running) since Mon 2021-10-25 22:34:52 UTC; 14s ago
Main PID: 9391 (uwsgi)
Tasks: 6 (limit: 1151)
CGroup: /system.slice/myproject.service
├─9391 /home/sammy/myproject/myprojectenv/bin/uwsgi --ini myproject.i
├─9410 /home/sammy/myproject/myprojectenv/bin/uwsgi --ini myproject.i
├─9411 /home/sammy/myproject/myprojectenv/bin/uwsgi --ini myproject.i
├─9412 /home/sammy/myproject/myprojectenv/bin/uwsgi --ini myproject.i
├─9413 /home/sammy/myproject/myprojectenv/bin/uwsgi --ini myproject.i
└─9414 /home/sammy/myproject/myprojectenv/bin/uwsgi --ini myproject.i
If you receive any errors, be sure to resolve them before continuing with the tutorial.
Your uWSGI application server should now be up and running, waiting for requests on the socket file in the project directory. Now you can configure Nginx to pass web requests to that socket using the uwsgi
protocol.
Begin by creating a new server block configuration file in Nginx’s sites-available
directory. Name it myproject
to stay consistent with the rest of the guide:
Open up a server block and tell Nginx to listen on the default port 80
. Also tell it to use this block for requests for your server’s domain name:
server {
listen 80;
server_name your_domain www.your_domain;
}
Next, add a location block that matches every request. Within this block, you’ll include the uwsgi_params
file that specifies some general uWSGI parameters that need to be set. Then you’ll pass the requests to the socket you defined using the uwsgi_pass
directive:
server {
listen 80;
server_name your_domain www.your_domain;
location / {
include uwsgi_params;
uwsgi_pass unix:/home/sammy/myproject/myproject.sock;
}
}
Save and close the file when you’re finished.
To enable the Nginx server block configuration you’ve just created, link the file to the sites-enabled
directory:
With the file in that directory, you can test for syntax errors by running the following:
If this returns without indicating any issues, restart the Nginx process to read the new configuration:
Now adjust the firewall again. You no longer need access through port 5000
, so you can remove that rule:
After, you’ll allow access to the Nginx server:
You should now be able to navigate to your server’s domain name in your web browser:
http://your_domain
You should see your application output:
If you encounter any errors, try checking the following:
sudo less /var/log/nginx/error.log
: checks the Nginx error logs.sudo less /var/log/nginx/access.log
: checks the Nginx access logs.sudo journalctl -u nginx
: checks the Nginx process logs.sudo journalctl -u myproject
: checks your Flask app’s uWSGI logs.To ensure that traffic to your server remains secure, you should get an SSL certificate for your domain. There are multiple ways to do this, including getting a free certificate from Let’s Encrypt, generating a self-signed certificate, or buying one from another provider and configuring Nginx to use it by following Steps 2 through 6 of How to Create a Self-signed SSL Certificate for Nginx in Ubuntu 18.04. We will demonstrate with option one for the sake of expediency. For the full tutorial, check out How To Secure Nginx with Let’s Encrypt on Ubuntu 18.04.
First, add the Certbot Ubuntu repository:
You’ll need to press ENTER
to accept.
Next, install Certbot’s Nginx package with apt
:
Certbot provides a variety of ways to obtain SSL certificates through plugins. The Nginx plugin will take care of reconfiguring Nginx and reloading the configuration whenever necessary. To use this plugin, run the following:
This runs certbot
with the --nginx
plugin, using -d
to specify the names you’d like the certificate to be valid for.
If this is your first time running certbot
, you will be prompted to enter an email address and agree to the terms of service. After doing so, certbot
will communicate with the Let’s Encrypt server, then run a challenge to verify that you control the domain you’re requesting a certificate for.
If that’s successful, certbot
will ask how you’d like to configure your HTTPS settings:
OutputPlease choose whether or not to redirect HTTP traffic to HTTPS, removing HTTP access.
-------------------------------------------------------------------------------
1: No redirect - Make no further changes to the webserver configuration.
2: Redirect - Make all requests redirect to secure HTTPS access. Choose this for
new sites, or if you're confident your site works on HTTPS. You can undo this
change by editing your web server's configuration.
-------------------------------------------------------------------------------
Select the appropriate number [1-2] then [enter] (press 'c' to cancel):
Select your choice then hit ENTER
. The configuration will be updated, and Nginx will reload to pick up the new settings. certbot
will wrap up with a message telling you the process was successful and where your certificates are stored:
OutputIMPORTANT NOTES:
- Congratulations! Your certificate and chain have been saved at:
/etc/letsencrypt/live/your_domain/fullchain.pem
Your key file has been saved at:
/etc/letsencrypt/live/your_domain/privkey.pem
Your cert will expire on 2022-01-24. To obtain a new or tweaked
version of this certificate in the future, simply run certbot again
with the "certonly" option. To non-interactively renew *all* of
your certificates, run "certbot renew"
- Your account credentials have been saved in your Certbot
configuration directory at /etc/letsencrypt. You should make a
secure backup of this folder now. This configuration directory will
also contain certificates and private keys obtained by Certbot so
making regular backups of this folder is ideal.
- If you like Certbot, please consider supporting our work by:
Donating to ISRG / Let's Encrypt: https://letsencrypt.org/donate
Donating to EFF: https://eff.org/donate-le
If you followed the Nginx installation instructions in the prerequisites, you will no longer need the redundant HTTP profile allowance:
To verify the configuration, navigate once again to your domain, using https://
:
https://your_domain
You should see your application output once again, along with your browser’s security indicator, which should indicate that the site is secured.
In this guide, you created and secured a simple Flask application within a Python virtual environment. You created a WSGI entry point so that any WSGI-capable application server can interface with it, and then configured the uWSGI app server to provide this function. After, you created a systemd service file to automatically launch the application server on boot. You also created an Nginx server block that passes web client traffic to the application server, relaying external requests, and secured traffic to your server with Let’s Encrypt.
Flask is an 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 want to design.
Thanks for learning with the DigitalOcean Community. Check out our offerings for compute, storage, networking, and managed databases.
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!
Great tutorial – very well structured and easy to follow.
One thing I would mention is that it would be cool to see you add setting up a static files location.
One more thing – there’s a typo in /etc/nginx/sites-available/myproject
@jvm986 thanks for the suggestion and observation!
Does anyone know why I am getting this error when trying to start uwsgi?
uwsgi: error while loading shared libraries: libpcre.so.1: cannot open shared object file: No such file or directory
I have PCRE installed so if I type
sudo find / -name libpcre.so.1
I get
/usr/local/lib/libpcre.so.1 /usr/local/mac-dev-env/pcre-8.42/lib/libpcre.so.1 /usr/local/src/pcre-8.42/.libs/libpcre.so.1
I’ve Googled everywhere and can’t find anything.
For anyone that happens to run into the problem of loading shared libraries. I FINALLY found the solution.
Thank you so much for this great tutorial.
Thank you for this, very easy to follow tutorial.
I have a question - am new to all this, but I did manage to run my first FlaskApplication following your Tutorial. My question is - what happens if you need to make changes to the Python script .py document?
Do you need to stop the server and re-do everything, or would you just change the document and save it?
No just save the file and restart nginx!
$ sudo systemctl restart nginx
I had to run $ sudo systemctl restart myproject.service the other way didn’t worked for me.
.sock failed (13: Permission denied) while connecting to upstream
any thoughts? thanks
Although I don’t recall getting the exact error you did, I noticed that to get my example working, I had to use /tmp/myproject.sock…perhaps that will work for you?
thanks @cferrante for the response. Figured out the reason. I had this whole project under root directory, where ‘www-data’ didn’t have access. moved it to the different path and voila:)
Really a great tutorial. Sadly I am really new to Flask and nginx. I followed the whole tutorial and I get my website to work with the blue “Hello There”.
How do I use it now? Let’s say I have a registration form in a file registration.html, where do I put it in order to have a POST request?
Thanks in advance for any reply
I tried the adding the POST request under my flask application it works great under local environment but with nginx it shows an 500 error. I have added the following endpoint as well.
Can anyone please help me debug this issue?
Worth noting in this that if you are using the root user, you get permission denied if you have your files in root. You get several warnings with uwsgi etc about being logged in as root but i was surprised that it was causing a 502 error since root could not access some files
just realised it states it the pre-requisites that you require a non-root user with sudo permissions
I’m trying to deploy my flask & socketIO project, but everytime I try to run I got this error: WSGI app 0 (mountpoint=‘’)
myproject.ini
wsgi.py
What did you do to solve it?
I think, if you replace
module = wsgi
withmodule = wsgi:app
it should work. I was getting the same error, I haduwsgi:app
instead ofwsgi:app
, was a spelling error.If you do that, should also remove
callable = app
as that doesn’t seem required.great tutorial!
One question. My flask app is using a few environment variables that I have stored in a .env file. Normally I would just source that file before running the uwsgi command, but at Step 5 when we instead use systemctl it does not load this file, so I get missing key errors when I do systemctl status. What is the appropriate way to get my .env file loaded?
You can add environment variable file at /etc/systemd/system/myproject.service
[Service] User=sammy Group=www-data WorkingDirectory=/home/sammy/myproject Environment=“PATH=/home/sammy/myproject/myprojectenv/bin”
EnvironmentFile=/path/to/env/file
ExecStart=/home/sammy/myproject/myprojectenv/bin/uwsgi --ini myproject.ini
The environment variable file should be in the following format: ENV_VAR_1=value1 ENV_VAR_2=value2
Is there a way of adding all env variables, besides one by one? Also, I am calling screen from my application. It might be just my lack of understanding but screen has no env variable. If so, how could I call it?
I’m trying to add a few environment variables but I’m having a hard time.
I first tried adding them at
/etc/systemd/system/myproject.service
but no success.I also tried something like this:
but still nothing.
Would lua be a good solution? https://www.nginx.com/resources/wiki/modules/lua/
As an example of what I’m trying to run: myproject.py
running this shows
uwsgi[1881]: sh: 1: env: not found
in my Flask app’s uWSGI logs. (sudo journalctl -u myproject
)Has anyone tried something similar?
Thanks a lot for a really helpful tutorial! I have a question, though. Everything worked for me until the end of step 6. What’s shown on the page is not the “Hello There” from Flask, but rather the standard Nginx page. Do you know what I might have done wrong?
EDIT: For some strange (?) reason, after configuring https, the Flask site shows up there. But still not on the one https. I haven’t gotten the domain to work yet, though, so it might be related to that?
Alright, update: After configuring the domain as well, only the Flask site is showing, and the domain leads directly to https, as it should. Thanks again!
Getting a 502 error/ Permission denied?
Here’s the fix:
in the ~/myproject/myproject.ini file change the chmod-socket line from 660 to 666!
Thanks for the tutorial!
505 error followup
I searched long and hard for an answer to this. I’m not a security expert, but something never quite sat right with me about that last 6, although it definitely works and is suggested on several other forums.
FINALLY, I found a solution for this tutorial that worked for me, although please correct me if there’s some reason not to do it.
If necessary:
The
www-data
group is nginx, as was set in ourmyapp.service
file for ‘Group’.Big thanks to Gabriel Bordeaux. He actually sets group and user ownership to nginx (
www-data:www-data
). I believe his method is the standard for web directory permissions, but my way fits more with ourmyapp.service
file.Source: https://www.gab.lc/articles/flask-nginx-uwsgi/
I know it’s been a while since this was published but I have a question.
Everything worked just fine up until SSL. I could access the app, before the redirect to HTTPS.
I had to wait for DNS propogation, but after that I checked to make sure it opened before applying SSL, but now I get 404 not found. This is odd because it works before the SSL redirect.
Hello Kathleen Juell
First of all thanks a lot for writing such an article. It saved my days. I got some effective knowledge about wsgi, ini and sock file. If you have some time, can you please guide me what is sock file. I donot know why sock file is needed.
Secondly I loved the way you have written the article. I wish you will keep on writing more and more articles.
With regards https://ersanpreet.wordpress.com/
Works fine until I get to the end of step5.
Then I get a directory error:
/home/gary/webapp/webapp/bin/uwsgi no such file or directory. (my project and venv are named the same)
I can see in your example you specify /home/sammy/myproject/myprojectenv/bin/uwsgi but I don’t see anywhere that you actually create this directory hence the issue?
Thanks
Gary
What did you do to solve it?
Hey Gary,
I’m having the same problem… I’m getting the error status of 203/EXEC where it failed to execute file. My directory is /home/taylor/PyPortfo/PyPortfoenv/bin/uwsgi. Did you find a solution for you error. I’ve scoured Google looking for a solution, but I cannot find it. If any one has a solution, that would be great!!
Best,
I have a same problem too. INFO:
CentOS Linux release 8.1.1911 (Core) Python3 uWSGI 2.0.18
Process: 6100 ExecStart=/home/a_meowalien/env_py/linebot/bin/uwsgi --ini myproject.ini (code=exited, status=203/EXEC)
[uwsgi] chdir=/home/a_meowalien/project/Exercise/MyLineBot2
module = wsgi:app
master = true processes = 5
socket = myproject.sock chmod-socket = 660 vacuum = true
die-on-term = true
logto = /home/a_meowalien/project/Exercise/MyLineBot2/myproject_uwsgi.log
[Unit] Description=uWSGI instance to serve myproject After=network.target
[Service] User=a_meowalien Group=www-data WorkingDirectory=/home/a_meowalien/project/Exercise/MyLineBot2 Environment=“PATH=/home/a_meowalien/env_py/linebot/bin” ExecStart=/home/a_meowalien/env_py/linebot/bin/uwsgi --ini myproject.ini
[Install] WantedBy=multi-user.target
I got this problem too. And I solved it using this from stackoverflow. It’s because www-data user group not having access to our app directory to create a myproject.sock file.
Simply run (replace sammy with your username, and /home/sammy/<project>/* with your app directory)
Hope this helps :)
Source: https://stackoverflow.com/questions/46257171/starting-uwsgi-instance-fails-with-code-203
Can someone explain why the nginx configuration is different for a flask app when we follow these two guide?
Thank you for the tutorial! I followed your tutorial but there is one thing that I’m stuck with.
Normally I run my flask file with threading library (for an independent function to catch event changes on an ethereum smart contract and update the database json file which flask uses to index on website and send as metadata). But since I now deploy the website with wsgi, no mather what I tried, I can not make this second thread work in the flask script. So now, my database can not be updated and it breaks my site. I spent hours on search engines to find a relatable solution to this, but I couldn’t find any. I would be very glad if you could explain how I can handle this problem. :(
That’s an GREAT tutorial ! Keep going !
One of the best tutorials I’ve found on internet…great effort.
I’m facing following issue while running flask API behind NGINX. We are using textract library for OCR and document reading. My code runs without any issues but when I try to access it behind NGINX it fails to find some libraries, however, these libraries are already there. Any help would be highly appreciated.
My services are deployed on ubuntu and I’m using “virtualenv” for python environment management.
Exception call stack The command
antiword /home/jenkins/jenkins_qa/workspace/AgileDefense/flask-app/downloads/A3_SOW_N6426719R0028v8.doc
failed because the executableantiword
is not installed on your system. Please make sure the appropriate dependencies are installed before using textract:http://textract.readthedocs.org/en/latest/installation.html Traceback (most recent call last): File “/home/jenkins/jenkins_qa/workspace/AgileDefense/flask-app/adqa/lib/python3.6/site-packages/textract/parsers/utils.py”, line 84, in run stdout=subprocess.PIPE, stderr=subprocess.PIPE, File “/usr/lib/python3.6/subprocess.py”, line 729, in init restore_signals, start_new_session) File “/usr/lib/python3.6/subprocess.py”, line 1364, in _execute_child raise child_exception_type(errno_num, err_msg, err_filename) FileNotFoundError: [Errno 2] No such file or directory: ‘antiword’: ‘antiword’
other routes than application.route(“/”) are inaccessible. For example if I have this:
If I try to access host/web, it returns me an 404 nginx page. Need solution for this.
In /etc/nginx/sites-available/leases
Change
location /
tolocation /web/
Worked for me.
Ignore that - it is wrong.
Followed the walk-through precisely as written, and am fine until the step introducing Nginx. From there on out, the domain only ever returns the Nginx welcome page.
in Step-4 I’m getting this error any suggestions, uwsgi --version – 2.0.15-debian
“” uwsgi: invalid option – ‘w’ “”
Did you find the solution? No one is answering…
For those who are struggling to see “hello world” after step 6, but see nginx default page instead.
It did not work for me, because I had nginx default configuration still on that was occupying port 80.
I had to delete the default configuration
I also did
but it is probably unnecessary and even not recommended to do.
Please note that I have little *nix experience, so use this at your own risk.
So I followed this for Ubuntu 19.04. Everything works, except Flask Mail. On my localhost machine, I can send emails, and everything works fine.
As soon as I need to deploy, behind Nginx served by uwsgi, emails do not work.
I have set up in my code to give feedback if emails fail; under this setup emails fail silently.
Has anyone used this setup and able to send emails through your Flask app? I am using zoho–all ports required are open, username and password are good, etc.
Gonna try to setup wireshark and see what happens.
I got as far as
sudo systemctl start myproject then this error message.
System has not been booted with systemd as init system (PID 1). Can’t operate.
I’m using ubuntu app on windows 10. (I know it’s not a real ubuntu instance). some of the stackexchange discussions I’ve seen point to the linux and windows file subsytem not interacting well.
I’ve managed to get nginx to run as a service sudo service nginx start
tried starting myproject using this syntax. Not my area of knowledge. sudo service myproject start
Hello! Thanks for this tutorial. Btw what if i will add another flask application, but i want to serve it without a domain name with different port?, i just want to serve it with my public ip address? any idea?
thanks, King
Problem Solved - You can’t connect to other ports as http://ip:5000
I am an AWS user (as well as Digital Ocean), I couldn’t get access to http://ip:5000 and I got stuck in Step 3 of this tutorial.
(AWS) I solved this by adding a new Security Group Rule as Custom TCP and port 5000 (This is from the user panel of your instance, no from the terminal)
I believe that for some reasons, they are not all default open.
I hope it helps because I couldn’t understand why it was not working for me.
This was the most useful tutorial I’ve ever seen. It worked as soon as I realized it was written for a user and not for root.
The only time my experience differed from what I saw above was after this command,
sudo certbot --nginx -d your_domain -d www.your_domain
but everything worked and was easy at that point anyways.
THANK YOU
Has anyone tried running this or a deviation of it on a raspberry pi?
I want to run my flask server on a bare IP address like 165.227.xx.xxx:5000 (my server’s IP or else localhost, 127.0.0.1) and have my domain’s server block redirect traffic with paths like “domain.com/lang/html/loc/Vancouver” and “domain.dom/lang/javascript/loc/Toronto” to my flask server. Given that, how do I configure my files? Anyone know?
Hi! Works fine for me!
I have a question: now I change the text “hey there” for “hello world” of the myproject.py file. I run the “myproject.py” and see on my localhost:5000 the new text. But how can I deploy it for seeing it online?
hi, i followed along here, EXACTLY, 3X checked every line. Looked for every possible typo. I always get the nginx index page. Never the flask output.
Any ideas what I should be looking at?
There is nothing left to check, just pulling out my hair. thanks
GOT IT: from this comment! (may want to add to this to your great guide!)
sudo rm /etc/nginx/sites-enabled/default sudo systemctl restart nginx
Hi my web app require the user to save files onto the server but apparently there is a limit of around 200Kb of size for upload. How can I remove this limit? I tried adding
client_max_body_size 5M;
to my nginx config (and this removed the 413 error I was getting). But still I’m not able to upload larger files. I also modifiedmain.ini
adding this:but is not working. What am I missing? :(
Maybe some 2020 updates:
(myprojectenv) $ pip install wheel [missing the (myprojectenv)]
Your pages will not refresh unless you use this command: sudo systemctl restart myproject.service
You need to remove the default nginx setting: sudo rm /etc/nginx/sites-enabled/default
Great tutorial. thanks :-)
This comment has been deleted
Hello, I am having issue at step 5
I have no clue why this error
Thanks for the help
Really Great tutorial.Thank you so much for guiding it step by step
Could you also include the process to connect and use a MySQL db (i am a complete newbie, so I apologize if this is a stupid question)
I hosted an AWS EC2 instance ubuntu. My Nginx is responding with the NGINX page. But when I go to the port:5000 there is no response. Please help asap.
How to add the folder templates (which includes my html files) and the folder static so it work with nginx
I’m confused how you set this up as a subdomain that another hosting service is pointing to. Any advice?
The script runs without errors, but the site still does not load. What could be the source of the problem?
This comment has been deleted
One of the easiest way is as
now the flask application run as sevvice , just you need to setup the proxy server for nginx. it worked for me .
Great tutorial, I followed all step, and no problem, But when I start my applicqaiton as indicated on step 5 and tape https://mydomainname/get in order to call my api service “404 Not Found” it seem like uwsgi dont’ receive data from nginx. runing manully uwsg using “uwsgi --socket 0.0.0.0:5000 --protocol=http -w main” it work (but without hhttps) any help please
In trying to set this up under a subdomain, Nginx only shows me /var/www/html/index.html when I navigate to subdomain.rootdomain.com. Is there any extra config that needs to be done in this case?
Hi, While running: uwsgi --socket 0.0.0.0:5000 --protocol=http wsgi:app
I get the error: uwsgi: invalid option – ‘w’ getopt_long() error
any ideas please
Great tutorial! I was able to run the basic app. I’m trying to replace it with my own app, it’s composed from a templates folder with a base.html and a index.html that extends base.html and a static folder with the CSS. I just changed in myproject.py @app.route(“/”) def index(): return render_template(‘index.html’) if I do source myprojectenv/bin/activate sudo ufw allow 5000 python myproject.py
I can perfectly see my updated project at http://your_server_ip:5000 However when I deactivate the virtual env and do step 6, when I go to http://your_server_ip I keep seeing the blue hello there form the tutorial app…
I tried restrating nginx but the problem remain, I can see my own app only when I activate the virtual env and the old app when it’s deactivated.
How can I solve this, please?
Been having an issue for a while now. I complete all the steps prior to starting the service. When I run systemctl status myproject, it fails, and gives me code=exited, status 1/FAILURE. It says bind(): Permission denied [core/socket.c line 230]. Please help!
please help i did everything