Flask中的SERVER_NAME主要做两件事:
协助Flask在活动的请求(request)之外生成绝对URL(比如邮件中嵌入网站URL) 用于子域名支持很多人误以为它可以做这两件事之外的其它事情。
一、第一件事:绝对URL
我们知道,url_for默认情况下是生成相对URL,它有个参数_external,如果设置为真,则会生成一个绝对URL(就是HTTP开头带域名等信息的)。若不指定SERVER_NAME,默认使用当前活动的请求(request)来生成URL。
下面举个例子演示一下:
# filename myapp.pyfrom flask import Flask, url_forapp = Flask(__name__)@app.route('/')def index(): return 'hello flask'@app.route('/test')def test(): return url_for('index', _external=True)if __name__ == '__main__': app.run(debug=True)
1.【情景1】通过浏览器访问
app运行之后,在本地5000端口监听。
(env) F:/tmp>python myapp.py * Running on http://127.0.0.1:5000/ * Restarting with reloader
若我们通过浏览器访问http://127.0.0.1:5000/test,则返回的内容是:http://127.0.0.1:5000/。
若我们通过浏览器访问http://localhost:5000/test,则返回的内容是:http://localhost:5000/。
可以看出,在未设置SERVER_NAME的情况下,url_for生成的绝对URL是依赖于请求的URL的。下面我们来看看不通过浏览器访问的情况。
2.【情景2】非浏览器访问
这个情景是指不存在request请求的情况。
我们通过Python Shell来模拟:
>>> from myapp import app>>> with app.app_context():... print url_for('index', _external=True)...
Traceback (most recent call last): File "<stdin>", line 2, in <module> File "F:/tmp/env/lib/site-packages/flask/helpers.py", line 287, in url_for raise RuntimeError('Application was not able to create a URL 'RuntimeError: Application was not able to create a URL adapter for request independent URL generation. You might be able to fix this by setting the SERVER_NAMEconfig variable.
上面的意思是说应用程序不能创建一个用于与request不相关的URL生成的URL适配器,可以通过设置SERVER_NAME来解决这个问题。
好,下面我们为SERVER_NAME设置一个值之后再试试:
>>> app.config['SERVER_NAME'] = 'example.com'>>> with app.app_context():... print url_for('index', _external=True)...
http://example.com/
PS: 一般SERVER_NAME设置为网站的域名。
在Flask-Mail相关的文章中有这么一段话:
许多Flask的扩展都是假定自己运行在一个活动的应用和请求上下文中,Flask-Mail的send函数使用到current_app这个上下文了,所以当mail.send()函数在一个线程中执行的时候需要人为的创建一个上下文,所有在send_async_email中使用了app.app_context()来创建一个上下文。
新闻热点
疑难解答