現在、MVC3 コントローラーのいくつかを MVC4 Api コントローラーに移行する作業を行っています。ActionFilterAttribute
メソッドを継承してオーバーライドすることにより、MVC3コントローラーGet Method Responsesの圧縮メカニズムを実装しましOnActionExecutiong
た。ActionFilterMethod
いくつかの調査の後、 fromを使用する必要があることがわかりましたSystem.Web.HttpFilters
。この GZip を使用した HTTP 応答の圧縮を開始するために、誰かがサンプル コードを共有してくれると助かります。
質問する
18217 次
3 に答える
40
最も簡単な方法は、IIS レベルで直接圧縮を有効にすることです。
アプリケーション レベルで実行する場合は、次の投稿に示すように、カスタムの委任メッセージ ハンドラーを記述できます。
public class CompressHandler : DelegatingHandler
{
protected override Task<HttpResponseMessage> SendAsync(HttpRequestMessage request, CancellationToken cancellationToken)
{
return base.SendAsync(request, cancellationToken).ContinueWith<HttpResponseMessage>((responseToCompleteTask) =>
{
HttpResponseMessage response = responseToCompleteTask.Result;
if (response.RequestMessage.Headers.AcceptEncoding != null)
{
string encodingType = response.RequestMessage.Headers.AcceptEncoding.First().Value;
response.Content = new CompressedContent(response.Content, encodingType);
}
return response;
},
TaskContinuationOptions.OnlyOnRanToCompletion);
}
}
public class CompressedContent : HttpContent
{
private HttpContent originalContent;
private string encodingType;
public CompressedContent(HttpContent content, string encodingType)
{
if (content == null)
{
throw new ArgumentNullException("content");
}
if (encodingType == null)
{
throw new ArgumentNullException("encodingType");
}
originalContent = content;
this.encodingType = encodingType.ToLowerInvariant();
if (this.encodingType != "gzip" && this.encodingType != "deflate")
{
throw new InvalidOperationException(string.Format("Encoding '{0}' is not supported. Only supports gzip or deflate encoding.", this.encodingType));
}
// copy the headers from the original content
foreach (KeyValuePair<string, IEnumerable<string>> header in originalContent.Headers)
{
this.Headers.AddWithoutValidation(header.Key, header.Value);
}
this.Headers.ContentEncoding.Add(encodingType);
}
protected override bool TryComputeLength(out long length)
{
length = -1;
return false;
}
protected override Task SerializeToStreamAsync(Stream stream, TransportContext context)
{
Stream compressedStream = null;
if (encodingType == "gzip")
{
compressedStream = new GZipStream(stream, CompressionMode.Compress, leaveOpen: true);
}
else if (encodingType == "deflate")
{
compressedStream = new DeflateStream(stream, CompressionMode.Compress, leaveOpen: true);
}
return originalContent.CopyToAsync(compressedStream).ContinueWith(tsk =>
{
if (compressedStream != null)
{
compressedStream.Dispose();
}
});
}
}
あとは、ハンドラを に登録するだけですApplication_Start
。
GlobalConfiguration.Configuration.MessageHandlers.Add(new CompressHandler());
于 2012-05-04T09:21:38.870 に答える
6
IIS 7 以降を使用している場合は、GZIP 圧縮をサポートしているため、IIS に圧縮を任せることをお勧めします。オンにするだけです。
一方、コンプレッションはコントローラーにとっては金属に近すぎます。理想的には、コントローラーはバイトやストリームよりもはるかに高いレベルで機能する必要があります。
于 2012-05-04T08:40:35.120 に答える
3
クラスを使用して、次のコードを記述します
[AttributeUsage(AttributeTargets.Class | AttributeTargets.Method)]
public class CompressFilter : ActionFilterAttribute
{
public override void OnActionExecuted(HttpActionExecutedContext context)
{
var acceptedEncoding = context.Response.RequestMessage.Headers.AcceptEncoding.First().Value;
if (!acceptedEncoding.Equals("gzip", StringComparison.InvariantCultureIgnoreCase)
&& !acceptedEncoding.Equals("deflate", StringComparison.InvariantCultureIgnoreCase))
{
return;
}
context.Response.Content = new CompressedContent(context.Response.Content, acceptedEncoding);
}
}
別のクラスを作成し、次のコードを記述します。
public class CompressedContent : HttpContent
{
private readonly string _encodingType;
private readonly HttpContent _originalContent;
public CompressedContent(HttpContent content, string encodingType = "gzip")
{
if (content == null)
{
throw new ArgumentNullException("content");
}
_originalContent = content;
_encodingType = encodingType.ToLowerInvariant();
foreach (var header in _originalContent.Headers)
{
Headers.TryAddWithoutValidation(header.Key, header.Value);
}
Headers.ContentEncoding.Add(encodingType);
}
protected override bool TryComputeLength(out long length)
{
length = -1;
return false;
}
protected override Task SerializeToStreamAsync(Stream stream, TransportContext context)
{
Stream compressedStream = null;
switch (_encodingType)
{
case "gzip":
compressedStream = new GZipStream(stream, CompressionMode.Compress, true);
break;
case "deflate":
compressedStream = new DeflateStream(stream, CompressionMode.Compress, true);
break;
default:
compressedStream = stream;
break;
}
return _originalContent.CopyToAsync(compressedStream).ContinueWith(tsk =>
{
if (compressedStream != null)
{
compressedStream.Dispose();
}
});
}
}
コントローラーまたはこのようなAPIアクションメソッドで次の属性を使用します
[Route("GetData")]
[CompressFilter]
public HttpResponseMessage GetData()
{
}
于 2016-08-09T13:05:55.597 に答える