1

我正在关注 MSDN 关于打印多页的“操作方法”文档:如何:在 Windows 窗体中打印多页文本文件

我已经将该页面上的示例变成了一个项目(尝试了 Visual Studio 2010 和 2012),发现它在打印少量页面时按预期工作,但是在打印大量页面(大约 9 页)时它开始呈现开始页为空白(第一页和第二页为空白,接下来的 15 页是正确的,等等)。

任何人都可以确认这种行为吗?我看不出是什么原因造成的,也没有抛出异常。

编辑:我收到了 2 个反对票,但我不知道为什么。我会尝试更清楚。这是我认为包含问题的代码部分:

private void printDocument1_PrintPage(object sender, PrintPageEventArgs e)
{
    int charactersOnPage = 0;
    int linesPerPage = 0;

    // Sets the value of charactersOnPage to the number of characters 
    // of stringToPrint that will fit within the bounds of the page.
    e.Graphics.MeasureString(stringToPrint, this.Font,
        e.MarginBounds.Size, StringFormat.GenericTypographic,
        out charactersOnPage, out linesPerPage);

    // Draws the string within the bounds of the page
    e.Graphics.DrawString(stringToPrint, this.Font, Brushes.Black,
        e.MarginBounds, StringFormat.GenericTypographic);

    // Remove the portion of the string that has been printed.
    stringToPrint = stringToPrint.Substring(charactersOnPage);

    // Check to see if more pages are to be printed.
    e.HasMorePages = (stringToPrint.Length > 0);
}

我不相信任何数据类型被溢出。我用不同的打印机试过这个,但每一个都有相同的结果。如果您投反对票,请发表评论,让我知道为什么这个问题有问题。注意:我尝试了 .NET Framework 4 和 4.5,结果相同。

4

1 回答 1

1

似乎 MSDN 示例无法正常工作。这可能是因为 MarginBounds Rectangle 是基于整数的,而不是基于浮点数的。将 Y 位置跟踪为浮点数并在 MeasureString 和 DrawString 方法中使用此值可解决此问题。我通过检查不同的 MSDN 打印示例发现了这一点。

以下是相关代码:

private void pd_PrintPage(object sender, PrintPageEventArgs ev)
{
    float linesPerPage = 0;
    float yPos = 0;
    int count = 0;
    float leftMargin = ev.MarginBounds.Left;
    float topMargin = ev.MarginBounds.Top;
    string line = null;

    // Calculate the number of lines per page.
    linesPerPage = ev.MarginBounds.Height /
       printFont.GetHeight(ev.Graphics);

    // Print each line of the file.
    while (count < linesPerPage &&
       ((line = streamToPrint.ReadLine()) != null))
    {
        yPos = topMargin + (count *
           printFont.GetHeight(ev.Graphics));
        ev.Graphics.DrawString(line, printFont, Brushes.Black,
           leftMargin, yPos, new StringFormat());
        count++;
    }

    // If more lines exist, print another page.
    if (line != null)
        ev.HasMorePages = true;
    else
        ev.HasMorePages = false;
}

这并没有像前面的例子那样考虑自动换行,但可以相对容易地实现。

于 2013-02-10T09:44:15.983 回答