10

在烧瓶蓝图中,我有:

frontend = Blueprint('frontend', __name__)

我的索引函数的路径是:

@frontend.route('/')
def index():
  #code

这工作正常,但我正在尝试向路由添加一个子域,如下所示:

@frontend.route('/', subdomain='<var>')
def index(var):

但这会破坏应用程序并且浏览器会吐出(除其他外):

werkzeug.routing.BuildError
BuildError: ('frontend.index', {}, None)

我的代码在url_for('frontend.index')的几个地方调用了 frontend.index

当我包含子域时,如何让 url_for 工作?我能找到并且我认为可能相关的文件中唯一的内容是http://flask.pocoo.org/docs/api/下的内容:

为了集成应用程序,Flask 有一个钩子,可以通过 Flask.build_error_handler 拦截 URL 构建错误。当当前应用程序没有给定端点和值的 URL 时,url_for 函数会导致 BuildError。当它这样做时,current_app 调用它的 build_error_handler 如果它不是 None,它可以返回一个字符串以用作 url_for 的结果(而不是 url_for 的默认值以引发 BuildError 异常)或重新引发异常。一个例子:

def external_url_handler(error, endpoint, **values):
    "Looks up an external URL when `url_for` cannot build a URL."
    # This is an example of hooking the build_error_handler.
    # Here, lookup_url is some utility function you've built
    # which looks up the endpoint in some external URL registry.
    url = lookup_url(endpoint, **values)
    if url is None:
        # External lookup did not have a URL.
        # Re-raise the BuildError, in context of original traceback.
        exc_type, exc_value, tb = sys.exc_info()
        if exc_value is error:
            raise exc_type, exc_value, tb
        else:
            raise error
    # url_for will use this result, instead of raising BuildError.
    return url

app.build_error_handler = external_url_handler

但是,我是 python(和编程)的新手,无法理解我将把这段代码放在哪里,或者当发生构建错误时我将如何调用该函数。

任何见解将不胜感激:)

4

3 回答 3

15

首先,要使用子域,您需要为 SERVER_NAME配置设置一个值:

app.config['SERVER_NAME'] = 'example.net'

你有这样的看法:

frontend = Blueprint('frontend', __name__)
@frontend.route('/', subdomain='<var>')
def index(var):
    return ...

为了重建这个视图的 URL,Flask 需要一个var的值。url_for('frontend.index')将失败,因为它没有足够的值。使用上面的 SERVER_NAME,url_for('frontend.index', var='foo')将返回http://foo.example.net/.

于 2012-07-27T19:08:12.203 回答
10

在 中添加蓝图名称url_for。例子:

url_for('pay_sermepa.sermepa_cancel', _external=True)
  • pay_sermepa: 蓝图名称
  • sermepa_cancel: 路线
于 2013-05-16T10:55:49.070 回答
-3

我不认为这是 Flask 的问题。

您提供了两个具有相同方法名称的函数:

@frontend.route('/')
def index():
  #code

@frontend.route('/', subdomain='<var>')
def index(var):

它们的包装方式不同,但是当调用 flask.build_url 时,由于函数名重载而抛出异常。乍一看,这似乎是不正确的。

尝试为第二个提供不同的函数名称,例如

@frontend.route('/', subdomain='<var>')
def index_var(var):

这可能会解决您的问题。不过我还没有测试过。

于 2012-05-16T22:27:56.347 回答