如何确定将在矩形中绘制的文本高度?

时间:2017-01-24 01:18:57

标签: c# winforms gdi+

我试图在GDI +的矩形中绘制一些文本,如本微软文章中所述:https://msdn.microsoft.com/en-us/library/baw6k39s(v=vs.110).aspx

在指定我想要的宽度后,文本会自动换行到下一行。问题是,我需要设置矩形的高度,以便文本完全适合框,没有切断,但没有额外的空格。在这种情况下,使用值进行试错测试将无法正常工作,因为文本将会发生变化。

我实现了一个解决方案,通过向其添加换行符然后测量高度来模拟在渲染时发生的文本的中断。但这似乎并不起作用,并且盒子的高度通常具有大量的尾随空白(这似乎与文本量呈正线性关系)。

问题:

enter image description here

我的代码如下:

public void setBreakLen() { //determines how many chars fit on each line (note: using a FIXED WIDTH FONT) 
  double cwidth = TextRenderer.MeasureText("h", font).Width;
  breakLen = (int)((double)box.Width / (double)cwidth);
}



public void updateHeight() { //should tell me what the height of the box should be to fit perfectly
  StringBuilder sb = new StringBuilder(text);
  int numAppended = 0;
  for (int i = 0; i < text.Length; i++) {
      if ((i + 1) % breakLen == 0) {
          sb.Insert((i + 1 + numAppended), "\n");
          numAppended += 1;
       }
   }

   Size s = TextRenderer.MeasureText(sb.ToString(), font);
   height = s.Height;
   box = new Rectangle(x, y, width, height);
}

然而,这似乎有点矫枉过正,必须有更好的方法。 因此,我认为这实际上是一个两部分问题。

  1. 如何让我当前的解决方案有效?
  2. 有没有更好的方法 这样做?
  3. 注意: 使用调试器,我确定breaklen变量是正确的。它读取11,每行有11个字符。

    我还检查了固定宽度字体(Consolas系列)的其他字符,它们都产生相同的断点长度。这是StringBuilder如何处理换行符的问题?我通常使用Java而不是C#,因此我不熟悉流等。

    修改 绘图代码如下:

    g2d.DrawString(m.text, m.font, Brushes.Blue, m.box);
    g2d.DrawRectangle(Pens.Black, Rectangle.Round(m.box));
    

    编辑2: 我尝试使用Size函数的重载MeasureText参数来实现此辅助解决方案。这只是每次返回19,尽管字符串的长度,它似乎返回一个单一行的正确高度。

        Size s = TextRenderer.MeasureText(text, font, new Size(width, 0));//i also tried MaxInt
        height = s.Height;
        Console.WriteLine(height);
        box = new Rectangle(x, y, width, height);
    

1 个答案:

答案 0 :(得分:3)

尝试以下代码。我只是将代码添加到一个函数中以使其运行。你可以看到变化。您必须使用MeasureString而不是MeasureText。看看我得到的输出 enter image description here

Font font = new Font(FontFamily.GenericSansSerif, 12.0F, FontStyle.Bold);

int x = 10, y = 10, width = 120, height = 30, breakLen = 0;
Rectangle box;
string text = "THIS BOX IS TOO TALL!!!";

private void DrawRectangle()
{
    box = new Rectangle(x, y, width, height);

    using (Graphics g = this.CreateGraphics())
    {
        double cwidth = g.MeasureString("h", SystemFonts.DefaultFont).Width;
        breakLen = (int)((double)box.Width / (double)cwidth);

        StringBuilder sb = new StringBuilder(text);
        int numAppended = 0;

        for (int i = 0; i < text.Length; i++)
        {
            if ((i + 1) % breakLen == 0)
            {
                sb.Insert((i + 1 + numAppended), "\n");
                numAppended += 1;
            }
        }

        Size s = TextRenderer.MeasureText(sb.ToString(), font);
        height = s.Height;
        box = new Rectangle(x, y, width, height);

        Pen pen = new Pen(Color.Black, 2);
        g.DrawString(sb.ToString(), font, Brushes.Blue, box);
        g.DrawRectangle(pen, box);
        pen.Dispose();
    }
}