如果您使用application/x-www-form-urlencoded
or multipart/form-data
,您可以安全地context.Request.ReadFormAsync()
多次调用,因为它会在后续调用中返回一个缓存的实例。
如果您使用不同的内容类型,则必须手动缓冲请求并将请求正文替换为可重绕的流,例如MemoryStream
. 以下是使用内联中间件的方法(您需要尽快在管道中注册它):
app.Use(next => async context =>
{
// Keep the original stream in a separate
// variable to restore it later if necessary.
var stream = context.Request.Body;
// Optimization: don't buffer the request if
// there was no stream or if it is rewindable.
if (stream == Stream.Null || stream.CanSeek)
{
await next(context);
return;
}
try
{
using (var buffer = new MemoryStream())
{
// Copy the request stream to the memory stream.
await stream.CopyToAsync(buffer);
// Rewind the memory stream.
buffer.Position = 0L;
// Replace the request stream by the memory stream.
context.Request.Body = buffer;
// Invoke the rest of the pipeline.
await next(context);
}
}
finally
{
// Restore the original stream.
context.Request.Body = stream;
}
});
您还可以使用BufferingHelper.EnableRewind()
扩展,它是Microsoft.AspNet.Http
包的一部分:它基于类似的方法,但依赖于一个特殊的流,该流开始在内存中缓冲数据,并在达到阈值时将所有内容假脱机到磁盘上的临时文件:
app.Use(next => context =>
{
context.Request.EnableRewind();
return next(context);
});
仅供参考:未来可能会在 vNext 中添加缓冲中间件。