Skip to content

Latest commit

 

History

History
97 lines (70 loc) · 3.07 KB

index.rst

File metadata and controls

97 lines (70 loc) · 3.07 KB

VSGI

VSGI is a middleware that interfaces different web server technologies under a common and simple set of abstractions.

For the moment, it is developed along with Valum to target the needs of a web framework, but it will eventually be extracted and distributed as a shared library.

connection request response cookies converters filters server/index

VSGI produces process-based applications that are able to communicate with various HTTP servers using standardized protocols.

Entry point

The entry point of a VSGI application is type-compatible with the ApplicationCallback delegate. It is a function of two arguments: a request and a response.

using VSGI.HTTP;

new Server ("org.vsgi.App", (req, res) => {
    // process the request and produce the response...
}).run ();

Accessing the response body for the first time will write the status line and headers synchronously in the connection stream before returning an GLib.OutputStream.

Warning

The response body must be accessed at least once during the processing to ensure that the headers are written and filters applied.

Some VSGI implementations rely on stream filtering to produce proper responses (chunked or gzipped ones) and these are applied when the body is accessed for the first time.

new Server ("org.vsgi.App", (req, res) => {
    res.status = 200;
    res.headers.append ("Transfer-Encoding", "chunked");
    // chunked encoding will be applied
    res.body.write_all ("Hello world!".data, null);
});

Asynchronous processing

The asynchronous processing model follows the RAII pattern and wraps all resources in a connection that inherits from GLib.IOStream. It is therefore important that the said connection is kept alive as long as the streams are being used.

The request holds a reference to the said connection and the response indirectly does as it holds a reference to the request. Generally speaking, holding a reference on any of these two instances is sufficient to keep the streams usable.

Warning

As VSGI relies on reference counting to free the resources underlying a request, you must keep a reference to either the request or response during the processing, including in asynchronous callbacks.

It is important that the connection persist until all streams operations are done as the following example demonstrates:

res.body.write_async.begin ("Hello world!",
                            Priority.DEFAULT,
                            null,
                            (body, result) => {
    // the response reference will make the connection persist
    var written = res.body.write_async.end (result);
});