mirror of https://github.com/encode/starlette.git
2.5 KiB
2.5 KiB
Starlette includes an application class Starlette
that nicely ties together all of
its other functionality.
from starlette.applications import Starlette
from starlette.responses import PlainTextResponse
from starlette.staticfiles import StaticFiles
app = Starlette()
app.debug = True
app.mount('/static', StaticFiles(directory="static"))
@app.route('/')
def homepage(request):
return PlainTextResponse('Hello, world!')
@app.route('/user/{username}')
def user(request, username):
return PlainTextResponse('Hello, %s!' % username)
@app.websocket_route('/ws')
async def websocket_endpoint(websocket):
await websocket.accept()
await websocket.send_text('Hello, websocket!')
await websocket.close()
@app.on_event('startup')
def startup():
print('Ready to go')
Instantiating the application
Starlette(debug=False)
- Create a new Starlette application.
Adding routes to the application
You can use any of the following to add handled routes to the application:
app.add_route(path, func, methods=["GET"])
- Add an HTTP route. The function may be either a coroutine or a regular function, with a signature likefunc(request, **kwargs) -> response
.app.add_websocket_route(path, func)
- Add a websocket session route. The function must be a coroutine, with a signature likefunc(session, **kwargs)
.app.add_graphql_route(path, schema, executor=None)
- Add a GraphQL route.@app.route(path)
- Add an HTTP route, decorator style.@app.websocket_route(path)
- Add a WebSocket route, decorator style.
Adding event handlers to the application
There are two ways to add event handlers:
@app.on_event(event_type)
- Add an event, decorator styleapp.add_event_handler(event_type, func)
- Add an event through a function call.
event_type
must be specified as either 'startup'
or 'cleanup'
.
Submounting other applications
Submounting applications is a powerful way to include reusable ASGI applications.
app.mount(prefix, app)
- Include an ASGI app, mounted under the given path prefix
Customizing exception handling
You can use either of the following to catch and handle particular types of exceptions that occur within the application:
app.add_exception_handler(exc_class, handler)
- Add an error handler. The handler function may be either a coroutine or a regular function, with a signature likefunc(request, exc) -> response
.@app.exception_handler(exc_class)
- Add an error handler, decorator style.app.debug
- Enable or disable error tracebacks in the browser.