C# 编辑ListView组标题,就像我们可以编辑ListViewItems一样

C# 编辑ListView组标题,就像我们可以编辑ListViewItems一样,c#,.net,winforms,listview,C#,.net,Winforms,Listview,在WinForms应用程序中,我们可以通过单击ListView项两次来重新命名它们。我们能以同样的方式重命名组标题吗?有什么方法可以实现这一点吗?我想这毕竟是可行的,尽管不是简单地启用一个属性 注意:下面的代码假设列表视图处于详细信息模式 从emtpy空间辨别组的诀窍是测试列表视图的右侧。另一个技巧是等待一点:单击将选择组项目。只有在那之后我们才能继续 下面是一个用文本框覆盖组的示例: // class variable to test if have been hit twice in a r

在WinForms应用程序中,我们可以通过单击ListView项两次来重新命名它们。我们能以同样的方式重命名组标题吗?有什么方法可以实现这一点吗?

我想这毕竟是可行的,尽管不是简单地启用一个属性

注意:下面的代码假设
列表视图
处于
详细信息
模式

从emtpy空间辨别
组的诀窍是测试
列表视图的右侧。另一个技巧是等待一点:单击将选择组项目。只有在那之后我们才能继续

下面是一个用
文本框覆盖
组的示例:

// class variable to test if have been hit twice in a row
ListViewGroup lastHitGroup = null;

private void listView1_MouseDown(object sender, MouseEventArgs e)
{
    // check left side to see if we are at the empty space
    ListViewItem lvi = listView1.GetItemAt(4, e.Y);
    // yes, no action! reset  group
    if (lvi != null)  { lastHitGroup = null; return; }
    // get the height of an Item
    int ih = listView1.GetItemRect(0).Height;
    // to get the group we need to check the next item:
    ListViewItem lviNext = listView1.GetItemAt(4, e.Y + ih);
    // no next item, maybe the group is emtpy, no action
    if (lviNext == null) return;
    // this is our group
    ListViewGroup editedGroup = lviNext.Group;
    // is this the 2nd time?
    if (lastHitGroup != editedGroup) {lastHitGroup = editedGroup; return;}
    // we overlay a TextBox
    TextBox tb = new TextBox();
    tb.Parent = listView1;
    // set width as you like!
    tb.Height = ih;
    // we position it over the group header and show it
    tb.Location = new Point(0, lviNext.Position.Y - ih - 4);
    tb.Show();
    // we need two events to quit editing
    tb.KeyPress += (ss, ee) =>
    {
        if (ee.KeyChar == (char)13)  // success
        {
            if (editedGroup != null && tb.Text.Length > 0)
                editedGroup.Header = tb.Text;
            tb.Hide();
            ee.Handled = true;
        }
        else if (ee.KeyChar == (char)27)  // abort
        {
            tb.Text = ""; tb.Hide(); ee.Handled = true;
        }

    };
    tb.LostFocus += (ss, ee) =>  // more success
    {
       if (editedGroup != null && tb.Text.Length > 0)
          editedGroup.Header = tb.Text;
       tb.Hide();
    };
    // we need to wait a little until the group items have been selected
    Timer lvTimer = new Timer();
    lvTimer.Interval = 333;  // could take longer for a huge number of items!
    lvTimer.Tick += (ss,ee) => { tb.Focus(); lvTimer.Stop();};
    lvTimer.Start();

}

有点牵扯,但毕竟是可行的!