“function”对象在注册blueprin时没有属性“name”

2024-06-01 08:37:52 发布

您现在位置:Python中文网/ 问答频道 /正文

这是我的项目布局:

baseflask/
   baseflask/
      __init__.py
      views.py
      resources/
          health.py/
   wsgi.py/

这是我的指纹

from flask import Blueprint
from flask import Response
health = Blueprint('health', __name__)
@health.route("/health", methods=["GET"])
def health():
    jd = {'status': 'OK'}
    data = json.dumps(jd)
    resp = Response(data, status=200, mimetype='application/json')
    return resp

如何在__init__.py中注册:

import os
basedir = os.path.abspath(os.path.dirname(__file__))
from flask import Blueprint
from flask import Flask
from flask_cors import CORS, cross_origin
app = Flask(__name__)
app.debug = True

CORS(app)

from baseflask.health import health
app.register_blueprint(health)

错误如下:

Traceback (most recent call last):
  File "/home/ubuntu/workspace/baseflask/wsgi.py", line 10, in <module>
    from baseflask import app
  File "/home/ubuntu/workspace/baseflask/baseflask/__init__.py", line 18, in <module>
    app.register_blueprint(health)
  File "/usr/local/lib/python2.7/dist-packages/flask/app.py", line 62, in wrapper_func
    return f(self, *args, **kwargs)
  File "/usr/local/lib/python2.7/dist-packages/flask/app.py", line 880, in register_blueprint
    if blueprint.name in self.blueprints:
AttributeError: 'function' object has no attribute 'name'

Tags: nameinfrompyimportappflaskinit
2条回答
health = Blueprint('health', __name__)
@health.route("/health", methods=["GET"])
def health():

蓝图名称与函数名称相同,请改为重命名函数名称。

health = Blueprint('health', __name__)
@health.route("/health", methods=["GET"])
def check_health():

您通过重新使用view函数的名称,屏蔽了引用Blueprint实例的health全局名称:

health = Blueprint('health', __name__)
@health.route("/health", methods=["GET"])
def health():

不能让route view函数和blueprint使用相同的名称;您替换了引用blueprint并试图为相同全局名称注册route函数的全局名称health

为蓝图使用其他名称:

health_blueprint = Blueprint('health', __name__)

并注册:

from baseflask.health import health_blueprint
app.register_blueprint(health_blueprint)

或者为view函数使用不同的名称(此时端点名称也会更改,除非在@health.route(...)装饰器中显式使用endpoint='health')。

相关问题 更多 >