我有一个包含许多项目的状态条。其中之一是带有 ToolStripStatusLabelSpring = True
当标签的文字太长时,看不清。

是否可以使状态条变高并以多行显示整个文本?

最佳答案

这是一个有趣的问题....我尝试了几件事,但没有成功...基本上 ToolStripStatusLabel 的功能非常有限。

我最终尝试了一个 hack 来给出你想要的结果,但我什至不确定我会推荐这个,除非这是绝对必要的......

这是我得到的...

在 StatusStrip 的属性中设置 AutoSize = false,这是为了允许调整 StatusStrip 的大小以容纳多行。我假设名为 ststusStrip1 的 statusStrip 包含名为 toolStripStatusLabel1 的标签。

在表单级别声明一个 TextBox 类型的变量:

  TextBox txtDummy = new TextBox();

在 Form Load 设置它的一些属性:
  txtDummy.Multiline = true;
  txtDummy.WordWrap = true;
  txtDummy.Font = toolStripStatusLabel1.Font;//Same font as Label

处理toolStripStatusLabel1的paint事件
 private void toolStripStatusLabel1_Paint(object sender, PaintEventArgs e)
 {

    String textToPaint = toolStripStatusLabel1.Tag.ToString(); //We take the string to print from Tag
    SizeF stringSize = e.Graphics.MeasureString(textToPaint, toolStripStatusLabel1.Font);
    if (stringSize.Width > toolStripStatusLabel1.Width)//If the size is large we need to find out how many lines it will take
    {
        //We use a textBox to find out the number of lines this text should be broken into
        txtDummy.Width = toolStripStatusLabel1.Width - 10;
        txtDummy.Text = textToPaint;
        int linesRequired = txtDummy.GetLineFromCharIndex(textToPaint.Length - 1) + 1;
        statusStrip1.Height =((int)stringSize.Height * linesRequired) + 5;
        toolStripStatusLabel1.Text = "";
        e.Graphics.DrawString(textToPaint, toolStripStatusLabel1.Font, new SolidBrush( toolStripStatusLabel1.ForeColor), new RectangleF( new PointF(0, 0), new SizeF(toolStripStatusLabel1.Width, toolStripStatusLabel1.Height)));
    }
    else
    {
        toolStripStatusLabel1.Text = textToPaint;
    }
}

IMP:不要分配标签的 text 属性,而是将其放在 Tag 中,我们将从 Tag 中使用它
 toolStripStatusLabel1.Tag = "My very long String";

关于c# - StatusStrip 是否可以根据其项目的大小自动更改其高度?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/11556785/

10-12 12:44