Connexion is a framework on top of Flask that automagically handles HTTP requests based on OpenAPI 2.0 Specification (formerly known as Swagger Spec) of your API described in YAML format. Connexion allows you to write a Swagger specification and then maps the endpoints to your Python functions. This is what makes it unique from other tools that generate the specification based on your Python code. You are free to describe your REST API with as much detail as you want and then Connexion guarantees that it will work as you specified. We built Connexion this way in order to:
- Simplify the development process
- Reduce misinterpretation about what an API is going to look like
- Validates requests and endpoint parameters automatically, based on your specification
- Provides a Web Swagger Console UI so that the users of your API can have it as a live documentation and even call your API's endpoints through it
- Handles OAuth 2 token-based authentication
- Supports API versioning
- Supports automatic serialization of payloads. If your specification defines that an endpoint returns JSON, Connexion will automatically serialize the return value for you and set the right content type in the HTTP header.
With Connexion, you write the spec first. It then calls your Python code handling the mapping from the specification to the code. This incentivizes you to write the specification so that all of your developers can understand what your API does - even before you write a single line of code. If multiple teams depend on your APIs, you can already send them the documentation of your API. This guarantees that your API will follow the specification that you wrote. it’s not like frameworks such as Hug, which generates the specification based on what code you write. Some disadvantages of generating the specification based on code is that usually your specification is laking details and your documentation is mixed with the code logic of your application.
Python 2.7 or Python 3.4+
In your command line, type this:
$ pip install connexion
Place your API YAML inside a folder in the root
path of your application (e.g swagger/
). Then run:
import connexion
app = connexion.App(__name__, specification_dir='swagger/')
app.add_api('my_api.yaml')
app.run(port=8080)
See the Connexion Pet Store Example Application for a sample specification.
Now you’re able run and use Connexion!
Connexion supports one of the three OAuth 2 handling methods. (See
"TODO" below.) With Connexion, the API security definition must
include a 'x-tokenInfoUrl' (or set TOKENINFO_URL
env var) with the
URL to validate and get the token information. Connexion expects to
receive the OAuth token in the Authorization
header field in the
format described in RFC 6750 section 2.1. This aspect
represents a significant difference from the usual OAuth flow.
Connexion uses Jinja2 to allow specification parameterization through arguments parameter. You can either define specification arguments globally for the application in the connexion.App constructor, or for each specific API in the connexion.App#add_api method:
app = connexion.App(__name__, specification_dir='swagger/',
arguments={'global': 'global_value'})
app.add_api('my_api.yaml', arguments={'api_local': 'local_value'})
app.run(port=8080)
When a value is provided both globally and on the API, the API value will take precedence.
Connexion uses the operationId
from each Operation Object to
identify which Python function should handle each URL.
Explicit Routing:
paths:
/hello_world:
post:
operationId: myapp.api.hello_world
If you provided this path in your specification POST requests to
http://MYHOST/hello_world
, it would be handled by the function
hello_world
in myapp.api
module. Optionally, you can include
x-swagger-router-controller
in your operation definition, making
operationId
relative:
paths:
/hello_world:
post:
x-swagger-router-controller: myapp.api
operationId: hello_world
To customize this behavior, Connexion can use alternative
Resolvers
—for example, RestyResolver
. The RestyResolver
will compose an operationId
based on the path and HTTP method of
the endpoints in your specification:
from connexion.resolver import RestyResolver
app = connexion.App(__name__)
app.add_api('swagger.yaml', resolver=RestyResolver('api'))
paths:
/:
get:
# Implied operationId: api.get
/foo:
get:
# Implied operationId: api.foo.search
post:
# Implied operationId: api.foo.post
'/foo/{id}':
get:
# Implied operationId: api.foo.get
put:
# Implied operationId: api.foo.post
copy:
# Implied operationId: api.foo.copy
delete:
# Implied operationId: api.foo.delete
RestyResolver
will give precedence to any operationId
encountered in the specification. It will also respect
x-router-controller
. You may import and extend
connexion.resolver.Resolver
to implement your own operationId
(and function) resolution algorithm.
Connexion automatically maps the parameters defined in your endpoint specification to arguments of your Python views as named parameters and with value casting whenever possible. All you need to do is define the endpoint's parameters with matching names with your views arguments.
As example you have a endpoint specified as:
paths:
/foo:
get:
operationId: api.foo_get
parameters:
- name: message
description: Some message.
in: query
type: string
required: true
And the view function:
# api.py file
def foo_get(message):
# do something
return 'You send the message: {}'.format(message), 200
In this example Connexion will automatically identify that your view function expects an argument named message and will assign the value of the endpoint parameter message to your view function.
Warning
Please note that when you have a parameter defined as not required at your endpoint and your Python view have a non-named argument, when you call this endpoint WITHOUT the parameter you will get an exception of missing positional argument.
Whenever possible Connexion will try to parse your argument values and do type casting to related Python natives values. The current available type castings are:
Swagger Type | Python Type |
---|---|
integer | int |
string | str |
number | float |
boolean | bool |
array | list |
object | dict |
In the Swagger definition if the array type is used you can define the collectionFormat that it should be recognized. Connexion currently supports collection formats "pipes" and "csv". The default format is "csv".
You can also define a basePath
on the top level of the API
specification. This is useful for versioned APIs. To serve the
previous endpoint from http://MYHOST/1.0/hello_world
, type:
basePath: /1.0
paths:
/hello_world:
post:
operationId: myapp.api.hello_world
If you don't want to include the base path in your specification, you can just provide it when adding the API to your application:
app.add_api('my_api.yaml', base_path='/1.0')
Connexion makes the OpenAPI/Swagger specification in JSON format
available from swagger.json
in the base path of the API.
When specifying HTTPS as the scheme in the API YAML file, all the URIs in the served Swagger UI are HTTPS endpoints. The problem: The default server that runs is a "normal" HTTP server. This means that the Swagger UI cannot be used to play with the API. What is the correct way to start a HTTPS server when using Connexion?
One way, described by Flask, looks like this:
from OpenSSL import SSL
context = SSL.Context(SSL.SSLv23_METHOD)
context.use_privatekey_file('yourserver.key')
context.use_certificate_file('yourserver.crt')
app.run(host='127.0.0.1', port='12344',
debug=False/True, ssl_context=context)
However, Connexion doesn't provide an ssl_context parameter. This is because Flask doesn't, either—but it uses **kwargs to send the parameters to the underlying werkzeug server.
The Swagger UI for an API is available, by default, in
{base_path}/ui/
where base_path
is the base path of the API.
You can disable the Swagger UI at the application level:
app = connexion.App(__name__, specification_dir='swagger/',
swagger_ui=False)
app.add_api('my_api.yaml')
You can also disable it at the API level:
app = connexion.App(__name__, specification_dir='swagger/')
app.add_api('my_api.yaml', swagger_ui=False)
Connexion uses the default Flask server. For asynchronous
applications, you can also use Tornado as the HTTP server. To do
this, set your server to tornado
:
import connexion
app = connexion.App(__name__, specification_dir='swagger/')
app.run(server='tornado', port=8080)
You can use the Flask WSGI app with any WSGI container, e.g. using Flask with uWSGI (this is more common):
app = connexion.App(specification_dir='swagger/')
application = app.app # expose global WSGI application object
Set up and run the installation code:
$ sudo pip3 install uwsgi
$ uwsgi --http :8080 -w app -p 16 # use 16 worker processes
See the uWSGI documentation for more information.
Further information is available at Connexion's Documentation Page.
We welcome your ideas, issues, and pull requests — just follow the usual/standard practices.
If you'd like to become a more consistent contributor to Connexion, we'd love your help working on these:
- Additional ways to handle OAuth 2 authentications
- Overriding default validation error message
- Documentation (Response handling, Passing arguments to functions, etc)
Check our issues waffle board for more info.
We'd like to thank all of Connexion's contributors for working on this project, and to Swagger/OpenAPI for their support.
Copyright 2015 Zalando SE
Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0.
Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License.