Подтвердить что ты не робот

Запись в выходной поток из действия

По каким-то странным причинам я хочу написать HTML непосредственно в поток Response из действия контроллера. (Я понимаю разделение MVC, но это особый случай.)

Можно ли написать прямо в поток HttpResponse? В этом случае, какой объект IView должен возвращать действие контроллера? Могу ли я вернуть "null"?

4b9b3361

Ответ 1

Я использовал класс, полученный из FileResult, для этого, используя обычный шаблон MVC:

/// <summary>
/// MVC action result that generates the file content using a delegate that writes the content directly to the output stream.
/// </summary>
public class FileGeneratingResult : FileResult
{
    /// <summary>
    /// The delegate that will generate the file content.
    /// </summary>
    private readonly Action<System.IO.Stream> content;

    private readonly bool bufferOutput;

    /// <summary>
    /// Initializes a new instance of the <see cref="FileGeneratingResult" /> class.
    /// </summary>
    /// <param name="fileName">Name of the file.</param>
    /// <param name="contentType">Type of the content.</param>
    /// <param name="content">Delegate with Stream parameter. This is the stream to which content should be written.</param>
    /// <param name="bufferOutput">use output buffering. Set to false for large files to prevent OutOfMemoryException.</param>
    public FileGeneratingResult(string fileName, string contentType, Action<System.IO.Stream> content,bool bufferOutput=true)
        : base(contentType)
    {
        if (content == null)
            throw new ArgumentNullException("content");

        this.content = content;
        this.bufferOutput = bufferOutput;
        FileDownloadName = fileName;
    }

    /// <summary>
    /// Writes the file to the response.
    /// </summary>
    /// <param name="response">The response object.</param>
    protected override void WriteFile(System.Web.HttpResponseBase response)
    {
        response.Buffer = bufferOutput;
        content(response.OutputStream);
    }
}

Теперь метод контроллера будет выглядеть следующим образом:

public ActionResult Export(int id)
{
    return new FileGeneratingResult(id + ".csv", "text/csv",
        stream => this.GenerateExportFile(id, stream));
}

public void GenerateExportFile(int id, Stream stream)
{
    stream.Write(/**/);
}

Обратите внимание, что если буферизация отключена,

stream.Write(/**/);

становится чрезвычайно медленным. Решение состоит в использовании BufferedStream. При этом улучшенная производительность примерно на 100 раз в одном случае. См

Небуферизованный вывод Очень медленно

Ответ 2

Да, вы можете напрямую написать ответ. После того, как вы закончите, вы можете вызвать CompleteRequest(), и вам не нужно ничего возвращать.

Например:

// GET: /Test/Edit/5
public ActionResult Edit(int id)
{

    Response.Write("hi");
    HttpContext.ApplicationInstance.CompleteRequest();

    return View();     // does not execute!
}

Ответ 3

Напишите свой собственный результат действия. Вот пример одного из моих:

public class RssResult : ActionResult
{
    public RssFeed RssFeed { get; set; }

    public RssResult(RssFeed feed) {
        RssFeed = feed;
    }

    public override void ExecuteResult(ControllerContext context) {
        context.HttpContext.Response.ContentType = "application/rss+xml";
        SyndicationResourceSaveSettings settings = new SyndicationResourceSaveSettings();
        settings.CharacterEncoding = new UTF8Encoding(false);
        RssFeed.Save(context.HttpContext.Response.OutputStream, settings);
    }
}

Ответ 5

Если вы не хотите выводить свой собственный тип результата, вы можете просто написать Response.OutputStream и вернуть new EmptyResult().