在開發和調試wsgi應用程序時,有不少方法能夠自動從新加載代碼。例如,若是你使用的是werkzeug
,則只須要傳use_reloader
參數便可:python
run_sumple('127.0.0.1', 5000, app, use_reloader=True)
複製代碼
對於Flask,實際上在內部使用werkzeug,因此你須要設置debug = true:git
app.run(debug=True)
複製代碼
django會在你修改任何代碼的時候自動爲你從新加載:github
python manage.py runserver
複製代碼
全部這些例子在本地開發的時候都很是有用,可是,建議不要在實際生產中使用。shell
做爲學習,能夠一塊兒來看一下,python是如何讓代碼自動地從新加載的?django
若是使用的是 uwsgi
和 django
,實際上能夠直接經過代碼跳轉查看一下 django
自己的自動重載機制:vim
import uwsgi
from uwsgidecorators import timer
from django.utils import autoreload
@timer(3)
def change_code_gracefull_reload(sig):
if autoreload.code_changed():
uwsgi.reload()
複製代碼
能夠看出,django
經過一個定時器在不斷的監測代碼是否有變化,以此來出發從新加載函數。bash
若是你使用的是其餘框架,或者根本沒有框架,那麼可能就須要在應用程序中本身來實現代碼改動監測。這裏是一個很好的示例代碼,借用和修改自 cherrypy:app
import os, sys
_mtimes = {}
_win = (sys.platform == "win32")
_error_files = []
def code_changed():
filenames = []
for m in sys.modules.values():
try:
filenames.append(m.__file__)
except AttributeError:
pass
for filename in filenames + _error_files:
if not filename:
continue
if filename.endswith(".pyc") or filename.endswith(".pyo"):
filename = filename[:-1]
if filename.endswith("$py.class"):
filename = filename[:-9] + ".py"
if not os.path.exists(filename):
continue # File might be in an egg, so it can't be reloaded.
stat = os.stat(filename)
mtime = stat.st_mtime
if _win:
mtime -= stat.st_ctime
if filename not in _mtimes:
_mtimes[filename] = mtime
continue
if mtime != _mtimes[filename]:
_mtimes.clear()
try:
del _error_files[_error_files.index(filename)]
except ValueError:
pass
return True
return False
複製代碼
你能夠將上面的內容保存在你的項目中的 autoreload.py
中,而後咱們就能夠像下面這樣去調用它(相似於 django
的例子):框架
import uwsgi
from uwsgidecorators import timer
import autoreload
@timer(3)
def change_code_gracefull_reload(sig):
if autoreload.code_changed():
uwsgi.reload()
複製代碼
對於 gunicorn
,咱們須要寫一個腳原本 hook(鉤子:觸發)
到 gunicorn
的配置中:ide
import threading
import time
try:
from django.utils import autoreload
except ImportError:
import autoreload
def reloader(server):
while True:
if autoreload.code_changed():
server.reload()
time.sleep(3)
def when_ready(server):
t = threading.Thread(target=reloader, args=(server, ))
t.daemon = True
t.start()
複製代碼
你須要把上面的代碼保存到一個文件中,好比說 config.py
,而後像下面這樣傳給 gunicorn
:
gunicorn -c config.py application
複製代碼
你也能夠經過正在使用的 wsgi
服務系統自己之外的一些方法來實現重啓系統,它只需發出一個信號,告訴系統重啓代碼,好比可使用 watchdog。例如:
watchmedo shell-command --patterns="*.py" --recursive --command='kill -HUP `cat /tmp/gunicorn.pid`' /path/to/project/
複製代碼
轉載請保留如下信息: