- Notifications
You must be signed in to change notification settings - Fork192
C++ library for creating an embedded Rest HTTP server (and more)
License
LGPL-2.1, LGPL-2.1 licenses found
Licenses found
etr/libhttpserver
Folders and files
| Name | Name | Last commit message | Last commit date | |
|---|---|---|---|---|
Repository files navigation
libhttpserver is a C++ library for building high performance RESTful web servers.libhttpserver is built uponlibmicrohttpd to provide a simple API for developers to create HTTP services in C++.
Features:
- HTTP 1.1 compatible request parser
- RESTful oriented interface
- Flexible handler API
- Cross-platform compatible
- Implementation is HTTP 1.1 compliant
- Multiple threading models
- Support for IPv6
- Support for SHOUTcast
- Support for incremental processing of POST data (optional)
- Support for basic and digest authentication (optional)
- Support for TLS (requires libgnutls, optional)
- Introduction
- Requirements
- Building
- Getting Started
- Structures and classes type definition
- Create and work with a webserver
- The resource object
- Registering resources
- Parsing requests
- Building responses to requests
- IP Blacklisting and Whitelisting
- Authentication
- HTTP Utils
- Other Examples
- Copying statement
- GNU-LGPL: The GNU Lesser General Public License says how you can copy and share almost all of libhttpserver.
- GNU-FDL: The GNU Free Documentation License says how you can copy and share the documentation of libhttpserver.
libhttpserver is meant to constitute an easy system to build HTTP servers with REST fashion.libhttpserver is based onlibmicrohttpd and, like this, it is a daemon library (parts of this documentation are, in fact, matching those of the wrapped library).The mission of this library is to support all possible HTTP features directly and with a simple semantic allowing then the user to concentrate only on his application and not on HTTP request handling details.
The library is supposed to work transparently for the client Implementing the business logic and using the library itself to realize an interface.If the user wants it must be able to change every behavior of the library itself through the registration of callbacks.
libhttpserver is able to decode certain body formats and automatically format them in object oriented fashion. This is true for query arguments and forPOST andPUT requests bodies ifapplication/x-www-form-urlencoded ormultipart/form-data header are passed.
All functions are guaranteed to be completely reentrant and thread-safe (unless differently specified).Additionally, clients can specify resource limits on the overall number of connections, number of connections per IP address and memory used per connection to avoid resource exhaustion.
libhttpserver can be used without any dependencies aside from libmicrohttpd.
The minimum versions required are:
- g++ >= 5.5.0 or clang-3.6
- C++17 or newer
- libmicrohttpd >= 0.9.64
- [Optionally]: for TLS (HTTPS) support, you'll needlibgnutls.
- [Optionally]: to compile the code-reference, you'll needdoxygen.
Additionally, for MinGW on windows you will need:
- libwinpthread (For MinGW-w64, if you use thread model posix then you have this)
For versions before 0.18.0, on MinGW, you will need:
- libgnurx >= 2.5.1
Furthermore, the testcases uselibcurl but you don't need it to compile the library.
Please refer to the readme file for your particular distribution if there is one for important notes.
libhttpserver uses the standard system where the usual build process involves running
./bootstrap
mkdir build
cd build
../configure
make
make install # (optionally to install on the system)
A complete list of parameters can be obtained running 'configure --help'.Here are listed the libhttpserver specific options (the canonical configure options are also supported).
- --enable-same-directory-build: enable to compile in the same directory. This is heavily discouraged. (def=no)
- --enable-debug: enable debug data generation. (def=no)
- --disable-doxygen-doc: don't generate any doxygen documentation. Doxygen is automatically invoked if present on the system. Automatically disabled otherwise.
- --enable-fastopen: enable use of TCP_FASTOPEN (def=yes)
- --enable-static: enable use static linking (def=yes)
The most basic example of creating a server and handling a requests for the path/hello:
#include<httpserver.hpp>usingnamespacehttpserver;classhello_world_resource :publichttp_resource {public: std::shared_ptr<http_response>render(const http_request&) {return std::shared_ptr<http_response>(newstring_response("Hello, World!")); } };intmain(int argc,char** argv) { webserver ws =create_webserver(8080); hello_world_resource hwr; ws.register_resource("/hello", &hwr); ws.start(true);return0; }
To test the above example, you could run the following command from a terminal:
curl -XGET -v http://localhost:8080/helloYou can also check this example ongithub.
- webserver: Represents the daemon listening on a socket for HTTP traffic.
- create_webserver: Builder class to support the creation of a webserver.
- http_resource: Represents the resource associated with a specific http endpoint.
- http_request: Represents the request received by the resource that process it.
- http_response: Represents the response sent by the server once the resource finished its work.
- string_response: A simple string response.
- file_response: A response getting content from a file.
- basic_auth_fail_response: A failure in basic authentication.
- digest_auth_fail_response: A failure in digest authentication.
- deferred_response: A response getting content from a callback.
As you can see from the example above, creating a webserver with standard configuration is quite simple:
webserver ws = create_webserver(8080);Thecreate_webserver class is a supportingbuilder class that eases the building of a webserver through chained syntax.
In this section we will explore other basic options that you can use when configuring your server. More advanced options (custom callbacks, https support, etc...) will be discussed separately.
- .port(int port): The port at which the server will listen. This can also be passed to the consturctor of
create_webserver. E.g.create_webserver(8080). - .max_connections(int max_conns): Maximum number of concurrent connections to accept. The default is
FD_SETSIZE - 4(the maximum number of file descriptors supported byselectminus four forstdin,stdout,stderrand the server socket). In other words, the default is as large as possible. Note that if you set a low connection limit, you can easily get into trouble with browsers doing request pipelining.For example, if your connection limit is “1”, a browser may open a first connection to access your “index.html” file, keep it open but use a second connection to retrieve CSS files, images and the like. In fact, modern browsers are typically by default configured for up to 15 parallel connections to a single server. If this happens, the library will refuse to even accept the second connection until the first connection is closed — which does not happen until timeout. As a result, the browser will fail to render the page and seem to hang. If you expect your server to operate close to the connection limit, you should first consider using a lower timeout value and also possibly add a “Connection: close” header to your response to ensure that request pipelining is not used and connections are closed immediately after the request has completed. - .content_size_limit(size_t size_limit): Sets the maximum size of the content that a client can send over in a single block. The default is
-1 = unlimited. - .connection_timeout(int timeout): Determines after how many seconds of inactivity a connection should be timed out automatically. The default timeout is
180 seconds. - .memory_limit(int memory_limit): Maximum memory size per connection (followed by a
size_t). The default is 32 kB (32*1024 bytes). Values above 128k are unlikely to result in much benefit, as half of the memory will be typically used for IO, and TCP buffers are unlikely to support window sizes above 64k on most systems. - .per_IP_connection_limit(int connection_limit): Limit on the number of (concurrent) connections made to the server from the same IP address. Can be used to prevent one IP from taking over all of the allowed connections. If the same IP tries to establish more than the specified number of connections, they will be immediately rejected. The default is
0, which means no limit on the number of connections from the same IP address. - .bind_socket(int socket_fd): Listen socket to use. Pass a listen socket for the daemon to use (systemd-style). If this option is used, the daemon will not open its own listen socket(s). The argument passed must be of type "int" and refer to an existing socket that has been bound to a port and is listening.
- .max_thread_stack_size(int stack_size): Maximum stack size for threads created by the library. Not specifying this option or using a value of zero means using the system default (which is likely to differ based on your platform). Default is
0 (system default). - .use_ipv6() and .no_ipv6(): Enable or disable the IPv6 protocol support (by default, libhttpserver will just support IPv4). If you specify this and the local platform does not support it, starting up the server will throw an exception.
offby default. - .use_dual_stack() and .no_dual_stack(): Enable or disable the support for both IPv6 and IPv4 protocols at the same time (by default, libhttpserver will just support IPv4). If you specify this and the local platform does not support it, starting up the server will throw an exception. Note that this will mean that IPv4 addresses are returned in the IPv6-mapped format (the ’structsockaddrin6’ format will be used for IPv4 and IPv6).
offby default. - .pedantic() and .no_pedantic(): Enables pedantic checks about the protocol (as opposed to as tolerant as possible). Specifically, at the moment, this flag causes the library to reject HTTP 1.1 connections without a
Hostheader. This is required by the standard, but of course in violation of the “be as liberal as possible in what you accept” norm. It is recommended to turn thisoff if you are testing clients against the library, andon in production.offby default. - .debug() and .no_debug(): Enables debug messages from the library.
offby default. - .regex_checking() and .no_regex_checking(): Enables pattern matching for endpoints. Read morehere.
onby default. - .post_process() and .no_post_process(): Enables/Disables the library to automatically parse the body of the http request as arguments if in querystring format. Read morehere.
onby default. - .put_processed_data_to_content() and .no_put_processed_data_to_content(): Enables/Disables the library to copy parsed body data to the content or to only store it in the arguments map.
onby default. - .file_upload_target(file_upload_target_T file_upload_target): Controls, how the library stores uploaded files. Default value is
FILE_UPLOAD_MEMORY_ONLY.FILE_UPLOAD_MEMORY_ONLY: The content of the file is only stored in memory. Depending onput_processed_data_to_contentonly as part of the arguments map or additionally in the content.FILE_UPLOAD_DISK_ONLY: The content of the file is stored only in the file system. The path is created fromfile_upload_dirand either a random name (ifgenerate_random_filename_on_uploadis true) or the actually uploaded file name.FILE_UPLOAD_MEMORY_AND_DISK: The content of the file is stored in memory and on the file system.
- .file_upload_dir(const std::string& file_upload_dir): Specifies the directory to store all uploaded files. Default value is
/tmp. - .generate_random_filename_on_upload() and .no_generate_random_filename_on_upload(): Enables/Disables the library to generate a unique and unused filename to store the uploaded file to. Otherwise the actually uploaded file name is used.
offby default. - .deferred() and.no_deferred(): Enables/Disables the ability for the server to suspend and resume connections. Simply put, it enables/disables the ability to use
deferred_response. Read morehere.onby default. - .single_resource() and .no_single_resource: Sets or unsets the server in single resource mode. This limits all endpoints to be served from a single resource. The resultant is that the webserver will process the request matching to the endpoint skipping any complex semantic. Because of this, the option is incompatible with
regex_checkingand requires the resource to be registered against an empty endpoint or the root endpoint ("/"). The resource will also have to be registered as family. (For more information on resource registration, read morehere).offby default.
- .start_method(const http::http_utils::start_method_T& start_method): libhttpserver can operate with two different threading models that can be selected through this method. Default value is
INTERNAL_SELECT.http::http_utils::INTERNAL_SELECT: In this mode, libhttpserver uses only a single thread to handle listening on the port and processing of requests. This mode is preferable if spawning a thread for each connection would be costly. If the HTTP server is able to quickly produce responses without much computational overhead for each connection, this mode can be a great choice. Note that libhttpserver will still start a single thread for itself -- this way, the main program can continue with its operations after calling the start method. Naturally, if the HTTP server needs to interact with shared state in the main application, synchronization will be required. If such synchronization in code providing a response results in blocking, all HTTP server operations on all connections will stall. This mode is a bad choice if response data cannot always be provided instantly. The reason is that the code generating responses should not block (since that would block all other connections) and on the other hand, if response data is not available immediately, libhttpserver will start to busy wait on it. If you need to scale along the number of concurrent connection and scale on multiple thread you can specify a value formax_threads(see below) thus enabling a thread pool - this is different fromTHREAD_PER_CONNECTIONbelow where a new thread is spawned for each connection.http::http_utils::THREAD_PER_CONNECTION: In this mode, libhttpserver starts one thread to listen on the port for new connections and then spawns a new thread to handle each connection. This mode is great if the HTTP server has hardly any state that is shared between connections (no synchronization issues!) and may need to perform blocking operations (such as extensive IO or running of code) to handle an individual connection.
- .max_threads(int max_threads): A thread pool can be combined with the
INTERNAL_SELECTmode to benefit implementations that require scalability. As said before, by default this mode only uses a single thread. When combined with the thread pool option, it is possible to handle multiple connections with multiple threads. Any value greater than one for this option will activate the use of the thread pool. In contrast to theTHREAD_PER_CONNECTIONmode (where each thread handles one and only one connection), threads in the pool can handle a large number of concurrent connections. UsingINTERNAL_SELECTin combination with a thread pool is typically the most scalable (but also hardest to debug) mode of operation for libhttpserver. Default value is1. This option is incompatible withTHREAD_PER_CONNECTION.
libhttpserver allows to override internal error retrieving functions to provide custom messages to the HTTP client. There are only 3 cases in which implementing logic (an http_resource) cannot be invoked: (1) a not found resource, where the library is not being able to match the URL requested by the client to any implementing http_resource object; (2) a not allowed method, when the HTTP client is requesting a method explicitly marked as not allowed (more infohere) by the implementation; (3) an exception being thrown.In all these 3 cases libhttpserver would provide a standard HTTP response to the client with the correct error code; respectively a404, a405 and a500. The library allows its user to specify custom callbacks that will be called to replace the default behavior.
- .not_found_resource(const shared_ptr<http_response>(*render_ptr)(const http_request&) resource): Specifies a function to handle a request when no matching registered endpoint exist for the URL requested by the client.
- .method_not_allowed_resource(const shared_ptr<http_response>(*render_ptr)(const http_request&) resource): Specifies a function to handle a request that is asking for a method marked as not allowed on the matching http_resource.
- .internal_error_resource(const shared_ptr<http_response>(*render_ptr)(const http_request&) resource): Specifies a function to handle a request that is causing an uncaught exception during its execution.REMEMBER: is this callback is causing an exception itself, the standard default response from libhttpserver will be reported to the HTTP client.
#include<httpserver.hpp>usingnamespacehttpserver; std::shared_ptr<http_response>not_found_custom(const http_request& req) {return std::shared_ptr<string_response>(newstring_response("Not found custom",404,"text/plain")); } std::shared_ptr<http_response>not_allowed_custom(const http_request& req) {return std::shared_ptr<string_response>(newstring_response("Not allowed custom",405,"text/plain")); }classhello_world_resource :publichttp_resource {public: std::shared_ptr<http_response>render(const http_request&) {return std::shared_ptr<http_response>(newstring_response("Hello, World!")); } };intmain(int argc,char** argv) { webserver ws =create_webserver(8080) .not_found_resource(not_found_custom) .method_not_allowed_resource(not_allowed_custom); hello_world_resource hwr; hwr.disallow_all(); hwr.set_allowing("GET",true); ws.register_resource("/hello", &hwr); ws.start(true);return0; }
To test the above example, you can run the following command from a terminal:
curl -XGET -v http://localhost:8080/helloIf you try to run either of the two following commands, you'll see your custom errors:
curl -XGET -v http://localhost:8080/morning: will return your customnot founderror.curl -XPOST -v http://localhost:8080/hello: will return your customnot allowederror.
You can also check this example ongithub.
- .log_access(void(*log_access_ptr)(const std::string&) functor): Specifies a function used to log accesses (requests) to the server.
- .log_error(void(*log_error_ptr)(const std::string&) functor): Specifies a function used to log errors generating from the server.
#include<httpserver.hpp> #include<iostream>usingnamespacehttpserver;voidcustom_access_log(const std::string& url) { std::cout <<"ACCESSING:" << url << std::endl; }classhello_world_resource :publichttp_resource {public: std::shared_ptr<http_response>render(const http_request&) {return std::shared_ptr<http_response>(newstring_response("Hello, World!")); } };intmain(int argc,char** argv) { webserver ws =create_webserver(8080) .log_access(custom_access_log); hello_world_resource hwr; ws.register_resource("/hello", &hwr); ws.start(true);return0; }
To test the above example, you can run the following command from a terminal:
curl -XGET -v http://localhost:8080/helloYou'll notice how, on the terminal runing your server, the logs will now be printed in output for each request received.
You can also check this example ongithub.
- .use_ssl() and .no_ssl(): Determines whether to run in HTTPS-mode or not. If you set this as on and libhttpserver was compiled without SSL support, the library will throw an exception at start of the server.
offby default. - .cred_type(const http::http_utils::cred_type_T& cred_type): Daemon credentials type. Either certificate or anonymous. Acceptable values are:
NONE: No credentials.CERTIFICATE: Certificate credential.ANON: Anonymous credential.SRP: SRP credential.PSK: PSK credential.IA: IA credential.
- .https_mem_key(const std::string& filename): String representing the path to a file containing the private key to be used by the HTTPS daemon. This must be used in conjunction with
https_mem_cert. - .https_mem_cert(const std::string& filename): String representing the path to a file containing the certificate to be used by the HTTPS daemon. This must be used in conjunction with
https_mem_key. - .https_mem_trust(const std::string& filename): String representing the path to a file containing the CA certificate to be used by the HTTPS daemon to authenticate and trust clients certificates. The presence of this option activates the request of certificate to the client. The request to the client is marked optional, and it is the responsibility of the server to check the presence of the certificate if needed. Note that most browsers will only present a client certificate only if they have one matching the specified CA, not sending any certificate otherwise.
- .https_priorities(const std::string& priority_string): SSL/TLS protocol version and ciphers. Must be followed by a string specifying the SSL/TLS protocol versions and ciphers that are acceptable for the application. The string is passed unchanged to gnutls_priority_init. If this option is not specified,
"NORMAL"is used.
#include<httpserver.hpp>usingnamespacehttpserver;classhello_world_resource :publichttp_resource {public: std::shared_ptr<http_response>render(const http_request&) {return std::shared_ptr<http_response>(newstring_response("Hello, World!")); } };intmain(int argc,char** argv) { webserver ws =create_webserver(8080) .use_ssl() .https_mem_key("key.pem") .https_mem_cert("cert.pem"); hello_world_resource hwr; ws.register_resource("/hello", &hwr); ws.start(true);return0; }
To test the above example, you can run the following command from a terminal:
curl -XGET -v -k 'https://localhost:8080/hello'You can also check this example ongithub.
libhttpserver supports IP blacklisting and whitelisting as an internal feature. This section explains the startup options related with IP blacklisting/whitelisting. See thespecific section to read more about the topic.
- .ban_system() and .no_ban_system: Can be used to enable/disable the ban system.
onby default. - .default_policy(const http::http_utils::policy_T& default_policy): Specifies what should be the default behavior when receiving a request. Possible values are
ACCEPTandREJECT. Default isACCEPT.
- .basic_auth() and .no_basic_auth: Can be used to enable/disable parsing of the basic authorization header sent by the client.
onby default. - .digest_auth() and .no_digest_auth: Can be used to enable/disable parsing of the digested authentication data sent by the client.
onby default. - .nonce_nc_size(int nonce_size): Size of an array of nonce and nonce counter map. This option represents the size (number of elements) of a map of a nonce and a nonce-counter. If this option is not specified, a default value of 4 will be used (which might be too small for servers handling many requests).You should calculate the value of NC_SIZE based on the number of connections per second multiplied by your expected session duration plus a factor of about two for hash table collisions. For example, if you expect 100 digest-authenticated connections per second and the average user to stay on your site for 5 minutes, then you likely need a value of about 60000. On the other hand, if you can only expect only 10 digest-authenticated connections per second, tolerate browsers getting a fresh nonce for each request and expect a HTTP request latency of 250 ms, then a value of about 5 should be fine.
- .digest_auth_random(const std::string& nonce_seed): Digest Authentication nonce’s seed. For security, you SHOULD provide a fresh random nonce when actually using Digest Authentication with libhttpserver in production.
webserver ws = create_webserver(8080) .no_ssl() .no_ipv6() .no_debug() .no_pedantic() .no_basic_auth() .no_digest_auth() .no_comet() .no_regex_checking() .no_ban_system() .no_post_process();webserver ws = create_webserver(8080) .use_ssl() .https_mem_key("key.pem") .https_mem_cert("cert.pem");
Once a webserver is created, you can manage its execution through the following methods on thewebserver class:
- void webserver::start(bool blocking): Allows to start a server. If the
blockingflag is passed astrue, it will block the execution of the current thread until a call to stop on the same webserver object is performed. - void webserver::stop(): Allows to stop a server. It immediately stops it.
- bool webserver::is_running(): Checks if a server is running
- void webserver::sweet_kill(): Allows to stop a server. It doesn't guarantee an immediate halt to allow for thread termination and connection closure.
Thehttp_resource class represents a logical collection of HTTP methods that will be associated to a URL when registered on the webserver. The class isdesigned for extension and it is where most of your code should ideally live. When the webserver matches a request against a resource (see:resource registration), the method correspondent to the one in the request (GET, POST, etc..) (see below) is called on the resource.
Given this, thehttp_resource class contains the following extensible methods (also calledhandlers orrender methods):
- std::shared_ptr<http_response> http_resource::render_GET(const http_request& req): Invoked on an HTTP GET request.
- std::shared_ptr<http_response> http_resource::render_POST(const http_request& req): Invoked on an HTTP POST request.
- std::shared_ptr<http_response> http_resource::render_PUT(const http_request& req): Invoked on an HTTP PUT request.
- std::shared_ptr<http_response> http_resource::render_HEAD(const http_request& req): Invoked on an HTTP HEAD request.
- std::shared_ptr<http_response> http_resource::render_DELETE(const http_request& req): Invoked on an HTTP DELETE request.
- std::shared_ptr<http_response> http_resource::render_TRACE(const http_request& req): Invoked on an HTTP TRACE request.
- std::shared_ptr<http_response> http_resource::render_OPTIONS(const http_request& req): Invoked on an HTTP OPTIONS request.
- std::shared_ptr<http_response> http_resource::render_CONNECT(const http_request& req): Invoked on an HTTP CONNECT request.
- std::shared_ptr<http_response> http_resource::render(const http_request& req): Invoked as a backup method if the matching method is not implemented. It can be used whenever you want all the invocations on a URL to activate the same behavior regardless of the HTTP method requested. The default implementation of the
rendermethod returns an empty response with a404.
#include<httpserver.hpp>usingnamespacehttpserver;classhello_world_resource :publichttp_resource {public: std::shared_ptr<http_response>render_GET(const http_request&) {return std::shared_ptr<http_response>(newstring_response("GET: Hello, World!")); } std::shared_ptr<http_response>render(const http_request&) {return std::shared_ptr<http_response>(newstring_response("OTHER: Hello, World!")); } };intmain(int argc,char** argv) { webserver ws =create_webserver(8080); hello_world_resource hwr; ws.register_resource("/hello", &hwr); ws.start(true);return0; }
To test the above example, you can run the following commands from a terminal:
curl -XGET -v http://localhost:8080/hello: will returnGET: Hello, World!.curl -XPOST -v http://localhost:8080/hello: will returnOTHER: Hello, World!. You can try requesting other methods besidePOSTto verify how the same message will be returned.
You can also check this example ongithub.
By default, all methods an a resource are allowed, meaning that an HTTP request with that method will be invoked. It is possible to mark methods asnot allowed on a resource. When a method not allowed is requested on a resource, the defaultmethod_not_allowed method is invoked - the default can be overriden as explain in the sectionCustom defaulted error messages.The basehttp_resource class has a set of methods that can be used to allow and disallow HTTP methods.
- void http_resource::set_allowing(const std::string& method,bool allowed): Used to allow or disallow a method. The
methodparameter is a string representing an HTTP method (GET, POST, PUT, etc...). - void http_resource::allow_all(): Marks all HTTP methods as allowed.
- void http_resource::disallow_all(): Marks all HTTP methods as not allowed.
#include<httpserver.hpp>usingnamespacehttpserver;classhello_world_resource :publichttp_resource {public: std::shared_ptr<http_response>render(const http_request&) {return std::shared_ptr<http_response>(newstring_response("Hello, World!")); } };intmain(int argc,char** argv) { webserver ws =create_webserver(8080); hello_world_resource hwr; hwr.disallow_all(); hwr.set_allowing("GET",true); ws.register_resource("/hello", &hwr); ws.start(true);return0; }
To test the above example, you can run the following command from a terminal:
curl -XGET -v http://localhost:8080/helloIf you try to run the following command, you'll see amethod_not_allowed error:
curl -XPOST -v http://localhost:8080/hello.
You can also check this example ongithub.
Once you have created your resource and extended its methods, you'll have to register the resource on the webserver. Registering a resource will associate it with an endpoint and allows the webserver to route it.Thewebserver class offers a method to register a resource:
- bool register_resource(const std::string& endpoint,http_resource* resource,bool family =
false): Registers theresourceto anendpoint. The endpoint is a string representing the path on your webserver from where you want your resource to be served from (e.g."/path/to/resource"). The optionalfamilyparameter allows to register a resource as a "family" resource that will match any path nested into the one specified. For example, if family is set totrueand endpoint is set to"/path", the webserver will route to the resource not only the requests against"/path"but also everything in its nested path"/path/on/the/previous/one".
There are essentially four ways to specify an endpoint string:
- A simple path (e.g.
"/path/to/resource"). In this case, the webserver will try to match exactly the value of the endpoint. - A regular exception. In this case, the webserver will try to match the URL of the request with the regex passed. For example, if passing
"/path/as/decimal/[0-9]+, requests on URLs like"/path/as/decimal/5"or"/path/as/decimal/42"will be matched; instead, URLs like"/path/as/decimal/three"will not. - A parametrized path. (e.g.
"/path/to/resource/with/{arg1}/{arg2}/in/url"). In this case, the webserver will match the argument with any value passed. In addition to this, the arguments will be passed to the resource as part of the arguments (readable from thehttp_request::get_argmethod - seehere). For example, if passing"/path/to/resource/with/{arg1}/{arg2}/in/url"will match any request on URL with any value in place of{arg1}and{arg2}. - A parametrized path with custom parameters. This is the same of a normal parametrized path, but allows to specify a regular expression for the argument (e.g.
"/path/to/resource/with/{arg1|[0-9]+}/{arg2|[a-z]+}/in/url". In this case, the webserver will match the arguments with any value passed that satisfies the regex. In addition to this, as above, the arguments will be passed to the resource as part of the arguments (readable from thehttp_request::get_argmethod - seehere). For example, if passing"/path/to/resource/with/{arg1|[0-9]+}/{arg2|[a-z]+}/in/url"will match requests on URLs like"/path/to/resource/with/10/AA/in/url"but not like""/path/to/resource/with/BB/10/in/url"" - Any of the above marked as
family. Will match any request on URLs having path that is prefixed by the path passed. For example, if family is set totrueand endpoint is set to"/path", the webserver will route to the resource not only the requests against"/path"but also everything in its nested path"/path/on/the/previous/one".
#include<httpserver.hpp>usingnamespacehttpserver;classhello_world_resource :publichttp_resource {public: std::shared_ptr<http_response>render(const http_request&) {return std::shared_ptr<http_response>(newstring_response("Hello, World!")); } };classhandling_multiple_resource :publichttp_resource {public: std::shared_ptr<http_response>render(const http_request& req) {return std::shared_ptr<http_response>(newstring_response("Your URL:" + req.get_path())); } };classurl_args_resource :publichttp_resource {public: std::shared_ptr<http_response>render(const http_request& req) { std::stringarg1(req.get_arg("arg1")); std::stringarg2(req.get_arg("arg2"));return std::shared_ptr<http_response>(newstring_response("ARGS:" + arg1 +" and" + arg2)); } };intmain(int argc,char** argv) { webserver ws =create_webserver(8080); hello_world_resource hwr; ws.register_resource("/hello", &hwr); handling_multiple_resource hmr; ws.register_resource("/family", &hmr,true); ws.register_resource("/with_regex_[0-9]+", &hmr); url_args_resource uar; ws.register_resource("/url/with/{arg1}/and/{arg2}", &uar); ws.register_resource("/url/with/parametric/args/{arg1|[0-9]+}/and/{arg2|[A-Z]+}", &uar); ws.start(true);return0; }
To test the above example, you can run the following commands from a terminal:
curl -XGET -v http://localhost:8080/hello: will return theHello, World!message.curl -XGET -v http://localhost:8080/family: will return theYour URL: /familymessage.curl -XGET -v http://localhost:8080/family/with/suffix: will return theYour URL: /family/with/suffixmessage.curl -XGET -v http://localhost:8080/with_regex_10: will return theYour URL: /with_regex_10message.curl -XGET -v http://localhost:8080/url/with/AA/and/BB: will return theARGS: AA and BBmessage. You can changeAAandBBwith any value and observe how the URL is still matched and parameters are read.curl -XGET -v http://localhost:8080/url/with/parametric/args/10/and/AA: will return theARGS: 10 and AAmessage. You can change10andAAwith any value matching the regexes and observe how the URL is still matched and parameters are read.
Conversely, you can observe how these URL will not be matched (al the following will give you anot found message):
curl -XGET -v http://localhost:8080/with_regex_Acurl -XGET -v http://localhost:8080/url/with/parametric/args/AA/and/BB
You can also check this example ongithub.
As seen in the documentation ofhttp_resource, every extensible method takes in input ahttp_request object. The webserver takes the responsibility to extract the data from the HTTP request on the network and does all the heavy lifting to build the instance ofhttp_request.
Thehttp_request class has a set of methods you will have access to when implementing your handlers:
- const std::string& get_path()const: Returns the path as requested from the HTTP client.
- const std::vector<std::string>& get_path_pieces()const: Returns the components of the path requested by the HTTP client (each piece of the path split by
'/'. - const std::string& get_path_piece(int index)const: Returns one piece of the path requested by the HTTP client. The piece is selected through the
indexparameter (0-indexed). - const std::string& get_method()const: Returns the method requested by the HTTP client.
- std::string_view get_header(std::string_view key)const: Returns the header with name equal to
keyif present in the HTTP request. Returns anempty stringotherwise. - std::string_view get_cookie(std::string_view key)const: Returns the cookie with name equal to
keyif present in the HTTP request. Returns anempty stringotherwise. - std::string_view get_footer(std::string_view key)const: Returns the footer with name equal to
keyif present in the HTTP request (only for http 1.1 chunked encodings). Returns anempty stringotherwise. - http_arg_value get_arg(std::string_view key)const: Returns the argument with name equal to
keyif present in the HTTP request. Arguments can be (1) querystring parameters, (2) path argument (in case of parametric endpoint, (3) parameters parsed from the HTTP request body if the body is inapplication/x-www-form-urlencodedormultipart/form-dataformats and the postprocessor is enabled in the webserver (enabled by default). Arguments are collected in a domain object that allows to collect multiple arguments with the same key while keeping the access transparent in the most common case of a single value provided per key. - std::string_view get_arg_flat(std::string_view key)const Returns the argument in the same way as
get_argbut as a string. If multiple values are provided with the same key, this method only returns the first value provided. - const std::map<std::string_view, std::string_view, http::header_comparator> get_headers()const: Returns a map containing all the headers present in the HTTP request.
- const std::map<std::string_view, std::string_view, http::header_comparator> get_cookies()const: Returns a map containing all the cookies present in the HTTP request.
- const std::map<std::string_view, std::string_view, http::header_comparator> get_footers()const: Returns a map containing all the footers present in the HTTP request (only for http 1.1 chunked encodings).
- const std::map<http_arg_value, std::string, http::arg_comparator> get_args()const: Returns all the arguments present in the HTTP request. Arguments can be (1) querystring parameters, (2) path argument (in case of parametric endpoint, (3) parameters parsed from the HTTP request body if the body is in
application/x-www-form-urlencodedormultipart/form-dataformats and the postprocessor is enabled in the webserver (enabled by default). For each key, arguments are collected in a domain object that allows to collect multiple arguments with the same key while keeping the access transparent in the most common case of a single value provided per key. - const std::map<std::string, std::string, http::arg_comparator> get_args_flat()const: Returns all the arguments as the
get_argsmethod but as strings. If multiple values are provided with the same key, this method will only return the first value provided. - const std::map<std::string, std::map<std::string, http::file_info>> get_files()const: Returns information about all the uploaded files (if the files are stored to disk). This information includes the key (as identifier of the outer map), the original file name (as identifier of the inner map) and a class
file_info, which includes the size of the file and the path to the file in the file system. - const std::string& get_content()const: Returns the body of the HTTP request.
- bool content_too_large()const: Returns
trueif the body length of the HTTP request sent by the client is longer than the max allowed on the server. - const std::string get_querystring()const: Returns the
querystringof the HTTP request. - const std::string& get_version()const: Returns the HTTP version of the client request.
- const std::string get_requestor()const: Returns the IP from which the client is sending the request.
- unsigned short get_requestor_port()const: Returns the port from which the client is sending the request.
- const std::string get_user()const: Returns the
useras self-identified through basic authentication. The content of the user header will be parsed only if basic authentication is enabled on the server (enabled by default). - const std::string get_pass()const: Returns the
passwordas self-identified through basic authentication. The content of the password header will be parsed only if basic authentication is enabled on the server (enabled by default). - const std::string get_digested_user()const: Returns the
digested useras self-identified through digest authentication. The content of the user header will be parsed only if digest authentication is enabled on the server (enabled by default). - bool check_digest_auth(const std::string& realm,const std::string& password,int nonce_timeout,bool* reload_nonce)const: Allows to check the validity of the authentication token sent through digest authentication (if the provided values in the WWW-Authenticate header are valid and sound according to RFC2716). Takes in input the
realmof validity of the authentication, thepasswordas known to the server to compare against, thenonce_timeoutto indicate how long the nonce is valid andreload_noncea boolean that will be set by the method to indicate a nonce being reloaded. The method returnstrueif the authentication is valid,falseotherwise. - bool has_tls_session()const: Tests if there is am underlying TLS state of the current request.
- gnutls_session_t get_tls_session()const: Returns the underlying TLS state of the current request for inspection. (It is an error to call this if the state does not exist.)
Details on thehttp::file_info structure.
- size_t get_file_size()const: Returns the size of the file uploaded through the HTTP request.
- const std::string get_file_system_file_name()const: Returns the name of the file uploaded through the HTTP request as stored on the filesystem.
- const std::string get_content_type()const: Returns the content type of the file uploaded through the HTTP request.
- const std::string get_transfer_encoding()const: Returns the transfer encoding of the file uploaded through the HTTP request.
Details on thehttp_arg_value structure.
- std::string_view get_flat_value()const: Returns only the first value provided for the key.
- std::vector<std::string_view> get_all_values()const: Returns all the values provided for the key.
- operator std::string()const: Converts the http_arg_value to a string with the same logic as
get_flat_value. - operator std::string_view()const: Converts the http_arg_value to a string_view with the same logic as
get_flat_value. - operator std::vector<std::string>()const: Converts the http_arg_value to a std::vectorstd::string with the same logic as
get_value.
#include<httpserver.hpp>usingnamespacehttpserver;classhello_world_resource :publichttp_resource {public: std::shared_ptr<http_response>render(const http_request& req) {return std::shared_ptr<http_response>(newstring_response("Hello:" +std::string(req.get_arg("name")))); } };intmain(int argc,char** argv) { webserver ws =create_webserver(8080); hello_world_resource hwr; ws.register_resource("/hello", &hwr); ws.start(true);return0; }
To test the above example, you can run the following command from a terminal:
curl -XGET -v "http://localhost:8080/hello?name=John"You will receive the messageHello: John in reply. Given that the body post processing is enabled, you can also runcurl -d "name=John" -X POST http://localhost:8080/hello to obtain the same result.
You can also check this example ongithub.
As seen in the documentation ofhttp_resource, every extensible method returns in output ahttp_response object. The webserver takes the responsibility to convert thehttp_response object you create into a response on the network.
There are 5 types of response that you can create - we will describe them here through their constructors:
- string_response(const std::string& content,int response_code =
200,const std::string& content_type ="text/plain"): The most basic type of response. It uses thecontentstring passed in construction as body of the HTTP response. The other two optional parameters are theresponse_codeand thecontent_type. You can find constant definition for the various response codes within thehttp_utils library file. - file_response(const std::string& filename,int response_code =
200,const std::string& content_type ="text/plain"): Uses thefilenamepassed in construction as pointer to a file on disk. The body of the HTTP response will be set using the content of the file. The file must be a regular file and exist on disk. Otherwise libhttpserver will return an error 500 (Internal Server Error). The other two optional parameters are theresponse_codeand thecontent_type. You can find constant definition for the various response codes within thehttp_utils library file. - basic_auth_fail_response(const std::string& content,const std::string& realm =
"",int response_code =200,const std::string& content_type ="text/plain"): A response in return to a failure during basic authentication. It allows to specify acontentstring as a message to send back to the client. Therealmparameter should contain your realm of authentication (if any). The other two optional parameters are theresponse_codeand thecontent_type. You can find constant definition for the various response codes within thehttp_utils library file. - digest_auth_fail_response(const std::string& content,const std::string& realm =
"",const std::string& opaque ="",bool reload_nonce =false,int response_code =200,const std::string& content_type ="text/plain"): A response in return to a failure during digest authentication. It allows to specify acontentstring as a message to send back to the client. Therealmparameter should contain your realm of authentication (if any). Theopaquerepresents a value that gets passed to the client and expected to be passed again to the server as-is. This value can be a hexadecimal or base64 string. Thereload_nonceparameter tells the server to reload the nonce (you should use the value returned by thecheck_digest_authmethod on thehttp_request. The other two optional parameters are theresponse_codeand thecontent_type. You can find constant definition for the various response codes within thehttp_utils library file. - deferred_response(ssize_t(*cycle_callback_ptr)(shared_ptr<T>, char*, size_t) cycle_callback,const std::string& content =
"",int response_code =200,const std::string& content_type ="text/plain"): A response that obtains additional content from a callback executed in a deferred way. It leaves the client in pending state (returning a100 CONTINUEmessage) and suspends the connection. Besides the callback, optionally, you can provide acontentparameter that sets the initial message sent immediately to the client. The other two optional parameters are theresponse_codeand thecontent_type. You can find constant definition for the various response codes within thehttp_utils library file. To usedeferred_responseyou need to have thedeferredoption active on your webserver (enabled by default).- The
cycle_callback_ptrhas this shape:ssize_t cycle_callback(shared_ptr<T> closure_data, char* buf,size_t max_size).You are supposed to implement a function in this shape and provide it to thedeferred_repsonsemethod. The webserver will provide achar*to the function. It is responsibility of the function to allocate it and fill its content. The method is supposed to respect themax_sizeparameter passed in input. The function must return assize_tvalue representing the actual size you filled thebufwith. Any value different from-1will keep the resume the connection, deliver the content and suspend it again (with a100 CONTINUE). If the method returns-1, the webserver will complete the communication with the client and close the connection. You can also pass ashared_ptrpointing to a data object of your choice (this will be templetized with a class of your choice). The server will guarantee that this object is passed at each invocation of the method allowing the client code to use it as a memory buffer during computation.
- The
Thehttp_response class offers an additional set of methods to "decorate" your responses. This set of methods is:
- void with_header(const std::string& key,const std::string& value): Sets an HTTP header with name set to
keyand value set tovalue. - void with_footer(const std::string& key,const std::string& value): Sets an HTTP footer with name set to
keyand value set tovalue. - void with_cookie(const std::string& key,const std::string& value): Sets an HTTP cookie with name set to
keyand value set tovalue(only for http 1.1 chunked encodings). - void shoutCAST(): Mark the response as a
shoutCASTone.
#include<httpserver.hpp>usingnamespacehttpserver;classhello_world_resource :publichttp_resource {public: std::shared_ptr<http_response>render(const http_request&) { std::shared_ptr<http_response> response = std::shared_ptr<http_response>(newstring_response("Hello, World!")); response->with_header("MyHeader","MyValue");return response; } };intmain(int argc,char** argv) { webserver ws =create_webserver(8080); hello_world_resource hwr; ws.register_resource("/hello", &hwr); ws.start(true);return0; }
To test the above example, you could run the following command from a terminal:
curl -XGET -v "http://localhost:8080/hello"You will receive the message custom header in reply.
You can also check this example ongithub.
libhttpserver provides natively a system to blacklist and whitelist IP addresses. To enable/disable the system, it is possible to use theban_system andno_ban_system methods on thecreate_webserver class. In the same way, you can specify what you want to be your "default behavior" (allow by default or disallow by default) by using thedefault_policy method (seehere).
The system supports both IPV4 and IPV6 and manages them transparently. The only requirement is for ipv6 to be enabled on your server - you'll have to enable this by using theuse_ipv6 method oncreate_webserver.
You can explicitly ban or allow an IP address using the following methods on thewebserver class:
- void ban_ip(const std::string& ip): Adds one IP (or a range of IPs) to the list of the banned ones. Takes in input a
stringthat contains the IP (or range of IPs) to ban. To use when thedefault_policyisACCEPT. - void allow_ip(const std::string& ip): Adds one IP (or a range of IPs) to the list of the allowed ones. Takes in input a
stringthat contains the IP (or range of IPs) to allow. To use when thedefault_policyisREJECT. - void unban_ip(const std::string& ip): Removes one IP (or a range of IPs) from the list of the banned ones. Takes in input a
stringthat contains the IP (or range of IPs) to remove from the list. To use when thedefault_policyisACCEPT. - void disallow_ip(const std::string& ip): Removes one IP (or a range of IPs) from the list of the allowed ones. Takes in input a
stringthat contains the IP (or range of IPs) to remove from the list. To use when thedefault_policyisREJECT.
The IP string format can represent both IPV4 and IPV6. Addresses will be normalized by the webserver to operate in the same sapce. Any valid IPV4 or IPV6 textual representation works.It is also possible to specify ranges of IPs. To do so, omit the octect you want to express as a range and specify a'*' in its place.Examples of valid IPs include:
"192.168.5.5": standard IPV4"192.168.*.*": range of IPV4 addresses. In the example, everything between192.168.0.0and192.168.255.255."2001:db8:8714:3a90::12": standard IPV6 - clustered empty ranges are fully supported."2001:db8:8714:3a90:*:*": range of IPV6 addresses."::ffff:192.0.2.128": IPV4 IPs nested into IPV6."::192.0.2.128": IPV4 IPs nested into IPV6 (without'ffff'prefix)"::ffff:192.0.*.*": ranges of IPV4 IPs nested into IPV6.
#include<httpserver.hpp>usingnamespacehttpserver;classhello_world_resource :publichttp_resource {public: std::shared_ptr<http_response>render(const http_request&) {return std::shared_ptr<http_response>(newstring_response("Hello, World!")); } };intmain(int argc,char** argv) { webserver ws =create_webserver(8080) .default_policy(http::http_utils::REJECT); ws.allow_ip("127.0.0.1"); hello_world_resource hwr; ws.register_resource("/hello", &hwr); ws.start(true);return0; }
To test the above example, you could run the following command from a terminal:
curl -XGET -v "http://localhost:8080/hello"You can also check this example ongithub.
libhttpserver support three types of client authentication.
Basic authentication uses a simple authentication method based on BASE64 algorithm. Username and password are exchanged in clear between the client and the server, so this method must only be used for non-sensitive content or when the session is protected with https. When using basic authentication libhttpserver will have access to the clear password, possibly allowing to create a chained authentication toward an external authentication server. You can enable/disable support for Basic authentication through thebasic_auth andno_basic_auth methods of thecreate_webserver class.
Digest authentication uses a one-way authentication method based on MD5 hash algorithm. Only the hash will transit over the network, hence protecting the user password. The nonce will prevent replay attacks. This method is appropriate for general use, especially when https is not used to encrypt the session. You can enable/disable support for Digest authentication through thedigest_auth andno_digest_auth methods of thecreate_webserver class.
Client certificate authentication uses a X.509 certificate from the client. This is the strongest authentication mechanism but it requires the use of HTTPS. Client certificate authentication can be used simultaneously with Basic or Digest Authentication in order to provide a two levels authentication (like for instance separate machine and user authentication). You can enable/disable support for Certificate authentication through theuse_ssl andno_ssl methods of thecreate_webserver class.
#include<httpserver.hpp>usingnamespacehttpserver;classuser_pass_resource :publichttpserver::http_resource {public: std::shared_ptr<http_response>render_GET(const http_request& req) {if (req.get_user() !="myuser" || req.get_pass() !="mypass") {return std::shared_ptr<basic_auth_fail_response>(newbasic_auth_fail_response("FAIL","test@example.com")); }return std::shared_ptr<string_response>(newstring_response(req.get_user() +"" + req.get_pass(),200,"text/plain")); } };intmain(int argc,char** argv) { webserver ws =create_webserver(8080); user_pass_resource hwr; ws.register_resource("/hello", &hwr); ws.start(true);return0; }
To test the above example, you can run the following command from a terminal:
curl -XGET -v -u myuser:mypass "http://localhost:8080/hello"You will receive back the user and password you passed in input. Try to pass the wrong credentials to see the failure.
You can also check this example ongithub.
#include<httpserver.hpp> #defineMY_OPAQUE"11733b200778ce33060f31c9af70a870ba96ddd4"usingnamespacehttpserver;classdigest_resource :publichttpserver::http_resource {public: std::shared_ptr<http_response>render_GET(const http_request& req) {if (req.get_digested_user() =="") {return std::shared_ptr<digest_auth_fail_response>(newdigest_auth_fail_response("FAIL","test@example.com", MY_OPAQUE,true)); }else {bool reload_nonce =false;if(!req.check_digest_auth("test@example.com","mypass",300, reload_nonce)) {return std::shared_ptr<digest_auth_fail_response>(newdigest_auth_fail_response("FAIL","test@example.com", MY_OPAQUE, reload_nonce)); } }return std::shared_ptr<string_response>(newstring_response("SUCCESS",200,"text/plain")); } };intmain(int argc,char** argv) { webserver ws =create_webserver(8080); digest_resource hwr; ws.register_resource("/hello", &hwr); ws.start(true);return0; }
To test the above example, you can run the following command from a terminal:
curl -XGET -v --digest --user myuser:mypass localhost:8080/helloYou will receive aSUCCESS in response (observe the response message from the server in detail and you'll see the full interaction). Try to pass the wrong credentials or send a request withoutdigest active to see the failure.
You can also check this example ongithub.
libhttpserver provides a set of constants to help you develop your HTTP server. It would be redundant to list them here; so, please, consult the list directlyhere.
#include<httpserver.hpp>usingnamespacehttpserver;classfile_response_resource :publichttp_resource {public: std::shared_ptr<http_response>render_GET(const http_request& req) {return std::shared_ptr<file_response>(newfile_response("test_content",200,"text/plain")); } };intmain(int argc,char** argv) { webserver ws =create_webserver(8080); file_response_resource hwr; ws.register_resource("/hello", &hwr); ws.start(true);return0; }
To test the above example, you can run the following command from a terminal:
curl -XGET -v localhost:8080/helloYou can also check this example ongithub.
#include<httpserver.hpp>usingnamespacehttpserver;staticint counter =0;ssize_ttest_callback (std::shared_ptr<void> closure_data,char* buf,size_t max) {if (counter ==2) {return -1; }else {memset(buf,0, max);strcat(buf," test"); counter++;returnstd::string(buf).size(); } }classdeferred_resource :publichttp_resource {public: std::shared_ptr<http_response>render_GET(const http_request& req) {return std::shared_ptr<deferred_response<void> >(new deferred_response<void>(test_callback,nullptr,"cycle callback response")); } };intmain(int argc,char** argv) { webserver ws =create_webserver(8080); deferred_resource hwr; ws.register_resource("/hello", &hwr); ws.start(true);return0; }
To test the above example, you can run the following command from a terminal:
curl -XGET -v localhost:8080/helloYou can also check this example ongithub.
#include<atomic> #include<httpserver.hpp>usingnamespacehttpserver; std::atomic<int> counter;ssize_ttest_callback (std::shared_ptr<std::atomic<int> > closure_data,char* buf,size_t max) {int reqid;if (closure_data ==nullptr) { reqid = -1; }else { reqid = *closure_data; }// only first 5 connections can be establishedif (reqid >=5) {return -1; }else {// respond corresponding request IDs to the clients std::string str =""; str +=std::to_string(reqid) +"";memset(buf,0, max);std::copy(str.begin(), str.end(), buf);// keep sending reqidsleep(1);return (ssize_t)max; } }classdeferred_resource :publichttp_resource {public: std::shared_ptr<http_response>render_GET(const http_request& req) { std::shared_ptr<std::atomic<int> >closure_data(new std::atomic<int>(counter++));return std::shared_ptr<deferred_response<std::atomic<int> > >(new deferred_response<std::atomic<int> >(test_callback, closure_data,"cycle callback response")); } };intmain(int argc,char** argv) { webserver ws =create_webserver(8080); deferred_resource hwr; ws.register_resource("/hello", &hwr); ws.start(true);return0; }
To test the above example, you can run the following command from a terminal:
curl -XGET -v localhost:8080/helloYou can also check this example ongithub.
This manual is for libhttpserver, C++ library for creating an embedded Rest HTTP server (and more).
Permission is granted to copy, distribute and/or modify this documentunder the terms of the GNU Free Documentation License, Version 1.3or any later version published by the Free Software Foundation;with no Invariant Sections, no Front-Cover Texts, and no Back-CoverTexts. A copy of the license is included in the section entitled GNUFree Documentation License.
Version 2.1, February 1999
Copyright © 1991, 1999 Free Software Foundation, Inc.51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USAEveryone is permitted to copy and distribute verbatim copiesof this license document, but changing it is not allowed.
This is the first released version of the Lesser GPL. It also countsas the successor of the GNU Library Public License, version 2, hencethe version number 2.1.
The licenses for most software are designed to take away yourfreedom to share and change it. By contrast, the GNU General PublicLicenses are intended to guarantee your freedom to share and changefree software--to make sure the software is free for all its users.
This license, the Lesser General Public License, applies to somespecially designated software packages--typically libraries--of theFree Software Foundation and other authors who decide to use it. Youcan use it too, but we suggest you first think carefully about whetherthis license or the ordinary General Public License is the betterstrategy to use in any particular case, based on the explanations below.
When we speak of free software, we are referring to freedom of use,not price. Our General Public Licenses are designed to make sure thatyou have the freedom to distribute copies of free software (and chargefor this service if you wish); that you receive source code or can getit if you want it; that you can change the software and use pieces ofit in new free programs; and that you are informed that you can dothese things.
To protect your rights, we need to make restrictions that forbiddistributors to deny you these rights or to ask you to surrender theserights. These restrictions translate to certain responsibilities foryou if you distribute copies of the library or if you modify it.
For example, if you distribute copies of the library, whether gratisor for a fee, you must give the recipients all the rights that we gaveyou. You must make sure that they, too, receive or can get the sourcecode. If you link other code with the library, you must providecomplete object files to the recipients, so that they can relink themwith the library after making changes to the library and recompilingit. And you must show them these terms so they know their rights.
We protect your rights with a two-step method: (1) we copyright thelibrary, and (2) we offer you this license, which gives you legalpermission to copy, distribute and/or modify the library.
To protect each distributor, we want to make it very clear thatthere is no warranty for the free library. Also, if the library ismodified by someone else and passed on, the recipients should knowthat what they have is not the original version, so that the originalauthor's reputation will not be affected by problems that might beintroduced by others.
Finally, software patents pose a constant threat to the existence ofany free program. We wish to make sure that a company cannoteffectively restrict the users of a free program by obtaining arestrictive license from a patent holder. Therefore, we insist thatany patent license obtained for a version of the library must beconsistent with the full freedom of use specified in this license.
Most GNU software, including some libraries, is covered by theordinary GNU General Public License. This license, the GNU LesserGeneral Public License, applies to certain designated libraries, andis quite different from the ordinary General Public License. We usethis license for certain libraries in order to permit linking thoselibraries into non-free programs.
When a program is linked with a library, whether statically or usinga shared library, the combination of the two is legally speaking acombined work, a derivative of the original library. The ordinaryGeneral Public License therefore permits such linking only if theentire combination fits its criteria of freedom. The Lesser GeneralPublic License permits more lax criteria for linking other code withthe library.
We call this license the “Lesser” General Public License because itdoes Less to protect the user's freedom than the ordinary GeneralPublic License. It also provides other free software developers Lessof an advantage over competing non-free programs. These disadvantagesare the reason we use the ordinary General Public License for manylibraries. However, the Lesser license provides advantages in certainspecial circumstances.
For example, on rare occasions, there may be a special need toencourage the widest possible use of a certain library, so that it becomesa de-facto standard. To achieve this, non-free programs must beallowed to use the library. A more frequent case is that a freelibrary does the same job as widely used non-free libraries. In thiscase, there is little to gain by limiting the free library to freesoftware only, so we use the Lesser General Public License.
In other cases, permission to use a particular library in non-freeprograms enables a greater number of people to use a large body offree software. For example, permission to use the GNU C Library innon-free programs enables many more people to use the whole GNUoperating system, as well as its variant, the GNU/Linux operatingsystem.
Although the Lesser General Public License is Less protective of theusers' freedom, it does ensure that the user of a program that islinked with the Library has the freedom and the wherewithal to runthat program using a modified version of the Library.
The precise terms and conditions for copying, distribution andmodification follow. Pay close attention to the difference between a“work based on the library” and a “work that uses the library”. Theformer contains code derived from the library, whereas the latter mustbe combined with the library in order to run.
0. This License Agreement applies to any software library or otherprogram which contains a notice placed by the copyright holder orother authorized party saying it may be distributed under the terms ofthis Lesser General Public License (also called “this License”).Each licensee is addressed as “you”.
A “library” means a collection of software functions and/or dataprepared so as to be conveniently linked with application programs(which use some of those functions and data) to form executables.
The “Library”, below, refers to any such software library or workwhich has been distributed under these terms. A “work based on theLibrary” means either the Library or any derivative work undercopyright law: that is to say, a work containing the Library or aportion of it, either verbatim or with modifications and/or translatedstraightforwardly into another language. (Hereinafter, translation isincluded without limitation in the term “modification”.)
“Source code” for a work means the preferred form of the work formaking modifications to it. For a library, complete source code meansall the source code for all modules it contains, plus any associatedinterface definition files, plus the scripts used to control compilationand installation of the library.
Activities other than copying, distribution and modification are notcovered by this License; they are outside its scope. The act ofrunning a program using the Library is not restricted, and output fromsuch a program is covered only if its contents constitute a work basedon the Library (independent of the use of the Library in a tool forwriting it). Whether that is true depends on what the Library doesand what the program that uses the Library does.
1. You may copy and distribute verbatim copies of the Library'scomplete source code as you receive it, in any medium, provided thatyou conspicuously and appropriately publish on each copy anappropriate copyright notice and disclaimer of warranty; keep intactall the notices that refer to this License and to the absence of anywarranty; and distribute a copy of this License along with theLibrary.
You may charge a fee for the physical act of transferring a copy,and you may at your option offer warranty protection in exchange for afee.
2. You may modify your copy or copies of the Library or any portionof it, thus forming a work based on the Library, and copy anddistribute such modifications or work under the terms of Section 1above, provided that you also meet all of these conditions:
- a) The modified work must itself be a software library.
- b) You must cause the files modified to carry prominent noticesstating that you changed the files and the date of any change.
- c) You must cause the whole of the work to be licensed at nocharge to all third parties under the terms of this License.
- d) If a facility in the modified Library refers to a function or atable of data to be supplied by an application program that usesthe facility, other than as an argument passed when the facilityis invoked, then you must make a good faith effort to ensure that,in the event an application does not supply such function ortable, the facility still operates, and performs whatever part ofits purpose remains meaningful.
(For example, a function in a library to compute square roots hasa purpose that is entirely well-defined independent of theapplication. Therefore, Subsection 2d requires that anyapplication-supplied function or table used by this function mustbe optional: if the application does not supply it, the squareroot function must still compute square roots.)
These requirements apply to the modified work as a whole. Ifidentifiable sections of that work are not derived from the Library,and can be reasonably considered independent and separate works inthemselves, then this License, and its terms, do not apply to thosesections when you distribute them as separate works. But when youdistribute the same sections as part of a whole which is a work basedon the Library, the distribution of the whole must be on the terms ofthis License, whose permissions for other licensees extend to theentire whole, and thus to each and every part regardless of who wroteit.
Thus, it is not the intent of this section to claim rights or contestyour rights to work written entirely by you; rather, the intent is toexercise the right to control the distribution of derivative orcollective works based on the Library.
In addition, mere aggregation of another work not based on the Librarywith the Library (or with a work based on the Library) on a volume ofa storage or distribution medium does not bring the other work underthe scope of this License.
3. You may opt to apply the terms of the ordinary GNU General PublicLicense instead of this License to a given copy of the Library. To dothis, you must alter all the notices that refer to this License, sothat they refer to the ordinary GNU General Public License, version 2,instead of to this License. (If a newer version than version 2 of theordinary GNU General Public License has appeared, then you can specifythat version instead if you wish.) Do not make any other change inthese notices.
Once this change is made in a given copy, it is irreversible forthat copy, so the ordinary GNU General Public License applies to allsubsequent copies and derivative works made from that copy.
This option is useful when you wish to copy part of the code ofthe Library into a program that is not a library.
4. You may copy and distribute the Library (or a portion orderivative of it, under Section 2) in object code or executable formunder the terms of Sections 1 and 2 above provided that you accompanyit with the complete corresponding machine-readable source code, whichmust be distributed under the terms of Sections 1 and 2 above on amedium customarily used for software interchange.
If distribution of object code is made by offering access to copyfrom a designated place, then offering equivalent access to copy thesource code from the same place satisfies the requirement todistribute the source code, even though third parties are notcompelled to copy the source along with the object code.
5. A program that contains no derivative of any portion of theLibrary, but is designed to work with the Library by being compiled orlinked with it, is called a “work that uses the Library”. Such awork, in isolation, is not a derivative work of the Library, andtherefore falls outside the scope of this License.
However, linking a “work that uses the Library” with the Librarycreates an executable that is a derivative of the Library (because itcontains portions of the Library), rather than a “work that uses thelibrary”. The executable is therefore covered by this License.Section 6 states terms for distribution of such executables.
When a “work that uses the Library” uses material from a header filethat is part of the Library, the object code for the work may be aderivative work of the Library even though the source code is not.Whether this is true is especially significant if the work can belinked without the Library, or if the work is itself a library. Thethreshold for this to be true is not precisely defined by law.
If such an object file uses only numerical parameters, datastructure layouts and accessors, and small macros and small inlinefunctions (ten lines or less in length), then the use of the objectfile is unrestricted, regardless of whether it is legally a derivativework. (Executables containing this object code plus portions of theLibrary will still fall under Section 6.)
Otherwise, if the work is a derivative of the Library, you maydistribute the object code for the work under the terms of Section 6.Any executables containing that work also fall under Section 6,whether or not they are linked directly with the Library itself.
6. As an exception to the Sections above, you may also combine orlink a “work that uses the Library” with the Library to produce awork containing portions of the Library, and distribute that workunder terms of your choice, provided that the terms permitmodification of the work for the customer's own use and reverseengineering for debugging such modifications.
You must give prominent notice with each copy of the work that theLibrary is used in it and that the Library and its use are covered bythis License. You must supply a copy of this License. If the workduring execution displays copyright notices, you must include thecopyright notice for the Library among them, as well as a referencedirecting the user to the copy of this License. Also, you must do oneof these things:
- a) Accompany the work with the complete correspondingmachine-readable source code for the Library including whateverchanges were used in the work (which must be distributed underSections 1 and 2 above); and, if the work is an executable linkedwith the Library, with the complete machine-readable “work thatuses the Library”, as object code and/or source code, so that theuser can modify the Library and then relink to produce a modifiedexecutable containing the modified Library. (It is understoodthat the user who changes the contents of definitions files in theLibrary will not necessarily be able to recompile the applicationto use the modified definitions.)
- b) Use a suitable shared library mechanism for linking with theLibrary. A suitable mechanism is one that (1) uses at run time acopy of the library already present on the user's computer system,rather than copying library functions into the executable, and (2)will operate properly with a modified version of the library, ifthe user installs one, as long as the modified version isinterface-compatible with the version that the work was made with.
- c) Accompany the work with a written offer, valid for atleast three years, to give the same user the materialsspecified in Subsection 6a, above, for a charge no morethan the cost of performing this distribution.
- d) If distribution of the work is made by offering access to copyfrom a designated place, offer equivalent access to copy the abovespecified materials from the same place.
- e) Verify that the user has already received a copy of thesematerials or that you have already sent this user a copy.
For an executable, the required form of the “work that uses theLibrary” must include any data and utility programs needed forreproducing the executable from it. However, as a special exception,the materials to be distributed need not include anything that isnormally distributed (in either source or binary form) with the majorcomponents (compiler, kernel, and so on) of the operating system onwhich the executable runs, unless that component itself accompaniesthe executable.
It may happen that this requirement contradicts the licenserestrictions of other proprietary libraries that do not normallyaccompany the operating system. Such a contradiction means you cannotuse both them and the Library together in an executable that youdistribute.
7. You may place library facilities that are a work based on theLibrary side-by-side in a single library together with other libraryfacilities not covered by this License, and distribute such a combinedlibrary, provided that the separate distribution of the work based onthe Library and of the other library facilities is otherwisepermitted, and provided that you do these two things:
- a) Accompany the combined library with a copy of the same workbased on the Library, uncombined with any other libraryfacilities. This must be distributed under the terms of theSections above.
- b) Give prominent notice with the combined library of the factthat part of it is a work based on the Library, and explainingwhere to find the accompanying uncombined form of the same work.
8. You may not copy, modify, sublicense, link with, or distributethe Library except as expressly provided under this License. Anyattempt otherwise to copy, modify, sublicense, link with, ordistribute the Library is void, and will automatically terminate yourrights under this License. However, parties who have received copies,or rights, from you under this License will not have their licensesterminated so long as such parties remain in full compliance.
9. You are not required to accept this License, since you have notsigned it. However, nothing else grants you permission to modify ordistribute the Library or its derivative works. These actions areprohibited by law if you do not accept this License. Therefore, bymodifying or distributing the Library (or any work based on theLibrary), you indicate your acceptance of this License to do so, andall its terms and conditions for copying, distributing or modifyingthe Library or works based on it.
10. Each time you redistribute the Library (or any work based on theLibrary), the recipient automatically receives a license from theoriginal licensor to copy, distribute, link with or modify the Librarysubject to these terms and conditions. You may not impose any furtherrestrictions on the recipients' exercise of the rights granted herein.You are not responsible for enforcing compliance by third parties withthis License.
11. If, as a consequence of a court judgment or allegation of patentinfringement or for any other reason (not limited to patent issues),conditions are imposed on you (whether by court order, agreement orotherwise) that contradict the conditions of this License, they do notexcuse you from the conditions of this License. If you cannotdistribute so as to satisfy simultaneously your obligations under thisLicense and any other pertinent obligations, then as a consequence youmay not distribute the Library at all. For example, if a patentlicense would not permit royalty-free redistribution of the Library byall those who receive copies directly or indirectly through you, thenthe only way you could satisfy both it and this License would be torefrain entirely from distribution of the Library.
If any portion of this section is held invalid or unenforceable under anyparticular circumstance, the balance of the section is intended to apply,and the section as a whole is intended to apply in other circumstances.
It is not the purpose of this section to induce you to infringe anypatents or other property right claims or to contest validity of anysuch claims; this section has the sole purpose of protecting theintegrity of the free software distribution system which isimplemented by public license practices. Many people have madegenerous contributions to the wide range of software distributedthrough that system in reliance on consistent application of thatsystem; it is up to the author/donor to decide if he or she is willingto distribute software through any other system and a licensee cannotimpose that choice.
This section is intended to make thoroughly clear what is believed tobe a consequence of the rest of this License.
12. If the distribution and/or use of the Library is restricted incertain countries either by patents or by copyrighted interfaces, theoriginal copyright holder who places the Library under this License may addan explicit geographical distribution limitation excluding those countries,so that distribution is permitted only in or among countries not thusexcluded. In such case, this License incorporates the limitation as ifwritten in the body of this License.
13. The Free Software Foundation may publish revised and/or newversions of the Lesser General Public License from time to time.Such new versions will be similar in spirit to the present version,but may differ in detail to address new problems or concerns.
Each version is given a distinguishing version number. If the Libraryspecifies a version number of this License which applies to it and“any later version”, you have the option of following the terms andconditions either of that version or of any later version published bythe Free Software Foundation. If the Library does not specify alicense version number, you may choose any version ever published bythe Free Software Foundation.
14. If you wish to incorporate parts of the Library into other freeprograms whose distribution conditions are incompatible with these,write to the author to ask for permission. For software which iscopyrighted by the Free Software Foundation, write to the FreeSoftware Foundation; we sometimes make exceptions for this. Ourdecision will be guided by the two goals of preserving the free statusof all derivatives of our free software and of promoting the sharingand reuse of software generally.
15. BECAUSE THE LIBRARY IS LICENSED FREE OF CHARGE, THERE IS NOWARRANTY FOR THE LIBRARY, TO THE EXTENT PERMITTED BY APPLICABLE LAW.EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT HOLDERS AND/OROTHER PARTIES PROVIDE THE LIBRARY “AS IS” WITHOUT WARRANTY OF ANYKIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, THEIMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULARPURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THELIBRARY IS WITH YOU. SHOULD THE LIBRARY PROVE DEFECTIVE, YOU ASSUMETHE COST OF ALL NECESSARY SERVICING, REPAIR OR CORRECTION.
16. IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO INWRITING WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MAY MODIFYAND/OR REDISTRIBUTE THE LIBRARY AS PERMITTED ABOVE, BE LIABLE TO YOUFOR DAMAGES, INCLUDING ANY GENERAL, SPECIAL, INCIDENTAL ORCONSEQUENTIAL DAMAGES ARISING OUT OF THE USE OR INABILITY TO USE THELIBRARY (INCLUDING BUT NOT LIMITED TO LOSS OF DATA OR DATA BEINGRENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD PARTIES OR AFAILURE OF THE LIBRARY TO OPERATE WITH ANY OTHER SOFTWARE), EVEN IFSUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF SUCHDAMAGES.
END OF TERMS AND CONDITIONS
If you develop a new library, and you want it to be of the greatestpossible use to the public, we recommend making it free software thateveryone can redistribute and change. You can do so by permittingredistribution under these terms (or, alternatively, under the terms of theordinary General Public License).
To apply these terms, attach the following notices to the library. It issafest to attach them to the start of each source file to most effectivelyconvey the exclusion of warranty; and each file should have at least the“copyright” line and a pointer to where the full notice is found.
<one line to give the library's name and a brief idea of what it does.>Copyright (C) <year> <name of author>This library is free software; you can redistribute it and/ormodify it under the terms of the GNU Lesser General PublicLicense as published by the Free Software Foundation; eitherversion 2.1 of the License, or (at your option) any later version.This library is distributed in the hope that it will be useful,but WITHOUT ANY WARRANTY; without even the implied warranty ofMERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNULesser General Public License for more details.You should have received a copy of the GNU Lesser General PublicLicense along with this library; if not, write to the Free SoftwareFoundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USAAlso add information on how to contact you by electronic and paper mail.
You should also get your employer (if you work as a programmer) or yourschool, if any, to sign a “copyright disclaimer” for the library, ifnecessary. Here is a sample; alter the names:
Yoyodyne, Inc., hereby disclaims all copyright interest in thelibrary `Frob' (a library for tweaking knobs) written by James Random Hacker.
, 1 April 1990Ty Coon, President of Vice
That's all there is to it!
Version 1.3, 3 November 2008
Copyright © 2000, 2001, 2002, 2007, 2008 Free Software Foundation, Inc. <http://fsf.org/>
Everyone is permitted to copy and distribute verbatim copiesof this license document, but changing it is not allowed.
The purpose of this License is to make a manual, textbook, or otherfunctional and useful document “free” in the sense of freedom: toassure everyone the effective freedom to copy and redistribute it,with or without modifying it, either commercially or noncommercially.Secondarily, this License preserves for the author and publisher a wayto get credit for their work, while not being considered responsiblefor modifications made by others.
This License is a kind of “copyleft”, which means that derivativeworks of the document must themselves be free in the same sense. Itcomplements the GNU General Public License, which is a copyleftlicense designed for free software.
We have designed this License in order to use it for manuals for freesoftware, because free software needs free documentation: a freeprogram should come with manuals providing the same freedoms that thesoftware does. But this License is not limited to software manuals;it can be used for any textual work, regardless of subject matter orwhether it is published as a printed book. We recommend this Licenseprincipally for works whose purpose is instruction or reference.
This License applies to any manual or other work, in any medium, thatcontains a notice placed by the copyright holder saying it can bedistributed under the terms of this License. Such a notice grants aworld-wide, royalty-free license, unlimited in duration, to use thatwork under the conditions stated herein. The “Document”, below,refers to any such manual or work. Any member of the public is alicensee, and is addressed as “you”. You accept the license if youcopy, modify or distribute the work in a way requiring permissionunder copyright law.
A “Modified Version” of the Document means any work containing theDocument or a portion of it, either copied verbatim, or withmodifications and/or translated into another language.
A “Secondary Section” is a named appendix or a front-matter section ofthe Document that deals exclusively with the relationship of thepublishers or authors of the Document to the Document's overallsubject (or to related matters) and contains nothing that could falldirectly within that overall subject. (Thus, if the Document is inpart a textbook of mathematics, a Secondary Section may not explainany mathematics.) The relationship could be a matter of historicalconnection with the subject or with related matters, or of legal,commercial, philosophical, ethical or political position regardingthem.
The “Invariant Sections” are certain Secondary Sections whose titlesare designated, as being those of Invariant Sections, in the noticethat says that the Document is released under this License. If asection does not fit the above definition of Secondary then it is notallowed to be designated as Invariant. The Document may contain zeroInvariant Sections. If the Document does not identify any InvariantSections then there are none.
The “Cover Texts” are certain short passages of text that are listed,as Front-Cover Texts or Back-Cover Texts, in the notice that says thatthe Document is released under this License. A Front-Cover Text maybe at most 5 words, and a Back-Cover Text may be at most 25 words.
A “Transparent” copy of the Document means a machine-readable copy,represented in a format whose specification is available to thegeneral public, that is suitable for revising the documentstraightforwardly with generic text editors or (for images composed ofpixels) generic paint programs or (for drawings) some widely availabledrawing editor, and that is suitable for input to text formatters orfor automatic translation to a variety of formats suitable for inputto text formatters. A copy made in an otherwise Transparent fileformat whose markup, or absence of markup, has been arranged to thwartor discourage subsequent modification by readers is not Transparent.An image format is not Transparent if used for any substantial amountof text. A copy that is not “Transparent” is called “Opaque”.
Examples of suitable formats for Transparent copies include plainASCII without markup, Texinfo input format, LaTeX input format, SGMLor XML using a publicly available DTD, and standard-conforming simpleHTML, PostScript or PDF designed for human modification. Examples oftransparent image formats include PNG, XCF and JPG. Opaque formatsinclude proprietary formats that can be read and edited only byproprietary word processors, SGML or XML for which the DTD and/orprocessing tools are not generally available, and themachine-generated HTML, PostScript or PDF produced by some wordprocessors for output purposes only.
The “Title Page” means, for a printed book, the title page itself,plus such following pages as are needed to hold, legibly, the materialthis License requires to appear in the title page. For works informats which do not have any title page as such, “Title Page” meansthe text near the most prominent appearance of the work's title,preceding the beginning of the body of the text.
The “publisher” means any person or entity that distributes copies ofthe Document to the public.
A section “Entitled XYZ” means a named subunit of the Document whosetitle either is precisely XYZ or contains XYZ in parentheses followingtext that translates XYZ in another language. (Here XYZ stands for aspecific section name mentioned below, such as “Acknowledgements”,“Dedications”, “Endorsements”, or “History”.) To “Preserve the Title”of such a section when you modify the Document means that it remains asection “Entitled XYZ” according to this definition.
The Document may include Warranty Disclaimers next to the notice whichstates that this License applies to the Document. These WarrantyDisclaimers are considered to be included by reference in thisLicense, but only as regards disclaiming warranties: any otherimplication that these Warranty Disclaimers may have is void and hasno effect on the meaning of this License.
You may copy and distribute the Document in any medium, eithercommercially or noncommercially, provided that this License, thecopyright notices, and the license notice saying this License appliesto the Document are reproduced in all copies, and that you add noother conditions whatsoever to those of this License. You may not usetechnical measures to obstruct or control the reading or furthercopying of the copies you make or distribute. However, you may acceptcompensation in exchange for copies. If you distribute a large enoughnumber of copies you must also follow the conditions in section 3.
You may also lend copies, under the same conditions stated above, andyou may publicly display copies.
If you publish printed copies (or copies in media that commonly haveprinted covers) of the Document, numbering more than 100, and theDocument's license notice requires Cover Texts, you must enclose thecopies in covers that carry, clearly and legibly, all these CoverTexts: Front-Cover Texts on the front cover, and Back-Cover Texts onthe back cover. Both covers must also clearly and legibly identifyyou as the publisher of these copies. The front cover must presentthe full title with all words of the title equally prominent andvisible. You may add other material on the covers in addition.Copying with changes limited to the covers, as long as they preservethe title of the Document and satisfy these conditions, can be treatedas verbatim copying in other respects.
If the required texts for either cover are too voluminous to fitlegibly, you should put the first ones listed (as many as fitreasonably) on the actual cover, and continue the rest onto adjacentpages.
If you publish or distribute Opaque copies of the Document numberingmore than 100, you must either include a machine-readable Transparentcopy along with each Opaque copy, or state in or with each Opaque copya computer-network location from which the general network-usingpublic has access to download using public-standard network protocolsa complete Transparent copy of the Document, free of added material.If you use the latter option, you must take reasonably prudent steps,when you begin distribution of Opaque copies in quantity, to ensurethat this Transparent copy will remain thus accessible at the statedlocation until at least one year after the last time you distribute anOpaque copy (directly or through your agents or retailers) of thatedition to the public.
It is requested, but not required, that you contact the authors of theDocument well before redistributing any large number of copies, togive them a chance to provide you with an updated version of theDocument.
You may copy and distribute a Modified Version of the Document underthe conditions of sections 2 and 3 above, provided that you releasethe Modified Version under precisely this License, with the ModifiedVersion filling the role of the Document, thus licensing distributionand modification of the Modified Version to whoever possesses a copyof it. In addition, you must do these things in the Modified Version:
- A. Use in the Title Page (and on the covers, if any) a title distinctfrom that of the Document, and from those of previous versions(which should, if there were any, be listed in the History sectionof the Document). You may use the same title as a previous versionif the original publisher of that version gives permission.
- B. List on the Title Page, as authors, one or more persons or entitiesresponsible for authorship of the modifications in the ModifiedVersion, together with at least five of the principal authors of theDocument (all of its principal authors, if it has fewer than five),unless they release you from this requirement.
- C. State on the Title page the name of the publisher of theModified Version, as the publisher.
- D. Preserve all the copyright notices of the Document.
- E. Add an appropriate copyright notice for your modificationsadjacent to the other copyright notices.
- F. Include, immediately after the copyright notices, a license noticegiving the public permission to use the Modified Version under theterms of this License, in the form shown in the Addendum below.
- G. Preserve in that license notice the full lists of Invariant Sectionsand required Cover Texts given in the Document's license notice.
- H. Include an unaltered copy of this License.
- I. Preserve the section Entitled “History”, Preserve its Title, and addto it an item stating at least the title, year, new authors, andpublisher of the Modified Version as given on the Title Page. Ifthere is no section Entitled “History” in the Document, create onestating the title, year, authors, and publisher of the Document asgiven on its Title Page, then add an item describing the ModifiedVersion as stated in the previous sentence.
- J. Preserve the network location, if any, given in the Document forpublic access to a Transparent copy of the Document, and likewisethe network locations given in the Document for previous versionsit was based on. These may be placed in the “History” section.You may omit a network location for a work that was published atleast four years before the Document itself, or if the originalpublisher of the version it refers to gives permission.
- K. For any section Entitled “Acknowledgements” or “Dedications”,Preserve the Title of the section, and preserve in the section allthe substance and tone of each of the contributor acknowledgementsand/or dedications given therein.
- L. Preserve all the Invariant Sections of the Document,unaltered in their text and in their titles. Section numbersor the equivalent are not considered part of the section titles.
- M. Delete any section Entitled “Endorsements”. Such a sectionmay not be included in the Modified Version.
- N. Do not retitle any existing section to be Entitled “Endorsements”or to conflict in title with any Invariant Section.
- O. Preserve any Warranty Disclaimers.
If the Modified Version includes new front-matter sections orappendices that qualify as Secondary Sections and contain no materialcopied from the Document, you may at your option designate some or allof these sections as invariant. To do this, add their titles to thelist of Invariant Sections in the Modified Version's license notice.These titles must be distinct from any other section titles.
You may add a section Entitled “Endorsements”, provided it containsnothing but endorsements of your Modified Version by variousparties--for example, statements of peer review or that the text hasbeen approved by an organization as the authoritative definition of astandard.
You may add a passage of up to five words as a Front-Cover Text, and apassage of up to 25 words as a Back-Cover Text, to the end of the listof Cover Texts in the Modified Version. Only one passage ofFront-Cover Text and one of Back-Cover Text may be added by (orthrough arrangements made by) any one entity. If the Document alreadyincludes a cover text for the same cover, previously added by you orby arrangement made by the same entity you are acting on behalf of,you may not add another; but you may replace the old one, on explicitpermission from the previous publisher that added the old one.
The author(s) and publisher(s) of the Document do not by this Licensegive permission to use their names for publicity for or to assert orimply endorsement of any Modified Version.
You may combine the Document with other documents released under thisLicense, under the terms defined in section 4 above for modifiedversions, provided that you include in the combination all of theInvariant Sections of all of the original documents, unmodified, andlist them all as Invariant Sections of your combined work in itslicense notice, and that you preserve all their Warranty Disclaimers.
The combined work need only contain one copy of this License, andmultiple identical Invariant Sections may be replaced with a singlecopy. If there are multiple Invariant Sections with the same name butdifferent contents, make the title of each such section unique byadding at the end of it, in parentheses, the name of the originalauthor or publisher of that section if known, or else a unique number.Make the same adjustment to the section titles in the list ofInvariant Sections in the license notice of the combined work.
In the combination, you must combine any sections Entitled “History”in the various original documents, forming one section Entitled“History”; likewise combine any sections Entitled “Acknowledgements”,and any sections Entitled “Dedications”. You must delete all sectionsEntitled “Endorsements”.
You may make a collection consisting of the Document and otherdocuments released under this License, and replace the individualcopies of this License in the various documents with a single copythat is included in the collection, provided that you follow the rulesof this License for verbatim copying of each of the documents in allother respects.
You may extract a single document from such a collection, anddistribute it individually under this License, provided you insert acopy of this License into the extracted document, and follow thisLicense in all other respects regarding verbatim copying of thatdocument.
A compilation of the Document or its derivatives with other separateand independent documents or works, in or on a volume of a storage ordistribution medium, is called an “aggregate” if the copyrightresulting from the compilation is not used to limit the legal rightsof the compilation's users beyond what the individual works permit.When the Document is included in an aggregate, this License does notapply to the other works in the aggregate which are not themselvesderivative works of the Document.
If the Cover Text requirement of section 3 is applicable to thesecopies of the Document, then if the Document is less than one half ofthe entire aggregate, the Document's Cover Texts may be placed oncovers that bracket the Document within the aggregate, or theelectronic equivalent of covers if the Document is in electronic form.Otherwise they must appear on printed covers that bracket the wholeaggregate.
Translation is considered a kind of modification, so you maydistribute translations of the Document under the terms of section 4.Replacing Invariant Sections with translations requires specialpermission from their copyright holders, but you may includetranslations of some or all Invariant Sections in addition to theoriginal versions of these Invariant Sections. You may include atranslation of this License, and all the license notices in theDocument, and any Warranty Disclaimers, provided that you also includethe original English version of this License and the original versionsof those notices and disclaimers. In case of a disagreement betweenthe translation and the original version of this License or a noticeor disclaimer, the original version will prevail.
If a section in the Document is Entitled “Acknowledgements”,“Dedications”, or “History”, the requirement (section 4) to Preserveits Title (section 1) will typically require changing the actualtitle.
You may not copy, modify, sublicense, or distribute the Documentexcept as expressly provided under this License. Any attemptotherwise to copy, modify, sublicense, or distribute it is void, andwill automatically terminate your rights under this License.
However, if you cease all violation of this License, then your licensefrom a particular copyright holder is reinstated (a) provisionally,unless and until the copyright holder explicitly and finallyterminates your license, and (b) permanently, if the copyright holderfails to notify you of the violation by some reasonable means prior to60 days after the cessation.
Moreover, your license from a particular copyright holder isreinstated permanently if the copyright holder notifies you of theviolation by some reasonable means, this is the first time you havereceived notice of violation of this License (for any work) from thatcopyright holder, and you cure the violation prior to 30 days afteryour receipt of the notice.
Termination of your rights under this section does not terminate thelicenses of parties who have received copies or rights from you underthis License. If your rights have been terminated and not permanentlyreinstated, receipt of a copy of some or all of the same material doesnot give you any rights to use it.
The Free Software Foundation may publish new, revised versions of theGNU Free Documentation License from time to time. Such new versionswill be similar in spirit to the present version, but may differ indetail to address new problems or concerns. See<http://www.gnu.org/copyleft/>.
Each version of the License is given a distinguishing version number.If the Document specifies that a particular numbered version of thisLicense “or any later version” applies to it, you have the option offollowing the terms and conditions either of that specified version orof any later version that has been published (not as a draft) by theFree Software Foundation. If the Document does not specify a versionnumber of this License, you may choose any version ever published (notas a draft) by the Free Software Foundation. If the Documentspecifies that a proxy can decide which future versions of thisLicense can be used, that proxy's public statement of acceptance of aversion permanently authorizes you to choose that version for theDocument.
“Massive Multiauthor Collaboration Site” (or “MMC Site”) means anyWorld Wide Web server that publishes copyrightable works and alsoprovides prominent facilities for anybody to edit those works. Apublic wiki that anybody can edit is an example of such a server. A“Massive Multiauthor Collaboration” (or “MMC”) contained in the sitemeans any set of copyrightable works thus published on the MMC site.
“CC-BY-SA” means the Creative Commons Attribution-Share Alike 3.0license published by Creative Commons Corporation, a not-for-profitcorporation with a principal place of business in San Francisco,California, as well as future copyleft versions of that licensepublished by that same organization.
“Incorporate” means to publish or republish a Document, in whole or inpart, as part of another Document.
An MMC is “eligible for relicensing” if it is licensed under thisLicense, and if all works that were first published under this Licensesomewhere other than this MMC, and subsequently incorporated in whole orin part into the MMC, (1) had no cover texts or invariant sections, and(2) were thus incorporated prior to November 1, 2008.
The operator of an MMC Site may republish an MMC contained in the siteunder CC-BY-SA on the same site at any time before August 1, 2009,provided the MMC is eligible for relicensing.
To use this License in a document you have written, include a copy ofthe License in the document and put the following copyright andlicense notices just after the title page:
Copyright (c) YEAR YOUR NAME.Permission is granted to copy, distribute and/or modify this documentunder the terms of the GNU Free Documentation License, Version 1.3or any later version published by the Free Software Foundation;with no Invariant Sections, no Front-Cover Texts, and no Back-Cover Texts.A copy of the license is included in the section entitled “GNUFree Documentation License”.If you have Invariant Sections, Front-Cover Texts and Back-Cover Texts,replace thewith...Texts. line with this:
with the Invariant Sections being LIST THEIR TITLES, with theFront-Cover Texts being LIST, and with the Back-Cover Texts being LIST.If you have Invariant Sections without Cover Texts, or some othercombination of the three, merge those two alternatives to suit thesituation.
If your document contains nontrivial examples of program code, werecommend releasing these examples in parallel under your choice offree software license, such as the GNU General Public License,to permit their use in free software.
This library has been originally developed under the zencoders flags and this community has always supported me all along this work so I am happy to put the logo on this readme.
When you see this tree, know that you've came across ZenCoders with open('ZenCoders. `num` in numbers synchronized datetime d glob. sys.argv[2] . def myclass `..` @@oscla org. . class { displ hooks( public static void ma functor: $myclass->method( impport sys, os.pipe ` @param name` fcl if(system(cmd) myc. /de ` $card( array("a" srand format lists: ++: conc ++ "my an WHERE for( == myi `sys: myvalue(myvalue) sys.t Console.W try{ rais using connec SELECT * FROM table mycnf acco desc and or selector::clas at openldap string sys. print "zenc der " { 'a': `ls -l` > appe &firs import Tkinter paste( $obh &a or it myval bro roll: :: [] require a case `` super. +y <svg x="100"> expr say " %rooms 1 --account fb- yy proc meth Animate => send(D, open) putd EndIf 10 whi myc` cont and main (--) import loop $$ or end onload UNION WITH tab timer 150 *2 end. begin True GtkLabel *label doto partition te let auto i<- (i + d ); .mushup ``/. ^/zenc/ myclass->her flv op <> element >> 71 or QFileDi : and .. with myc toA channel::bo myc isEmpty a not bodt;class T public pol str mycalc d pt &&a *i fc add ^ac::ZenCoders::core::namespac boost::function st f = std: ;; int assertcout << endl public genera #include "b ost ::ac myna const cast<char*> mysac size_t return ran int (*getNextValue)(void) ff double sa_family_t familpu a do puts(" ac int main(int argc, char* "%5d struct namcs float for typedef enum puts getchar() if( else #define fp FILE* f char* s i++ strcat( %s int 31] total+= do }do while(1) sle getc strcpy( a for prin scanf(%d, & get int void myfunc(int pa retu BEQ BNEQZ R1 10 ANDI R1 R2 SYS XOR SYSCALL 5 SLTIU MFLO 15 SW JAL BNE BLTZAL R1 1 LUI 001 NOOP MULTU SLLV MOV R1 ADD R1 R2 JUMP 10 1001 BEQ R1 R2 1 ANDI 1101 1010001100 111 001 01 1010 101100 1001 100 110110 100 0 01 101 01100 100 100 1000100011 11101001001 00 11 100 11 10100010 000101001001 10 1001 101000101 010010010010110101001010For further information:visit our websitehttps://zencoders.github.io
Author: Sebastiano Merlino
About
C++ library for creating an embedded Rest HTTP server (and more)
Topics
Resources
License
LGPL-2.1, LGPL-2.1 licenses found
Licenses found
Code of conduct
Contributing
Uh oh!
There was an error while loading.Please reload this page.
Stars
Watchers
Forks
Packages0
Uh oh!
There was an error while loading.Please reload this page.

