10

我有兴趣将swagger-codegen生成的 Python 服务器与现有的 Flask 应用程序集成。 swagger-codegen生成基于Connexion库的 Python 实现Swagger API specification

我发现的所有示例似乎都期望connexion.App管理整个flask应用程序。

import connexion

app = connexion.App(__name__, specification_dir='swagger/')
app.add_api('my_api.yaml')
app.run(port=8080)

但是,我有现有的蓝图、配置和 sqlalchemy 模型,我想与生成的 Connexion API 集成。它看起来像是connexion.App.app底层的 Flask 应用程序。一种选择可能是进入并扩展 Connexion Flask 应用程序,可能是这样的:

import connexion

app = connexion.App(__name__, specification_dir='swagger/')

app.app.config.from_pyfile('...')
db.init_app(app.app)
for blueprint in my_blueprints:
    app.app.register_blueprint(blueprint)

app.add_api('my_api.yaml')

app.run(port=8080)

尝试搭载高度定制的 Connexion Flask 应用程序似乎比将裸蓝图集成connexion.Api到我现有的 Flask 应用程序中更简单。但是,我无法轻易判断 Connexion 是否旨在与非 Connexion 管理的蓝图很好地配合使用。

在现有的传统 Flask 应用程序中集成 Connexion Swagger 定义的 API 的最佳方式是什么?有没有人走这条路?

4

1 回答 1

8

它可以创建connexion.AppFlask 实例,然后从connexion.App(...).app.

坚持使用Application Factory是最容易的。除了作为一种普遍有用的模式之外,它还与生成的测试很好地集成在一起。

一个问题是控制器似乎期望连接模型,特别是如果启用了响应验证,但默认 JSON 序列化程序不会处理它们。该模型带有一个JSONEncoder有助于模型序列化的类,但它需要连接到create_app.

def create_app():
    connexionApp = connexion.App(__name__, specification_dir='swagger')
    app = connexionApp.app

    # This allows the connexion models to be serialized to JSON    
    app.json_encoder = JSONEncoder

    # normal configuration

    # The return value is a `connexion.Api`.
    # If needed, the api blueprint is available at `connexion.Api.blueprint`
    connexionApp.add_api('swagger.yaml')

    return app
于 2017-01-27T10:46:24.807 回答