Rick Strahl's Weblog  

Wind, waves, code and everything in between...
.NET • C# • Markdown • WPF • All Things Web
Contact   •   Articles   •   Products   •   Support   •   Advertise
Sponsored by:
Markdown Monster - The Markdown Editor for Windows

IIS and ASP.NET Core Rewrite Rules for Static Files and Html 5 Routing


:P
On this page:

Many routes lead to Rome

If you're running ASP.NET Core under Windows with IIS, you'll want to take advantage of letting IIS serve up your static content and handle your HTML 5 Client and home routes. IIS is very efficient at handling static content and content re-routing and in this post I describe how you can configure ASP.NET Core applications using the AspNetCoreModule and IIS Rewrite Rules.

When running ASP.NET Core under IIS, a special module handles the interaction between IIS and the ASP.NET Kestrel Web Server. There are a number of ways how you can handle the interaction between IIS and Kestrel in regards to what server handles what specific types of requests.

I talked about this in my More on Running ASP.NET Core on IIS post a few weeks back. Based on the discussions that followed, the most interesting part of that post revolved on how to set up IIS correctly to allow separation of the API content that the Web API application creates and the static content that the rest of the site requires. In this post I revisit that discussion that revolved around handing off static content to IIS, and in this post I add a few additional considerations regarding client side routing and root URL handling.

IIS and Kestrel

When running ASP.NET Core applications in production, it's a recommended practice to run a front end Web Server to handle the ‘administrative’ part of a typical Web server. There's more to a Web Server than merely serving up content from a source, and full featured Web Servers provide a number of features that Kestrel does not provide natively and arguably shouldn't.

I've shown the following diagram a few times recently, but it's good to show it yet again to visualize how IIS and Kestrel interact when you run ASP.NET Core applications under IIS:

Interaction between IIS and Kestrel on ASP.NET Core

Kestrel is ASP.NET Core's internal Web Server and when you run an ASP.NET Core application you usually run Kestrel as part of the .NET Core application. Unlike classic ASP.NET which integrated tightly with IIS, ASP.NET Core handles its own Web server processing through a default Web server implementation that is Kestrel. Kestrel is very high performance Web server that is optimized for raw throughput. It's considerably faster in raw throughput than running ASP.NET, but at the same time it's also a basic Web Server that doesn't have support for the full feature set of a full Web Server platform like IIS, Apache or even something more low level like nginx. Kestrel has no support for host headers so you can't run multiple Kestrel instances on the same port, content caching, automatic static file compression or advanced features like lifetime management of the server process.

While it's certainly possible to run Kestrel on a single port directly, most commonly you typically end up running Kestrel behind a front end Web server that acts as a proxy. Incoming requests hit the front end server and it forwards the inbound requests from port 80 or 443 typically to Kestrel on its native port. The front end can handle static file serving, content caching, static file compression, SSL certs and managing multiple sites tied to a single IP on port 80.

On Windows this typically means you'll be running Kestrel behind IIS as shown in the figure above.

Although I show IIS here, the same principles discussed in this article can also be applied to other Web Servers that act as front ends, such as nginx, Apachy or HA Proxy on Linux. This article discusses the issues in terms of IIS, but the concepts can be applied to other Web Servers on other platforms with different configuration settings.

Use the right Tool for the Job

When building Web applications, you'll want to break out what server serves appropriately. Typically this means:

IIS
  • Handles Static Files
  • Handles HTML 5 Client Side Routing
Kestrel
  • Handles all API Requests

The AspNetCoreModule

When you run in IIS, there's an AspNetCoreModule that handles the interaction between IIS and Kestrel.

In order to use the AspNetCoreModule on a Windows server, make sure you install the Windows Server Hosting Bundle from the runtime download site. Alternately you can also install the module as part of the full Dotnet SDK installation.

ASP.NET Core applications don't run ‘in place’ but rather are published to a special publish folder that contains all the runtime, library and application dependencies as well as all the Web resources by way of a publishing process.

When you publish an ASP.NET Application with dotnet publish, the process creates a web.config file that includes a hook up for the AspNetCoreModule.

The web.config looks like this:

<?xml version="1.0" encoding="utf-8"?>
<configuration>
  <system.webServer>
    <handlers>      	
        <add name="aspNetCore" path="*" verb="*" modules="AspNetCoreModule" 
             resourceType="Unspecified" />
    </handlers>
    
    <aspNetCore processPath="%LAUNCHER_PATH%" arguments="%LAUNCHER_ARGS%" 
                stdoutLogEnabled="false" stdoutLogFile=".\logs\stdout" forwardWindowsAuthToken="false"/>
  </system.webServer>
</configuration>

The AspNet Core module is a low level IIS module that hooks into the IIS pipeline and rewrites the current URL to the Kestrel server running on the specified port with which the appliction is configured - 5000 by default.

By default, as requests are fired against IIS, every request in the Web site or Virtual is forwarded to Kestrel.

Isn't the AspNetCoreModule enough?

In and of itself the AspNetCoreModule forwards each and every request to Kestrel. It works - your application will run, but this makes your backend application also handle every static file from the front end.

This isn't ideal for a couple of reasons:

  • Kestrel's static File Middleware is rather slow
  • There's no support for content caching or compression

Even if there was a better static file module for your ASP.NET Core app, I'd argue that static file serving is better left to a front end Web server rather than tying up Kestrel resources.

The better course of action is to let IIS handle the static files and let Kestrel deal only with the API or server generated content requests that the application is designed to serve.

Static Files in IIS, API requests in Kestrel

To separate commands we can take advantage of UrlRewriting in IIS. We can essentially take over all non-API URLs and let IIS serve those directly.

To do this is not as trivial as it might seem. ASP.NET Core applications run out of a root publish folder which is designated as the IIS Web Root, but the actual Web content the application serves lives in the wwwroot folder.

Asp.NET Core Content Root is not the Web Root

In other words, the module automatically retrieves content out of the wwwroot folder when serving static content via some internal rewrite logic.

What this means is that you can't just simply point the ASP.NET Core app at your API url:

<add name="aspNetCore" path="api/*" verb="*" modules="AspNetCoreModule"  />

and expect that to take care of letting only your API requests be handled by Kestrel.

While this works for API requests, this leaves all other requests to be served by IIS - out of the root folder as the base. The problem is the root folder contains all the application DLLs, configuration files etc. rather than the actual Web content, which lives in the wwwroot. This effectively opens the root folder with the DLLs and config files to the world. Not a good idea, that - don't do it!

The work-around is to use UrlRewrite to create static file mappings in IIS to specific extensions and route those explicitly into the wwwroot folder with re-write rules.

Here's what that looks like in web.config:

<?xml version="1.0" encoding="utf-8"?>
<configuration>

  <system.webServer>
	<rewrite>
        <rules>
            <rule name="wwwroot-static">
                <match url="([\S]+[.](html|htm|svg|js|css|png|gif|jpg|jpeg))" />
                <action type="Rewrite" url="wwwroot/{R:1}" />
            </rule>
        </rules>
    </rewrite>
    
    <handlers>      	
        <add name="StaticFileModuleHtml" path="*.htm*" verb="*" modules="StaticFileModule" resourceType="File" requireAccess="Read" />
        <add name="StaticFileModuleSvg" path="*.svg" verb="*" modules="StaticFileModule" resourceType="File" requireAccess="Read" />
        <add name="StaticFileModuleJs" path="*.js" verb="*" modules="StaticFileModule" resourceType="File" requireAccess="Read" />
        <add name="StaticFileModuleCss" path="*.css" verb="*" modules="StaticFileModule" resourceType="File" requireAccess="Read" />
        <add name="StaticFileModuleJpeg" path="*.jpeg" verb="*" modules="StaticFileModule" resourceType="File" requireAccess="Read" />
        <add name="StaticFileModuleJpg" path="*.jpg" verb="*" modules="StaticFileModule" resourceType="File" requireAccess="Read" />
        <add name="StaticFileModulePng" path="*.png" verb ="*" modules="StaticFileModule" resourceType="File" requireAccess="Read" />
        <add name="StaticFileModuleGif" path="*.gif" verb="*" modules="StaticFileModule" resourceType="File" requireAccess="Read" />
        <add name="aspNetCore" path="*" verb="*" modules="AspNetCoreModule" resourceType="Unspecified" />	       
    </handlers>

    <aspNetCore processPath="%LAUNCHER_PATH%" arguments="%LAUNCHER_ARGS%" 
                stdoutLogEnabled="false" stdoutLogFile=".\logs\stdout" forwardWindowsAuthToken="false"/>
  </system.webServer>
</configuration>

This configuration forwards all common static files into the wwwroot folder which bypasses the AspNetCoreModule. Rewrite rules fire before the AspNetCoreModule gets control so all the static files get processed by IIS.

Note that I leave the AspNetCore module path at *to allow anything not captured by the static file module mappings to still fall through to Kestrel, so there won't be broken links for unhandled file types.

One big win in this is that IIS is very fast and has very low overhead with static file processing. IIS utilizes the http.sys Kernel Cache for content caching and any files cached are served without ever hitting the IIS pipeline directly out of kernel code which is about as fast as you can get on Windows. Additionally IIS very thoroughly handles both client and server side cache settings, Gzip compression and more.

For static file performance it's going to be hard to beat IIS on Windows. So let IIS do the job it's really good at and serve static files with IIS!

Html 5 Routing

If you're building rich client applications using a client side JavaScript framework, chances are you are also using HTML 5 client side routing that uses HTML 5 Pushstate to create clean client side URLs.

Html 5 Client Routing uses route paths that look like familiar server paths. For example this is a client route to a particular in my Angular AlbumViewer sample:

http://site.com/albums/1

Html 5 routing works with client side pushstate events that intercept URL navigation. This allows frameworks like Angular to intercept URL requests to perform client side route navigation that makes it possible to navigate back to a saved URL after the client application is no longer loaded in the browser.

This works fine for client side routing, but client side routes can also cause requests fired to the server. When pasting a captured client side URL into a new browser window the client side application is not yet loaded and the URL pasted is then interpreted by the browser as a server request which will likely results a 404 - not found response from the server. Not good…

To work around this, the server needs to intercept incoming requests and distinguish between legit server requests - API routes and Static File requests for the most part - and these client side URLs. We could handle this inside of the ASP.NET Core application with some custom middleware routing logic, but that introduces overhead into the application that can and probably should be handled more easily with IIS and UrlRewriting.

Using IIS UrlRewrite we can intercept non-file/directory and non-API routes and instead serve up the index.html page as content. By rewriting the URL the original URL stays intact, but the content returned is index.html. When the page loads the client side framework can detect the URL and navigate the client side application to the appropriate deep linked page.

Using IIS Rewrite here's how we can handle the logic to detect client routes on the server:

<rule name="AngularJS-Html5-Routes" stopProcessing="true">
    <match url=".*" />
        <conditions logicalGrouping="MatchAll">
            <add input="{REQUEST_FILENAME}" matchType="IsFile" negate="true" />
            <add input="{REQUEST_FILENAME}" matchType="IsDirectory" negate="true" />
            <add input="{REQUEST_URI}" pattern="^api/" negate="true" />
        </conditions>
    <action type="Rewrite" url="wwwroot/index.html" />
</rule>

This serves the content of index.html if the request doesn't point at a physical file or directory, or at the API url. Here I assume the API requests start with an api prefix. If you use something else or use multiple apis with different prefixes adjust the match pattern (or multiples) accordingly.

In order for this to work however, make sure you have also have a hard coded base URL set in index.html:

<head>
  <base href="/" >
  <!--<base href="/albumviewernetcore/" >-->
  ...
</head>

which in this case points at the root site. If your site runs out of a virtual then the base URL has to change.

Using Hash Bang Routing might be easier

HTML 5 Client side routing can be confusing and as you can see there are a few configuration requirements. This is one of the reasons I often prefer old style hash bang client routes like #/albums/1. They don't look quite as clean since they are prefixed by the #, but they just work without any special workarounds on the server. Client frameworks like Angular let you choose between the default HTML 5 routing or hash bang routing.

In Angular you can activate Hash Bang routing by specifying a custom LocationStrategy provider with:

providers   : [
    { provide: LocationStrategy, useClass: HashLocationStrategy },
    ...
]    

Dealing with the Default URL

Another required rule is to handle the default / or blank route. The AspNetCoreModule apparently fires before the IIS Default Documents can be processed. If you don't handle the default route, it is sent on to Kestrel. Again it works, but since we're forarding all other static files, the default page is probably a good one to also let IIS handle.

Here's another rewrite rule to deal with the default route:

<rule name="empty-root-index" stopProcessing="true">
	<match url="^$" />
	<action type="Rewrite" url="wwwroot/index.html" />
</rule>

And voila!

You should now have IIS handling most static files, the default empty route and handle HTML 5 routing requests to non API locations.

All together now

For completeness sake here's the full web.config file that contains the combination of all of the discussed rules in one place:

<?xml version="1.0" encoding="utf-8"?>
<configuration>
  <system.webServer>
    <rewrite>
      <rules>
      	<rule name="wwwroot-static" stopProcessing="true">
          <match url="([\S]+[.](html|htm|svg|js|css|png|gif|jpg|jpeg))" />
          <action type="Rewrite" url="wwwroot/{R:1}" />
        </rule> 
        
        <rule name="empty-root-index" stopProcessing="true">
          <match url="^$" />
          <action type="Rewrite" url="wwwroot/index.html" />
        </rule>
      
        <!-- 
             Make sure you have a <base href="/" /> tag to fix the root path 
             or all relative links will break on rewrite 
        -->
    	<rule name="AngularJS-Html5-Routes" stopProcessing="true">
          <match url=".*" />
          <conditions logicalGrouping="MatchAll">
                <add input="{REQUEST_FILENAME}" matchType="IsFile" negate="true" />
                <add input="{REQUEST_FILENAME}" matchType="IsDirectory" negate="true" />
                <add input="{REQUEST_URI}" pattern="api/" negate="true" />
          </conditions>
          <action type="Rewrite" url="wwwroot/index.html"  />
        </rule> 
      </rules>
    </rewrite>

    <handlers>
      <add name="StaticFileModuleHtml" path="*.htm*" verb="*" modules="StaticFileModule" resourceType="File" requireAccess="Read" />
      <add name="StaticFileModuleSvg" path="*.svg" verb="*" modules="StaticFileModule" resourceType="File" requireAccess="Read" />
      <add name="StaticFileModuleJs" path="*.js" verb="*" modules="StaticFileModule" resourceType="File" requireAccess="Read" />
      <add name="StaticFileModuleCss" path="*.css" verb="*" modules="StaticFileModule" resourceType="File" requireAccess="Read" />
      <add name="StaticFileModuleJpeg" path="*.jpeg" verb="*" modules="StaticFileModule" resourceType="File" requireAccess="Read" />
      <add name="StaticFileModuleJpg" path="*.jpg" verb="*" modules="StaticFileModule" resourceType="File" requireAccess="Read" />
      <add name="StaticFileModulePng" path="*.png" verb="*" modules="StaticFileModule" resourceType="File" requireAccess="Read" />
      <add name="StaticFileModuleGif" path="*.gif" verb="*" modules="StaticFileModule" resourceType="File" requireAccess="Read" />
      <add name="aspNetCore" path="*" verb="*" modules="AspNetCoreModule" resourceType="Unspecified" />
    </handlers>
    <aspNetCore processPath="dotnet" arguments=".\AlbumViewerNetCore.dll" stdoutLogEnabled="false" 
                stdoutLogFile=".\logs\stdout" forwardWindowsAuthToken="false" />
  </system.webServer>
</configuration>

Summary

Running ASP.NET Core application under IIS definitely is quite different than running classic ASP.NET applications under IIS. In the old versions everything was self-contained within IIS - in the brave new world of ASP.NET Core there's a lot of extra configuration that has to happen to make things run properly. That's progress for 'ya.

All griping aside what I've described here has been pretty common fare for Linux based Web systems for a long time where it's common to use a front end Web server that hooks to a back end application service. The logic behind this is that a service backend should really only deal with its service implementation and not have to support the full gamut of Web service features - that's what a front end Web server like IIS, nginx, Ha-Proxy and the like can provide.

I still feel that a lot of what I've shown in this article could have been baked as options into the AspNetCore module because this is clearly the 90% case when running under IIS. If not that then at least the web.config should include some of these IIS Rewrite rules in commented form.

But, with the list written down, it's easy to cut and paste now, and you can pick and choose which of these routing features you'd like to use. For most applications I build I think I'll end up using the setup I've described here.

I hope you'll find this useful - I know I'll be back here copying these rewrites on my next project myself…

Resources

this post created with Markdown Monster
Posted in ASP.NET  IIS  

The Voices of Reason


 

Rich
April 28, 2017

# re: IIS and ASP.NET Core Rewrite Rules for AspNetCoreModule

Really great stuff Rick. I've been wondering about trying ASP.NET Core on a small new project but been put off by all the confusion. Now I feel happy to give it a go!


Saeid
April 28, 2017

# re: IIS and ASP.NET Core Rewrite Rules for AspNetCoreModule

Also it has a multi-platform Rewrite support too:

PM> Install-Package Microsoft.AspNetCore.Rewrite

// import from web.config
app.UseRewriter(new RewriteOptions().AddIISUrlRewrite(env.ContentRootFileProvider, "web.config"))

Ryan Heath
May 02, 2017

# re: IIS and ASP.NET Core Rewrite Rules for Static Files and Html 5 Routing

Hi Rick,

Are gzip/deflate compressions also offloaded to iis?

Or do we need to configure this too?

// Ryan


Rick Strahl
May 08, 2017

# re: IIS and ASP.NET Core Rewrite Rules for Static Files and Html 5 Routing

Ryan - compression is handled by IIS for static content, but not for dynamic content generated by Kestrel. The AspNetCore module passed content straight through the pipeline so there's no post processing of requests except for the proxy header fixups (which may actually get added beforehand). Otherwise IIS just forwards the request as is.

So, if you want compression in your application generated content you need to use the content compression middleware in ASP.NET Core.


Joseph Eddy
May 16, 2017

# re: IIS and ASP.NET Core Rewrite Rules for Static Files and Html 5 Routing

How do I have IIS forward custom headers to Kestrel? My application expects some custom headers when running behind a reverse-proxy that it uses for re-writing URLs that it sends back to the client, etc. Do I just use the rewrite module for that?


Rick Strahl
May 16, 2017

# re: IIS and ASP.NET Core Rewrite Rules for Static Files and Html 5 Routing

@Joseph - AFAIK IIS should automatically forward all headers and add proxy headers. If not I would consider that a bug.

I don't think you can use rewrite for that if you are using the ASPNETCoreModule because it bypasses url rewriting for what it matches. The only way that would work if you completely take the module out of the equation and just forward the calls using IIS Rewrite directly.


Steve
June 15, 2017

# re: IIS and ASP.NET Core Rewrite Rules for Static Files and Html 5 Routing

Rick, thanks for a great series of blog posts. They've really helped me understand more about ASP.Net Core.

For caching static content, IIS Admin has its own "Output Caching" setting that lets us define content to cache, either in user or kernel space. Does IIS follow the rules defined there before letting AspNetCoreModule execute its set of rules?

-=- Steve


Rick Strahl
June 15, 2017

# re: IIS and ASP.NET Core Rewrite Rules for Static Files and Html 5 Routing

IIS will not affect requests that are passed through to the ASP.NET Core module. There's no caching applied there - any caching you do you have to at the Kestrel level. Any settings you apply to IIS will apply only to those things you explictly let IIS handle.

+++ Rick ---


Scot`
August 08, 2017

# re: IIS and ASP.NET Core Rewrite Rules for Static Files and Html 5 Routing

Hi Rick,

Your series of article on the topic of ASP.NET Core and IIS has been invaluable in our efforts to properly set up IIS to run our API. So, thanks for sharing your knowledge and helping to get us going.

Although our Angular client resides on a separate site on IIS, this article on URLRewriting has me thinking it might be useful to help simplify the task of obtaining a Let's Encrypt SSL certificate. I don't know if you are an LE fan or not. If you are then you are probably knowledgeable on how the ACME protocol works and that domain verification is accomplished by putting an entensionless static file on the site within the .well-known/acme-challenge folder path. (We use letsencrypt-win-simple from LoneCoder - it's on git hub)

I'd like to use the wwwroot-static rule to tell IIS to serve the extensionless file, but am not sure how to create the correct match filter, or what path to use to map the StaticFileModule. * seems correct, but of course that maps to the AspNetCoreModule. What might help is the fact the extensionless file ACME needs is placed in the folder path mentioned previously: /.well-known/acme-challenge. Do you have any advice on what the MATCH URL should be for an extensionless file in this path. The file name itself is random.

Thanks! Scot


Os1r1s110
September 21, 2017

# re: IIS and ASP.NET Core Rewrite Rules for Static Files and Html 5 Routing

Great article Rick, thanks for sharing.

I would have a little question about the static file setup though, I used your code above but it seems to cause problems when trying to reach a sourcemap file.

For example, I have my compiled assets under wwwroot/css/ or wwwroot/js/ and they are discovered without problem by IIS but as soon as I'm under dev. environment and try to load sourcemaps, it breaks somewhere and google or any other browser cannot access the files, would you have an idea of how to fix this?

I tried changing the regex for the url rewrite but it doesn't work...

Thanks in advance and again, great post!


Rick Strahl
September 21, 2017

# re: IIS and ASP.NET Core Rewrite Rules for Static Files and Html 5 Routing

@Os1r1s110 - You probably need to explicitly add a static file handler for .map files as well.However, if you don't then those requests should still end up in Kestrel for processing so they should work - it just won't take advantage of IIS caching and auto-compression.


Os1r1s110
September 23, 2017

# re: IIS and ASP.NET Core Rewrite Rules for Static Files and Html 5 Routing

Effectively I thought it would end up being handled by kestrel but somehow, it doesn't work...

I guess it is actually handled by one of the handlers but not correctly, hence never really passing the request to Kestrel... I will have to investigate it 😃


Scot
October 25, 2017

# re: IIS and ASP.NET Core Rewrite Rules for Static Files and Html 5 Routing

Hi Rick. Not long after my Aug 8 comment, I found one of your posts about LetsEncrypt, so obviously, you are a fan!. Later, I saw your extensive post "Configuring LetsEncrypt for ASP.NET Core and IIS" and that answered my question. I went with the Controller Action with a Custom Route solution.

Thank you, thank you, thank you. May your sails be full of just the right amount of wind!


Ravi
November 07, 2017

# re: IIS and ASP.NET Core Rewrite Rules for Static Files and Html 5 Routing

Hi Rick,

I have one domain name for all my sites and all applications are developed in asp.net core (multiple user interface applications and a web api app). for example, https://www.example.com (I'm using an SSL cert).

I have to give the other websites different ports. So I end up with something like this:

WebSite1 - running on port 443 [https://www.example.com/ or https://www.example.com:443/]

WebSite2 - running on port 444 [https://www.example.com:444/]

WebSite3 - running on port 445 [https://www.example.com:445/]

For the end user they just want to use link as below in browser. because of port access restriction.

https://www.example.com/App1/

https://www.example.com/App2/

https://www.example.com/App3/

but server automattically identify and rewrite the url and work based on that.

https://www.example.com:443/

https://www.example.com:444/

https://www.example.com:445/

for example, If i call this link [https://www.example.com/App1/] it wants to check and rewrite with this link [https://www.example.com:443/].

How do we configure this in IIS & URL Rewriter.

Thanks in advance.


Max
December 01, 2017

# re: IIS and ASP.NET Core Rewrite Rules for Static Files and Html 5 Routing

I'm doing a project with Node, and this article really helped me to make everything work on nodeiis. I was finally able to make html5 routes of app play nicely with static files and API routes.

Thanks.


Mathieu
December 28, 2017

# re: IIS and ASP.NET Core Rewrite Rules for Static Files and Html 5 Routing

Hi Rick,

Just what I was looking for 😃

And just for those which will fall in IIS Express trap and the Debug Word... Link here to a pretty workaround (a one you know 😉 )

https://github.com/RickStrahl/AlbumViewerVNext/issues/7

Thanks.


Tornhoof
January 11, 2018

# re: IIS and ASP.NET Core Rewrite Rules for Static Files and Html 5 Routing

Your current wwwroot-static regex returns files which do not exist:

e.g. http://www.example.com/index.html.bak is also returned, even though it does not exist, because the part which is matched is .../index.html and the .bak is ignored, so IIS will load index.html correctly. If you change your regex to: it will pass the remaining non-space part of the uri to IIS too and in the example above it will return 404.

I don't think it's a security issue, as the file actually exists and is readable, but it might prevent file crawlers. The OWASP ZAP toolkit tries to download files with .bak etc. extensions and calls it a Backup File disclosure, but I don't think this applie here.


Rick Strahl
January 11, 2018

# re: IIS and ASP.NET Core Rewrite Rules for Static Files and Html 5 Routing

@Tornhoof - good point. It needs the $ at the end to force the final extensions only.


Paul
February 14, 2018

# re: IIS and ASP.NET Core Rewrite Rules for Static Files and Html 5 Routing

Hi Rick, I have one more question about IIS compression

I have static file ../wwwroot/src/locale/en-us.json

But IIS8.5 recognizes it as a dynamic content and try to use dynamic compression

And next config does not make sense for me because static compression is not used.

The same story with svg

What I must do to force IIS works with .json and .svg in the same way like .js and .css ?


ranouf
February 20, 2018

# re: IIS and ASP.NET Core Rewrite Rules for Static Files and Html 5 Routing

Hi,

Thanks for your article, really usefull, my angular App works perfectly with the AspNetCore Api.

I would like to exclude swagger from IIS Rewriting.

I tried this:

    <rule name="swagger" enabled="true" stopProcessing="true">
      <match url="swagger/.*" />
      <action type="None" />
    </rule>

But It didnt work. Do you know how to do that?


ranouf
February 20, 2018

# re: IIS and ASP.NET Core Rewrite Rules for Static Files and Html 5 Routing

Hi,

I saw updates on your web.config (https://github.com/RickStrahl/AlbumViewerVNext/blob/master/src/AlbumViewerNetCore/web.config)

			<rule name="empty-root-index" stopProcessing="true">
				<match url="^$" />
				<action type="Rewrite" url="wwwroot/index.html" />
				**[NEW]
				**<conditions logicalGrouping="MatchAll">
					<add input="{REQUEST_METHOD}" matchType="Pattern" pattern="DEBUG" ignoreCase="true" negate="true" />
				**[/NEW]
				</conditions>**
			</rule>	

And

	<aspNetCore processPath="%LAUNCHER_PATH%" arguments="%LAUNCHER_ARGS%" stdoutLogEnabled="false" stdoutLogFile=".\logs\stdout" **[NEW]**forwardWindowsAuthToken="false" **[/NEW]**/>

Could you explain what these updates are supposed to do?

Thanks


Rick Strahl
February 21, 2018

# re: IIS and ASP.NET Core Rewrite Rules for Static Files and Html 5 Routing

@ranouf - the DEBUG key is for remote debugging which shouldn't be redirected. If I recall I had to add that in order for debugging inside of Docker to work.

Basically anything you don't want to rewrite has to be explicitly declared and the DEBUG option is one of them.

The forwardsWindowsAuthToken is something the project system added (I don't recall adding it). Basically it means that if IIS is authenticated with Windows auth it'll forward the Authtoken in the request data I assume. By default that's not forwarded. I think that's a pretty uncommon scenario, but I suppose it can be requirement in Windows Intranet applications.


ranouf
February 23, 2018

# re: IIS and ASP.NET Core Rewrite Rules for Static Files and Html 5 Routing

Thanks for the answer.

About be able to access to Swagger-UI, I wrote a post here: https://stackoverflow.com/questions/48889816/iis-rewrite-exclude-folders-and-subfolders-swagger-case/48893301#48893301 Is there other solution you could have think?


Sreedev Melethil
December 17, 2019

# re: IIS and ASP.NET Core Rewrite Rules for Static Files and Html 5 Routing

Hi rick,

Greetings of the season.

This article helped a lot, thanks.

We have an angular 7 app hosted on IIS with this in web.config, when i refresh the angular app it goes back to the index.html, is there any way i can rewrite with subpage/route ?

Sreedev


Rick Strahl
December 18, 2019

# re: IIS and ASP.NET Core Rewrite Rules for Static Files and Html 5 Routing

@sreedev - not sure what you're asking. If the route you are running is server route that route should be served by the server. Any other routes that map the explicit mappings you set up - including the defaulte empty route which should point at index.html - should be handled by IIS.


Aidas Kasparas
June 30, 2020

# re: IIS and ASP.NET Core Rewrite Rules for Static Files and Html 5 Routing

Hi,

Thanks for the article. I was wondering what are reasons why you give control to ASP module starting at the root of website and then finding ways to get control back, instead of just registering application at /api URL and letting IIS serve root directory directly.


Christopher Steinfeldt
August 06, 2021

# re: IIS and ASP.NET Core Rewrite Rules for Static Files and Html 5 Routing

I have found a solution that does not require registration of all handlers. Also the solution does not allow access to the root directory. The solution is basically based on rewrite-rules. My folders are as following:

rootfolder
-web.config
-appsettings.json
-bin
-client

Files in the root folder are not accessible from external. Only the client folder is accessible.

First I register the dotnet handler under "dotnet":

      <add name="aspNetCore" path="dotnet" verb="*" modules="AspNetCoreModuleV2" resourceType="Unspecified" />

Additionally, in the dotnet application, the basepath must be modified accordingly:

      app.UsePathBase("/dotnet");

The rest are three RewriteRules:

First sends all requests to api and swagger to dotnet/api and dotnet/swagger

        <rule name="dotnet" stopProcessing="true">
          <match url="^(swagger|api).*" />
          <action type="Rewrite" url="dotnet/{R:0}" />
        </rule>

Second sends all other requests to the client folder.

        <rule name="mapToClient">
          <match url=".*" />
          <action type="Rewrite" url="Client/{R:0}" />
        </rule>

The Last is only neccessary to support html5 pushstate.

        <rule name="Root" stopProcessing="true">
          <match url=".*" />
          <conditions logicalGrouping="MatchAll" trackAllCaptures="false">
            <add input="{REQUEST_FILENAME}" matchType="IsFile" negate="true" />
          </conditions>
          <action type="Rewrite" url="Client/Index.html" />
        </rule>

This should solve all problems and is much easier than reregistering all the handlers and shouldn't have much sideeffects.


West Wind  © Rick Strahl, West Wind Technologies, 2005 - 2024