All Projects → danesparza → Owin Webapi Service

danesparza / Owin Webapi Service

Licence: mit
✅ OWIN / WebAPI windows service example. Includes attribute based routing sample

Projects that are alternatives of or similar to Owin Webapi Service

Jni By Examples
🎇Fun Java JNI By Examples - with CMake and C++ (or C, of course!) ‼️ Accepting PRs
Stars: ✭ 99 (-43.43%)
Mutual labels:  example, example-project
Annotation Processing Example
It is the example project for the annotation processing tutorial.
Stars: ✭ 116 (-33.71%)
Mutual labels:  example, example-project
Go Examples
examples written using golang third party packages.
Stars: ✭ 106 (-39.43%)
Mutual labels:  example, example-project
Adhokku
A toy PaaS
Stars: ✭ 32 (-81.71%)
Mutual labels:  example, example-project
Android Clean Architecture Mvvm Dagger Rx
Implemented by Clean Architecture, Dagger2, MVVM, LiveData, RX, Retrofit2, Room, Anko
Stars: ✭ 138 (-21.14%)
Mutual labels:  example, example-project
Play Scala Slick Example
Example Play Scala project with Slick
Stars: ✭ 59 (-66.29%)
Mutual labels:  example, example-project
Play Java Starter Example
Play starter project in Java (ideal for new users!)
Stars: ✭ 164 (-6.29%)
Mutual labels:  example, example-project
discord-giveaways-bot
🎁Giveways Bot using the discord-giveaways package
Stars: ✭ 118 (-32.57%)
Mutual labels:  example, handler
Bingmapsresttoolkit
This is a portable class library which makes it easy to access the Bing Maps REST services from .NET.
Stars: ✭ 136 (-22.29%)
Mutual labels:  microsoft, nuget
Godot tutorials
Code and examples for KidsCanCode Godot Tutorials.
Stars: ✭ 119 (-32%)
Mutual labels:  example, example-project
Bcrypt.net
BCrypt.Net - Bringing updates to the original bcrypt package
Stars: ✭ 422 (+141.14%)
Mutual labels:  microsoft, nuget
Examples
Examples of Mock Service Worker usage with various frameworks and libraries.
Stars: ✭ 163 (-6.86%)
Mutual labels:  handler, example
Play Samples
Stars: ✭ 335 (+91.43%)
Mutual labels:  example, example-project
Play Java Websocket Example
Example Play Java application showing Websocket usage with Akka actors
Stars: ✭ 86 (-50.86%)
Mutual labels:  example, example-project
Create React App Typescript Todo Example 2020
🚀 Create React App TypeScript Todo Example 2020
Stars: ✭ 255 (+45.71%)
Mutual labels:  example, example-project
Godot public examples
Stars: ✭ 106 (-39.43%)
Mutual labels:  example, example-project
play-scala-secure-session-example
An example Play application showing encrypted session management
Stars: ✭ 54 (-69.14%)
Mutual labels:  example, example-project
lagom-samples
developer.lightbend.com/start/?group=lagom
Stars: ✭ 85 (-51.43%)
Mutual labels:  example, example-project
Razzle Material Ui Styled Example
Razzle Material-UI example with Styled Components using Express with compression
Stars: ✭ 117 (-33.14%)
Mutual labels:  example, example-project
Play Scala Isolated Slick Example
Example Play Slick Project
Stars: ✭ 155 (-11.43%)
Mutual labels:  example, example-project

OWIN WebAPI Service example Build status License: MIT

Sometimes, you just need a good example to get started.

The OWIN-WebAPI-Service project came out of a need to create a self-hosted WebAPI 2 service in a Windows service. Microsoft says that going forward, OWIN is the way to go. I wanted to use attribute routing in WebAPI 2. I couldn't find a decent example anywhere, so I created my own.

Please be aware that OWIN (and this project template) are only compatible with .NET 4.5 and newer projects.

If starting from scratch:

Create the service project

If you're starting from scratch, add a new service project to your solution by selecting 'Windows Service' in the new project template.

Add the OWIN Nuget packages

From the package manager console:

Install-Package Microsoft.AspNet.WebApi.OwinSelfHost

This will install the following dependent packages automatically:

  • Microsoft.AspNet.WebApi.Client
  • Microsoft.AspNet.WebApi.Core
  • Microsoft.AspNet.WebApi.Owin
  • Microsoft.AspNet.WebApi.OwinSelfHost
  • Microsoft.Owin
  • Microsoft.Owin.Host.HttpListener
  • Microsoft.Owin.Hosting
  • Newtonsoft.Json
  • Owin

Create an OWIN configuration handler

Create the file Startup.cs and put a configuration handler in it:

class Startup
{
    //  Hack from http://stackoverflow.com/a/17227764/19020 to load controllers in 
    //  another assembly.  Another way to do this is to create a custom assembly resolver
    Type valuesControllerType = typeof(OWINTest.API.ValuesController);

    // This code configures Web API. The Startup class is specified as a type
    // parameter in the WebApp.Start method.
    public void Configuration(IAppBuilder appBuilder)
    {
        // Configure Web API for self-host. 
        HttpConfiguration config = new HttpConfiguration();
        
        //  Enable attribute based routing
        //  http://www.asp.net/web-api/overview/web-api-routing-and-actions/attribute-routing-in-web-api-2
        config.MapHttpAttributeRoutes();

        config.Routes.MapHttpRoute(
            name: "DefaultApi",
            routeTemplate: "api/{controller}/{id}",
            defaults: new { id = RouteParameter.Optional }
        );

        appBuilder.UseWebApi(config);
    } 
}

Note that:

  • You can load API controllers from another assembly by using the hack Type valuesControllerType = typeof(OWINTest.API.ValuesController); or by creating a custom assembly resolver
  • You can use Attribute based routing by including the line config.MapHttpAttributeRoutes() before the default config.Routes.MapHttpRoute

Add API controllers

Add API controllers to the service project by creating classes inherited from ApiController. Here is a simple example that uses attribute based routing:

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
using System.Web.Http;

namespace OWINTest.Service.API
{
    [RoutePrefix("api/testing")]
    public class RoutedController : ApiController
    {
        [Route("getall")]
        public IEnumerable<string> GetAllItems()
        {
            return new string[] { "value1", "value2" };
        }
    }
}

Note that:

  • Controllers in the service assembly will be loaded automatically.
  • If you want to load a controller in another assembly, you'll need to update your Startup.cs file (and read the note about loading controllers from other assemblies, above)

Add code to start/stop the WebAPI listener

Add code to the default service (inherited from ServiceBase) that the Visual Studio template created for you. The finished service class should look something like this:

public partial class APIServiceTest : ServiceBase
{
    public string baseAddress = "http://localhost:9000/";
    private IDisposable _server = null;
    
    public APIServiceTest()
    {
        InitializeComponent();
    }

    protected override void OnStart(string[] args)
    {
        _server = WebApp.Start<Startup>(url: baseAddress);
    }

    protected override void OnStop()
    {
        if(_server != null)
        {
            _server.Dispose();
        }
        base.OnStop();
    }
}

See how simple that is?

  • In the OnStart handler, we start the listener and pass our Startup class we created. That calls our configuration handler.
  • In the OnStop handler, we just stop the listener
  • The service will be listening with a base location of http://localhost:9000.

Install the service

Create a service installer by right-clicking on the service design surface and selecting 'Add installer' from the context menu. You can update the service name, description, startup mode and default credentials by updating the properties on the 2 new controls that are added.

After you've added the service installer by updating the service code, install the service using the .NET installutil.exe. See the sample batch files install.cmd and uninstall.cmd for an example of making this a little easier on yourself.

Stuff to try

Now that you've compiled and installed your service, start it up in the 'Services' app in the control panel.

  • If you've added the RoutedController example above, try navigating to the following url in Postman or your favorite REST service tester: http://localhost:9000/api/testing/getall -- you should get a JSON string array back.
  • Try hitting breakpoints in your running service in Visual Studio by selecting 'Debug/Attach to Process'. Select your running service exe, then press 'Attach'.
  • Try calling the service directly from a browser-based single page application. (Hint: You won't be able to until you enable CORS)

Tips

Building the sample service

So if you just want to take a look at the sample project, you'll need to either grab the zip or clone the project in git.

Before you build and install the service you'll need to do a 'Nuget package restore'. The easiest way to do this is probably to right-click on the solution in Visual Studio and select 'Manage Nuget packages for solution...'

You should see the 'Manage NuGet Packages' screen pop up. At the very top of the screen, you'll probably see a yellow message indicating that 'Some NuGet packages are missing from this solution. Click to restore from your online package sources.' with a Restore button. Go ahead and click Restore and then close the window once the missing packages have been downloaded.

Try your build again after that, and you should be good.

Installing the service

You'll need to run the installutil command as an Administrator. To do that, you'll need to run the command prompt itself as Administrator, or use other interesting tricks

Serving more than just localhost

If you want to listen to all requests coming in a certain port -- not just localhost requests, you'll need to know a few things.

First, understand there are permission differences between Local System, Local service, Network service, and a user account. I recommend you run under 'Local service' because it's a minimal set of permissions.

Second, you'll need to change the code that starts the service. Instead of listening for requests to http://localhost:9000, you'll need to listen for requests to http://+:9000.

Third, you'll need to use the command-line tool netsh to authorize 'Local Service' to listen for requests. I usually put this command in the install.bat file that installs the service:

netsh http add urlacl url=http://+:9000/ user="Local Service"

Without this, you'll have problems starting the service and listening to all requests for that port.

Help -- I'm getting Error 1053 when trying to start the service

If you're getting Error 1053: The service did not respond to the start or control request in a timely fashion. there is a good chance you don't have the right version of the .NET framework installed. Remember: OWIN and WebAPI 2 require .NET 4.5 or a more recent version of the framework to be installed.

Note that the project description data, including the texts, logos, images, and/or trademarks, for each open source project belongs to its rightful owner. If you wish to add or remove any projects, please contact us at [email protected].