是否有一种简单的方法可以在WinForms MenuStrip中增加菜单项文本与其快捷键之间的间距?如下所示,即使VS生成的默认模板看起来很糟糕,文本“打印预览”也会超出其他项目的快捷键:
我正在寻找一种方法,在最长的菜单项和快捷键边距的开头之间留出一些间距。
答案 0 :(得分:2)
一种简单的方法是将较短的菜单项分开。例如,将“新建”菜单项的Text属性填充为“New”,以便它在末尾具有所有额外的空格,并将推过快捷方式。
<强>更新强>
我建议在代码中自动执行此操作以帮助您。以下是让代码为您工作的结果:
我编写了以下可以调用的代码,它将遍历菜单条下的所有主菜单项并调整所有菜单项:
// put in your ctor or OnLoad
// Note: the actual name of your MenuStrip may be different than mine
// go through each of the main menu items
foreach (var item in menuStrip1.Items)
{
if (item is ToolStripMenuItem)
{
ToolStripMenuItem menuItem = (ToolStripMenuItem)item;
ResizeMenuItems(menuItem.DropDownItems);
}
}
这些是完成工作的方法:
private void ResizeMenuItems(ToolStripItemCollection items)
{
// find the menu item that has the longest width
int max = 0;
foreach (var item in items)
{
// only look at menu items and ignore seperators, etc.
if (item is ToolStripMenuItem)
{
ToolStripMenuItem menuItem = (ToolStripMenuItem)item;
// get the size of the menu item text
Size sz = TextRenderer.MeasureText(menuItem.Text, menuItem.Font);
// keep the longest string
max = sz.Width > max ? sz.Width : max;
}
}
// go through the menu items and make them about the same length
foreach (var item in items)
{
if (item is ToolStripMenuItem)
{
ToolStripMenuItem menuItem = (ToolStripMenuItem)item;
menuItem.Text = PadStringToLength(menuItem.Text, menuItem.Font, max);
}
}
}
private string PadStringToLength(string source, Font font, int width)
{
// keep padding the right with spaces until we reach the proper length
string newText = source;
while (TextRenderer.MeasureText(newText, font).Width < width)
{
newText = newText.PadRight(newText.Length + 1);
}
return newText;
}