我在Angular中收到了一个多部分响应主体,但是应用程序没有正确处理响应。事实证明,Angular中的HttpClient无法正确解析多部分响应主体(请参阅this issue on GitHub)。
HttpClient
只是返回HttpResponse
对象体内的原始多部分响应,而我希望在我的application/json
对象中可以访问多部分响应中的HttpResponse
块。
如何正确处理Angular中的多部分响应?
我在stackoverflow上创建了一个由this other post激发的快速而肮脏的解决方案,并创建了一个http拦截器类,显示了如何解析多部分响应。拦截器从多部分响应(multipart/mixed
,multipart/form-data
或multipart/related
)返回第一个'application / json'部分作为响应主体。通过地图,可以轻松地将其他内容类型的其他解析器添加到类中。
我将在这里分享这段代码,这可能是其他人的灵感:
import { HttpEvent, HttpHandler, HttpInterceptor, HttpRequest, HttpResponse } from '@angular/common/http';
import { Injectable } from '@angular/core';
import { Observable } from 'rxjs';
import { map } from 'rxjs/operators';
@Injectable({
providedIn: 'root',
})
export class MultipartInterceptService implements HttpInterceptor {
private parserMap = {
'application/json': JSON.parse,
};
private parseMultipart(multipart: string, boundary: string): any {
const dataArray: string[] = multipart.split(`--${boundary}`);
dataArray.shift();
dataArray.forEach((dataBlock) => {
const rows = dataBlock.split(/\r?\n/).splice(1, 4);
if (rows.length < 1) {
return;
}
const headers = rows.splice(0, 2);
const body = rows.join('');
if (headers.length > 1) {
const pattern = /Content-Type: ([a-z\/+]+)/g;
const match = pattern.exec(headers[0]);
if (match === null) {
throw Error('Unable to find Content-Type header value');
}
const contentType = match[1];
if (this.parserMap.hasOwnProperty(contentType) === true) {
return this.parserMap[contentType](body);
}
}
});
return false;
}
private parseResponse(response: HttpResponse<any>): HttpResponse<any> {
const contentTypeHeaderValue = response.headers.get('Content-Type');
const body = response.body;
const contentTypeArray = contentTypeHeaderValue.split(';');
const contentType = contentTypeArray[0];
switch (contentType) {
case 'multipart/related':
case 'multipart/mixed':
case 'multipart/form-data':
const boundary = contentTypeArray[1].split('boundary=')[1];
const parsed = this.parseMultipart(body, boundary);
if (parsed === false) {
throw Error('Unable to parse multipart response');
}
return response.clone({ body: parsed });
default:
return response;
}
}
// intercept request and add parse custom response
public intercept(request: HttpRequest<any>, next: HttpHandler): Observable<HttpEvent<any>> {
return next.handle(request)
.pipe(
map((response: HttpResponse<any>) => {
if (response instanceof HttpResponse) {
return this.parseResponse(response);
}
}),
);
}
}
代码从Content-Type
响应头读取边界,并使用此边界将响应体拆分为块。然后它尝试解析每个部分并从响应中返回第一个成功解析的application/json
块。
如果您有兴趣返回另一个代码块,或者想要在最终响应中组合多个代码块,您将需要自己的解析器或更改逻辑。这需要一些代码定制。
注意:此代码是实验性的,并且在生产准备就绪时进行了有限测试,使用时要小心。