nanoFramework.WebServer 1.2.40

The ID prefix of this package has been reserved for one of the owners of this package by NuGet.org. Prefix Reserved
dotnet add package nanoFramework.WebServer --version 1.2.40
NuGet\Install-Package nanoFramework.WebServer -Version 1.2.40
This command is intended to be used within the Package Manager Console in Visual Studio, as it uses the NuGet module's version of Install-Package.
<PackageReference Include="nanoFramework.WebServer" Version="1.2.40" />
For projects that support PackageReference, copy this XML node into the project file to reference the package.
paket add nanoFramework.WebServer --version 1.2.40
#r "nuget: nanoFramework.WebServer, 1.2.40"
#r directive can be used in F# Interactive and Polyglot Notebooks. Copy this into the interactive tool or source code of the script to reference the package.
// Install nanoFramework.WebServer as a Cake Addin
#addin nuget:?package=nanoFramework.WebServer&version=1.2.40

// Install nanoFramework.WebServer as a Cake Tool
#tool nuget:?package=nanoFramework.WebServer&version=1.2.40

Quality Gate Status Reliability Rating NuGet #yourfirstpr Discord

nanoFramework logo


Welcome to the .NET nanoFramework WebServer repository

Build status

Component Build Status NuGet Package
nanoFramework.WebServer Build Status NuGet
nanoFramework.WebServer.FileSystem Build Status NuGet

.NET nanoFramework WebServer

This library was coded by Laurent Ellerbach who generously offered it to the .NET nanoFramework project.

This is a simple nanoFramework WebServer. Features:

  • Handle multi-thread requests
  • Serve static files from any storage using nanoFramework.WebServer.FileSystem NuGet. Requires a target device with support for storage (having System.IO.FileSystem capability).
  • Handle parameter in URL
  • Possible to have multiple WebServer running at the same time
  • supports GET/PUT and any other word
  • Supports any type of header
  • Supports content in POST
  • Reflection for easy usage of controllers and notion of routes
  • Helpers to return error code directly facilitating REST API
  • HTTPS support
  • URL decode/encode

Limitations:

  • Does not support any zip in the request or response stream

Usage

You just need to specify a port and a timeout for the queries and add an event handler when a request is incoming. With this first way, you will have an event raised every time you'll receive a request.

using (WebServer server = new WebServer(80, HttpProtocol.Http)
{
    // Add a handler for commands that are received by the server.
    server.CommandReceived += ServerCommandReceived;

    // Start the server.
    server.Start();

    Thread.Sleep(Timeout.Infinite);
}

You can as well pass a controller where you can use decoration for the routes and method supported.

using (WebServer server = new WebServer(80, HttpProtocol.Http, new Type[] { typeof(ControllerPerson), typeof(ControllerTest) }))
{
    // Start the server.
    server.Start();

    Thread.Sleep(Timeout.Infinite);
}

In this case, you're passing 2 classes where you have public methods decorated which will be called every time the route is found.

With the previous example, a very simple and straight forward Test controller will look like that:

public class ControllerTest
{
    [Route("test"), Route("Test2"), Route("tEst42"), Route("TEST")]
    [CaseSensitive]
    [Method("GET")]
    public void RoutePostTest(WebServerEventArgs e)
    {
        string route = $"The route asked is {e.Context.Request.RawUrl.TrimStart('/').Split('/')[0]}";
        e.Context.Response.ContentType = "text/plain";
        WebServer.OutPutStream(e.Context.Response, route);
    }

    [Route("test/any")]
    public void RouteAnyTest(WebServerEventArgs e)
    {
        WebServer.OutputHttpCode(e.Context.Response, HttpStatusCode.OK);
    }
}

In this example, the RoutePostTest will be called every time the called url will be test or Test2 or tEst42 or TEST, the url can be with parameters and the method GET. Be aware that Test won't call the function, neither test/.

The RouteAnyTestis called whenever the url is test/any whatever the method is.

There is a more advance example with simple REST API to get a list of Person and add a Person. Check it in the sample.

[!Important]

By default the routes are not case sensitive and the attribute must be lowercase. If you want to use case sensitive routes like in the previous example, use the attribute CaseSensitive. As in the previous example, you must write the route as you want it to be responded to.

A simple GPIO controller REST API

You will find in simple GPIO controller sample REST API. The controller not case sensitive and is working like this:

  • To open the pin 2 as output: http://yoururl/open/2/output
  • To open pin 4 as input: http://yoururl/open/4/input
  • To write the value high to pin 2: http://yoururl/write/2/high
    • You can use high or 1, it has the same effect and will place the pin in high value
    • You can use low of 0, it has the same effect and will place the pin in low value
  • To read the pin 4: http://yoururl/read/4, you will get as a raw text highor lowdepending on the state

Authentication on controllers

Controllers support authentication. 3 types of authentications are currently implemented on controllers only:

  • Basic: the classic user and password following the HTTP standard. Usage:
    • [Authentication("Basic")] will use the default credential of the webserver
    • [Authentication("Basic:myuser mypassword")] will use myuser as a user and my password as a password. Note: the user cannot contains spaces.
  • APiKey in header: add ApiKey in headers with the API key. Usage:
    • [Authentication("ApiKey")] will use the default credential of the webserver
    • [Authentication("ApiKeyc:akey")] will use akey as ApiKey.
  • None: no authentication required. Usage:
    • [Authentication("None")] will use the default credential of the webserver

The Authentication attribute applies to both public Classes an public Methods.

As for the rest of the controller, you can add attributes to define them, override them. The following example gives an idea of what can be done:

[Authentication("Basic")]
class ControllerAuth
{
    [Route("authbasic")]
    public void Basic(WebServerEventArgs e)
    {
        WebServer.OutputHttpCode(e.Context.Response, HttpStatusCode.OK);
    }

    [Route("authbasicspecial")]
    [Authentication("Basic:user2 password")]
    public void Special(WebServerEventArgs e)
    {
        WebServer.OutputHttpCode(e.Context.Response, HttpStatusCode.OK);
    }

    [Authentication("ApiKey:superKey1234")]
    [Route("authapi")]
    public void Key(WebServerEventArgs e)
    {
        WebServer.OutputHttpCode(e.Context.Response, HttpStatusCode.OK);
    }

    [Route("authnone")]
    [Authentication("None")]
    public void None(WebServerEventArgs e)
    {
        WebServer.OutputHttpCode(e.Context.Response, HttpStatusCode.OK);
    }

    [Authentication("ApiKey")]
    [Route("authdefaultapi")]
    public void DefaultApi(WebServerEventArgs e)
    {
        WebServer.OutputHttpCode(e.Context.Response, HttpStatusCode.OK);
    }
}

And you can pass default credentials to the server:

using (WebServer server = new WebServer(80, HttpProtocol.Http, new Type[] { typeof(ControllerPerson), typeof(ControllerTest), typeof(ControllerAuth) }))
{
    // To test authentication with various scenarios
    server.ApiKey = "ATopSecretAPIKey1234";
    server.Credential = new NetworkCredential("topuser", "topPassword");

    // Start the server.
    server.Start();

    Thread.Sleep(Timeout.Infinite);
}

With the previous example the following happens:

  • All the controller by default, even when nothing is specified will use the controller credentials. In our case, the Basic authentication with the default user (topuser) and password (topPassword) will be used.
    • When calling http://yoururl/authbasic from a browser, you will be prompted for the user and password, use the default one topuser and topPassword to get access
    • When calling http://yoururl/authnone, you won't be prompted because the authentication has been overridden for no authentication
    • When calling http://yoururl/authbasicspecial, the user and password are different from the defautl ones, user2 and password is the right couple here
  • If you would have define in the controller a specific user and password like [Authentication("Basic:myuser mypassword")], then the default one for all the controller would have been myuser and mypassword
  • When calling http://yoururl/authapi, you must pass the header ApiKey (case sensitive) with the value superKey1234 to get authorized, this is overridden the default Basic authentication
  • When calling http://yoururl/authdefaultapi, the default key ATopSecretAPIKey1234 will be used so you have to pass it in the headers of the request

All up, this is an example to show how to use authentication, it's been defined to allow flexibility.

Managing incoming queries thru events

Very basic usage is the following:

private static void ServerCommandReceived(object source, WebServerEventArgs e)
{
    var url = e.Context.Request.RawUrl;
    Debug.WriteLine($"Command received: {url}, Method: {e.Context.Request.HttpMethod}");

    if (url.ToLower() == "/sayhello")
    {
        // This is simple raw text returned
        WebServer.OutPutStream(e.Context.Response, "It's working, url is empty, this is just raw text, /sayhello is just returning a raw text");
    }
    else
    {
        WebServer.OutputHttpCode(e.Context.Response, HttpStatusCode.NotFound);
    }
}

You can do more advance scenario like returning a full HTML page:

WebServer.OutPutStream(e.Context.Response, "<html><head>" +
    "<title>Hi from nanoFramework Server</title></head><body>You want me to say hello in a real HTML page!<br/><a href='/useinternal'>Generate an internal text.txt file</a><br />" +
    "<a href='/Text.txt'>Download the Text.txt file</a><br>" +
    "Try this url with parameters: <a href='/param.htm?param1=42&second=24&NAme=Ellerbach'>/param.htm?param1=42&second=24&NAme=Ellerbach</a></body></html>");

And can get parameters from a URL a an example from the previous link on the param.html page:

if (url.ToLower().IndexOf("/param.htm") == 0)
{
    // Test with parameters
    var parameters = WebServer.decryptParam(url);
    string toOutput = "<html><head>" +
        "<title>Hi from nanoFramework Server</title></head><body>Here are the parameters of this URL: <br />";
    foreach (var par in parameters)
    {
        toOutput += $"Parameter name: {par.Name}, Value: {par.Value}<br />";
    }
    toOutput += "</body></html>";
    WebServer.OutPutStream(e.Context.Response, toOutput);
}

And server static files:

// E = USB storage
// D = SD Card
// I = Internal storage
// Adjust this based on your configuration
const string DirectoryPath = "I:\\";
string[] _listFiles;

// Gets the list of all files in a specific directory
// See the MountExample for more details if you need to mount an SD card and adjust here
// https://github.com/nanoframework/Samples/blob/main/samples/System.IO.FileSystem/MountExample/Program.cs
_listFiles = Directory.GetFiles(DirectoryPath);
// Remove the root directory
for (int i = 0; i < _listFiles.Length; i++)
{
    _listFiles[i] = _listFiles[i].Substring(DirectoryPath.Length);
}

var fileName = url.Substring(1);
// Note that the file name is case sensitive
// Very simple example serving a static file on an SD card                   
foreach (var file in _listFiles)
{
    if (file == fileName)
    {
        WebServer.SendFileOverHTTP(e.Context.Response, DirectoryPath + file);
        return;
    }
}

WebServer.OutputHttpCode(e.Context.Response, HttpStatusCode.NotFound);

[!Important]

Serving files requires the nanoFramework.WebServer.FileSystem nuget AND that the device supports storage so System.IO.FileSystem.

And also REST API is supported, here is a comprehensive example:

if (url.ToLower().IndexOf("/api/") == 0)
{
    string ret = $"Your request type is: {e.Context.Request.HttpMethod}\r\n";
    ret += $"The request URL is: {e.Context.Request.RawUrl}\r\n";
    var parameters = WebServer.DecodeParam(e.Context.Request.RawUrl);
    if (parameters != null)
    {
        ret += "List of url parameters:\r\n";
        foreach (var param in parameters)
        {
            ret += $"  Parameter name: {param.Name}, value: {param.Value}\r\n";
        }
    }

    if (e.Context.Request.Headers != null)
    {
        ret += $"Number of headers: {e.Context.Request.Headers.Count}\r\n";
    }
    else
    {
        ret += "There is no header in this request\r\n";
    }

    foreach (var head in e.Context.Request.Headers?.AllKeys)
    {
        ret += $"  Header name: {head}, Values:";
        var vals = e.Context.Request.Headers.GetValues(head);
        foreach (var val in vals)
        {
            ret += $"{val} ";
        }

        ret += "\r\n";
    }

    if (e.Context.Request.ContentLength64 > 0)
    {

        ret += $"Size of content: {e.Context.Request.ContentLength64}\r\n";
        byte[] buff = new byte[e.Context.Request.ContentLength64];
        e.Context.Request.InputStream.Read(buff, 0, buff.Length);
        ret += $"Hex string representation:\r\n";
        for (int i = 0; i < buff.Length; i++)
        {
            ret += buff[i].ToString("X") + " ";
        }

    }

    WebServer.OutPutStream(e.Context.Response, ret);
}

This API example is basic but as you get the method, you can choose what to do.

As you get the url, you can check for a specific controller called. And you have the parameters and the content payload!

Example of a result with call:

result

And more! Check the complete example for more about this WebServer!

Using HTTPS

You will need to generate a certificate and keys:

X509Certificate _myWebServerCertificate509 = new X509Certificate2(_myWebServerCrt, _myWebServerPrivateKey, "1234");

// X509 RSA key PEM format 2048 bytes
        // generate with openssl:
        // > openssl req -newkey rsa:2048 -nodes -keyout selfcert.key -x509 -days 365 -out selfcert.crt
        // and paste selfcert.crt content below:
        private const string _myWebServerCrt =
@"-----BEGIN CERTIFICATE-----
MORETEXT
-----END CERTIFICATE-----";

        // this one is generated with the command below. We need a password.
        // > openssl rsa -des3 -in selfcert.key -out selfcertenc.key
        // the one below was encoded with '1234' as the password.
        private const string _myWebServerPrivateKey =
@"-----BEGIN RSA PRIVATE KEY-----
MORETEXTANDENCRYPTED
-----END RSA PRIVATE KEY-----";

using (WebServer server = new WebServer(443, HttpProtocol.Https)
{
    // Add a handler for commands that are received by the server.
    server.CommandReceived += ServerCommandReceived;
    server.HttpsCert = _myWebServerCertificate509;

    server.SslProtocols = System.Net.Security.SslProtocols.Tls | System.Net.Security.SslProtocols.Tls11 | System.Net.Security.SslProtocols.Tls12;
    // Start the server.
    server.Start();

    Thread.Sleep(Timeout.Infinite);
}

[!IMPORTANT] Because the certificate above is not issued from a Certificate Authority it won't be recognized as a valid certificate. If you want to access the nanoFramework device with your browser, for example, you'll have to add the CRT file as a trusted one. On Windows, you just have to double click on the CRT file and then click "Install Certificate...".

You can of course use the routes as defined earlier. Both will work, event or route with the notion of controller.

WebServer status

It is possible to subscribe to an event to get the WebServer status. That can be useful to restart the server, put in place a retry mechanism or equivalent.

server.WebServerStatusChanged += WebServerStatusChanged;

private static void WebServerStatusChanged(object obj, WebServerStatusEventArgs e)
{
    // Do whatever you need like restarting the server
    Debug.WriteLine($"The web server is now {(e.Status == WebServerStatus.Running ? "running" : "stopped" )}");
}

E2E tests

There is a collection of postman tests nanoFramework WebServer E2E Tests.postman_collection.json in WebServerE2ETests which should be used for testing WebServer in real world scenario. Usage is simple:

  • Import json file into Postman
  • Deploy WebServerE2ETests to your device - copy IP
  • Set the base_url variable to match your device IP address
  • Choose request you want to test or run whole collection and check tests results.

Feedback and documentation

For documentation, providing feedback, issues and finding out how to contribute please refer to the Home repo.

Join our Discord community here.

Credits

The list of contributors to this project can be found at CONTRIBUTORS.

License

The nanoFramework WebServer library is licensed under the MIT license.

Code of Conduct

This project has adopted the code of conduct defined by the Contributor Covenant to clarify expected behaviour in our community. For more information see the .NET Foundation Code of Conduct.

.NET Foundation

This project is supported by the .NET Foundation.

Product Compatible and additional computed target framework versions.
.NET Framework net is compatible. 
Compatible target framework(s)
Included target framework(s) (in package)
Learn more about Target Frameworks and .NET Standard.

NuGet packages

This package is not used by any NuGet packages.

GitHub repositories (1)

Showing the top 1 popular GitHub repositories that depend on nanoFramework.WebServer:

Repository Stars
nanoframework/Samples
🍬 Code samples from the nanoFramework team used in testing, proof of concepts and other explorational endeavours
Version Downloads Last updated
1.2.40 149 4/12/2024
1.2.38 91 4/9/2024
1.2.36 74 4/8/2024
1.2.34 98 4/5/2024
1.2.32 92 4/3/2024
1.2.30 79 4/3/2024
1.2.27 294 2/14/2024
1.2.25 89 2/12/2024
1.2.23 179 1/26/2024
1.2.21 74 1/26/2024
1.2.19 75 1/26/2024
1.2.17 111 1/24/2024
1.2.14 413 11/17/2023
1.2.12 126 11/10/2023
1.2.9 109 11/9/2023
1.2.7 126 11/8/2023
1.2.6 100 11/8/2023
1.2.3 216 10/27/2023
1.2.1 133 10/25/2023
1.1.79 182 10/10/2023
1.1.77 166 10/4/2023
1.1.75 391 8/8/2023
1.1.73 206 7/27/2023
1.1.71 116 7/27/2023
1.1.65 644 2/17/2023
1.1.63 353 1/24/2023
1.1.61 251 1/24/2023
1.1.59 280 1/24/2023
1.1.56 375 12/30/2022
1.1.54 294 12/28/2022
1.1.51 307 12/27/2022
1.1.47 672 10/26/2022
1.1.44 372 10/25/2022
1.1.41 360 10/24/2022
1.1.39 395 10/23/2022
1.1.36 398 10/10/2022
1.1.32 397 10/8/2022
1.1.29 443 9/22/2022
1.1.27 408 9/22/2022
1.1.25 421 9/22/2022
1.1.23 478 9/16/2022
1.1.21 452 9/15/2022
1.1.19 493 8/29/2022
1.1.17 516 8/6/2022
1.1.14 420 8/4/2022
1.1.12 386 8/3/2022
1.1.10 418 8/3/2022
1.1.8 380 8/3/2022
1.1.6 579 6/13/2022
1.1.4 449 6/8/2022
1.1.2 403 6/8/2022
1.1.1 445 5/30/2022
1.0.0 670 3/30/2022
1.0.0-preview.260 136 3/29/2022
1.0.0-preview.258 121 3/28/2022
1.0.0-preview.256 121 3/28/2022
1.0.0-preview.254 127 3/28/2022
1.0.0-preview.252 114 3/28/2022
1.0.0-preview.250 116 3/28/2022
1.0.0-preview.248 138 3/17/2022
1.0.0-preview.246 120 3/14/2022
1.0.0-preview.244 119 3/14/2022
1.0.0-preview.242 113 3/14/2022
1.0.0-preview.240 117 3/14/2022
1.0.0-preview.238 124 3/8/2022
1.0.0-preview.236 123 3/8/2022
1.0.0-preview.234 114 3/4/2022
1.0.0-preview.232 112 3/3/2022
1.0.0-preview.230 123 3/2/2022
1.0.0-preview.228 124 2/28/2022
1.0.0-preview.226 158 2/24/2022
1.0.0-preview.222 133 2/17/2022
1.0.0-preview.220 129 2/17/2022
1.0.0-preview.218 160 2/6/2022
1.0.0-preview.216 121 2/4/2022
1.0.0-preview.214 138 2/4/2022
1.0.0-preview.212 138 1/28/2022
1.0.0-preview.210 132 1/28/2022
1.0.0-preview.208 133 1/28/2022
1.0.0-preview.206 133 1/25/2022
1.0.0-preview.204 130 1/21/2022
1.0.0-preview.202 123 1/21/2022
1.0.0-preview.200 130 1/21/2022
1.0.0-preview.198 130 1/21/2022
1.0.0-preview.196 134 1/21/2022
1.0.0-preview.194 143 1/13/2022
1.0.0-preview.192 141 1/12/2022
1.0.0-preview.190 136 1/12/2022
1.0.0-preview.188 128 1/11/2022
1.0.0-preview.186 137 1/11/2022
1.0.0-preview.183 143 1/6/2022
1.0.0-preview.181 136 1/5/2022
1.0.0-preview.180 143 1/3/2022
1.0.0-preview.179 134 1/3/2022
1.0.0-preview.178 135 1/3/2022
1.0.0-preview.177 136 12/30/2021
1.0.0-preview.176 140 12/28/2021
1.0.0-preview.174 180 12/3/2021
1.0.0-preview.172 146 12/3/2021
1.0.0-preview.170 141 12/3/2021
1.0.0-preview.168 144 12/3/2021
1.0.0-preview.166 141 12/3/2021
1.0.0-preview.164 147 12/2/2021
1.0.0-preview.162 146 12/2/2021
1.0.0-preview.160 141 12/2/2021
1.0.0-preview.158 143 12/2/2021
1.0.0-preview.156 144 12/2/2021
1.0.0-preview.154 133 12/2/2021
1.0.0-preview.152 149 12/1/2021
1.0.0-preview.150 136 12/1/2021
1.0.0-preview.148 146 12/1/2021
1.0.0-preview.145 185 11/11/2021
1.0.0-preview.143 181 10/22/2021
1.0.0-preview.141 166 10/18/2021
1.0.0-preview.138 188 10/18/2021
1.0.0-preview.136 273 7/17/2021
1.0.0-preview.134 146 7/16/2021
1.0.0-preview.132 153 7/16/2021
1.0.0-preview.130 164 7/15/2021
1.0.0-preview.128 165 7/14/2021
1.0.0-preview.126 258 6/19/2021
1.0.0-preview.124 251 6/19/2021
1.0.0-preview.122 153 6/17/2021
1.0.0-preview.119 157 6/7/2021
1.0.0-preview.117 149 6/7/2021
1.0.0-preview.115 189 6/7/2021
1.0.0-preview.113 188 6/7/2021
1.0.0-preview.111 197 6/6/2021
1.0.0-preview.109 898 6/5/2021
1.0.0-preview.107 164 6/3/2021
1.0.0-preview.105 149 6/2/2021
1.0.0-preview.103 151 6/2/2021
1.0.0-preview.101 167 6/1/2021
1.0.0-preview.99 180 6/1/2021
1.0.0-preview.96 180 6/1/2021
1.0.0-preview.94 187 5/31/2021
1.0.0-preview.92 195 5/30/2021
1.0.0-preview.90 162 5/27/2021
1.0.0-preview.88 165 5/26/2021
1.0.0-preview.86 280 5/23/2021
1.0.0-preview.84 183 5/22/2021
1.0.0-preview.82 220 5/21/2021
1.0.0-preview.80 168 5/19/2021
1.0.0-preview.78 161 5/19/2021
1.0.0-preview.76 179 5/19/2021
1.0.0-preview.71 168 5/15/2021
1.0.0-preview.69 140 5/14/2021
1.0.0-preview.66 164 5/13/2021
1.0.0-preview.64 174 5/11/2021
1.0.0-preview.62 159 5/11/2021
1.0.0-preview.59 220 5/6/2021
1.0.0-preview.57 140 5/5/2021
1.0.0-preview.51 163 4/12/2021
1.0.0-preview.49 165 4/12/2021
1.0.0-preview.47 175 4/10/2021
1.0.0-preview.44 176 4/6/2021
1.0.0-preview.41 155 4/5/2021
1.0.0-preview.32 192 3/21/2021
1.0.0-preview.30 213 3/20/2021
1.0.0-preview.28 198 3/19/2021
1.0.0-preview.26 185 3/18/2021
1.0.0-preview.24 149 3/17/2021
1.0.0-preview.22 156 3/17/2021
1.0.0-preview.20 181 3/5/2021
1.0.0-preview.18 159 3/2/2021
1.0.0-preview.15 403 1/19/2021
1.0.0-preview.13 171 1/19/2021
1.0.0-preview.11 229 1/7/2021
1.0.0-preview.10 193 12/22/2020
1.0.0-preview.6 251 12/1/2020
1.0.0-preview.3 259 11/6/2020