立即注册 登录
汉山 返回首页

翰山的个人空间 http://www.hanshan.info/?2 [收藏] [复制] [分享] [RSS]

日志

Exception Handling (4), In ASP.NET Core Web API

已有 5414 次阅读2021-3-29 16:04 |个人分类:Tech|系统分类:原创博文 | 宽屏 请点击显示宽屏,再点击恢复窄屏 | 动漫全图 如只见部分动漫,请点击显示全图,再点击恢复窄图


Exception handling is required in any application. It is a very interesing issue where different apps have their own various way(s) to handle that. I plan to write a series of articles to discuss this issue for
  • ASP.NET MVC (1),
  • ASP.NET Web API (2),
  • ASP.NET Core MVC,(3)
  • ASP.NET Core Web API (4) (this article),
respectively.
 
In this article, we will be discussing various ways of handling an exception in ASP.NET Core Web API.
 

Introduction

 
In Part (3) of this article seriers, we discussed Exception Handling for ASP.NET Core MVC. Due to the similarities of the Exception Handling between ASP.NET Core MVC and ASP.NET Core Web API, we will follow the pattern of ASP.NET Core MVC.
 
This will be the order in which we will discuss the topic:
  • A: Exception Handling in Development Environment for ASP.NET Core Web API
    • Approach 1: UseDeveloperExceptionPage
    • Approach 2: UseExceptionHandler // This is something new compaired to ASP.NET Core MVC, but we can do the same for MVC module
  • B: Exception Handling in Production Environment for ASP.NET Core Web API
    • Approach 1: UseExceptionHandler
      • 1: Exception Handler Page
      • 2: Exception Handler Lambda
    • Approach 2: UseStatusCodePages
      • 1: UseStatusCodePages, and with format string, and with Lambda
      • 2: UseStatusCodePagesWithRedirects
      • 3: UseStatusCodePagesWithReExecute
    • Approach 3: Exception Filter
      • Local
      • Global

A: Exception Handling in Developer Environment

 

Approach 1: UseDeveloperExceptionPage

 
The ASP.NET Core starup templates generate the following code,
  1. public void Configure(IApplicationBuilder app, IWebHostEnvironment env)  
  2.  {  
  3.      if (env.IsDevelopment())  
  4.      {  
  5.          app.UseDeveloperExceptionPage();  
  6.      }  
  7.      else 
  8.      ......
  9.  } 
The UseDeveloperExceptionPage extension method adds middleware into the request pipeline. The Developer Exception Page is a useful tool to get detailed stack traces for server errors. It uses DeveloperExceptionPageMiddleware to capture synchronous and asynchronous exceptions from the HTTP pipeline and to generate error responses. This helps developers in tracing errors that occur during development phase. We will demostrate this below.
 
 
Step 1 - Create an ASP.NET Core Web API application
 
We use the current version of Visual Studio 2019 16.8 and .NET 5.0 SDK to build the app.
  1. Start Visual Studio and select Create a new project.
  2. In the Create a new project dialog, select ASP.NET Core Web Application > Next.
  3. In the Configure your new project dialog, enter WebAPISample for Project name.
  4. Select Create.
  5. In the Create a new ASP.NET Core web application dialog, select,

    1. .NET Core and ASP.NET Core 5.0 in the dropdowns.
    2. ASP.NET Core Web API
    3. Create
 
Step 2 - Add Exception Code in WeatherforecastController
 
  1. #region snippet_GetByCity  
  2. [HttpGet("{city}")]  
  3. public WeatherForecast Get(string city)  
  4. {  
  5.     if (!string.Equals(city?.TrimEnd(), "Redmond", StringComparison.OrdinalIgnoreCase))  
  6.     {  
  7.         throw new ArgumentException(  
  8.             $"We don't offer a weather forecast for {city}.", nameof(city));  
  9.     }  
  10.   
  11.     //return GetWeather().First();  
  12.     return Get().First();  
  13. }  
  14. #endregion 
 
Run the app, we will have this
 
 
Step 3  - Trigger the Error in Three Ways:
 
By Swagger: Click GET (/WeatherForecast/{city}) > Try it out > Give City parameter as Chicago > Excute. This will trigger the exception in Step 2, and we will get
 
 
In Browser: Type the address https://localhost:44359/weatherforecast/chicago in Browser, we will get:
 
 
For the detailed discussion of this Developer Exception Page, we have done in the previous article.
 
In Postman: Type the address https://localhost:44359/weatherforecast/chicago in address bar, then Click Send Button, we will have:
 
Preview
 
 
 
 Raw Data
 
 
 

Approach 2: UseExceptionHandler

 
This is something new compaired to ASP.NET Core MVC, Part (3) of the series articles, but we can do the same for MVC module.
 
Using Exception Handling Middleware is another way to provide more detailed content-negotiated output in the local development environment. Use the following steps to produce a consistent payload format across development and production environments:
 
Step 1, In Startup.Configure, register environment-specific Exception Handling Middleware instances:
  1. public void Configure(IApplicationBuilder app, IWebHostEnvironment env)  
  2. {  
  3.     if (env.IsDevelopment())  
  4.     {  
  5.         //app.UseDeveloperExceptionPage();  
  6.         app.UseExceptionHandler("/error-local-development");  
  7.     }  
  8.     else  
  9.     {  
  10.         app.UseExceptionHandler("/error");  
  11.     }  

In the preceding code, the middleware is registered with:
  • A route of /error-local-development in the Development environment.
  • A route of /error in environments that aren't Development that we will discuss later on.

Step 2, Add one empty apiController into the app, with the name as ErrorController:

  • Right click Controllers > add > controller.
  • In the Add New Scaffolded Item dialog, select API in the left pane, and
  • API Controller - Empty > Add.
  • In the Add Controller dialog, Change ErrorController for controller name > Add.
Step 3, Apply the following code into the controller:
  1. public class ErrorController : ControllerBase  
  2. {  
  3.     [HttpGet]  
  4.     [Route("/error-local-development")]  
  5.     public IActionResult ErrorLocalDevelopment(  
  6.         [FromServices] IWebHostEnvironment webHostEnvironment)  
  7.     {  
  8.         if (webHostEnvironment.EnvironmentName != "Development")  
  9.         {  
  10.             throw new InvalidOperationException(  
  11.                 "This shouldn't be invoked in non-development environments.");  
  12.         }  
  13.   
  14.         var context = HttpContext.Features.Get<IExceptionHandlerFeature>();  
  15.   
  16.         return Problem(  
  17.             detail: context.Error.StackTrace,  
  18.             title: context.Error.Message);  
  19.     }  
  20.   
  21.     [HttpGet]  
  22.     [Route("/error")]  
  23.     public IActionResult Error() => Problem();  

 
The preceding code calls ControllerBase.Problem to create a ProblemDetails response. We will have
 
 
One can directly Click Get /error, and Get /error-local-development to test the error handling itself.
 
Step 4  - Trigger the Error in Three Ways:
 
Trigger the Error exactly like before, we will get three different output from Swagger, Browser and Postman, the below is a demo from Swagger:
 
 
 

B: Exception Handling in Production Environment

 
In the Section B, the  Approach 1 and 2 are quite limilar to ones in the case of ASP.NET MVC module in Part (3) of this series articles. Therefore, we will just give the input and output with only neccessary discussions:
  • B: Exception Handling in Production Environment for ASP.NET Core Web API
    • Approach 1: UseExceptionHandler
      • 1: Exception Handler Page
      • 2: Exception Handler Lambda
    • Approach 2: UseStatusCodePages
      • 1: UseStatusCodePages, and with format string, and with Lambda
      • 2: UseStatusCodePagesWithRedirects
      • 3: UseStatusCodePagesWithReExecute 
ASP.NET Core configures app behavior based on the runtime environment that is determined in launchSettings.json file as Development, Staging or Production mode.  How to switch to production mode from development mode, we have discussed in Part (3) of the series articles, and will skip here.
 

Approach 1: UseExceptionHandler

 
1: Exception Handler Page
 
Switch to the production mode for the app, startup file Configure method tells us: ASP.NET Core handles exception by calling UseExceptionHandler:
  1. public void Configure(IApplicationBuilder app, IWebHostEnvironment env)  
  2. {  
  3.     if (env.IsDevelopment())  
  4.     {  
  5.         app.UseDeveloperExceptionPage();  
  6.     }  
  7.     else  
  8.     {  
  9.         app.UseExceptionHandler("/Error");  
  10.     } 
  11.     ......
Run the app, and Trigger an exception the same way as before, we will get three different output from Swagger, Browser and Postman, the below is a demo from Postman:
 
 
 
2: Exception Handler Lambda
 
Replace the
 
        app.UseExceptionHandler("/error");
 
with a lambda for exception handling in startup file as below:
  1. public void Configure(IApplicationBuilder app, IWebHostEnvironment env)  
  2. {  
  3.     if (env.IsDevelopment())  
  4.     {  
  5.         app.UseDeveloperExceptionPage();  
  6.     }  
  7.     else  
  8.     { 
  9.         //app.UseExceptionHandler("/error");

  10.         app.UseExceptionHandler(errorApp =>  
  11.         {  
  12.             errorApp.Run(async context =>  
  13.             {  
  14.                 context.Response.StatusCode = 500;  
  15.                 context.Response.ContentType = "text/html";  
  16.   
  17.                 await context.Response.WriteAsync("<html lang=\"en\"><body>\r\n");  
  18.                 await context.Response.WriteAsync("ERROR!<br><br>\r\n");  
  19.   
  20.                 var exceptionHandlerPathFeature =  
  21.                     context.Features.Get<IExceptionHandlerPathFeature>();  
  22.   
  23.                 if (exceptionHandlerPathFeature?.Error is FileNotFoundException)  
  24.                 {  
  25.                     await context.Response.WriteAsync(  
  26.                                               "File error thrown!<br><br>\r\n");  
  27.                 }  
  28.   
  29.                 await context.Response.WriteAsync(  
  30.                                               "<a href=\"/\">Home</a><br>\r\n");  
  31.                 await context.Response.WriteAsync("</body></html>\r\n");  
  32.                 await context.Response.WriteAsync(new string(' ', 512));   
  33.             });  
  34.         });  
  35.     }  
  36.     ......  

We got the result from Swagger:
 
 
Actually, we can get rid of the HTML markup, because this is a Web API response that should be JSON format. For consistent or the sake of lazy, we just leave it as is.

Approach 2: UseStatusCodePages

 
By default, an ASP.NET Core app doesn't provide a status code page for HTTP error status codes, such as 404 - Not Found. When the app encounters an HTTP 400-599 error status code that doesn't have a body, it returns the status code and an empty response body.
 
Request an endpoint that doesn't exist to Trigger a 404 exception:
 
 
To deal with such errors we can use UseStatusCodePages() method (status code pages middleware) to provide status code pages.
 
1: Default UseStatusCodePages, or with format string, or with Lambda
 
To enable default text-only handlers for common error status codes, call UseStatusCodePages in the Startup.Configure method:
  1. public void Configure(IApplicationBuilder app, IWebHostEnvironment env)  
  2. {  
  3.     if (env.IsDevelopment())  
  4.     {  
  5.         app.UseDeveloperExceptionPage();  
  6.     }  
  7.     else  
  8.     {  
  9.         app.UseExceptionHandler("/Home/Error");  
  10.         app.UseHsts();  
  11.     }  
  12.   
  13.     app.UseStatusCodePages();  
  14.   
  15.     ......
  16.  
 
Run the app, trigger a 404 error, result will be:
 
 
 
Make startup file using UseStatusCodePages with format string,
  1. public void Configure(IApplicationBuilder app, IWebHostEnvironment env)  
  2.  {  
  3.      if (env.IsDevelopment())  
  4.      {  
  5.          app.UseDeveloperExceptionPage();  
  6.      }  
  7.      else  
  8.      {  
  9.          app.UseExceptionHandler("/Home/Error");  
  10.          app.UseHsts();  
  11.      }  
  12.   
  13.      app.UseStatusCodePages("text/plain""Status code page, status code: {0}");  
  14.      ...... 
  15.  } 
Run the app, trigger a 404 error, result will be:
 
 
Make startup file using UseStatusCodePages with a lambda,
  1. public void Configure(IApplicationBuilder app, IWebHostEnvironment env)  
  2.  {  
  3.      if (env.IsDevelopment())  
  4.      {  
  5.          app.UseDeveloperExceptionPage();  
  6.      }  
  7.      else  
  8.      {  
  9.          app.UseExceptionHandler("/Home/Error");  
  10.          app.UseHsts();  
  11.      }  
  12.   
  13.      app.UseStatusCodePages(async context =>  
  14.      {  
  15.          context.HttpContext.Response.ContentType = "text/plain";  
  16.   
  17.          await context.HttpContext.Response.WriteAsync(  
  18.              "Status code lambda, status code: " +  
  19.              context.HttpContext.Response.StatusCode);  
  20.      });  
  21.      ...... 
  22.  } 
Run the app, trigger a 404 error, result will be:
 
 
2: UseStatusCodePagesWithRedirects
 
Modify the startup file:
  1. public void Configure(IApplicationBuilder app, IWebHostEnvironment env)  
  2. {  
  3.     if (env.IsDevelopment())  
  4.     {  
  5.         app.UseDeveloperExceptionPage();  
  6.     }  
  7.     else  
  8.     {  
  9.         app.UseExceptionHandler("/Home/Error");  
  10.         app.UseHsts();  
  11.     }  
  12.   
  13.     app.UseStatusCodePagesWithRedirects("/MyStatusCode?code={0}");  
  14.     ...... 

 
Add an Action method in ErrorController,
  1. public string MyStatusCode(int code)  
  2. {  
  3.     return "You got error code " + code;;  
Run the app, trigger a 404 error, result will be:
 
 
 
 3: UseStatusCodePagesWithReExecute
 
Modify the startup file: 
  1. public void Configure(IApplicationBuilder app, IWebHostEnvironment env)  
  2. {  
  3.     if (env.IsDevelopment())  
  4.     {  
  5.         app.UseDeveloperExceptionPage();  
  6.     }  
  7.     else  
  8.     {  
  9.         app.UseExceptionHandler("/Home/Error");  
  10.         app.UseHsts();  
  11.     }  
  12.   
  13.     app.UseStatusCodePagesWithReExecute("/Home/MyStatusCode2", "?code={0}");
  14.     ...... 

Run the app, trigger a 404 error, result will be:
 
 
In fact, as a RESTful communication with JSON, it does not matter for client to know the link as a web page does, the last two methods will make no difference for Web API module.
 

Approach 3: Exception Filter

 
Although Exception filters are useful for trapping exceptions that occur within MVC (Web API) actions, but they're not as flexible as the built-in exception handling middleware, UseExceptionHandler. Microsoft recommend using UseExceptionHandler, unless you need to perform error handling differently based on which MVC or Web API action is chosen.

The contents of the response can be modified from outside of the controller. In ASP.NET 4.x Web API, one way to do this was using the HttpResponseException type. ASP.NET Core doesn't include an equivalent type. Support for HttpResponseException can be added with the following steps:

Step 1, Create a well-known exception type named HttpResponseException:

  1. public class HttpResponseException : Exception  
  2. {  
  3.     public int Status { getset; } = 400;  
  4.   
  5.     public object Value { getset; }  
  6.   
  7.     public HttpResponseException(string value)  
  8.     {  
  9.         this.Value = value;  
  10.     }  

 
Step 2, Create an action filter named HttpResponseExceptionFilter:
  1. public class HttpResponseExceptionFilter : IActionFilter, IOrderedFilter  
  2. {  
  3.     public int Order { get; } = int.MaxValue - 10;  
  4.   
  5.     public void OnActionExecuting(ActionExecutingContext context) { }  
  6.   
  7.     public void OnActionExecuted(ActionExecutedContext context)  
  8.     {  
  9.         if (context.Exception is HttpResponseException exception)  
  10.         {  
  11.             context.Result = new ObjectResult(exception.Value)  
  12.             {  
  13.                 StatusCode = exception.Status,  
  14.             };  
  15.             context.ExceptionHandled = true;  
  16.         }  
  17.     }  

 
The preceding filter specifies an Order of the maximum integer value minus 10. This allows other filters to run at the end of the pipeline.
 
Step 3, In Startup.ConfigureServices, add the action filter to the filters collection:
  1. services.AddControllers(options => options.Filters.Add(new HttpResponseExceptionFilter())); 
Step 4, In Startup.ConfigureServices, add an action in the ErrorController to trigger the exception:
  1. [TypeFilter(typeof(HttpResponseExceptionFilter))]  
  2. [HttpGet]  
  3. [Route("/Filter")]  
  4. public IActionResult Filter()  
  5. {  
  6.     throw new HttpResponseException("Testing custom exception filter.");  

Where in Step 3 and 4, the filter could be registered either locally in Step 4, or globally in Step 3.
 
Run the app, trigger the HttpResponseException from either Browser or Postman at endpoint https://localhost:44359/Filter, or Swagger Get Filter, result will be:
 
 
 

Summary

 
In this article, we had a comprehensive discussion about Exception handling for ASP.NET Core Web App. The basic points:
  1.  The exception handling patterns for ASP.NET Core MVC module and Web API module are quite similar;
  2.  ASP.NET Core intruduced a Development mode for exception handling for both MVC and Web API modules, and also for other module such as Web App.
  3.  The Major tool is UseExceptionHandler, recommended by Microsoft, instead of Exception Filters.
 

鲜花

真棒

玩闹

同情

看看

困惑

震惊

bad

评论 (0 个评论)

facelist doodle 涂鸦板

您需要登录后才可以评论 登录 | 立即注册

Archiver|手机版|小黑屋|汉山网    

GMT-5, 2024-3-19 04:08 , Processed in 0.070038 second(s), 20 queries .

Powered by Discuz! X3.2

© 2001-2013 Comsenz Inc.

返回顶部