Welcome to WuJiGu Developer Q&A Community for programmer and developer-Open, Learning and Share
Welcome To Ask or Share your Answers For Others

Categories

0 votes
1.5k views
in Technique[技术] by (71.8m points)

python - How to reload a configuration file on each request for Flask?

Is there an idiomatic way to have Flask reload my configuration file on every request? The purpose of this would be so that I could change passwords or other configuration related items without having to shut down and restart the server in production.

Edit: app.run(debug=True) is not acceptable as it restarts the server and shouldn't be used in production.

Perhaps a decorator like the following:

def reload_configuration(func):
    @wraps(func)
    def _reload_configuration(*args, **kwargs):
        #even better, only reload if the file has changed
        reload(settings)
        app.config.from_object(settings.Config)
        return func(*args, **kwargs)

    return _reload_configuration

@app.route('/')
@reload_configuration
def home():
    return render_template('home.html')

If it is relevant, here is how I am loading the configuration now:

My app/app/__init__.py file:

from flask import Flask
from settings import Config

app = Flask(__name__)
app.config.from_object(Config)

# ...

My app/app/settings.py file:

class Config(object):
    SQLALCHEMY_TRACK_MODIFICATIONS = False
    SECRET_KEY = os.urandom(32)
    # ...

try:
   from app.local_settings import Config
except ImportError:
    pass
See Question&Answers more detail:os

与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…
Welcome To Ask or Share your Answers For Others

1 Answer

0 votes
by (71.8m points)

You cannot safely / correctly reload the config after the application begins handling requests. Config is only meant to be read during application setup. The main reason is because a production server will be running using multiple processes (or even distributed across servers), and the worker that handles the config change request does not have access to other workers to tell them to change. Additionally, some config is not designed to be reloaded, so even if you could notify all the other workers and get them to reload properly, it might not have any effect.

Production WSGI servers can gracefully reload, that is they won't kill running workers until they've completed their responses, so downtime shouldn't actually be an issue. If it is (and it really isn't), then you're at such a large scale that you're beyond the scope of this answer.

Graceful reload in:

If you need to use config that can be updated dynamically, you'll have to write all the code you use to expect that. You could use a before_request handler to load the config fresh each request. However, keep in mind that anything you didn't write that uses config may not expect the config to change.


与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…
Welcome to WuJiGu Developer Q&A Community for programmer and developer-Open, Learning and Share
...