Code Monkey home page Code Monkey logo

tiangolo / uwsgi-nginx-flask-docker Goto Github PK

View Code? Open in Web Editor NEW
3.0K 60.0 604.0 329 KB

Docker image with uWSGI and Nginx for Flask applications in Python running in a single container.

Home Page: https://hub.docker.com/r/tiangolo/uwsgi-nginx-flask/

License: Apache License 2.0

Python 73.27% HTML 0.69% Shell 7.78% Dockerfile 18.27%
uwsgi-nginx flask-application docker-image python-flask docker-container flask dockerfile uwsgi nginx nginx-server

uwsgi-nginx-flask-docker's Introduction

Test Deploy

Supported tags and respective Dockerfile links

Deprecated tags

🚨 These tags are no longer supported or maintained, they are removed from the GitHub repository, but the last versions pushed might still be available in Docker Hub if anyone has been pulling them:

  • python3.8-alpine
  • python3.6
  • python2.7

The last date tags for these versions are:

  • python3.8-alpine-2024-03-11
  • python3.6-2022-11-25
  • python2.7-2022-11-25

Note: There are tags for each build date. If you need to "pin" the Docker image version you use, you can select one of those tags. E.g. tiangolo/uwsgi-nginx-flask:python3.7-2019-10-14.

uwsgi-nginx-flask

Docker image with uWSGI and Nginx for Flask web applications in Python running in a single container.

Description

This Docker image allows you to create Flask web applications in Python that run with uWSGI and Nginx in a single container.

The combination of uWSGI with Nginx is a common way to deploy Python Flask web applications. It is widely used in the industry and would give you decent performance. (*)

There is also an Alpine version. If you want it, check the tags from above.

* Note on performance and features

If you are starting a new project, you might benefit from a newer and faster framework based on ASGI instead of WSGI (Flask and Django are WSGI-based).

You could use an ASGI framework like:

FastAPI, or Starlette, would give you about 800% (8x) the performance achievable with Flask using this image (tiangolo/uwsgi-nginx-flask). You can see the third-party benchmarks here.

Also, if you want to use new technologies like WebSockets it would be easier (and possible) with a newer framework based on ASGI, like FastAPI or Starlette. As the standard ASGI was designed to be able to handle asynchronous code like the one needed for WebSockets.

If you need Flask

If you need to use Flask (instead of something based on ASGI) and you need to have the best performance possible, you can use the alternative image: tiangolo/meinheld-gunicorn-flask.

tiangolo/meinheld-gunicorn-flask will give you about 400% (4x) the performance of this image (tiangolo/uwsgi-nginx-flask).

It is very similar to tiangolo/uwsgi-nginx-flask, so you can still use many of the ideas described here.


GitHub repo: https://github.com/tiangolo/uwsgi-nginx-flask-docker

Docker Hub image: https://hub.docker.com/r/tiangolo/uwsgi-nginx-flask/

🚨 WARNING: You Probably Don't Need this Docker Image

You are probably using Kubernetes or similar tools. In that case, you probably don't need this image (or any other similar base image). You are probably better off building a Docker image from scratch.


If you have a cluster of machines with Kubernetes, Docker Swarm Mode, Nomad, or other similar complex system to manage distributed containers on multiple machines, then you will probably want to handle replication at the cluster level instead of using a process manager in each container that starts multiple worker processes, which is what this Docker image does.

In those cases (e.g. using Kubernetes) you would probably want to build a Docker image from scratch, installing your dependencies, and running a single process instead of this image.

For example, using Gunicorn you could have a file app/gunicorn_conf.py with:

# Gunicorn config variables
loglevel = "info"
errorlog = "-"  # stderr
accesslog = "-"  # stdout
worker_tmp_dir = "/dev/shm"
graceful_timeout = 120
timeout = 120
keepalive = 5
threads = 3

And then you could have a Dockerfile with:

FROM python:3.9

WORKDIR /code

COPY ./requirements.txt /code/requirements.txt

RUN pip install --no-cache-dir --upgrade -r /code/requirements.txt

COPY ./app /code/app

CMD ["gunicorn", "--conf", "app/gunicorn_conf.py", "--bind", "0.0.0.0:80", "app.main:app"]

You can read more about these ideas in the FastAPI documentation about: FastAPI in Containers - Docker as the same ideas would apply to other web applications in containers.

When to Use this Docker Image

A Simple App

You could want a process manager running multiple worker processes in the container if your application is simple enough that you don't need (at least not yet) to fine-tune the number of processes too much, and you can just use an automated default, and you are running it on a single server, not a cluster.

Docker Compose

You could be deploying to a single server (not a cluster) with Docker Compose, so you wouldn't have an easy way to manage replication of containers (with Docker Compose) while preserving the shared network and load balancing.

Then you could want to have a single container with a process manager starting several worker processes inside, as this Docker image does.

Prometheus and Other Reasons

You could also have other reasons that would make it easier to have a single container with multiple processes instead of having multiple containers with a single process in each of them.

For example (depending on your setup) you could have some tool like a Prometheus exporter in the same container that should have access to each of the requests that come.

In this case, if you had multiple containers, by default, when Prometheus came to read the metrics, it would get the ones for a single container each time (for the container that handled that particular request), instead of getting the accumulated metrics for all the replicated containers.

Then, in that case, it could be simpler to have one container with multiple processes, and a local tool (e.g. a Prometheus exporter) on the same container collecting Prometheus metrics for all the internal processes and exposing those metrics on that single container.


Read more about it all in the FastAPI documentation about: FastAPI in Containers - Docker, as the same concepts apply to other web applications in containers.

Examples (simple project templates)

  • python3.8 tag: general Flask web application:

example-flask-python3.8.zip

  • python3.8 tag: general Flask web application, structured as a package, for bigger Flask projects, with different submodules. Use it only as an example of how to import your modules and how to structure your own project:

example-flask-package-python3.8.zip

  • python3.8 tag: static/index.html served directly in /, e.g. for Vue, React, Angular, or any other Single-Page Application that uses a static index.html, not modified by Python:

example-flask-python3.8-index.zip

General Instructions

You don't have to clone this repo.

You can use this image as a base image for other images.

Assuming you have a file requirements.txt, you could have a Dockerfile like this:

FROM tiangolo/uwsgi-nginx-flask:python3.11

COPY ./requirements.txt /app/requirements.txt

RUN pip install --no-cache-dir --upgrade -r /app/requirements.txt

COPY ./app /app

There are several image tags available but for new projects you should use the latest version available.

There are several template projects that you can download (as a .zip file) to bootstrap your project in the section "Examples (project templates)" above.

This Docker image is based on tiangolo/uwsgi-nginx. That Docker image has uWSGI and Nginx installed in the same container and was made to be the base of this image.

Quick Start

Note: You can download the example-flask-python3.8.zip project example and use it as the template for your project from the section Examples above.


Or you may follow the instructions to build your project from scratch:

  • Go to your project directory
  • Create a Dockerfile with:
FROM tiangolo/uwsgi-nginx-flask:python3.11

COPY ./app /app
  • Create an app directory and enter in it
  • Create a main.py file (it should be named like that and should be in your app directory) with:
from flask import Flask
app = Flask(__name__)

@app.route("/")
def hello():
    return "Hello World from Flask"

if __name__ == "__main__":
    # Only for debugging while developing
    app.run(host='0.0.0.0', debug=True, port=80)

the main application object should be named app (in the code) as in this example.

Note: The section with the main() function is for debugging purposes. To learn more, read the Advanced instructions below.

  • You should now have a directory structure like:
.
β”œβ”€β”€ app
β”‚Β Β  └── main.py
└── Dockerfile
  • Go to the project directory (in where your Dockerfile is, containing your app directory)
  • Build your Flask image:
docker build -t myimage .
  • Run a container based on your image:
docker run -d --name mycontainer -p 80:80 myimage

...and you have an optimized Flask server in a Docker container.

You should be able to check it in your Docker container's URL, for example: http://192.168.99.100 or http://127.0.0.1

Project Generators

There are several project generators that you can use to start your project, with everything already configured.

Server set up

All these project generators include automatic and free HTTPS certificates generation provided by:

...using the ideas from DockerSwarm.rocks.

It would take about 20 minutes to read that guide and have a Docker cluster (of one or more servers) up and running ready for your projects.

You can have several projects in the same cluster, all with automatic HTTPS, even if they have different domains or sub-domains.

Generate a project

Then you can use one of the following project generators.

It would take about 5 extra minutes to generate one of these projects.

Deploy

And it would take about 3 more minutes to deploy them in your cluster.


In total, about 28 minutes to start from scratch and get an HTTPS Docker cluster with your full application(s) ready.


These are the project generators:

flask-frontend-docker

Project link: https://github.com/tiangolo/flask-frontend-docker

Minimal project generator with a Flask backend, a modern frontend (Vue, React or Angular) using Docker multi-stage building and Nginx, a Traefik load balancer with HTTPS, Docker Compose (and Docker Swarm mode) etc.

full-stack

Project Link: https://github.com/tiangolo/full-stack

Full stack project generator with Flask backend, PostgreSQL DB, PGAdmin, SQLAlchemy, Alembic migrations, Celery asynchronous jobs, API testing, CI integration, Docker Compose (and Docker Swarm mode), Swagger, automatic HTTPS, Vue.js, etc.

full-stack-flask-couchbase

Project Link: https://github.com/tiangolo/full-stack-flask-couchbase

Full stack project generator with Flask backend, Couchbase, Couchbase Sync Gateway, Celery asynchronous jobs, API testing, CI integration, Docker Compose (and Docker Swarm mode), Swagger, automatic HTTPS, Vue.js, etc.

Similar to the one above (full-stack), but with Couchbase instead of PostgreSQL, and some more features.

full-stack-flask-couchdb

Project Link: https://github.com/tiangolo/full-stack-flask-couchdb

Full stack project generator with Flask backend, CouchDB, Celery asynchronous jobs, API testing, CI integration, Docker Compose (and Docker Swarm mode), Swagger, automatic HTTPS, Vue.js, etc.

Similar to full-stack-flask-couchbase, but with CouchDB instead of Couchbase (or PostgreSQL).

Quick Start for SPAs *

Modern Single Page Applications

If you are building modern frontend applications (e.g. Vue, React, Angular) you would most probably be compiling a modern version of JavaScript (ES2015, TypeScript, etc) to a less modern, more compatible version.

If you want to serve your (compiled) frontend code by the same backend (Flask) Docker container, you would have to copy the code to the container after compiling it.

That means that you would need to have all the frontend tools installed on the building machine (it might be your computer, a remote server, etc).

That also means that you would have to, somehow, always remember to compile the frontend code right before building the Docker image.

And it might also mean that you could then have to add your compiled frontend code to your git repository (hopefully you are using Git already, or learning how to use git).

Adding your compiled code to Git is a very bad idea for several reasons, some of those are:

  • You don't have a single, ultimate source of truth (the source code).
  • The compiled code might be stale, even when your source code is new, which might make you spend a lot of time debugging.
  • You might run into a lot of code conflicts when interacting with multiple team members with different Git branches, and spend a lot of time solving irrelevant code conflicts in the compiled code.
    • This might also ruin automatic branch merging in pull requests from other team members.

For these reasons, it is not recommended that you serve your frontend code from the same backend (Flask) Docker container.

Better alternative

There's a much better alternative to serving your frontend code from the same backend (Flask) Docker container.

You can have another Docker container with all the frontend tools installed (Node.js, etc) that:

  • Takes your source frontend code.
  • Compiles it and generates the final "distributable" frontend.
  • Uses Docker "multi-stage builds" to copy that compiled code into a pure Nginx Docker image.
  • The final frontend image only contains the compiled frontend code, directly from the source, but has the small size of an Nginx image, with all the performance from Nginx.

To learn the specifics of this process for the frontend building in Docker you can read:

After having one backend (Flask) container and one frontend container, you need to serve both of them.

And you might want to serve them under the same domain, under a different path. For example, the backend (Flask) app at the path /api and the frontend at the "root" path /.

You can then use Traefik to handle that.

And it can also automatically generate HTTPS certificates for your application using Let's Encrypt. All for free, in a very easy setup.

If you want to use this alternative, check the project generators above, they all use this idea.

In this scenario, you would have 3 Docker containers:

  • Backend (Flask)
  • Frontend (Vue.js, Angular, React or any other)
  • Traefik (load balancer, HTTPS)

Deprecated Single Page Applications guide

If you want to check the previous (deprecated) documentation on adding a frontend to the same container, you can read the deprecated guide for single page apps.

Quick Start for bigger projects structured as a Python package

Note: You can download the example-flask-package-python3.8.zip project example and use it as an example or template for your project from the section Examples above.


You should be able to follow the same instructions as in the "QuickStart" section above, with some minor modifications:

  • Instead of putting your code in the app/ directory, put it in a directory app/app/.
  • Add an empty file __init__.py inside of that app/app/ directory.
  • Add a file uwsgi.ini inside your app/ directory (that is copied to /app/uwsgi.ini inside the container).
  • In your uwsgi.ini file, add:
[uwsgi]
module = app.main
callable = app

The explanation of the uwsgi.ini is as follows:

  • The module in where my Python web app lives is app.main. So, in the package app (/app/app), get the main module (main.py).
  • The Flask web application is the app object (app = Flask(__name__)).

Your file structure would look like:

.
β”œβ”€β”€ app
β”‚Β Β  β”œβ”€β”€ app
β”‚Β Β  β”‚Β Β  β”œβ”€β”€ __init__.py
β”‚Β Β  β”‚Β Β  β”œβ”€β”€ main.py
β”‚Β Β  └── uwsgi.ini
└── Dockerfile

...instead of:

.
β”œβ”€β”€ app
β”‚   β”œβ”€β”€ main.py
└── Dockerfile

If you are using static files in the same container, make sure the STATIC_PATH environment variable is set accordingly, for example to change the default value of /app/static to /app/app/static you could add this line to your Dockerfile:

ENV STATIC_PATH /app/app/static

...after that, everything should work as expected. All the other instructions would apply normally.

Working with submodules

  • After adding all your modules you could end up with a file structure similar to (taken from the example project):
.
β”œβ”€β”€ app
β”‚Β Β  β”œβ”€β”€ app
β”‚Β Β  β”‚Β Β  β”œβ”€β”€ api
β”‚Β Β  β”‚Β Β  β”‚Β Β  β”œβ”€β”€ api.py
β”‚Β Β  β”‚Β Β  β”‚Β Β  β”œβ”€β”€ endpoints
β”‚Β Β  β”‚Β Β  β”‚Β Β  β”‚Β Β  β”œβ”€β”€ __init__.py
β”‚Β Β  β”‚Β Β  β”‚Β Β  β”‚Β Β  └── user.py
β”‚Β Β  β”‚Β Β  β”‚Β Β  β”œβ”€β”€ __init__.py
β”‚Β Β  β”‚Β Β  β”‚Β Β  └── utils.py
β”‚Β Β  β”‚Β Β  β”œβ”€β”€ core
β”‚Β Β  β”‚Β Β  β”‚Β Β  β”œβ”€β”€ app_setup.py
β”‚Β Β  β”‚Β Β  β”‚Β Β  β”œβ”€β”€ database.py
β”‚Β Β  β”‚Β Β  β”‚Β Β  └── __init__.py
β”‚Β Β  β”‚Β Β  β”œβ”€β”€ __init__.py
β”‚Β Β  β”‚Β Β  β”œβ”€β”€ main.py
β”‚Β Β  β”‚Β Β  └── models
β”‚Β Β  β”‚Β Β      β”œβ”€β”€ __init__.py
β”‚Β Β  β”‚Β Β      └── user.py
β”‚Β Β  └── uwsgi.ini
└── Dockerfile
from .core import app_setup

or

from app.core import app_setup
  • And if you are in app/app/api/endpoints/user.py and you want to import the users object from app/app/core/database.py you would write it like:
from ...core.database import users

or

from app.core.database import users

Advanced instructions

You can customize several things using environment variables.

Serve index.html directly

Notice: this technique is deprecated, as it can create several issues with modern frontend frameworks. For the details and better alternatives, read the section above.

Setting the environment variable STATIC_INDEX to be 1 you can configure Nginx to serve the file in the URL /static/index.html when requested for /.

That would improve speed as it would not involve uWSGI nor Python. Nginx would serve the file directly. To learn more follow the section above "QuickStart for SPAs".

For example, to enable it, you could add this to your Dockerfile:

ENV STATIC_INDEX 1

Custom uWSGI process number

By default, the image starts with 2 uWSGI processes running. When the server is experiencing a high load, it creates up to 16 uWSGI processes to handle it on demand.

If you need to configure these numbers you can use environment variables.

The starting number of uWSGI processes is controlled by the variable UWSGI_CHEAPER, by default set to 2.

The maximum number of uWSGI processes is controlled by the variable UWSGI_PROCESSES, by default set to 16.

Have in mind that UWSGI_CHEAPER must be lower than UWSGI_PROCESSES.

So, if, for example, you need to start with 4 processes and grow to a maximum of 64, your Dockerfile could look like:

FROM tiangolo/uwsgi-nginx-flask:python3.11

ENV UWSGI_CHEAPER 4
ENV UWSGI_PROCESSES 64

COPY ./app /app

Max upload file size

You can set a custom maximum upload file size using an environment variable NGINX_MAX_UPLOAD, by default it has a value of 0, that allows unlimited upload file sizes. This differs from Nginx's default value of 1 MB. It's configured this way because that's the simplest experience an inexperienced developer in Nginx would expect.

For example, to have a maximum upload file size of 1 MB (Nginx's default) add a line in your Dockerfile with:

ENV NGINX_MAX_UPLOAD 1m

Custom listen port

By default, the container made from this image will listen on port 80.

To change this behavior, set the LISTEN_PORT environment variable. You might also need to create the respective EXPOSE Docker instruction.

You can do that in your Dockerfile, it would look something like:

FROM tiangolo/uwsgi-nginx-flask:python3.11

ENV LISTEN_PORT 8080

EXPOSE 8080

COPY ./app /app

Custom uwsgi.ini configurations

There is a default file in /app/uwsgi.ini with app specific configurations (on top of the global uwsgi configurations).

It only contains:

[uwsgi]
module = main
callable = app
  • module = main refers to the file main.py.
  • callable = app refers to the Flask "application", in the variable app.

You can customize uwsgi by replacing that file with your own, including all your configurations.

For example, to extend the default one above and enable threads, you could have a file:

[uwsgi]
module = main
callable = app
enable-threads = true

Custom uwsgi.ini file location

You can override where the image should look for the app uwsgi.ini file using the environment variable UWSGI_INI.

With that you could change the default directory for your app from /app to something else, like /application.

For example, to make the image use the file in /application/uwsgi.ini, you could add this to your Dockerfile:

ENV UWSGI_INI /application/uwsgi.ini

COPY ./application /application
WORKDIR /application

Note: the WORKDIR is important, otherwise uWSGI will try to run the app in /app.

Note: you would also have to configure the static files path, read below.

Custom ./static/ path

You can make Nginx use a custom directory path with the files to serve directly (without having uWSGI involved) with the environment variable STATIC_PATH.

For example, to make Nginx serve the static content using the files in /app/custom_static/ you could add this to your Dockerfile:

ENV STATIC_PATH /app/custom_static

Then, when the browser asked for a file in, for example, http://example.com/static/index.html, Nginx would answer directly using a file in the path /app/custom_static/index.html.

Note: you would also have to configure Flask to use that as its static directory.


As another example, if you needed to put your application code in a different directory, you could configure Nginx to serve those static files from that different directory.

If you needed to have your static files in /application/static/ you could add this to your Dockerfile:

ENV STATIC_PATH /application/static

Custom /static URL

You can also make Nginx serve the static files in a different URL, for that, you can use the environment variable STATIC_URL.

For example, if you wanted to change the URL /static to /content you could add this to your Dockerfile:

ENV STATIC_URL /content

Then, when the browser asked for a file in, for example, http://example.com/content/index.html, Nginx would answer directly using a file in the path /app/static/index.html.

Custom /app/prestart.sh

If you need to run anything before starting the app, you can add a file prestart.sh to the directory /app. The image will automatically detect and run it before starting everything.

For example, if you want to add Alembic SQL migrations (with SQLAlchemy), you could create a ./app/prestart.sh file in your code directory (that will be copied by your Dockerfile) with:

#! /usr/bin/env bash

# Let the DB start
sleep 10;
# Run migrations
alembic upgrade head

and it would wait 10 seconds to give the database some time to start and then run that alembic command.

If you need to run a Python script before starting the app, you could make the /app/prestart.sh file run your Python script, with something like:

#! /usr/bin/env bash

# Run custom Python script before starting
python /app/my_custom_prestart_script.py

Note: The image uses source to run the script, so for example, environment variables would persist. If you don't understand the previous sentence, you probably don't need it.

Custom Nginx processes number

By default, Nginx will start one "worker process".

If you want to set a different number of Nginx worker processes you can use the environment variable NGINX_WORKER_PROCESSES.

You can use a specific single number, e.g.:

ENV NGINX_WORKER_PROCESSES 2

or you can set it to the keyword auto and it will try to auto-detect the number of CPUs available and use that for the number of workers.

For example, using auto, your Dockerfile could look like:

FROM tiangolo/uwsgi-nginx-flask:python3.11

ENV NGINX_WORKER_PROCESSES auto

COPY ./app /app

Custom Nginx maximum connections per worker

By default, Nginx will start with a maximum limit of 1024 connections per worker.

If you want to set a different number you can use the environment variable NGINX_WORKER_CONNECTIONS, e.g:

ENV NGINX_WORKER_CONNECTIONS 2048

It cannot exceed the current limit on the maximum number of open files. See how to configure it in the next section.

Custom Nginx maximum open files

The number connections per Nginx worker cannot exceed the limit on the maximum number of open files.

You can change the limit of open files with the environment variable NGINX_WORKER_OPEN_FILES, e.g.:

ENV NGINX_WORKER_OPEN_FILES 2048

Customizing Nginx additional configurations

If you need to configure Nginx further, you can add *.conf files to /etc/nginx/conf.d/ in your Dockerfile.

Just have in mind that the default configurations are created during startup in a file at /etc/nginx/conf.d/nginx.conf and /etc/nginx/conf.d/upload.conf. So you shouldn't overwrite them. You should name your *.conf file with something different than nginx.conf or upload.conf, for example: custom.conf.

Note: if you are customizing Nginx, maybe copying configurations from a blog or a StackOverflow answer, have in mind that you probably need to use the configurations specific to uWSGI, instead of those for other modules, like for example, ngx_http_fastcgi_module.

Overriding Nginx configuration completely

If you need to configure Nginx even further, completely overriding the defaults, you can add a custom Nginx configuration to /app/nginx.conf.

It will be copied to /etc/nginx/nginx.conf and used instead of the generated one.

Have in mind that, in that case, this image won't generate any of the Nginx configurations, it will only copy and use your configuration file.

That means that all the environment variables described above that are specific to Nginx won't be used.

It also means that it won't use additional configurations from files in /etc/nginx/conf.d/*.conf, unless you explicitly have a section in your custom file /app/nginx.conf with:

include /etc/nginx/conf.d/*.conf;

If you want to add a custom /app/nginx.conf file but don't know where to start from, you can use the nginx.conf used for the tests and customize it or modify it further.

Technical details

The combination of uWSGI with Nginx is a common way to deploy Python Flask web applications.

Roughly:

  • Nginx is a web server, it takes care of the HTTP connections and also can serve static files directly and more efficiently.

  • uWSGI is an application server, that's what runs your Python code and it talks with Nginx.

  • Your Python code has the actual Flask web application, and is run by uWSGI.

The image tiangolo/uwsgi-nginx takes advantage of already existing slim and optimized Docker images (based on Debian as recommended by Docker) and implements several of Docker's best practices.

It uses the official Python Docker image, installs uWSGI and on top of that (with the least amount of modifications) adds the official Nginx image.

And it controls all these processes with Supervisord.

The image (and tags) created by this repo is based on the image tiangolo/uwsgi-nginx. This image adds Flask and sensible defaults on top of it.

If you follow the instructions and keep the root directory /app in your container, with a file named main.py and a Flask object named app in it, it should "just work".

There's already a uwsgi.ini file in the /app directory with the uWSGI configurations for it to "just work". And all the other required parameters are in another uwsgi.ini file in the image, inside /etc/uwsgi/.

If you need to change the main file name or the main Flask object, you would have to provide your own uwsgi.ini file. You may use the one in this repo as a template to start with (and you only would have to change the 2 corresponding lines).

You can have a /app/static directory and those files will be efficiently served by Nginx directly (without going through your Flask code or even uWSGI), it's already configured for you. But you can configure it further using environment variables (read above).

Supervisord takes care of running uWSGI with the uwsgi.ini file in /app file (including also the file in /etc/uwsgi/uwsgi.ini) and starting Nginx.


There's the rule of thumb that you should have "one process per container".

That helps, for example, isolating an app and its database in different containers.

But if you want to have a "micro-services" approach you may want to have more than one process in one container if they are all related to the same "service", and you may want to include your Flask code, uWSGI and Nginx in the same container (and maybe run another container with your database).

That's the approach taken in this image.


This image (and tags) have some default files, so if you run it by itself (not as the base image of your own project) you will see a default "Hello World" web app.

When you build a Dockerfile with a COPY ./app /app you replace those default files with your app code.

The main default file is only in /app/main.py. And in the case of the tags with -index, also in /app/static/index.html.

But those files render a "(default)" text in the served web page, so that you can check if you are seeing the default code or your own code overriding the default.

Your app code should be in the container's /app directory, it should have a main.py file and that main.py file should have a Flask object app.

If you follow the instructions above or use one of the downloadable example templates, you should be OK.

There is also a /app/uwsgi.ini file inside the images with the default parameters for uWSGI.

The downloadable examples include a copy of the same uwsgi.ini file for debugging purposes. To learn more, read the "Advanced development instructions" below.

Advanced development instructions

While developing, you might want to make your code directory a volume in your Docker container.

With that you would have your files (temporarily) updated every time you modify them, without needing to build your container again.

To do this, you can use the command pwd (print working directory) inside your docker run and the flag -v for volumes.

With that you could map your ./app directory to your container's /app directory.

But first, as you will be completely replacing the directory /app in your container (and all of its contents) you will need to have a uwsgi.ini file in your ./app directory with:

[uwsgi]
module = main
callable = app

and then you can do the Docker volume mapping.

Note: A uwsgi.ini file is included in the downloadable examples.

  • To try it, go to your project directory (the one with your Dockerfile and your ./app directory)
  • Make sure you have a uwsgi.ini file in your ./app directory
  • Build your Docker image:
docker build -t myimage .
  • Run a container based on your image, mapping your code directory (./app) to your container's /app directory:
docker run -d --name mycontainer -p 80:80 -v $(pwd)/app:/app myimage

If you go to your Docker container URL you should see your app, and you should be able to modify files in ./app/static/ and see those changes reflected in your browser just by reloading.

...but, as uWSGI loads your whole Python Flask web application once it starts, you won't be able to edit your Python Flask code and see the changes reflected.

To be able to (temporarily) debug your Python Flask code live, you can run your container overriding the default command (that starts Supervisord which in turn starts uWSGI and Nginx) and run your application directly with python, in debug mode, using the flask command with its environment variables.

So, with all the modifications above and making your app run directly with flask, the final Docker command would be:

docker run -d --name mycontainer -p 80:80 -v $(pwd)/app:/app -e FLASK_APP=main.py -e FLASK_DEBUG=1 myimage flask run --host=0.0.0.0 --port=80

Or in the case of a package project, you would set FLASK_APP=main/main.py:

docker run -d --name mycontainer -p 80:80 -v $(pwd)/app:/app -e FLASK_APP=main/main.py -e FLASK_DEBUG=1 myimage flask run --host=0.0.0.0 --port=80

Now you can edit your Flask code in your local machine and once you refresh your browser, you will see the changes live.

Remember that you should use this only for debugging and development, for deployment in production you shouldn't mount volumes and you should let Supervisord start and let it start uWSGI and Nginx (which is what happens by default).

An alternative for these last steps to work when you don't have a package, but just a flat structure with single files (modules), your Python Flask code could have that section with:

if __name__ == "__main__":
   # Only for debugging while developing
   app.run(host='0.0.0.0', debug=True, port=80)

...and you could run it with python main.py. But that will only work when you are not using a package structure and don't plan to do it later. In that specific case, if you didn't add the code block above, your app would only listen to localhost (inside the container), in another port (5000) and not in debug mode.

Note: The example project example-flask-python3.8 includes a docker-compose.yml and docker-compose.override.yml with all these configurations, if you are using Docker Compose.


Also, if you want to do the same live debugging using the environment variable STATIC_INDEX=1 (to serve /app/static/index.html directly when requested for /) your Nginx won't serve it directly as it won't be running (only your Python Flask app in debug mode will be running).

from flask import Flask, send_file

and

@app.route('/')
def route_root():
    index_path = os.path.join(app.static_folder, 'index.html')
    return send_file(index_path)

...that makes sure your app also serves the /app/static/index.html file when requested for /. Or if you are using a package structure, the /app/main/static/index.html file.

And if you are using a SPA framework, to allow it to handle the URLs in the browser, your Python Flask code should have the section with:

# Everything not declared before (not a Flask route / API endpoint)...
@app.route('/<path:path>')
def route_frontend(path):
    # ...could be a static file needed by the front end that
    # doesn't use the `static` path (like in `<script src="bundle.js">`)
    file_path = os.path.join(app.static_folder, path)
    if os.path.isfile(file_path):
        return send_file(file_path)
    # ...or should be handled by the SPA's "router" in front end
    else:
        index_path = os.path.join(app.static_folder, 'index.html')
        return send_file(index_path)

...that makes Flask send all the CSS, JavaScript and image files when requested in the root (/) URL but also makes sure that your frontend SPA handles all the other URLs that are not defined in your Flask app.

That's how it is written in the tutorial above and is included in the downloadable examples.

Note: The example project example-flask-python3.8-index includes a docker-compose.yml and docker-compose.override.yml with all these configurations, if you are using Docker Compose.

More advanced development instructions

If you follow the instructions above, it's probable that at some point, you will write code that will break your Flask debugging server and it will crash.

And since the only process running was your debugging server, that now is stopped, your container will stop.

Then you will have to start your container again after fixing your code and you won't see very easily what is the error that is crashing your server.

So, while developing, you could do the following (that's what I normally do, although I do it with Docker Compose, as in the example projects):

  • Make your container run and keep it alive in an infinite loop (without running any server):
docker run -d --name mycontainer -p 80:80 -v $(pwd)/app:/app -e FLASK_APP=main.py -e FLASK_DEBUG=1 myimage bash -c "while true ; do sleep 10 ; done"
  • Or, if your project is a package, set FLASK_APP=main/main.py:
docker run -d --name mycontainer -p 80:80 -v $(pwd)/app:/app -e FLASK_APP=main/main.py -e FLASK_DEBUG=1 myimage bash -c "while true ; do sleep 10 ; done"
  • Connect to your container with a new interactive session:
docker exec -it mycontainer bash

You will now be inside your container in the /app directory.

  • Now, from inside the container, run your Flask debugging server:
flask run --host=0.0.0.0 --port=80

You will see your Flask debugging server start, you will see how it sends responses to every request, you will see the errors thrown when you break your code, and how they stop your server, and you will be able to re-start it very fast, by just running the command above again.

🚨 Alpine Python Warning

In short: You probably shouldn't use Alpine for Python projects, instead use the slim Docker image versions.


Do you want more details? Continue reading πŸ‘‡

Alpine is more useful for other languages where you build a static binary in one Docker image stage (using multi-stage Docker building) and then copy it to a simple Alpine image, and then just execute that binary. For example, using Go.

But for Python, as Alpine doesn't use the standard tooling used for building Python extensions, when installing packages, in many cases Python (pip) won't find a precompiled installable package (a "wheel") for Alpine. And after debugging lots of strange errors you will realize that you have to install a lot of extra tooling and build a lot of dependencies just to use some of these common Python packages. 😩

This means that, although the original Alpine image might have been small, you end up with a an image with a size comparable to the size you would have gotten if you had just used a standard Python image (based on Debian), or in some cases even larger. 🀯

And in all those cases, it will take much longer to build, consuming much more resources, building dependencies for longer, and also increasing its carbon footprint, as you are using more CPU time and energy for each build. 🌳

If you want slim Python images, you should instead try and use the slim versions that are still based on Debian, but are smaller. πŸ€“

Tests

All the image tags, configurations, environment variables and application options are tested.

Updates

Updates are announced in the releases.

You can click the "watch" button at the top right and select "Releases only" to receive an email notification when there's a new release.

Release Notes

Latest Changes

Internal

  • πŸ”§ Add GitHub templates for discussions and issues, and security policy. PR #354 by @alejsdev.
  • πŸ”§ Update latest-changes.yml. PR #348 by @alejsdev.

2.1.0

Features

  • ✨ Add support for multiarch builds, including ARM (e.g. Mac M1). PR #347 by @tiangolo.

Refactors

Docs

Upgrades

Internal

2.0.0

Highlights of this release:

  • Support for Python 3.10, 3.11, and 3.9.
  • Deprecation of Python 3.6 and 2.7.
    • The last Python 3.6 and 2.7 images are available in Docker Hub, but they won't be updated or maintained anymore.
    • The last images with a date tag are python3.6-2022-11-25 and python2.7-2022-11-25.
  • Upgraded versions of all the dependencies.
  • Small improvements and fixes.

Features

Breaking Changes

Upgrades

  • ⬆️ Bump flask from 2.0.1 to 2.2.2 in /docker-images. PR #296 by @dependabot[bot].
  • ⬆️ Upgrade Flask to the latest version to support Python 3.6. PR #301 by @tiangolo.
  • ⬆️ Upgrade Nginx and Alpine (in the base images). PR #283 by @tiangolo.

Docs

  • ✏️ Fix typo: otherwhise -> otherwise in README. PR #211 by @timgates42.
  • πŸ“ Add note to discourage Alpine with Python. PR #247 by @tiangolo.
  • πŸ“ Add Kubernetes warning, when to use this image. PR #245 by @tiangolo.
  • ✏️ ️Fix typo duplicate "Note" in Readme. PR #243 by @tiangolo.
  • Fix example for Python 3.8. PR #186 by @ericboucher.

Internal

1.4.0

  • Add GitHub Sponsors button. PR #177.
  • Add Python 3.8 and Alpine with Python 3.8. This also includes all the recent updates of the parent image, like:
    • Latest version of Nginx, 1.17.10.
    • Latest version of Debian, Buster.
    • Latest version of Alpine, 3.11.
    • PR #176.
  • Remove support for Python 3.5. PR #175.
  • Refactor build setup:
    • Move to GitHub actions.
    • Re-use and simplify code and configs.
    • Simplify and update tests.
    • Remove deprecated -index sufix tags.
    • PR #173.

1.3.0

  • This is the last version to support:
    • Debian Stretch (before upgrading to Buster).
    • Python 3.5.
    • Alpine 3.7 and 3.8 (before upgrading to Alpine 3.11).
    • Alpine in older versions of Python, 2.7 and 3.6 (Before upgrading to Python 3.8).
    • Tags with -index (use ENV STATIC_INDEX 1 instead).
    • If you need any of those, make sure to use a tag for the build date 2020-05-04.

1.2.1

1.2.0

  • Refactor tests to use env vars and add image tags for each build date, like tiangolo/uwsgi-nginx-flask:python3.8-2019-10-14. PR #154.
  • Upgrade Travis. PR #135.

1.1.0

  • Move /start.sh and /app/prestart.sh functionality to parent image. PR #134.

1.0.0

2019-02-02:

2019-01-01:

  • Improved guide for single page applications.
  • Links to project generators.

2018-12-29:

  • Travis integration, images built and pushed by Travis.
  • Fixes in parent image for Nginx.

2018-11-23:

  • New Alpine 3.8 images for Python 2.7, Python 3.6 and (temporarily disabled) Python 3.7.

2018-09-22:

  • New Python 3.7 images, based on standard Debian and Alpine Linux. All the documentation and project templates have been updated to use Python 3.7 by default. Thanks to desaintmartin in this PR.

2018-06-22:

  • You can now use NGINX_WORKER_CONNECTIONS to set the maximum number of Nginx worker connections and NGINX_WORKER_OPEN_FILES to set the maximum number of open files. Thanks to ronlut in this PR.

2018-06-22:

Improvements from parent image:

  • Make uWSGI require an app to run, instead of going in "full dynamic mode" while there was an error. Supervisord doesn't terminate itself but tries to restart uWSGI and shows the errors. Uses need-app as suggested by luckydonald in this comment.

  • Correctly handled graceful shutdown of uWSGI and Nginx. Thanks to desaintmartin in this PR.

2018-02-04:

It's now possible to set the number of Nginx worker processes with the environment variable NGINX_WORKER_PROCESSES. Thanks to naktinis in this PR.

2018-01-14:

  • There are now two Alpine based versions, python2.7-alpine3.7 and python3.6-alpine3.7.

2017-12-10:

  • Added support for /app/prestart.sh script to run arbitrary code before starting the app (for example, Alembic - SQLAlchemy migrations). The documentation for the /app/prestart.sh is in the main README.
  • /app is part of the PYTHONPATH environment variable. That allows global imports from several places, easier Alembic integration, etc.

2017-12-08: Now you can configure which port the container should listen on, using the environment variable LISTEN_PORT thanks to tmshn in this PR.

2017-09-10: Updated examples and sample project to work with SPAs even when structuring the app as a package (with subdirectories).

2017-09-02:

  • Example project with a Python package structure and a section explaining how to use it and structure a Flask project like that.
  • Also, the examples and documentation now use the flask run commands, that allows running a package application while developing more easily.

2017-08-10: Many changes:

  • New official image tags: python3.6, python3.6-index, python.3.5, python3.5-index, python2.7 and python2.7-index. All the other images are deprecated in favor is this ones.
  • Python 3.6 is now the recommended default. Even the example projects for other versions were removed to discourage using older Python versions for new projects.
  • Any of the older images that didn't have a Python version will show a deprecation warning and take some time to start. As soon the tag latest will point to Python 3.6 and the other tags will be removed.
  • There were several improvements in the base image tiangolo/uwsgi-nginx that improved this image too.
  • By default, now there is no limit in the upload file size in Nginx. It can be configured in an environment variable.
  • It's now possible to configure several things with environment variables:
    • Serve index.html directly: STATIC_INDEX
    • Set the max upload file size: NGINX_MAX_UPLOAD
    • Set a custom uwsgi.ini file (that allows using a custom directory different than /app): UWSGI_INI (using the ideas by @bercikr in #5 ).
    • Set a custom ./static/ path: STATIC_PATH
    • Set a custom /static/ URL: STATIC_URL
  • As all this configurations are available as environment variables, the choices are a lot more simple. Actually, any new project would just need to use a Dockerfile with:
FROM tiangolo/uwsgi-nginx-flask:python3.6

COPY ./app /app

and then customize with environment variables.

License

This project is licensed under the terms of the Apache license.

uwsgi-nginx-flask-docker's People

Contributors

alejsdev avatar arthurarslanaliev avatar boyu1997 avatar cclauss avatar dependabot[bot] avatar desaintmartin avatar ericboucher avatar mariacamilagl avatar pjrule avatar reka169 avatar ronlut avatar tiangolo avatar timgates42 avatar vsund avatar

Stargazers

 avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar

Watchers

 avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar

uwsgi-nginx-flask-docker's Issues

COPY failed: stat /var/lib/docker/tmp/docker-builder192707116/start.sh: no such file or directory

ubuntu 18.04 desktop, docker

Docker version 17.12.1-ce, build 7390fc

When I run command: sudo docker build -t myimage . I get some errors follows:

hengaini2055@ubuntu:~/docker_flask$ sudo docker build -t myimage .
[sudo] hengaini2055 ηš„ε―†η οΌš ********

Sending build context to Docker daemon  5.632kB
Step 1/17 : FROM tiangolo/uwsgi-nginx:python3.6
 ---> dadfb1bf0a6c
Step 2/17 : RUN pip install flask
 ---> Using cache
 ---> 2fa96d341119
Step 3/17 : ENV NGINX_MAX_UPLOAD 0
 ---> Using cache
 ---> 2e7d880ac1cd
Step 4/17 : ENV LISTEN_PORT 80
 ---> Using cache
 ---> bcd7a9ac98af
Step 5/17 : ENV UWSGI_INI /app/uwsgi.ini
 ---> Using cache
 ---> 0fb2e3ec14d4
Step 6/17 : ENV STATIC_URL /static
 ---> Using cache
 ---> 258e335c1df0
Step 7/17 : ENV STATIC_PATH /app/static
 ---> Using cache
 ---> 15aeda17eec3
Step 8/17 : ENV STATIC_INDEX 0
 ---> Using cache
 ---> 8428457afc49
Step 9/17 : COPY ./app /app
 ---> 9a9a7da78738
Step 10/17 : WORKDIR /app
Removing intermediate container b5e2b9573adb
 ---> 541731aa343f
Step 11/17 : ENV PYTHONPATH=/app
 ---> Running in 21f7a6760678
Removing intermediate container 21f7a6760678
 ---> c04c0208964f
Step 12/17 : COPY start.sh /start.sh
COPY failed: stat /var/lib/docker/tmp/docker-builder898591638/start.sh: no such file or directory

Invalid checksum for python3.6

Looks like the checksum is invalid for one of the layers in python3.6 causing pull failure:

➜  ~ docker pull tiangolo/uwsgi-nginx:python3.6
python3.6: Pulling from tiangolo/uwsgi-nginx
723254a2c089: Pull complete
abe15a44e12f: Pull complete
409a28e3cc3d: Pull complete
503166935590: Pull complete
0f46f97746e4: Verifying Checksum
fe27feb3d509: Download complete
5efd1be29fdb: Download complete
1c7f21b2c7a5: Download complete
19d6f0b88217: Download complete
9bc015449d3b: Download complete
bc6664ce3000: Download complete
5637fc6942bc: Download complete
3e8e08378b8c: Download complete
9ee4941c6912: Download complete
68dc3e6ae1ee: Download complete
c99e37b352fe: Download complete
951c675c83e3: Download complete
d70540e3752a: Download complete
7e38e9f9b2d7: Download complete
a9852b3eea18: Download complete
97deda0086e7: Download complete
filesystem layer verification failed for digest sha256:0f46f97746e4df5959e8c821ca69fdd6c0bedd611c1e0ab3b6970f7202b9bb10
➜  ~

I was able to successfully pull from python3.6-alpine3.7 as well as python3.5.

Cannot load submodule

I have a project with structure below:

- /
  |- src
    |- main.py
    |- __init__.py
    |- submodule
      |- __init__.py
      |- ... 
    |- web
      |- web.py
      |- __init__.py
  |- Dockerfile

main.py calls entry function defined in web.py, and web.py calls functions defined in submodule. It works fine with command line python main.py. Then I plan to deploy it under docker, with Dockerfile:

FROM tiangolo/uwsgi-nginx-flask:python3.6
COPY ./src/* /app/

Build and run, I got error:

Traceback (most recent call last):
  File "./main.py", line 1, in <module>
    from web import run
  File "./web.py", line 5, in <module>
    import submodule
ModuleNotFoundError: No module named 'submodule'

Why did uwsgi cannot find submodule? Did I miss something?

net::ERR_INCOMPLETE_CHUNKED_ENCODING

I have a jquery front end that is trying to send images to an app inside the uwsgi-nginx-flask-docker container.

The javascript console is saying this:
jquery.min.js:4 POST http://localhost:8000/predict/ net::ERR_INCOMPLETE_CHUNKED_ENCODING

If I use the same app with only gunicorn it works ok, so I'm suspecting this is related to nginix configuration inside the container?

more Dockerfile
FROM tiangolo/uwsgi-nginx-flask:python3.6

COPY ./app /app

RUN pip install -r requirements.txt

On the client side I'm using this plugin to submit the form using ajax http://malsup.com/jquery/form/

Passing arguments to main.py

I'm trying to understand how the main.py file in the /app folder is called, and how I can send arguments to it? I have a project where I would like to start the main.py file by passing it an argument when I create a container.

Using root as user

Why do you not change user? Is it secure to run uWSGI with root privileges?

Cannot install module lxml.

at alpine cannot install module lxml like : pip install lxml,
but i find packages py3-lxml, i can install module like : apk add py3-lxml,
it used for my alpine linux or my dockerfile(form alpine:3.7)

`FROM tiangolo/uwsgi-nginx-flask:python3.6-alpine3.7
#FROM alpine:3.7

RUN apk update add python3
RUN apk add py3-lxml
RUN pip3 install pip==10.0.0
RUN pip3 freeze
`
if i use base from alpine:3.7,lxml be install,
use you tiangolo/uwsgi-nginx-flask:python3.6-alpine3.7,lxml be not install.

some bug?or?

cant connect mongodb

why can,t connect mongodb
eg:
data=source_client.users.users.find({"_id":ObjectId('5840e3eaf1d30043c60cae53')})[0]

feedback:

<title>500 Internal Server Error</title>

Internal Server Error

The server encountered an internal error and was unable to complete your request. Either the server is overloaded or there is an error in the application.

Add prefix to flask application URLs

I am wondering if you would consider allow users of this docker image to be able to set their own prefix of the flask application. For example, I would like to do something like this:

  • location \ served directly from a directory, not just index.html
  • location \api served by flask app

Or better yet, allow users to use their own nginx.conf. We could do this by checking if a nginx.conf file already exists before generating one in entrypoint.sh.

Thanks!

Too many β€œSIGPIPE: writing to a closed pipe/socket/fd” error for every seconds, on Flask + Nginx

Currently, I have the following simple Flask + Nginx web application.

Dockerfile

FROM tiangolo/uwsgi-nginx-flask:python3.6-alpine3.7


# Install the required packages
RUN pip install celery


COPY . /app

main.py

import json
import os
from flask import Flask, request
from flask import url_for
from celery import Celery
from celery.result import AsyncResult
import celery.states as states
import constants
import logging


app = Flask(__name__)


@app.route('/stock_price_alert', methods = ['POST'])
def stock_price_alert():
    request_data = request.get_json()

    if not request_data:
        return 'empty_data'

    celery = Celery('stock_price_alert', broker=constants.CELERY_BROKER_URL, backend=constants.CELERY_RESULT_BACKEND)
    celery.send_task('stock_price_alert.run', queue='stock_price_alert', args=[request_data], kwargs={})
    return 'stock_price_alert'


if __name__ == '__main__':
    app.run(debug=env.get('DEBUG',True),
            port=int(env.get('PORT',5000)),
            host=env.get('HOST','0.0.0.0')
    )

I have another node.js app, which will perform POST to /stock_price_alert, like every 10 seconds.

function post_stock_price_to_flask(json) {
    var options = {
      uri: 'http://flask/stock_price_alert',
      method: 'POST',
      json: json
    };
    
    request(options, function (error, response, body) {
    });

Things work pretty OK for few hours, till my CPU suddenly spike up.

enter image description here

Then, I keep receiving the error log, if I perform docker-compose logs flask

flask_1                            | Mon Feb 26 19:44:55 2018 - SIGPIPE: writing to a closed pipe/socket/fd (probably the client disconnected) on request /stock_price_alert (ip 172.18.0.8) !!!
flask_1                            | Mon Feb 26 19:44:55 2018 - SIGPIPE: writing to a closed pipe/socket/fd (probably the client disconnected) on request /stock_price_alert (ip 172.18.0.8) !!!
flask_1                            | Mon Feb 26 19:44:55 2018 - SIGPIPE: writing to a closed pipe/socket/fd (probably the client disconnected) on request /stock_price_alert (ip 172.18.0.8) !!!
flask_1                            | Mon Feb 26 19:44:55 2018 - SIGPIPE: writing to a closed pipe/socket/fd (probably the client disconnected) on request /stock_price_alert (ip 172.18.0.8) !!!
flask_1                            | Mon Feb 26 19:44:55 2018 - SIGPIPE: writing to a closed pipe/socket/fd (probably the client disconnected) on request /stock_price_alert (ip 172.18.0.8) !!!
flask_1                            | Mon Feb 26 19:44:55 2018 - SIGPIPE: writing to a closed pipe/socket/fd (probably the client disconnected) on request /stock_price_alert (ip 172.18.0.8) !!!
flask_1                            | Mon Feb 26 19:44:55 2018 - SIGPIPE: writing to a closed pipe/socket/fd (probably the client disconnected) on request /stock_price_alert (ip 172.18.0.8) !!!
flask_1                            | Mon Feb 26 19:44:55 2018 - SIGPIPE: writing to a closed pipe/socket/fd (probably the client disconnected) on request /stock_price_alert (ip 172.18.0.8) !!!
flask_1                            | Mon Feb 26 19:44:55 2018 - SIGPIPE: writing to a closed pipe/socket/fd (probably the client disconnected) on request /stock_price_alert (ip 172.18.0.8) !!!
flask_1                            | Mon Feb 26 19:44:55 2018 - SIGPIPE: writing to a closed pipe/socket/fd (probably the client disconnected) on request /stock_price_alert (ip 172.18.0.8) !!!
flask_1                            | Mon Feb 26 19:44:55 2018 - SIGPIPE: writing to a closed pipe/socket/fd (probably the client disconnected) on request /stock_price_alert (ip 172.18.0.8) !!!
flask_1                            | Mon Feb 26 19:44:55 2018 - SIGPIPE: writing to a closed pipe/socket/fd (probably the client disconnected) on request /stock_price_alert (ip 172.18.0.8) !!!
flask_1                            | Mon Feb 26 19:44:55 2018 - SIGPIPE: writing to a closed pipe/socket/fd (probably the client disconnected) on request /stock_price_alert (ip 172.18.0.8) !!!
flask_1                            | Mon Feb 26 19:44:56 2018 - SIGPIPE: writing to a closed pipe/socket/fd (probably the client disconnected) on request /stock_price_alert (ip 172.18.0.8) !!!

I even shutdown the node.js app, to ensure no one is sending POST to /stock_price_alert

Still, after I shutdown my node.js, Flask still keep generating the error log, and the CPU usage still very high.

May I know is there any other thing I can debug?

p/s Here's my docker stats output

CONTAINER ID        NAME                                                   CPU %               MEM USAGE / LIMIT     MEM %               NET I/O             BLOCK I/O           PIDS
357b5cd5c472        jstocknotification_flask_1                             56.18%              127.7MiB / 992.3MiB   12.87%              267MB / 220MB       94.7GB / 4.1kB      8

How could I fixed the dockerfile setting?

Yesterday, I build a new dockerfile with my python project as usual. But when I start it up, the static files all broken down.

After some time debugging I found the static file path is not config as usual.

I use the COPY in dockerfile building to change the nginx static file path.
But now it did not working.
I try some other ways, it was still not working too.

Suddenly, I realize that maybe there is some thing wrong in the entrypoint.sh

Aha, you have change the static file config to ENV in docker file.

So I fix it following the instruction.

But I am worry about that if it will change some way sometimes in the future.

So my question is how could I get a fixed dockerfile settings but not auto update with the repository?

Thank you.

ssl integration

I'm looking for a way to smoothly integrate ssl certificates through nginx config.
Any clues will be appreciated.

Include libmysqlclient-dev

Many / most applications need a database. Can you add these dependencies, or show how you would recommend we add them ourselves?

Unable to change nginx.conf in the image

This may seem a little strange, but I am not able to change nginx.conf file inside /etc/nginx/conf.d/nginx.conf

Here is what I did:

Method1: Change in Dockerfile

My Dockerfile looks like this:

FROM tiangolo/uwsgi-nginx-flask:flask
COPY ./app /app
COPY ./changes/nginx.conf /etc/nginx/conf.d/nginx.conf
COPY ./changes/nginx.conf /app/

./changes/nginx.conf looks like this:

server {
    location /app1/ {
        try_files $uri @app;
    }
    location @app {
        include uwsgi_params;
        uwsgi_pass unix:///tmp/uwsgi.sock;
    }
    location /static {
        alias /app/static;
    }
}

Note the change in location in above server block from location / to location /app1/

After the image is built and I run the docker container, I exec into the running container
sudo docker exec -ti CONTAINER_ID /bin/bash

cat /app/nginx.conf shows presence of updated nginx.conf file (location changes from / to /app1/

BUT cat /etc/nginx/conf.d/nginx.conf still shows the old conf file (location is still /)
I thought maybe the second COPY line is not getting executed successfully and docker isn't throwing error on console (sudo?). So, I changed the conf file manually and did a docker commit - the second approach mentioned below.

Method2: Docker commit

After the docker container was up and running, I used exec to login into the container using
[vagrant@localhost]$ sudo docker exec -ti CONTAINER_ID /bin/bash

[root@CONTAINER_ID]# vi /etc/nginx/conf.d/nginx.conf
Changing the file to reflect below:

server {
    location /app1/ {
        try_files $uri @app;
    }
    location @app {
        include uwsgi_params;
        uwsgi_pass unix:///tmp/uwsgi.sock;
    }
    location /static {
        alias /app/static;
    }
}

Saved the file wq! and exit the container.
After that I did sudo docker commit CONTAINER_ID my_new_image

Starting a new container and re-logging into container running on my_new_image still gives below nginx.conf file inside /etc/nginx/conf.d/nginx.conf:

server {
    location / {
        try_files $uri @app;
    }
    location @app {
        include uwsgi_params;
        uwsgi_pass unix:///tmp/uwsgi.sock;
    }
    location /static {
        alias /app/static;
    }
}

I can tell that the my_new_image has some changes because it is larger in size than tiangolo/uwsgi-nginx-flask-docker because I had installed vim to edit the file. But somehow file changes are not persisting inside /etc/nginx/conf.d/nginx.conf.

Am I doing something wrong or is it some bug?

running more than 2 processes

Hi,

Thanks for the great work. I've tried specifying the number of processes in uwsgi.ini, however it still defaults to 2. How do I spawn more than 2 processes?

Thanks.

How to get the container's logs?

Hi tiangolo

Great thanks for your dockers, I could setup a simple web app with flask.
I found when the app kept running somethings, it will hang up.
When I connect the running container's bash, I could only get the flask logs on the bash.
But could not get the nginx logging.

Do you have any advice for it?
Thank you

Python packages still not available to app after pip install

I have additional requirements I need to install for my app. Here's my Dockerfile:

FROM tiangolo/uwsgi-nginx-flask:python3.6

ENV STATIC_INDEX 1

COPY requirements.txt /app/
RUN pip install -r /app/requirements.txt

COPY . /app

Even after rebuilding, the app still can't import my packages. When I bring up the docker container, I get this in the output:

Traceback (most recent call last):
  File "./main.py", line 4, in <module>
    from flask_cors import CORS

The build step does show it installing the package.

Building web
Step 1/5 : FROM tiangolo/uwsgi-nginx-flask:python3.6
 ---> 590e17342131
Step 2/5 : ENV STATIC_INDEX 1
 ---> Using cache
 ---> be704d970645
Step 3/5 : COPY requirements.txt /app/
 ---> Using cache
 ---> 9a2d06e8c82e
Step 4/5 : RUN pip install -r /app/requirements.txt
 ---> Running in 85413afc84ee
Collecting certifi==2017.7.27.1 (from -r /app/requirements.txt (line 1))
  Downloading certifi-2017.7.27.1-py2.py3-none-any.whl (349kB)
Collecting chardet==3.0.4 (from -r /app/requirements.txt (line 2))
  Downloading chardet-3.0.4-py2.py3-none-any.whl (133kB)
Requirement already satisfied: click==6.7 in /usr/local/lib/python3.6/site-packages (from -r /app/requirements.txt (line 3))
Requirement already satisfied: Flask==0.12.2 in /usr/local/lib/python3.6/site-packages (from -r /app/requirements.txt (line 4))
Collecting Flask-Cors==3.0.3 (from -r /app/requirements.txt (line 5))
  Downloading Flask_Cors-3.0.3-py2.py3-none-any.whl
Collecting idna==2.6 (from -r /app/requirements.txt (line 6))
  Downloading idna-2.6-py2.py3-none-any.whl (56kB)
Requirement already satisfied: itsdangerous==0.24 in /usr/local/lib/python3.6/site-packages (from -r /app/requirements.txt (line 7))
Requirement already satisfied: Jinja2==2.9.6 in /usr/local/lib/python3.6/site-packages (from -r /app/requirements.txt (line 8))
Requirement already satisfied: MarkupSafe==1.0 in /usr/local/lib/python3.6/site-packages (from -r /app/requirements.txt (line 9))
Collecting requests==2.18.4 (from -r /app/requirements.txt (line 10))
  Downloading requests-2.18.4-py2.py3-none-any.whl (88kB)
Collecting six==1.11.0 (from -r /app/requirements.txt (line 11))
  Downloading six-1.11.0-py2.py3-none-any.whl
Collecting urllib3==1.22 (from -r /app/requirements.txt (line 12))
  Downloading urllib3-1.22-py2.py3-none-any.whl (132kB)
Requirement already satisfied: Werkzeug==0.12.2 in /usr/local/lib/python3.6/site-packages (from -r /app/requirements.txt (line 13))
Installing collected packages: certifi, chardet, six, Flask-Cors, idna, urllib3, requests
Successfully installed Flask-Cors-3.0.3 certifi-2017.7.27.1 chardet-3.0.4 idna-2.6 requests-2.18.4 six-1.11.0 urllib3-1.22
 ---> 0437821ea780
Removing intermediate container 85413afc84ee
Step 5/5 : COPY . /app
 ---> aed7dfd1c4a8
Removing intermediate container debc2010ff97
Successfully built aed7dfd1c4a8
Successfully tagged app_web:latest

Can anyone see what I'm doing wrong here? Thank you!

Default uwsgi.ini overrides settings in the custom configuration

Hi, first of all, thank you for your great work!

I found a problem while deploying my app, which has a custom uwsgi.ini inside the app folder, on top of this docker image.
I want to set a different value for cheaper, but while changing all other cheaper-related settings (cheaper-initial, cheaper-step) works, settings cheaper=5 doesn't because the default uwsgi.ini (/etc/uwsgi/uwsgi.ini) sets cheaper = 2.

I validated this issue by overriding /etc/uwsgi/uwsgi.ini with my custom settings.
I guess the same will happen by trying to set processes (which is also declared in the deault uwsgi.ini) to a value different from 16.

I would be happy to create a PR fixing this issue, but I need some guidance on the way it merges the 2 configs (default and the custom one in /app) πŸ™‚

Connect postgres(psycopg2) with the main.py

I tried to connect postgres db from main.py, but its giving OperationalError: received invalid response to SSL negotiation: H. This issue is because the port 5432 is not properly exposed.

DOCKERFILE

FROM tiangolo/uwsgi-nginx-flask:python2.7
ENV LISTEN_PORT 5432
EXPOSE 5432
COPY tmp.conf /etc/nginx/conf.d/tmp.conf
COPY ./app /app
RUN pip install -r /app/requirements.txt

main.py

from flask import Flask
import psycopg2
app = Flask(__name__)

@app.route("/")
def hello():
    db = psycopg2.connect(host='127.0.0.1', port=5432, user='postgres',
                          password='123', dbname='chatbotdev')
    return "Hello World from Flask"

if __name__ == "__main__":
    app.run(host='0.0.0.0', port=80)

tmp.conf

server {
    listen 8080 default_server;
    listen [::]:8080 default_server;

    location / {
      try_files $uri @app;
    }

    location @app {
        include uwsgi_params;
        uwsgi_pass unix:/tmp/uwsgi.sock;
    }
}

requirements.txt
psycopg2==2.7.3.1

Can someone please explain, how can I use postgres within this docker container, because I'm able to do this in other linux docker containers.

cannot use custom uwsgi.ini in flask app

Hi tiangolo!

I've been working around with your docker image to deploy my python application.
Things were fine until I tried customizing uwsgi.ini file.

First of all, following is my flask project architecture.

screen shot 2018-02-07 at 4 45 49 pm

Inside my Dockerfile includes following lines.

FROM tiangolo/uwsgi-nginx-flask:python3.6
COPY ./app /app
COPY ./app/conf/nginx.conf /etc/nginx/
COPY ./uwsgi.ini /app/uwsgi.ini
COPY ./requirements.txt /app/
RUN pip install -r /app/requirements.txt
ENV UWSGI_INI /app/uwsgi.ini

and I also tried with following Dockerfile.

FROM tiangolo/uwsgi-nginx-flask:python3.6
COPY ./app /app
COPY ./app/conf/nginx.conf /etc/nginx/
COPY ./uwsgi.ini /app/uwsgi.ini
COPY ./requirements.txt /app/
RUN pip install -r /app/requirements.txt
ENV UWSGI_INI /app/uwsgi.ini
WORKDIR /app

My custom uwsgi.ini is as follows.

[uwsgi]
module = main
callable = app
lazy-apps = true
processes = 1

If I run a docker container with above image, I see following logs.

screen shot 2018-02-07 at 4 57 35 pm

Thanks in advance!

[Question] Redirect loop

I want to redirect all www to non-www.
I have this in my custom.conf file :

server {
        server_name www.domain.com;
        return 301 $scheme://domain.com$request_uri;
}

But i receive a redirect loop. Do you have any idea why is that?
I am using the container with nginx-proxy
I think the issue happens beacuse there is double nginx-configuration.
One of nginx-proxy layer, second on uwsgi-nginx-flask-docker layer.

Isn't it better to just use pure uwsgi with nginx-proxy?

ggc breaks nginx?

I am trying to use tiangolo/uwsgi-nginx-flask:python3.6 as a base image so that I can build a Docker for my Flask WebApp. I have a Kerberos and MS SQL Server dependency. I have been racking my brain trying to get this to work for awhile. I think the problem is with gcc. I couldn't figure out what was wrong for a while and finally just started off adding one program at a time. I didn't get too far till I got the error below.

*** WARNING: you are running uWSGI as root !!! (use the --uid flag) ***
Python version: 3.6.4 (default, Dec 21 2017, 01:29:34)  [GCC 6.3.0 20170516]
*** Python threads support is disabled. You can enable it with --enable-threads ***
Python main interpreter initialized at 0x5558e0f37f70
your server socket listen backlog is limited to 100 connections
your mercy for graceful operations on workers is 60 seconds
mapped 1237056 bytes (1208 KB) for 16 cores
*** Operational MODE: preforking ***
WSGI app 0 (mountpoint='') ready in 1 seconds on interpreter 0x5558e0f37f70 pid: 9 (default app)
*** uWSGI is running in multiple interpreter mode ***
spawned uWSGI master process (pid: 9)
spawned uWSGI worker 1 (pid: 11, cores: 1)
spawned uWSGI worker 2 (pid: 12, cores: 1)
2018-04-06 21:21:04,343 INFO spawned: 'nginx' with pid 13
2018-04-06 21:21:04,343 INFO success: uwsgi entered RUNNING state, process has stayed up for > than 1 seconds (startsecs)
2018/04/06 21:21:04 [emerg] 13#13: open() "/etc/nginx/conf.d/default.conf" failed (2: No such file or directory) in /etc/nginx/nginx.conf:31
nginx: [emerg] open() "/etc/nginx/conf.d/default.conf" failed (2: No such file or directory) in /etc/nginx/nginx.conf:31
2018-04-06 21:21:04,361 INFO exited: nginx (exit status 1; not expected)
2018-04-06 21:21:06,366 INFO spawned: 'nginx' with pid 14
2018/04/06 21:21:06 [emerg] 14#14: open() "/etc/nginx/conf.d/default.conf" failed (2: No such file or directory) in /etc/nginx/nginx.conf:31
nginx: [emerg] open() "/etc/nginx/conf.d/default.conf" failed (2: No such file or directory) in /etc/nginx/nginx.conf:31
2018-04-06 21:21:06,384 INFO exited: nginx (exit status 1; not expected)
2018-04-06 21:21:09,391 INFO spawned: 'nginx' with pid 15
2018/04/06 21:21:09 [emerg] 15#15: open() "/etc/nginx/conf.d/default.conf" failed (2: No such file or directory) in /etc/nginx/nginx.conf:31
nginx: [emerg] open() "/etc/nginx/conf.d/default.conf" failed (2: No such file or directory) in /etc/nginx/nginx.conf:31
2018-04-06 21:21:09,409 INFO exited: nginx (exit status 1; not expected)
2018-04-06 21:21:10,409 INFO gave up: nginx entered FATAL state, too many start retries too `quickly`

My Dockerfile that made this looks like:

FROM tiangolo/uwsgi-nginx-flask:python3.6

RUN echo "deb http://ftp.us.debian.org/debian unstable main contrib non-free" > /etc/apt/sources.list.d/unstable.list
RUN cat /etc/*-release

ENV DEBIAN_FRONTEND noninteractive

RUN apt-get -qq update && apt-get -y install libopendbx1-mssql curl apt-transport-https

RUN apt-get -y install gcc

###############################################################
# Copy over Kerberos config files
###############################################################
COPY ./krb5.conf /etc/krb5.conf
COPY ./common-session /etc/pam.d/common-session
COPY ./webapp.keytab /etc/krb5.keytab

COPY ./app /app

Add ELK Elasticsearch to this template

Struggeling to find a good setup with ELK to monitor a flask api backend. I want to log all api requests and maybe certain things within the flask app. Would be awesome if this could be included here!

Connection aborted when accessing a HTTPS source

Hi,

using this image allowed me to properly start my app. However it kept failing at a certain point. I figured out that there is a problem at accessing an HTTPS source.

I isolated the respective part of my app and started it in a container. I basically just downloads a file from an S3 resource when I get the following error:

botocore.vendored.requests.exceptions.ConnectionError: ('Connection aborted.', RemoteDisconnected('Remote end closed connection without response',))

However starting the flask app locally with cmd on my Windows it works perfectly fine. I also tried it on a regular Apache2 server and got the same issue so I think it has to do something with uwsgi or the reverse proxy. In the flask code below you can see that I use a custom endpoint for S3 and not the service on AWS and this server is served with SSL. Could that be an issue? Can I solve this problem by changing the configuration on this image? Thank you very much.

app = Flask(__name__)

@app.route('/', methods=['GET', 'POST'])
def index():
    conn = boto3.client('s3', region_name="eu-west-1", endpoint_url="https://endpoint", aws_access_key_id=accesskey, aws_secret_access_key=secretkey)
    conn.download_file('mytestbucket22', 'aggregated.csv', 'aggregated.csv')
    return 'ok'

if __name__ == '__main__':
	app.run(host='0.0.0.0', debug=True)

Some problems with from my Module import

2018-02-12 19:41:49:--- no python application found, check your startup logs for errors ---
2018-02-12 19:41:49:[pid: 11|app: -1|req: -1/8] 192.168.1.169 () {42 vars in 658 bytes} [Mon Feb 12 11:28:47 2018] GET / => generated 21 bytes in 0 msecs (HTTP/1.1 500) 2 headers in 83 bytes (0 switches on core 0)
2018-02-12 19:41:49:192.168.1.169 - - [12/Feb/2018:11:28:47 +0000] "GET / HTTP/1.1" 500 32 "-" "Mozilla/5.0 (Windows NT 10.0; Win64; x64; rv:58.0) Gecko/20100101 Firefox/58.0" "-"
2018-02-12 19:41:49:Checking for script in /app/prestart.sh
2018-02-12 19:41:49:Running script /app/prestart.sh
2018-02-12 19:41:49:Running inside /app/prestart.sh, you could add migrations to this file, e.g.:
2018-02-12 19:41:49:#! /usr/bin/env bash
2018-02-12 19:41:49:# Let the DB start
2018-02-12 19:41:49:sleep 10;
2018-02-12 19:41:49:# Run migrations
2018-02-12 19:41:49:alembic upgrade head
2018-02-12 19:41:49:/usr/lib/python2.7/site-packages/supervisor/options.py:298: UserWarning: Supervisord is running as root and it is searching for its configuration file in default locations (including its current working directory); you probably want to specify a "-c" argument specifying an absolute path to a configuration file for improved security.
2018-02-12 19:41:49:  'Supervisord is running as root and it is searching '
2018-02-12 19:41:49:2018-02-12 11:39:54,856 CRIT Supervisor running as root (no user in config file)
2018-02-12 19:41:49:2018-02-12 11:39:54,858 INFO Included extra file "/etc/supervisor.d/supervisord.ini" during parsing
2018-02-12 19:41:49:Unlinking stale socket /run/supervisord.sock
2018-02-12 19:41:49:2018-02-12 11:39:55,215 INFO RPC interface 'supervisor' initialized
2018-02-12 19:41:49:2018-02-12 11:39:55,217 CRIT Server 'unix_http_server' running without any HTTP authentication checking
2018-02-12 19:41:49:2018-02-12 11:39:55,219 INFO supervisord started with pid 5
2018-02-12 19:41:49:2018-02-12 11:39:56,231 INFO spawned: 'nginx' with pid 8
2018-02-12 19:41:49:2018-02-12 11:39:56,244 INFO spawned: 'uwsgi' with pid 9
2018-02-12 19:41:49:[uWSGI] getting INI configuration from /app/uwsgi.ini
2018-02-12 19:41:49:[uWSGI] getting INI configuration from /etc/uwsgi/uwsgi.ini
2018-02-12 19:41:49:*** Starting uWSGI 2.0.15 (64bit) on [Mon Feb 12 11:39:56 2018] ***
2018-02-12 19:41:49:compiled with version: 6.4.0 on 10 November 2017 03:49:42
2018-02-12 19:41:49:os: Linux-4.13.9-300.fc27.x86_64 #1 SMP Mon Oct 23 13:41:58 UTC 2017
2018-02-12 19:41:49:nodename: 9139e94a8606
2018-02-12 19:41:49:machine: x86_64
2018-02-12 19:41:49:clock source: unix
2018-02-12 19:41:49:pcre jit disabled
2018-02-12 19:41:49:detected number of CPU cores: 1
2018-02-12 19:41:49:current working directory: /app
2018-02-12 19:41:49:detected binary path: /usr/sbin/uwsgi
2018-02-12 19:41:49:your processes number limit is 1048576
2018-02-12 19:41:49:your memory page size is 4096 bytes
2018-02-12 19:41:49:detected max file descriptor number: 1048576
2018-02-12 19:41:49:lock engine: pthread robust mutexes
2018-02-12 19:41:49:thunder lock: disabled (you can enable it with --thunder-lock)
2018-02-12 19:41:49:uwsgi socket 0 bound to UNIX address /tmp/uwsgi.sock fd 3
2018-02-12 19:41:49:uWSGI running as root, you can use --uid/--gid/--chroot options
2018-02-12 19:41:49:*** WARNING: you are running uWSGI as root !!! (use the --uid flag) *** 
2018-02-12 19:41:49:Python version: 3.6.3 (default, Nov 21 2017, 14:55:19)  [GCC 6.4.0]
2018-02-12 19:41:49:*** Python threads support is disabled. You can enable it with --enable-threads ***
2018-02-12 19:41:49:Python main interpreter initialized at 0x55a0a775f4c0
2018-02-12 19:41:49:your server socket listen backlog is limited to 100 connections
2018-02-12 19:41:50:your mercy for graceful operations on workers is 60 seconds
2018-02-12 19:41:50:mapped 1237056 bytes (1208 KB) for 16 cores
2018-02-12 19:41:50:*** Operational MODE: preforking ***
2018-02-12 19:41:50:2018-02-12 11:39:57,489 INFO success: nginx entered RUNNING state, process has stayed up for > than 1 seconds (startsecs)
2018-02-12 19:41:50:2018-02-12 11:39:57,491 INFO success: uwsgi entered RUNNING state, process has stayed up for > than 1 seconds (startsecs)
2018-02-12 19:41:50:Traceback (most recent call last):
2018-02-12 19:41:50:  File "./app/main.py", line 12, in <module>
2018-02-12 19:41:50:    from DBconfig import DB, Carriage, Carriage_plan, Train_plan
2018-02-12 19:41:50:ModuleNotFoundError: No module named 'DBconfig'
2018-02-12 19:41:50:unable to load app 0 (mountpoint='') (callable not found or import error)
2018-02-12 19:41:50:*** no app loaded. going in full dynamic mode ***
2018-02-12 19:41:50:*** uWSGI is running in multiple interpreter mode ***
2018-02-12 19:41:50:spawned uWSGI master process (pid: 9)
2018-02-12 19:41:50:spawned uWSGI worker 1 (pid: 11, cores: 1)
2018-02-12 19:41:50:spawned uWSGI worker 2 (pid: 12, cores: 1)
2018-02-12 19:42:13:--- no python application found, check your startup logs for errors ---
2018-02-12 19:42:13:[pid: 11|app: -1|req: -1/1] 192.168.1.169 () {42 vars in 658 bytes} [Mon Feb 12 11:42:13 2018] GET / => generated 21 bytes in 0 msecs (HTTP/1.1 500) 2 headers in 83 bytes (1 switches on core 0)
2018-02-12 19:42:13:192.168.1.169 - - [12/Feb/2018:11:42:13 +0000] "GET / HTTP/1.1" 500 32 "-" "Mozilla/5.0 (Windows NT 10.0; Win64; x64; rv:58.0) Gecko/20100101 Firefox/58.0" "-"

i see the problem is from DBconfig import DB, Carriage, Carriage_plan, Train_plan。
but the DBconfig is my file . set some thing about SQLAlchemy

directory structure like:


.
β”œβ”€β”€ app
β”‚Β Β  β”œβ”€β”€ app
β”‚Β Β  β”‚Β Β  β”œβ”€β”€ alembic.ini
β”‚Β Β  β”‚Β Β  β”œβ”€β”€ build requirement.py
β”‚Β Β  β”‚Β Β  β”œβ”€β”€ DBconfig.py
β”‚Β Β  β”‚Β Β  β”œβ”€β”€ ghostdriver.log
β”‚Β Β  β”‚Β Β  β”œβ”€β”€ main.py
β”‚Β Β  β”‚Β Β  β”œβ”€β”€ migrate
β”‚Β Β  β”‚Β Β  β”‚Β Β  β”œβ”€β”€ env.py
β”‚Β Β  β”‚Β Β  β”‚Β Β  β”œβ”€β”€ __pycache__
β”‚Β Β  β”‚Β Β  β”‚Β Β  β”‚Β Β  └── env.cpython-36.pyc
β”‚Β Β  β”‚Β Β  β”‚Β Β  β”œβ”€β”€ README
β”‚Β Β  β”‚Β Β  β”‚Β Β  └── script.py.mako
β”‚Β Β  β”‚Β Β  β”œβ”€β”€ Plan.db
β”‚Β Β  β”‚Β Β  β”œβ”€β”€ requirements.txt
β”‚Β Β  β”‚Β Β  β”œβ”€β”€ static
β”‚Β Β  β”‚Β Β  β”‚Β Β  β”œβ”€β”€ css
β”‚Β Β  β”‚Β Β  β”‚Β Β  β”‚Β Β  β”œβ”€β”€ bootstrap.css
β”‚Β Β  β”‚Β Β  β”‚Β Β  β”œβ”€β”€ DatePicker
β”‚Β Β  β”‚Β Β  β”‚Β Β  β”‚Β Β  β”œβ”€β”€ css
β”‚Β Β  β”‚Β Β  β”‚Β Β  β”‚Β Β  β”‚Β Β  β”œβ”€β”€ bootstrap-datepicker3.css
β”‚Β Β  β”‚Β Β  β”‚Β Β  β”‚Β Β  β”œβ”€β”€ js
β”‚Β Β  β”‚Β Β  β”‚Β Β  β”‚Β Β  β”‚Β Β  β”œβ”€β”€ bootstrap-datepicker.js
β”‚Β Β  β”‚Β Β  β”‚Β Β  β”‚Β Β  └── locales
β”‚Β Β  β”‚Β Β  β”‚Β Β  β”‚Β Β      β”œβ”€β”€ bootstrap-datepicker.ar.min.js
β”‚Β Β  β”‚Β Β  β”‚Β Β  β”‚Β Β      └── bootstrap-datepicker.zh-TW.min.js
β”‚Β Β  β”‚Β Β  β”‚Β Β  β”œβ”€β”€ favicon.ico
β”‚Β Β  β”‚Β Β  β”‚Β Β  β”œβ”€β”€ js
β”‚Β Β  β”‚Β Β  β”‚Β Β  β”‚Β Β  β”œβ”€β”€ bootstrap.bundle.js
β”‚Β Β  β”‚Β Β  β”‚Β Β  β”œβ”€β”€ test.png
β”‚Β Β  β”‚Β Β  β”‚Β Β  └── timg.jpg
β”‚Β Β  β”‚Β Β  β”œβ”€β”€ templates
β”‚Β Β  β”‚Β Β  β”‚Β Β  β”œβ”€β”€ base.html
β”‚Β Β  β”‚Β Β  β”‚Β Β  β”œβ”€β”€ carriage.html
β”‚Β Β  β”‚Β Β  β”‚Β Β  β”œβ”€β”€ plan.html
β”‚Β Β  β”‚Β Β  β”‚Β Β  └── Untitled-1.htm
β”‚Β Β  β”‚Β Β  β”œβ”€β”€ test.py
β”‚Β Β  β”‚Β Β  β”œβ”€β”€ TODO.txt
β”‚Β Β  β”‚Β Β  └── tools
β”‚Β Β  β”‚Β Β      β”œβ”€β”€ cc.json
β”‚Β Β  β”‚Β Β      β”œβ”€β”€ geckodriver.log
β”‚Β Β  β”‚Β Β      β”œβ”€β”€ ghostdriver.log
β”‚Β Β  β”‚Β Β      β”œβ”€β”€ phantomjs.exe
β”‚Β Β  β”‚Β Β      β”œβ”€β”€ __pycache__
β”‚Β Β  β”‚Β Β      β”‚Β Β  β”œβ”€β”€ spider.cpython-36.pyc
β”‚Β Β  β”‚Β Β      β”‚Β Β  └── xpath.cpython-36.pyc
β”‚Β Β  β”‚Β Β      β”œβ”€β”€ read_plan.py
β”‚Β Β  β”‚Β Β      β”œβ”€β”€ spider.py
β”‚Β Β  β”‚Β Β      └── xpath.py
β”‚Β Β  └── uwsgi.ini
└── Dockerfile

Dockerfile

FROM tiangolo/uwsgi-nginx-flask:python3.6-alpine3.7

COPY ./app /app
RUN  pip install -r /app/app/requirements.txt

requirements.txt:

click==6.7
Flask==0.12.2
itsdangerous==0.24
Jinja2==2.10
MarkupSafe==1.0
selenium==3.9.0
SQLAlchemy==1.2.2
Werkzeug==0.14.1
xlrd==1.1.0

sorry for my bad english。
I think you can understand the problem。

now i try this:
#from DBconfig import DB, Carriage, Carriage_plan, Train_plan
it work out mydatabase.

prestart.sh not run in Ubuntu 16.04

Hi,

I have encountered a problem regarding restart.sh. Not sure if it is because of my error or not.

I have a Ubuntu 16.04 server. If I execute docker run tiangolo/uwsgi-nginx-flask:python3.6 on it, I get the following output:

/usr/lib/python2.7/dist-packages/supervisor/options.py:296: UserWarning: Supervisord is running as root and it is searching for its configuration file in default locations (including its current working directory); you probably want to specify a "-c" argument specifying an absolute path to a configuration file for improved security.
  'Supervisord is running as root and it is searching '
2018-01-05 21:23:59,700 CRIT Supervisor running as root (no user in config file)
2018-01-05 21:23:59,700 WARN Included extra file "/etc/supervisor/conf.d/supervisord.conf" during parsing
2018-01-05 21:23:59,721 INFO RPC interface 'supervisor' initialized
2018-01-05 21:23:59,721 CRIT Server 'unix_http_server' running without any HTTP authentication checking
2018-01-05 21:23:59,722 INFO supervisord started with pid 1
2018-01-05 21:24:00,725 INFO spawned: 'nginx' with pid 9
2018-01-05 21:24:00,727 INFO spawned: 'uwsgi' with pid 10
[uWSGI] getting INI configuration from /app/uwsgi.ini
[uWSGI] getting INI configuration from /etc/uwsgi/uwsgi.ini
*** Starting uWSGI 2.0.15 (64bit) on [Fri Jan  5 21:24:00 2018] ***
compiled with version: 4.9.2 on 10 August 2017 16:32:21
os: Linux-4.4.0-22-generic #40-Ubuntu SMP Thu May 12 22:03:46 UTC 2016
nodename: cb776ddb69b0
machine: x86_64
clock source: unix
pcre jit disabled
detected number of CPU cores: 8
current working directory: /app
detected binary path: /usr/local/bin/uwsgi
your memory page size is 4096 bytes
detected max file descriptor number: 1048576
lock engine: pthread robust mutexes
thunder lock: disabled (you can enable it with --thunder-lock)
uwsgi socket 0 bound to UNIX address /tmp/uwsgi.sock fd 3
uWSGI running as root, you can use --uid/--gid/--chroot options
*** WARNING: you are running uWSGI as root !!! (use the --uid flag) ***
Python version: 3.6.2 (default, Jul 24 2017, 19:47:39)  [GCC 4.9.2]
*** Python threads support is disabled. You can enable it with --enable-threads ***
Python main interpreter initialized at 0x238af00
your server socket listen backlog is limited to 100 connections
your mercy for graceful operations on workers is 60 seconds
mapped 1237056 bytes (1208 KB) for 16 cores
*** Operational MODE: preforking ***
2018-01-05 21:24:01,792 INFO success: nginx entered RUNNING state, process has stayed up for > than 1 seconds (startsecs)
2018-01-05 21:24:01,792 INFO success: uwsgi entered RUNNING state, process has stayed up for > than 1 seconds (startsecs)
WSGI app 0 (mountpoint='') ready in 1 seconds on interpreter 0x238af00 pid: 10 (default app)
*** uWSGI is running in multiple interpreter mode ***
spawned uWSGI master process (pid: 10)
spawned uWSGI worker 1 (pid: 13, cores: 1)
spawned uWSGI worker 2 (pid: 14, cores: 1)

However, on a Mac running macOS 10.13.2, executing the same command, I get the following output

Checking for script in /app/prestart.sh
Running script /app/prestart.sh
Running inside /app/prestart.sh, you could add migrations to this file, e.g.:

#! /usr/bin/env bash

# Let the DB start
sleep 10;
# Run migrations
alembic upgrade head

/usr/lib/python2.7/dist-packages/supervisor/options.py:298: UserWarning: Supervisord is running as root and it is searching for its configuration file in default locations (including its current working directory); you probably want to specify a "-c" argument specifying an absolute path to a configuration file for improved security.
  'Supervisord is running as root and it is searching '
2018-01-05 21:25:03,606 CRIT Supervisor running as root (no user in config file)
2018-01-05 21:25:03,606 INFO Included extra file "/etc/supervisor/conf.d/supervisord.conf" during parsing
2018-01-05 21:25:03,613 INFO RPC interface 'supervisor' initialized
2018-01-05 21:25:03,613 CRIT Server 'unix_http_server' running without any HTTP authentication checking
2018-01-05 21:25:03,614 INFO supervisord started with pid 7
2018-01-05 21:25:04,623 INFO spawned: 'nginx' with pid 10
2018-01-05 21:25:04,625 INFO spawned: 'uwsgi' with pid 11
[uWSGI] getting INI configuration from /app/uwsgi.ini
[uWSGI] getting INI configuration from /etc/uwsgi/uwsgi.ini
*** Starting uWSGI 2.0.15 (64bit) on [Fri Jan  5 21:25:04 2018] ***
compiled with version: 6.3.0 20170516 on 10 December 2017 07:05:09
os: Linux-4.9.49-moby #1 SMP Fri Dec 8 13:40:02 UTC 2017
nodename: 5afaf51f9a4d
machine: x86_64
clock source: unix
pcre jit disabled
detected number of CPU cores: 4
current working directory: /app
detected binary path: /usr/local/bin/uwsgi
your memory page size is 4096 bytes
detected max file descriptor number: 1048576
lock engine: pthread robust mutexes
thunder lock: disabled (you can enable it with --thunder-lock)
uwsgi socket 0 bound to UNIX address /tmp/uwsgi.sock fd 3
uWSGI running as root, you can use --uid/--gid/--chroot options
*** WARNING: you are running uWSGI as root !!! (use the --uid flag) ***
Python version: 3.6.3 (default, Nov  4 2017, 22:14:56)  [GCC 6.3.0 20170516]
*** Python threads support is disabled. You can enable it with --enable-threads ***
Python main interpreter initialized at 0x55e4d087cae0
your server socket listen backlog is limited to 100 connections
your mercy for graceful operations on workers is 60 seconds
mapped 1237056 bytes (1208 KB) for 16 cores
*** Operational MODE: preforking ***
WSGI app 0 (mountpoint='') ready in 0 seconds on interpreter 0x55e4d087cae0 pid: 11 (default app)
*** uWSGI is running in multiple interpreter mode ***
spawned uWSGI master process (pid: 11)
spawned uWSGI worker 1 (pid: 14, cores: 1)
spawned uWSGI worker 2 (pid: 15, cores: 1)
2018-01-05 21:25:05,843 INFO success: nginx entered RUNNING state, process has stayed up for > than 1 seconds (startsecs)
2018-01-05 21:25:05,843 INFO success: uwsgi entered RUNNING state, process has stayed up for > than 1 seconds (startsecs)

As you can see, the restart script does not seems to get executed on the linux server. The docker on both machine has been updated to the latest version.

Cannot find Python module with Conda

Hi,
First of all, thanks for the great work!
I adapted the image by installing conda on top of it. I need conda to install the fast.ai library and all its dependencies. I do this on the base conda env.

When i try to run the container, it cannot find the fastai library.
However, when i run the container interactively, it runs the flask app without any issues. hence the Flask development webserver can find the fastai library but nginx/uwsgi/supervisor cannot.

Any idea how to solve this issue? What files / settings need to be adapted?

Thanks!
Francis

NGINX donΒ΄t start

Hi, sorry for my noob question, but iΒ΄m beggining on docker.

Is It there something that disable nginx when I start a container with debug directives ? I started the container using this command line:

docker run -d --name mycontainer -p 80:80 -v $(pwd)/app:/app -e FLASK_APP=main.py -e FLASK_DEBUG=1 myimage flask run --host=0.0.0.0 --port=80

After do some packages instalations on container I commited to a new image. After this, when I start a new container using this new image, it always run in debug mode.

Is not exiting gracefully

Using compose, after docker-compose up.
I ask it to quit,ctrl+C when started without detaching,
or else docker-compose down.
I noticed, that my flask-docker instance always time outs after the 10 seconds.

I believe that could be some issue with the pid-1-zombie-process thing.

Some references:

Can that issue apply here?

Logging problems

Hi tiangolo,

I am having problems logging messages when I used the uwsgi-nginx-flask image. The application works. I am only having issues with the logging. On the other hand, If I run the app in standalone, everything, including logging, works as expected.

I tried to look for info on how to configure the logging mechanism when using uwsgi-nginx-flask, but I was not able to find anything.

Let me explain the scenario.

I am using uwsgi-nginx-flask:python3.6 to run a flask app.

My uwsgi.ini is

[uwsgi]
module = iedapp.app
callable = app
logger = python

The app is using resources for handling request.

....
app = Flask(__name__, static_folder=None)
app.config.from_object(config)
api = Api(app, prefix='/api', base_path='/api', api_version='1.0')
api.add_resource(IedOnline, '/online/<string:ied_key>/<string:layout>')
....

And in the resource, I have something like

....
logger = logging.getLogger('test')

class IedOnline(Resource):
    def post(self, ied_key, layout):
         print("Hello!!!")
         current_app.logger.error("Hello again!!!!")
         logger.error("Hello again and again")
....

What happens to me is that both the print and logging messages in the resource function get lost. I am not able to find them either in the docker logs not if I exec into the docker image and look for entries in all the *.log files in the image.

Could you provide guidance on what I should be going wrong?

Using SSL Certificates

Hi Tiangolo! Thank you for this.

I'm having a real hard time installing SSL certificates for this docker image.

Is there any additional changes I should implement?

This is how I have modified nginx.conf:

server {
    listen 80 default_server;
    listen [::]:80 default_server;

    # Redirect all HTTP requests to HTTPS with a 301 Moved Permanently response.
    return 301 https://$host$request_uri;
}

server {
    listen 443 ssl http2;
    listen [::]:443 ssl http2;

    # certs sent to the client in SERVER HELLO are concatenated in ssl_certificate
    ssl_certificate /etc/ssl/www.messiac.com.crt;
    ssl_certificate_key /etc/ssl/www.messiac.com.key;
    ssl_session_timeout 1d;
    ssl_session_cache shared:SSL:50m;
    ssl_session_tickets off;

    # Diffie-Hellman parameter for DHE ciphersuites, recommended 2048 bits
    ssl_dhparam /path/to/dhparam.pem;

    # intermediate configuration. tweak to your needs.
    ssl_protocols TLSv1 TLSv1.1 TLSv1.2;
    ssl_ciphers 'ECDHE-ECDSA-CHACHA20-POLY1305:ECDHE-RSA-CHACHA20-POLY1305:ECDHE-ECDSA-AES128-GCM-SHA256:ECDHE-RSA-AES128-GCM-SHA256:ECDHE-ECDSA-AES256-GCM-SHA384:ECDHE-RSA-AES256-GCM-SHA384:DHE-RSA-AES1$
    ssl_prefer_server_ciphers on;

    # HSTS (ngx_http_headers_module is required) (15768000 seconds = 6 months)
    add_header Strict-Transport-Security max-age=15768000;

    # OCSP Stapling ---
    # fetch OCSP records from URL in ssl_certificate and cache them
    ssl_stapling on;
    ssl_stapling_verify on;

# certs sent to the client in SERVER HELLO are concatenated in ssl_certificate
    ssl_certificate /etc/ssl/www.messiac.com.crt;
    ssl_certificate_key /etc/ssl/www.messiac.com.key;
    ssl_session_timeout 1d;
    ssl_session_cache shared:SSL:50m;
    ssl_session_tickets off;

    # Diffie-Hellman parameter for DHE ciphersuites, recommended 2048 bits
    ssl_dhparam /path/to/dhparam.pem;

    # intermediate configuration. tweak to your needs.
    ssl_protocols TLSv1 TLSv1.1 TLSv1.2;
    ssl_ciphers 'ECDHE-ECDSA-CHACHA20-POLY1305:ECDHE-RSA-CHACHA20-POLY1305:ECDHE-ECDSA-AES128-GCM-SHA256:ECDHE-RSA-AES128-GCM-SHA256:ECDHE-ECDSA-AES256-GCM-SHA384:ECDHE-RSA-AES256-GCM-SHA384:DHE-RSA-AES1$
    ssl_prefer_server_ciphers on;

    # HSTS (ngx_http_headers_module is required) (15768000 seconds = 6 months)
    add_header Strict-Transport-Security max-age=15768000;

    # OCSP Stapling ---
    # fetch OCSP records from URL in ssl_certificate and cache them
    ssl_stapling on;
    ssl_stapling_verify on;

    ## verify chain of trust of OCSP response using Root CA and Intermediate certs
    ssl_trusted_certificate /etc/ssl/www.messiac.com.crt;

    resolver <IP DNS resolver>;

    ....
}

daemon off;

Cannot update server block in nginx.conf

Due to the way that the external nginx configs are included into the root nginx.conf file, it's not possible to change the primary server block, which is something I need.

As a work around, we manually update the file to include various lines, but this isn't clean and it would be nicer to just put nginx configs into a folder somewhere and have them included automatically.

Issues when using Docker image for libarchive

When I try to install dependencies I get this error:

Running setup.py install for libarchive: started
    Running setup.py install for libarchive: finished with status 'error'
    Complete output from command /usr/local/bin/python3.5 -u -c "import setuptools, tokenize;__file__='/tmp/pip-build-2wn34352/libarchive/setup.py';f=getattr(tokenize, 'open', open)(__file__);code=f.read().replace('\r\n', '\n');f.close();exec(compile(code, __file__, 'exec'))" install --record /tmp/pip-ni2x9d0m-record/install-record.txt --single-version-externally-managed --compile:
    running install
    Verifying that the library is accessible.
    Library can not be loaded: libarchive.so: cannot open shared object file: No such file or directory
    error: libarchive.so: cannot open shared object file: No such file or directory

    ----------------------------------------
Command "/usr/local/bin/python3.5 -u -c "import setuptools, tokenize;__file__='/tmp/pip-build-2wn34352/libarchive/setup.py';f=getattr(tokenize, 'open', open)(__file__);code=f.read().replace('\r\n', '\n');f.close();exec(compile(code, __file__, 'exec'))" install --record /tmp/pip-ni2x9d0m-record/install-record.txt --single-version-externally-managed --compile" failed with error code 1 in /tmp/pip-build-2wn34352/libarchive/
The command '/bin/sh -c pip install --requirement /tmp/requirements.txt' returned a non-zero code: 1

My requirements file looks like this

aniso8601==1.2.1
appdirs==1.4.3
appnope==0.1.0
bleach==2.0.0
boto==2.46.1
bz2file==0.98
click==6.7
Cython==0.25.2
decorator==4.0.11
editdistance==0.3.1
entrypoints==0.2.2
fasttext==0.8.3
Flask==0.12.2
Flask-RESTful==0.3.6
future==0.16.0
gensim==2.0.0
html5lib==0.999999999
ipykernel==4.6.1
ipython==6.0.0
ipython-genutils==0.2.0
ipywidgets==6.0.0
itsdangerous==0.24
jedi==0.10.2
Jinja2==2.9.6
jsonschema==2.6.0
jupyter==1.0.0
jupyter-client==5.0.1
jupyter-console==5.1.0
jupyter-contrib-core==0.3.1
jupyter-core==4.3.0
jupyter-highlight-selected-word==0.0.11
jupyter-latex-envs==1.3.8.4
jupyter-nbextensions-configurator==0.2.4
libarchive==0.4.3
MarkupSafe==1.0
mistune==0.7.4
nbconvert==5.1.1
nbformat==4.3.0
nose==1.3.7
notebook==5.0.0
numpy==1.12.1
packaging==16.8
pandocfilters==1.4.1
pexpect==4.2.1
pickleshare==0.7.4
prompt-toolkit==1.0.14
protobuf==3.2.0
psutil==5.2.2
ptyprocess==0.5.1
pyemd==0.4.3
Pygments==2.2.0
pyparsing==2.2.0
python-dateutil==2.6.0
pytz==2017.2
PyYAML==3.12
pyzmq==16.0.2
qtconsole==4.3.0
requests==2.13.0
scikit-learn==0.18.1
scipy==0.19.0
simplegeneric==0.8.1
six==1.10.0
sklearn==0.0
smart-open==1.5.2
tensorflow==1.1.0
terminado==0.6
testpath==0.3
tornado==4.5.1
tqdm==4.11.2
traitlets==4.3.2
wcwidth==0.1.7
webencodings==0.5.1
Werkzeug==0.12.1
widgetsnbextension==2.0.0

Docker file:

FROM tiangolo/uwsgi-nginx:python3.5

MAINTAINER Sebastian Ramirez <[email protected]>

RUN pip install --upgrade pip
RUN pip install cython
COPY requirements.txt /tmp/
RUN pip install --requirement /tmp/requirements.txt

# Add app configuration to Nginx
COPY nginx.conf /etc/nginx/conf.d/

# Copy sample app
COPY ./app /app

add pip to container

how to add pip to container? I mean sure, can do con command but doesn't it change the behaviour?

No support for HTTPs

I'm trying to figure this out now. I would prefer not to check the keys into my repo or bake them into the image.

As it stands, it looks like I'll have to overwrite entrypoint.sh so that it writes a different nginx.conf that points to a cert and a key in a volume that runner of the container can create. I'm pretty new to docker though... any recommendations?

Changing `WORKDIR` causes uWSGI to not find app

I have a Dockerfile with the following contents:

FROM tiangolo/uwsgi-nginx-flask:python3.6
COPY app /app
COPY foo /tmp/foo
WORKDIR /tmp/foo
RUN some other commands
# More RUN commands

When I build this image I get the following errors:

ModuleNotFoundError: No module named 'main'
unable to load app 0 (mountpoint='') (callable not found or import error)

Why does the WORKDIR in my Dockerfile affect the functionality of the base image?

My apologies if this is obvious or expected behaviour; I don't have much Docker experience.

Unable to run in Openshift

Container can not run in openshift because its trying to write to /etc/nginx/. Containers in Openshift (by default) are not running as root nor they can't get root access.

Adding own domain and SSL certificates

Hi,

first of all thank you very much for this image. It has made everything so much easiert. I don't know if that belongs here but could you give me a short description of how I can add SSL certificates and how I can use my own domain? Currently I just access the Flask app by opening the IP adress of my Ubuntu server.

Thanks a lot for your time.

Recommend Projects

  • React photo React

    A declarative, efficient, and flexible JavaScript library for building user interfaces.

  • Vue.js photo Vue.js

    πŸ–– Vue.js is a progressive, incrementally-adoptable JavaScript framework for building UI on the web.

  • Typescript photo Typescript

    TypeScript is a superset of JavaScript that compiles to clean JavaScript output.

  • TensorFlow photo TensorFlow

    An Open Source Machine Learning Framework for Everyone

  • Django photo Django

    The Web framework for perfectionists with deadlines.

  • D3 photo D3

    Bring data to life with SVG, Canvas and HTML. πŸ“ŠπŸ“ˆπŸŽ‰

Recommend Topics

  • javascript

    JavaScript (JS) is a lightweight interpreted programming language with first-class functions.

  • web

    Some thing interesting about web. New door for the world.

  • server

    A server is a program made to process requests and deliver data to clients.

  • Machine learning

    Machine learning is a way of modeling and interpreting data that allows a piece of software to respond intelligently.

  • Game

    Some thing interesting about game, make everyone happy.

Recommend Org

  • Facebook photo Facebook

    We are working to build community through open source technology. NB: members must have two-factor auth.

  • Microsoft photo Microsoft

    Open source projects and samples from Microsoft.

  • Google photo Google

    Google ❀️ Open Source for everyone.

  • D3 photo D3

    Data-Driven Documents codes.