如何从 windows 表单打印明文?

How do I print clear text from a windows form?

我已经成功打印了一个windows表格,但是所有的文字都有些模糊。我得出的结论是,这是屏幕分辨率远低于打印机使用的分辨率的结果。我的方法是否存在根本性缺陷,或者是否有办法在打印前重新格式化文本以使其清晰显示?

void PrintImage(object o, PrintPageEventArgs e)
{
    int x = SystemInformation.WorkingArea.X;
    int y = SystemInformation.WorkingArea.Y;
    int width = panel1.Width;
    int height = panel1.Height;

    Rectangle bounds = new Rectangle(x, y, width, height);

    Bitmap img = new Bitmap(width, height);

    this.DrawToBitmap(img, bounds);
    Point p = new Point(100, 100);
    e.Graphics.DrawImage(img, p);
}

private void BtnPrint_Click(object sender, EventArgs e)
{
    btnPrint.Visible = false;
    btnCancel.Visible = false;
    if(txtNotes.Text == "Notes:" || txtNotes.Text == "")
    {
        txtNotes.Visible = false;
    }
    PrintDocument pd = new PrintDocument();
    pd.PrintPage += new PrintPageEventHandler(PrintImage);
    pd.Print();
}

Is there a fundamental flaw in my approach [...] ?

是的。

  1. 你取panel1的大小来计算图片的大小。稍后,您让 this 绘制到图像上,但 this 是窗体,而不是面板。

  2. 是什么让您认为 SystemInformation.WorkingArea 与您要打印的 window 相关?

  3. 你应该多注意一下一次性物品。

[...] is there a way to reformat the text prior to printing so that it comes out crisp?

没有一种通用方法可以让您同时缩放所有其他控件。

但是,通过使用 NearestNeighbor 机制将位图放大一定比例,您可以获得清晰的像素化文本,而不是模糊的文本。

这是在 Acrobat 中以相同缩放级别生成的未缩放(左)和 3 倍缩放(右)的 PDF 的区别 Reader(点击放大):

这是缩放代码,同样没有解决任何一次性问题:

        this.DrawToBitmap(img, bounds);
        Point p = new Point(100, 100);
        img = ResizeBitmap(img, 3);
        e.Graphics.DrawImage(img, p);
    }

    private static Bitmap ResizeBitmap(Bitmap source, int factor)
    {
        Bitmap result = new Bitmap(source.Width*factor, source.Height*factor);
        result.SetResolution(source.HorizontalResolution*factor, source.VerticalResolution*factor);
        using (Graphics g = Graphics.FromImage(result))
        {
            g.InterpolationMode = InterpolationMode.NearestNeighbor;
            g.DrawImage(source, 0, 0, source.Width*factor, source.Height*factor);
        }
        return result;
    }