Minimal, fast, robust HTTP server library for Python/CircuitPython that uses non-blocking concurrent I/O even when asyncio isn't available!
Project description
Biplane
Biplane is an HTTP server library for Python/CircuitPython.
Compared to common alternatives such as Ampule, circuitpython-native-wsgiserver, and Adafruit_CircuitPython_HTTPServer, it has several unique features:
- Non-blocking concurrent I/O: can process multiple requests at the same time, even when
async
/await
/asyncio
isn't available!- While circuitpython-native-wsgiserver does non-blocking I/O as well, it performs certain operations in a blocking loop, making soft-realtime use difficult (e.g. displaying animations, driving motors).
- To make this work without
asyncio
, we expose the entire server as a generator, where each step of the generator is O(1).
- More performant: 10ms per request on a 160MHz ESP32C3, thanks to buffered reads/writes and avoiding common issues such as bytes concatenation.
- Comparable to blocking I/O servers such as Ampule and Adafruit_CircuitPython_HTTPServer.
- Much faster than non-blocking I/O servers such as circuitpython-native-wsgiserver, which can take up to 100ms per request on a 160MHz ESP32C3 due to 1-byte recv() calls.
- More robust: correctly handles binary data, overly-large paths/headers/requests, too-slow/dropped connections, etc.
- Strictly bounds untrusted input size during request processing using the
max_request_line_size
andmax_body_bytes
settings. - Strictly bounds request processing time using the
request_timeout_seconds
setting. - Correctly handles unusual cases such as binary data, dropped connections with no TCP RST, and incomplete writes from the client.
- Strictly bounds untrusted input size during request processing using the
- Smaller: single-file implementation with ~200 SLOC.
- Around the same size as Ampule, and much smaller than the other options.
- Few dependencies: relies only on the
time
anderrno
libraries, both of which are built into Python/CircuitPython (as well aswifi
,mdns
, andsocketpool
if using the WiFi helpers).
However, compared to those libraries, it intentionally doesn't include some features in order to keep the codebase small:
- Helpers for parsing query parameters and dealing with URL encoding/decoding.
- Helpers for building HTTP responses, such as header formatting, templating, and more.
- Helpers for dealing with MIME types (Adafruit_CircuitPython_HTTPServer has this).
- Support for chunked transfer encoding (Adafruit_CircuitPython_HTTPServer has this).
- Support for serving static files (Adafruit_CircuitPython_HTTPServer has this).
Installation
Python
Install via Pip:
pip install biplane
CircuitPython
To install Biplane using CircUp, ensure you have set it up according to the Adafruit CircUp guide. Then:
circup install biplane
For CircuitPython devices that don't support the CIRCUITPY drive used to upload code, you can instead manually upload biplane.py
from this folder to lib/biplane.py
on the board using one of the following methods:
- Using the Web Workflow via Bluetooth or WiFi. See the AdaFruit Web Workflow guide for more details.
- Using Thonny, which supports uploading code to CircuitPython.
- As a last-resort slow-but-simple option, using the CircuitPython REPL that you can access over the serial port:
- Run
python3 -c 'f=open("biplane.py");code=f.read();print(f"code={repr(code)};open(\"lib/biplane.py\",\"w\").write(code) if len(code)=={len(code)} else print(\"CODE CORRUPTED\")")'
in this folder, and copy the output of that command to the clipboard. This output is CircuitPython code that createslib/biplane.py
with the correct contents inside. - Paste the copied output into the CircuitPython REPL and run it. If it outputs "CODE CORRUPTED", that means the code changed between when you pasted it and when it arrived in CircuitPython, which means your serial terminal is sending the characters too quickly and CircuitPython can't keep up (common when using
screen
orminicom
); to fix this, configure your terminal to wait 2ms-4ms after sending each character and try again (2ms is usually good enough). Also, make sure that you do this after freshly resetting the board.
- Run
Lastly, Biplane is part of the CircuitPython Community Bundle, so if you have that installed, then you already have Biplane installed too.
Examples
Basic example (CircuitPython)
Starts a WiFi network called "test" (password is "some_password") - when connected, you can see a Hello World page at http://app.local/
(tested on an ESP32C3):
import biplane
server = biplane.Server()
@server.route("/", "GET")
def main(query_parameters, headers, body):
return biplane.Response("<b>Hello, world!</b>", content_type="text/html")
for _ in server.circuitpython_start_wifi_ap("test", "some_password", "app"):
pass
Basic example (Python)
Starts a server that displays a Hello World page at http://localhost:8000
, similar to the CircuitPython example above:
import biplane
server = biplane.Server()
@server.route("/", "POST")
def main(query_parameters, headers, body):
return biplane.Response("<b>Hello, world!</b>", content_type="text/html")
server_socket = socket.socket()
server_socket.setsockopt(socket.SOL_SOCKET, socket.SO_REUSEADDR, 1) # allow the server to reuse the address immediately after it's been closed
for _ in server.start(server_socket, listen_on=('127.0.0.1', 8000)):
pass
The usage is almost exactly the same, but we pass in a socket from the Python socket
library instead of from CircuitPython's socketpool
library.
Parallel execution (CircuitPython)
Blinks an LED consistently at ~100Hz while serving HTTP requests, keeping a ~100Hz frequency regardless of how quickly HTTP requests are coming in:
import time
import board
import digitalio
import biplane
server = biplane.Server()
@server.route("/", "GET")
def main(query_parameters, headers, body):
return biplane.Response("<b>Hello, world!</b>", content_type="text/html")
def asyncio_sleep(seconds): # minimal implementation of asyncio.sleep() as a generator
start_time = time.monotonic()
while time.monotonic() - start_time < seconds:
yield
def blink_builtin_led():
with digitalio.DigitalInOut(pin) as led:
led.switch_to_output(value=False)
while True:
led.value = not led.value
yield from asyncio_sleep(0.01)
for _ in zip(blink_builtin_led(), server.circuitpython_start_wifi_ap("test", "some_password")): # run through both generators at the same time using zip()
pass
With other HTTP servers, blinking the LED while serving requests would either be impossible, or would become inconsistent when many HTTP requests are coming in.
Note that CircuitPython's GC pauses may cause occasional longer pauses - to mitigate this, run import gc; gc.collect()
at regular, predictable intervals, so that the GC never has to be invoked at unpredictable times.
Parallel execution with async/await (CircuitPython)
Many CircuitPython implementations, especially those for boards with less RAM/flash, don't include the asyncio
library. However, if asyncio
is available, Biplane works well with it as well:
import time
import board
import digitalio
import biplane
server = biplane.Server()
@server.route("/", "GET")
def main(query_parameters, headers, body):
return biplane.Response("<b>Hello, world!</b>", content_type="text/html")
async def run_server():
for _ in server.circuitpython_start_wifi_ap("test", "some_password")
await asyncio.sleep(0) # let other tasks run
async def blink_builtin_led():
with digitalio.DigitalInOut(pin) as led:
led.switch_to_output(value=False)
while True:
led.value = not led.value
await asyncio.sleep(0.01)
asyncio.run(asyncio.gather(blink_builtin_led(), run_server())) # run both coroutines at the same time
Essentially, we just need to loop through the generator as usual while calling await asyncio.sleep(0)
each iteration to let other tasks run.
Development
All of the application code lives in biplane.py
. Run tests using python3 tests/test_basic.py
.
License
Copyright 2023 Anthony Zhang (Uberi).
The source code is available online at GitHub.
This program is made available under the MIT license. See LICENSE.txt
in the project's root directory for more information.
Project details
Release history Release notifications | RSS feed
Download files
Download the file for your platform. If you're not sure which to choose, learn more about installing packages.
Source Distribution
Built Distribution
File details
Details for the file biplane-1.0.4.tar.gz
.
File metadata
- Download URL: biplane-1.0.4.tar.gz
- Upload date:
- Size: 8.1 kB
- Tags: Source
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/4.0.2 CPython/3.10.6
File hashes
Algorithm | Hash digest | |
---|---|---|
SHA256 | a2764c4389a891259f3327de5c5d0aa8d8c55e3807956bd28d5e36361d977cbd |
|
MD5 | 28f845266c8ccecc5ca5481308bc63b5 |
|
BLAKE2b-256 | ae4e308dff45ac6ae38a6244654a5e0301d6d1e673745cf16b045f331fd72ec2 |
File details
Details for the file biplane-1.0.4-py3-none-any.whl
.
File metadata
- Download URL: biplane-1.0.4-py3-none-any.whl
- Upload date:
- Size: 7.9 kB
- Tags: Python 3
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/4.0.2 CPython/3.10.6
File hashes
Algorithm | Hash digest | |
---|---|---|
SHA256 | 7cbfd5c449dac5d310b5feb12ad2883290b8863e577942057346d03b9c061fb3 |
|
MD5 | 5e11c6e815c6267b6371f14b91ae4c8b |
|
BLAKE2b-256 | 56e4bbcc4cf2f811a0b38749f9bcc3d5a1dc13770a12165519beb95a65cc9cb4 |