我一直在搜索变通办法,并看到了示例,当我们在控制器动作中以ActionResult
/ JsonResult
或使用HttpRequest
方法返回错误文本时,如下所示
HttpContext.Current.Response.Status = "error text";
对于我的后端应用程序,我使用ASP.NET Core 2.1.1
并且.Status
类中缺少HttpResponse
属性。
此外,我找不到任何可能包含我的自定义错误消息的属性。
我使用的是中间件类,它捕获异常描述并将其作为JSON
Startup.cs
app.UseMiddleware<ExceptionHandleMiddleware>();
课程本身
public class ExceptionHandleMiddleware
{
private readonly RequestDelegate next;
public ExceptionHandleMiddleware(RequestDelegate next)
{
this.next = next ?? throw new ArgumentNullException(nameof(next));
}
public async Task Invoke(HttpContext context)
{
try
{
await next(context);
}
catch (Exception ex)
{
context.Response.Clear();
context.Response.Headers.Add("Access-Control-Allow-Origin", "*");
context.Response.ContentType = "application/json";
context.Response.StatusCode = StatusCodes.Status500InternalServerError;
await context.Response.WriteAsync(JsonConvert.SerializeObject(new { error = $"{ex.GetType().FullName}: '{ex.Message}'" }));
}
}
}
看看这行
context.Response.StatusCode = StatusCodes.Status500InternalServerError;
这是必需的,因为在我的 Angular 6应用中,我使用HttpInterceptor
,并且为了捕获错误,您应该返回HTTP错误(否则,返回.catch(...)
块没有在Angular拦截器中触发。
这是我的Angular应用中的内容
@Injectable()
export class ErrorHandlerInterceptor implements HttpInterceptor {
constructor(
private notify: NgNotify,
) { }
intercept(req: HttpRequest<any>, next: HttpHandler): Observable<HttpEvent<any>> {
return next
.handle(req)
.catch(this.handleError)
}
...
尽管context.Response.WriteAsync(...)
位返回了异常文本,但是我无法在拦截器的.catch(...)
块中提取它。
public handleError = (error: Response) => {
此处error
打印为JSON
(请注意,它缺少错误消息,提示“最后输入” )
{
"headers":{
"normalizedNames":{
},
"lazyUpdate":null
},
"status":500,
"statusText":"OK",
"url":"https://localhost:44305/api/Entry/GetNext?id=11962",
"ok":false,
"name":"HttpErrorResponse",
"message":"Http failure response for https://localhost:44305/api/Entry/GetNext?id=11962: 500 OK",
"error":{
}
}
尽管如此,如果我打开Chrome的网络标签,则会看到以下内容
因此,我似乎无法从error: Response
获取此错误文本。
也许有人知道将错误传递给Angular客户端并在那里获取错误的更好方法吗?
更新1-错误处理程序(我只是在此处放置了断点以便调查错误的内容)
public handleError = (error: Response) => {
debugger
return Observable.throw(error)
}
答案 0 :(得分:0)
我的疏忽。
如果您查看返回的JSON
....
"message":"Http failure response for https://localhost:44305/api/Entry/GetNext?id=11962: 500 OK",
"error":{
}
}
error
似乎是一个空对象
实际上error
是Blob
,我们应该通过以下方式阅读
intercept(req: HttpRequest<any>, next: HttpHandler): Observable<HttpEvent<any>> {
return next
.handle(req)
.catch(this.handleError)
}
public handleError = (error: Response) => {
let reader = new FileReader();
let ngNotify = this._ngNotify;
reader.onload = function () {
var result = JSON.parse(this.result);
ngNotify.nofity('Error', result.error);
};
reader.readAsText(error['error']);
return Observable.throw(error)
}
就是这样。
答案 1 :(得分:0)
我最终通过实现中间件来拦截HttpResponse
,从blob中提取错误并在json中返回消息来解决此问题。感谢JaapMosselman's contribution。