我想传递给dll调用一些文本和字体细节(例如字体,大小)
我想以像素为单位检索文本的宽度和高度
它必须在dll中,因为它是从Classic ASP调用的
我知道像TextMetrics这样的东西,但是不知道如何在COM对象中包装它。
我该怎么做(请在C#中)?
答案 0 :(得分:4)
也许,你可以使用Graphics.MeasureString。
将文本和字体作为System.Drawing.Font对象传递。 该方法返回一个System.Drawing.SizeF对象。
希望它有所帮助。
再见!
抱歉,编辑:(好的......一个)
using System;
using System.Drawing;
namespace MeasureSize
{
class Program
{
static void Main(string[] args)
{
var size = GetTextSize("This is a test!", "Arial", 10, "normal", "bold");
Console.Write("Width: {0} / Heigth: {1}", size);
Console.ReadKey();
}
public static object[] GetTextSize(object value, object fontFamily, object size, object style, object weight)
{
if (value == null || fontFamily == null || size == null) { return new object[0]; }
var result = new object[2];
var text = value.ToString();
var font = default(Font);
var composedStyle = string.Concat(style ?? "normal", "+", weight ?? "normal").ToLowerInvariant();
var fontStyle = default(FontStyle);
switch (composedStyle)
{
case "normal+normal": fontStyle = FontStyle.Regular | FontStyle.Regular; break;
case "normal+bold": fontStyle = FontStyle.Regular | FontStyle.Bold; break;
case "italic+normal": fontStyle = FontStyle.Italic | FontStyle.Regular; break;
case "italic+bold": fontStyle = FontStyle.Italic | FontStyle.Bold; break;
}
font = new Font(fontFamily.ToString(), Convert.ToSingle(size), fontStyle, GraphicsUnit.Pixel);
using (var image = new Bitmap(1, 1))
using (var graphics = Graphics.FromImage(image))
{
var sizeF = graphics.MeasureString(text, font);
result[0] = Math.Round((decimal)sizeF.Width, 0, MidpointRounding.ToEven);
result[1] = Math.Round((decimal)sizeF.Height, 0, MidpointRounding.ToEven);
}
return result;
}
}
}
答案 1 :(得分:1)
可能像那样(在ASP中工作)
public static SizeF MeasureString(string s, Font font)
{
SizeF result;
using (var image = new Bitmap(1, 1))
{
using (var g = Graphics.FromImage(image))
{
result = g.MeasureString(s, font);
}
}
return result;
}
答案 2 :(得分:0)