5

如何使用 C# 更改列表视图的列顺序?最后一列必须是第一列,第一列必须是最后一列。

I have a listview like this

name   age  school  phone      job
----   ---  ------  -----      ---
helen  18    KTU     5224511   student
sarah  25    hitan   2548441   engineer
david  19    havai   2563654   student


I want to make this like that

name   job       phone    school   age
----   ---       -----    -----    ---
helen  student   5224511   KTU     18
sarah  engineer  2548441   hitan   25
david  student   2563654   havai   19
4

2 回答 2

4

看来您只需按所需的显示顺序设置(重新排列)列:

  // Job (2nd column to display)
  myListView.Columns[4].DisplayIndex = 1; 
  // Phone (3d column to display)
  myListView.Columns[3].DisplayIndex = 2; 
  // School (4th)
  myListView.Columns[2].DisplayIndex = 3; 
  // Age (5th)
  myListView.Columns[1].DisplayIndex = 4; 

您也可以使用更详细的代码:

   public static void ArrangeColumns(ListView listView, params String [] order) {
      listView.BeginUpdate();

      try { 
        for (int i = 0; i < order.Length; ++i) {
          Boolean found = false;

          for (int j = 0; j < listView.Columns.Count; ++j) {
            if (String.Equals(listView.Columns[j].Text, order[i], StringComparison.Ordinal)) {
              listView.Columns[j].DisplayIndex = i;

              found = true;

              break;
            }
          }

          if (!found) 
            throw new ArgumentException("Column " + order[i] + " is not found.", "order"); 
        }
      } 
      finally {
        listView.EndUpdate();
      }
    }

  ...

  ArrangeColumns(myListView, "name", "job", "phone", "school", "age");

最后,如果您想重新排列子项(移动数据,而不仅仅是查看更改),您可以这样做:

public static void SwapSubItems(ListView listView, int fromIndex, int toIndex) {
  if (fromIndex == toIndex)
    return;

  if (fromIndex > toIndex) {
    int h = fromIndex;
    fromIndex = toIndex;
    toIndex = h;
  }

  listView.BeginUpdate();

  try {
    foreach (ListViewItem line in listView.Items) {
      var subItem = line.SubItems[fromIndex];
      line.SubItems.RemoveAt(fromIndex);
      line.SubItems.Insert(toIndex, subItem);

      if (listView.Columns.Count > toIndex) {
        var column = listView.Columns[fromIndex];
        listView.Columns.RemoveAt(fromIndex);
        listView.Columns.Insert(toIndex, column);
      }
    }
  }
  finally {
    listView.EndUpdate();
  }
}

...

myListView.BeginUpdate();

try {
  // Job 
  SwapSubItems(myListView, 4, 1);
  // Phone (now, when Job moved, Phone is a 4th column)
  SwapSubItems(myListView, 4, 2);
  // School (now, when Job and Phone moved, School is a 4th column)
  SwapSubItems(myListView, 4, 3);
}
finally {
  myListView.EndUpdate();
}
于 2013-07-19T12:54:26.810 回答
2

那么你只需要改变你的列索引值。(从 0 开始)。

一个简单的代码就像

        ColumnHeader columnHeader = listView1.Columns[0];
        columnHeader.DisplayIndex = 3;
于 2013-07-19T12:38:06.930 回答