我正在使用Nancy编写一个简单的Web应用程序。至少有一个请求导致未知长度的流,因此我无法提供Content-Length
。我想使用Transfer-Encoding: chunked
或(在这种情况下同样可以接受Connection: close
)。
我对Nancy源代码进行了快速破解,并且我添加了Response.BufferOutput
,以及将HttpContext.Response.BufferOutput
设置为false
的代码。你可以在这里看到:
public class HomeModule : NancyModule
{
public HomeModule()
{
Get["/slow"] = _ => new SlowStreamResponse();
}
private class SlowStreamResponse : Response
{
public SlowStreamResponse()
{
ContentType = "text/plain";
BufferOutput = false;
Contents = s => {
byte[] bytes = Encoding.UTF8.GetBytes("Hello World\n");
for (int i = 0; i < 10; ++i)
{
s.Write(bytes, 0, bytes.Length);
Thread.Sleep(500);
}
};
}
}
它似乎没有任何效果。 5秒钟后响应立即响起。我已经对这个基于WebRequest
的简单客户端进行了测试。
如何在Nancy中使用chunked输出?我正在使用ASP.NET托管,但我对其他托管选项的答案感兴趣。
如果我使用HttpListener
编写一个简单的服务器,我可以将SendChunked
设置为true
,然后它会发送chunked输出,这是我的简单客户端正确接收的块。
答案 0 :(得分:6)
在我的实验中,我发现我需要以下配置。首先,按照Nancy Wiki中的说明设置web.config
文件。值得注意的是,为了设置disableoutputbuffer
值(这是我们想要的),您似乎还需要指定一个引导程序。在程序集中创建一个继承自Nancy.Hosting.Aspnet.DefaultNancyAspNetBootstrapper
并在配置文件中指定它的类似乎可以工作。
<configSections>
<section name="nancyFx" type="Nancy.Hosting.Aspnet.NancyFxSection" />
</configSections>
<nancyFx>
<bootstrapper assembly="YourAssembly" type="YourBootstrapper"/>
<disableoutputbuffer value="true" />
</nancyFx>
之后,您不应设置Transfer-Encoding
标题。相反,以下路由定义似乎正确地将结果从我的IIS Express开发服务器流式传输到Chrome:
Get["/chunked"] = _ =>
{
var response = new Response();
response.ContentType = "text/plain";
response.Contents = s =>
{
byte[] bytes = System.Text.Encoding.UTF8.GetBytes("Hello World ");
for (int i = 0; i < 10; ++i)
{
for (var j = 0; j < 86; j++)
{
s.Write(bytes, 0, bytes.Length);
}
s.WriteByte(10);
s.Flush();
System.Threading.Thread.Sleep(500);
}
};
return response;
};
我为每个块指定了比上一个示例更多的内容,因为在其他StackOverflow questions中记录了第一次渲染之前的最小尺寸
答案 1 :(得分:4)
您必须在每个Flush()
之后调用Write()
,否则无论如何都会缓冲响应。此外,谷歌浏览器在收到输出之前不会呈现输出。
我通过编写一个简单的客户端应用程序来发现这一点,该应用程序记录了它在到达时从响应流中读取的内容。
答案 2 :(得分:0)
如果使用.NET 4.5+,您也可以使用Stream.CopyTo而不是flush。
Get["/chunked"] = _ =>
{
var response = new Response();
response.ContentType = "text/plain";
response.Contents = s =>
{
using(var helloStream = new MemoryStream(Encoding.UTF8.GetBytes("Hello World ")))
helloStream.CopyTo(s);
}
return response;
}