1

我在 C++ 中使用 GDI+ 在画布上绘制了一个字符串。是否有任何 API 可以获取特定字体的字符串的外层(宽度、高度)?非常感谢!非常感谢 Windows 程序员的解决方案。我写了以下代码。

    Bitmap bitmap(1000,1000);
    Graphics graphics(&bitmap);
    RectF rec;
    RectF useless;
    graphics.MeasureString(m_sWords, -1, m_pFont.get(), useless, &rec);
    int WordWidth = rec.Width + 1;
    int WordHeight Height = rec.Height + 1;

我需要使用真实的图形来调用 MeasureString 吗?有没有办法在不创建大型图形实例的情况下获得字宽、字高?我发现这是资源消耗。

4

3 回答 3

2

Graphics::MeasureString 计算一个近似值。

于 2009-04-14T04:04:07.327 回答
1

为了使图片完整:可以简单地使用 GraphicsPath 完成,因为它不需要 DeviceContext,所以效果更好:

Dim p As New GraphicsPath

Using stringFormat As New StringFormat()
    stringFormat.Trimming = StringTrimming.EllipsisCharacter
    stringFormat.LineAlignment = StringAlignment.Center
    stringFormat.Alignment = StringAlignment.Near

    p.AddString(text, font.FontFamily, font.Style, font.SizeInPoints, Point.Empty, stringFormat)
End Using

Return p.GetBounds.Size

其中文本是给定的字符串,字体是给定的字体。返回一个 SizeF 结构。我发现结果比 Graphics.MeasureString aka GdipMeasureString-API 要精确得多。

于 2011-11-21T14:29:47.883 回答
1

不幸的是,您确实需要使用Graphics对象来执行此操作。

我使用的 C# 代码(返回 a RectangleF,因为我想知道宽度和高度)如下:

/// <summary> The text bounding box. </summary>
private static readonly RectangleF __boundingBox = new RectangleF(29, 25, 90, 40);

/// <summary>
///    Gets the width of a given string, in the given font, with the given
///    <see cref="StringFormat"/> options.
/// </summary>
/// <param name="text">The string to measure.</param>
/// <param name="font">The <see cref="Font"/> to use.</param>
/// <param name="fmt">The <see cref="StringFormat"/> to use.</param>
/// <returns> The floating-point width, in pixels. </returns>
private static RectangleF GetStringBounds(string text, Font font,
   StringFormat fmt)
{
   CharacterRange[] range = { new CharacterRange(0, text.Length) };
   StringFormat myFormat = fmt.Clone() as StringFormat;
   myFormat.SetMeasurableCharacterRanges(range);

   using (Graphics g = Graphics.FromImage(
       new Bitmap((int) __boundingBox.Width, (int) __boundingBox.Height)))
   {
      Region[] regions = g.MeasureCharacterRanges(text, font,
         __boundingBox, myFormat);
      return regions[0].GetBounds(g);
   }
}

根据指定为 的边界框,这将返回RectangleF整个文本字符串大小的 a ,必要时自动换行__boundingBox。从好的方面来说,Graphics一旦using语句完成,对象就会被销毁……</p>

顺便说一句,GDI+ 在这方面似乎很不可靠。我发现它有很多错误(例如,请参阅我的问题“Graphics.MeasureCharacterRanges 在 C#.Net 中给出错误的大小计算?”</a>)。如果您可以使用TextRenderer.DrawTextfrom System.Windows.Forms,请执行此操作。

于 2010-04-20T10:38:49.323 回答