返回内存流 - 提供损坏的PDF文件或"无法访问关闭的流"



我有一个web服务,它调用以下方法。我想返回一个内存流,它是一个PDF文件。

现在,问题是PDF文件已损坏,代码如下。我想是因为这些文件没有被关闭。然而,如果我关闭它们,我会得到典型的错误"无法访问关闭的流"。

当我之前通过文件流保存它时,PDF文件没有损坏。

所以我谦虚的问题是:如何解决它并取回一个未损坏的PDF文件?:-)

我的代码:

public Stream Generate(GiftModel model)
{
    var template = HttpContext.Current.Server.MapPath(TemplatePath);
    // Magic code which creates a new PDF file from the stream of the other
    PdfReader reader = new PdfReader(template);
    Rectangle size = reader.GetPageSizeWithRotation(1);
    Document document = new Document(size);
    MemoryStream fs = new MemoryStream();
    PdfWriter writer = PdfWriter.GetInstance(document, fs);
    document.Open();
    // Two products on every page
    int bookNumber = 0;
    int pagesWeNeed = (int)Math.Ceiling(((double)model.Books.Count / (double)2));
    for (var i = 0; i < pagesWeNeed; i++)
    {
        PdfContentByte cb = writer.DirectContent;
        // Creates a new page
        PdfImportedPage page = writer.GetImportedPage(reader, 1);
        cb.AddTemplate(page, 0, 0);
        // Add text strings
        DrawGreetingMessages(model.FromName, model.ReceiverName, model.GiftMessage, cb);
        // Draw the books
        DrawBooksOnPage(model.Books.Skip(bookNumber).Take(2).ToList(), cb);
        // Draw boring shit
        DrawFormalities(true, model.GiftLink, cb);
        bookNumber += 2;
    }
    // Close off our streams because we can
    //document.Close();
    //writer.Close();
    reader.Close();
    fs.Position = 0;
    return fs;
}

流的重用可能会有问题,尤其是如果您使用的是抽象,而您不太知道它对您的流做了什么。正因为如此,我通常建议永远不要在周围传递溪流。如果可以的话,试着只传递原始底层字节数组本身。但是,如果需要传递流,那么我建议仍然在末尾执行原始字节数组,然后将其封装在新的第二个流中。试试下面的代码看看它是否有效。

public Stream Generate(GiftModel model)
{
    //We'll dump our PDF into these when done
    Byte[] bytes;
    using (var ms = new MemoryStream())
    {
        using (var doc = new Document())
        {
            using (var writer = PdfWriter.GetInstance(doc, ms))
            {
                doc.Open();
                doc.Add(new Paragraph("Hello"));
                doc.Close();
            }
        }
        //Finalize the contents of the stream into an array
        bytes = ms.ToArray();
    }
    //Return a new stream wrapped around our array
    return new MemoryStream(bytes);
}

相关内容

  • 没有找到相关文章

最新更新