Software and web application security

September 19, 2007

IIS7 short Security Guide

Filed under: general, IIS7 — chrisweber @ 1:23 pm

Abstract

Here’s a short guide for those who want to know some of the relevant security technology in the new IIS7 and ASP.NET.

  • Attack Surface Reduction – even more locked down than IIS6 (default disabled)
  • No more metabase – it’s all about applicationHost.config which can be stored centrally on a UNC share and shared among a web farm.
  • Supports compatibility mode for IIS6 and “classic mode” ASP.NET
  • Support for PHP and Perl via FastCGI
  • Delegated Admin to application owners.

Enough about those areas, let’s focus on these new things:

  • Integrated Request Processing Pipeline
  • ASP.NET integration right smack in the pipeline
  • REQUEST FILTERING (REPLACES URLSCAN)
  • IIS7 URL AUTHORIZATION
  • USING ENCRYPTION TO PROTECT PASSWORDS
  • THE STAGES OF A REQUEST/RESPONSE – SERVER PIPELINE

NEW Integrated request processing pipeline and WCF

The integrated request processing pipeline architecture is a huge improvement. It used to be effectively two separate server pipelines, making it near impossible for ASP.NET developers to interact with the HTTP pipeline as they’d like to do.

Windows process Activation Service (WAS) now handles communication between listener adapters and application pools. WCF (Windows Communication Foundation) everywhere – WCF services can be hosted anywhere, in a console app, a forms app, a WPF UI, and:

  • IIS can host non-HTTP services, utilizing WCF through
    • Net.pipe
    • Net.tcp
    • Net.msmq
  • Look forward to a lot of web services over net.tcp (think Silverlight and .Net 3.5)

The IIS6 Model:

 

iis6

The IIS7 Model – WAS starts up w3wp.exe and handles messaging. The following diagram illustrates the changes.

iis7

 

Custom Modules can extend or replace IIS functionality (replaces old ISAPI model) – such as replacing the Basic auth module with a custom authentication provider. These dll’s get stored in %WinDir%\System32\Inetsrv.

In IIS 6, HTTP modules could only be written in managed code and could only process ASP.NET requests. In IIS7, modules can be written in native code, and process any Web requests.

NEW ASP.NET Integration

ASP.NET now plugged right into the server pipeline, no more hanging off the ISAPI engine. Basically developers now have tons of power to extend request/response processing that wasn’t possible before. ASP.NET has been set free.

iis7 server pipeline

New collections ASP.NET now has access to:

  • HttpResponse.Headers
  • HttpRequest.Headers
  • HttpRequest.ServerVariables

Leveraging Integrated ASP.NET mode:

  • Forms-auth, Membership and Role-mapping
  • ASP.NET modules and functionality now available to all content, used to be only aspx pages and other ASP.NET content-types.

Check for “preconditions” that limit ASP.NET functionality to only managed handlers.

 

<modules>     <add
				name="FormsAuthentication"
				type="System.Web.Security.FormsAuthenticationModule"
				            preCondition="managedHandler" />     <add
				name="UrlAuthorization"
				type="System.Web.Security.UrlAuthorizationModule"
				             preCondition="managedHandler" />

 

</modules>
			

Now if you remove the “precondition” (set by default) you can ensure AuthN and AuthZ is enforced for all content in the application. Otherwise only managed modules are handled.

NEW Request filtering (replaces URLScan)

Here’s a config to 1) normalize URL’s by disallowing double escaping, 2) disallow high bit characters, and 3) set a deny all file extension list.

These are set in the global applicationHost.config and can be overridden per application.

<configuration>
<system.webServer>
<security>
<requestFiltering

 

                    allowDoubleEscaping="false"

allowHighBitCharacters=”false”
>

 

    <fileExtensions
					allowUnlisted="true"
					>                 <add
					fileExtension=".asp"
					allowed="false"/>        </fileExtensions>   </requestFiltering>  </security> </system.webServer></configuration>

Control things like:

  • Which VERBs are allowed
  • If double encoding allowed
  • High-bit ASCII allowed or not
  • File extensions allowed
  • URL sequences (e.g. “..”) or use to set a default “deny all” policy and include explicit directories

Microsoft Ops story from dogfooding Microsoft.com the other week:

Gotcha for Microsoft.com: If filename includes “+” then allowDoubleEscaping must be set to “true

<requestFiltering allowDoubleEscaping=”true”>

Allow or disallow specific file extensions and verbs

<add fileExtension=”.exe” allowed=”false” />

DenyURLSequences

<add sequence=”./” />

<add sequence=”/.” />

RequestLimits

maxAllowedContentLength=”1000000″

maxUrl=”260″

maxQueryString=”2048″

NEW IIS7 URL Authorization

Provides declarative access controls for the entire application – no code needed.

  • Can be used with machine accounts or domain accounts
  • Can be used with ASP.NET Membership and Roles and also for custom identities
  • Stored in web.config files for easy distribution
  • Can be configured through UI (not in ASP.NET UrlAuthorization)
  • Implemented in assembly %windir%\System32\inetsrv\urlauthz.dll<add
    name=“UrlAuthorizationModule”
    image=“%windir%\System32\inetsrv\urlauthz.dll”
    />
  • Applies to all content, not just .aspx or .asmx pages like the old ASP.NET UrlAuthorization
  • ASP.NET UrlAuthorization was very developer focused, new IIS7 UrlAuthorization is more Administrator focused

Configuration section system.webServer/security/authorization – looks like:

 

<authorization
				lockElements="clear">               <add
				accessType="Deny"
				users="*"
				/></authorization>
			
  • * = anonymous users ? = authenticated users
  • Rules evaluated from Parent-level first, Deny rules first. With the lockElements=”clear” setting you force inheritance to lower levels so nobody can override the setting. * ASP.NET UrlAuthorization would evaluate from the bottom up, so this wouldn’t work.

NEW Using Encryption to Protect Passwords

WAS service runs as LOCALSYSTEM and needs access to identity passwords to launch Application Pools under. Still appears similar to IIS6 but there’s now a GUI and a different way of doing it. Basic steps:

  • Create a new RSA key that only LOCALSYSTEM and Administrators have access to. This key will be used to encrypt passwords for every application pool. From the command line:createProvider.exe iisWasKey RsaKeyForWAS Rsa_WAS
  • Create the application pools and encrypt their passwords. First set the default provider:setProvider.exe Rsa_WAS

    Then configure the application pools to run with those accounts. Take a look at applicationHost.config and you’ll see the encrypted passwords.
  • Lock down the encryption providers!!! By default IIS_IUSRS has read access to the keys when they are created. Remove that access so only LOCALSYSTEM and Administrators have access.cd /d %systemroot%
    cd Microsoft.NET\Framework\v2.0.50727
    aspnet_regiis.exe -pr iisWasKey IIS_IUSRS

The stages of a request/response – Server Pipeline

The stages of the server pipeline, exposed as HttpApplication events in ASP.NET:

  1. BeginRequest. The request processing is starting.
  2. AuthenticateRequest. The request is being authenticated. IIS and ASP.NET authentication modules subscribe to this stage to perform authentication.
  3. PostAuthenticateRequest
  4. AuthorizeRequest. The request is being authorized. IIS and ASP.NET authorization modules check whether the authenticated user has access to the resource being requested.
  5. PostAuthorizeRequest
  6. ResolveRequestCache. Cache modules can check whether the response to this request exists in the cache, and return it instead of proceeding with the rest of the execution path. Both ASP.NET Output Cache and the new IIS Output Cache features execute here.
  7. PostResolveRequestCache
  8. MapRequestHandler. This stage is internal in ASP.NET, and is used to determine the request handler.
  9. PostMapRequestHandler
  10. AcquireRequestState. The state necessary for the request execution is being fetched. ASP.NET Session State, and Profile modules obtain their data here.
  11. PostAcquireRequestState
  12. PreExecuteRequestHandler. Any tasks before the execution of the handler can be performed here.
  13. ExecuteRequestHandler. The request handler executes here. ASPX pages, ASP pages, CGI programs, and static files are served here.
  14. PostExecuteRequestHandler
  15. ReleaseRequestState. The request state changes are saved, and the state is cleaned up here. ASP.NET Session State and Profile modules use this stage for cleanup.
  16. PostReleaseRequestState
  17. UpdateRequestCache. The response can be stored in the cache for future use here. The ASP.NET Output Cache and IIS Output Cache modules execute here to save the response to their caches.
  18. PostUpdateRequestCache
  19. LogRequest. This stage is used to log the results of the request, and is guaranteed to execute even if errors occur.
  20. PostLogRequest
  21. EndRequest. This stage is used to perform any final request cleanup, and is guaranteed to execute even if errors occur.

Checklist and Questions for Security Review

  1. Did you remove access to decryption keys so that only LOCALSYSTEM and Administrators have access?
  2. Did you remove the “precondition” so that ASP.NET AuthN and AuthZ applies to all content?
  3. Are you creating native code HTTP modules?
    * is it Global or request-level
    Are you creating a Hosted Web Core application?
    * gets its own ApplicationHost.config separate from IIS
    * it won’t inherit IIS process monitoring, health and recycling features
  4. Are you using the Runtime State and Control API (RSCA) for monitoring/management?
  5. Are you running a legacy application on IIS7?
  6. Dynamic Configuration – are you modifying system or application pool configurations in the code? (AppHostAdminLibrary)

References

IIS 7.0 Extend Your WCF Services Beyond HTTP With WAS

http://msdn.microsoft.com/msdnmag/issues/07/09/WAS/default.aspx

IIS homepage

http://www.iis.net/

20 Comments »

  1. Follow these guidelines and you will build that new home with little, or no, problems. kitchen sink can help…

    Comment by Shurriquiguah — November 19, 2007 @ 12:47 am

  2. You have the natural advantage in creditor debt settlement usa , which may be appropriate for debtors with …
    Great Solution

    Comment by Wiilysfnd — December 1, 2007 @ 12:32 am

  3. tramadol hcl…

    tramadol hcl…

    Trackback by tramadol hcl blog — April 26, 2008 @ 6:25 pm

  4. Hi! I was surfing and found your blog post… nice! I love your blog. 🙂 Cheers! Sandra. R.

    Comment by sandrar — September 10, 2009 @ 1:43 pm

  5. You certainly outdid yourself today. I am very
    impresses

    Comment by Nandish Sood — October 18, 2012 @ 5:27 am

  6. Hello! This post couldn’t be written any better! Reading through this post reminds me of my good old room mate! He always kept chatting about this. I will forward this page to him. Pretty sure he will have a good read. Many thanks for sharing!

    Comment by pest control companies — February 25, 2013 @ 10:21 am

  7. I’m really impressed together with your writing talents as neatly as with the format to your weblog. Is that this a paid topic or did you customize it yourself? Either way keep up the nice high quality writing, it’s uncommon to look a great weblog like this one nowadays.

    .

    Comment by Marcus — March 11, 2013 @ 2:33 am

  8. Spot on with this write-up, I actually feel this site
    needs far more attention. I’ll probably be returning to read through more, thanks for the info!

    Comment by Coupons here — March 19, 2013 @ 5:28 pm

  9. I really needed to present this blog post, Black Out Shades “IIS7 short
    Security Guide | Software and web application
    security” along with my close friends on facebook.
    I reallysimply just wished to distributed ur outstanding posting!
    Thanks a lot, Nicole

    Comment by Heike — March 22, 2013 @ 10:07 pm

  10. Where did u actually acquire the points to write ““IIS7
    short Security Guide | Software and web application security”?
    Thanks for your effort ,Elizabeth

    Comment by Modernwarfare2forums.net — April 11, 2013 @ 12:00 pm

  11. What’s up mates, pleasant post and nice urging commented here, I am in fact enjoying by these.

    Comment by stop snoring — August 8, 2013 @ 2:50 pm

  12. I personally believe this specific posting , “IIS7 short Security Guide | Software and web application security”,
    particularly interesting plus it was in fact a wonderful read.
    Thanks for your effort,Katrice

    Comment by Stefan — August 13, 2013 @ 8:18 am

  13. “IIS7 short Security Guide | Software and web application
    security” was a wonderful post, can’t wait to read far more of your posts.
    Time to waste some time on the internet hehe. Thanks ,Priscilla

    Comment by Zack — August 14, 2013 @ 10:20 am

  14. I really Believe that blog post, “IIS7 short Security Guide | Software
    and web application security” ended up being great!

    I reallycan’t agree together with u even more! At last seems like I reallydiscovered a web-site worthy of reading. Thanks for your time, Chang

    Comment by Blair — August 14, 2013 @ 11:28 pm

  15. You actually created some wonderful points with ur blog post,
    “IIS7 short Security Guide | Software and web application security”.
    I’ll end up coming back again to your webpage before long. Thanks -Ludie

    Comment by Angelia — August 16, 2013 @ 5:46 am

  16. wonderful submit, very informative. I ponder why the other specialists of this sector do
    not realize this. You should proceed your writing.
    I’m sure, you have a huge readers’ base already!

    Comment by publicpussy — September 20, 2013 @ 2:34 pm

  17. I tend to agree with every little thing that was put into writing inside “IIS7 short Security Guide | Software
    and web application security”. I am grateful
    for all of the actual details.Thanks for the post,Elvis

    Comment by George — December 31, 2013 @ 8:56 am

  18. I really believe this specific post , “IIS7 short Security Guide | Software and web application security”,
    especially pleasurable plus the post was in fact a great read.
    Thanks a lot-Williemae

    Comment by Ulysses — January 2, 2014 @ 11:05 am

  19. “IIS7 short Security Guide | Software and web application security” was in fact a wonderful
    article, can’t wait to look over a lot more of your posts.
    Time to waste a bit of time on-line hehe. Thank you -Sadie

    Comment by Roosevelt — January 3, 2014 @ 8:41 am

  20. A report said the size of the kitchen is increasing
    in new home design and construction. Sarah Kinsey from Ray White Uxcel says ‘if you can’t bring them into the house
    to begin with, you’ll never sell’. Not really when it comes down to you’re
    honest with yourself. You can also try making use of furniture such as an outdoor dining set to free
    up space indoors.

    Comment by www.teresayip.com — June 27, 2015 @ 8:36 pm


RSS feed for comments on this post. TrackBack URI

Leave a reply to Coupons here Cancel reply

Create a free website or blog at WordPress.com.