使用PrintDocument在winform c#中打印所有控件
本文关键字:打印 控件 PrintDocument winform 使用 | 更新日期: 2023-09-27 18:02:42
我得到了一个windows表单,它有多个页面,主要是标签和文本框,我正在努力保持winform中的字体,到目前为止,我可以打印第一页,但当我尝试添加其余的控件时,它会做一些奇怪的事情——这是我代码的一部分,我将所有内容都打印出来,但并不是面板中的所有控件都显示在打印预览中。所以我发现面板中的控件没有按顺序排列,我需要做的是先创建打印页面的数量,然后将控件放在这些打印页面中。关于尝试首先创建打印页以向其中添加控件的任何帮助。它将始终是4个打印页。
int mainCount = 0;
public void printStuff(System.Drawing.Printing.PrintPageEventArgs e)
{
Font printFont = new Font("Arial", 9);
int dgX = dataGridView1.Left;
int dgY = dataGridView1.Top += 22;
double linesPerPage = 0;
float yPos = 0;
int count = 0;
float leftMargin = e.MarginBounds.Left;
float topMargin = e.MarginBounds.Top;
float bottomMargin = e.MarginBounds.Bottom;
StringFormat str = new StringFormat();
linesPerPage = e.MarginBounds.Height / printFont.GetHeight(e.Graphics);
Control ctrl;
while ((count < linesPerPage) && (panel1.Controls.Count != mainCount))
{
ctrl = panel1.Controls[mainCount];
yPos = topMargin + (count * printFont.GetHeight(e.Graphics));
mainCount++;
count++;
if (ctrl is Label)
{
e.Graphics.DrawString(ctrl.Text, printFont, Brushes.Black, ctrl.Left + 5, ctrl.Top + 40);
}
else if (ctrl is TextBox)
{
e.Graphics.DrawString(ctrl.Text, printFont, Brushes.Black, ctrl.Left + 5, ctrl.Top + 40);
e.Graphics.DrawRectangle(Pens.Black, ctrl.Left, ctrl.Top + 40, ctrl.Width, ctrl.Height);
}
}
if (count > linesPerPage)
{
e.HasMorePages = true;
}
else
{
e.HasMorePages = false;
}
}
//Print
private void exportFileToolStripMenuItem_Click(object sender, EventArgs e)
{
printPreviewDialog1.Document = printDocument1;
printPreviewDialog1.ShowDialog();
}
private void printDocument1_PrintPage(object sender, System.Drawing.Printing.PrintPageEventArgs e)
{
printStuff(e);
}
在我看来,问题是在后续页面上,打印时没有从控件顶部位置减去"页面偏移量"。在将控件放置在打印页上时,您实际上是在尝试使用控件的屏幕坐标,这显然只适用于第一页。在随后的页面上,您需要通过减去一个数量来映射屏幕坐标,该数量相当于"迄今为止打印的总表面"。。
您将想要修改这一行,例如:
e.Graphics.DrawString(ctrl.Text, printFont, Brushes.Black, ctrl.Left + 5, ctrl.Top + 40);
类似的东西:
e.Graphics.DrawString(ctrl.Text, printFont, Brushes.Black, ctrl.Left + 5, ctrl.Top + 40 - pageOffset);
其中,pageOffset
是应根据可打印区域的高度为每页计算的变量:pageOffset = currentPageNumber * heightOfPrintableArea
,因此您还需要为打印的页数保留一个变量,类似于mainCount
当然,这同样适用于if语句的另一个分支:
e.Graphics.DrawString(ctrl.Text, printFont, Brushes.Black, ctrl.Left + 5, ctrl.Top + 40 - pageOffset);
e.Graphics.DrawRectangle(Pens.Black, ctrl.Left, ctrl.Top + 40 - pageOffset, ctrl.Width, ctrl.Height);