自定义排序与绑定源在紧凑的框架

本文关键字:框架 排序 绑定 自定义 | 更新日期: 2023-09-27 17:51:00

这是我目前排序的方式:

 BindingSource bs = ( BindingSource )m_dataGrid.DataSource;
bs.Sort = "SortingRow" + " DESC";

我想要的是一个可以用来排序的自定义方法,比如:

bool GreaterThan(object a, object b)
{
(...)//my own code to determine return value
}

我该怎么做呢?

自定义排序与绑定源在紧凑的框架

有很多方法。

DataSource对象通常可以被强制转换回DataTable、DataView或任何它最初的形式。

不知道你的项目,我将使用一个DataTable

当添加数据时,将其强制转换回DataTable。

private void AddData(object data) {
  // data would be what you would normally fill to the m_dataGrid.DataSource
  DataTable table = m_dataGrid.DataSource as DataTable;
  if (table == null) {
    DataView view = m_dataGrid.DataSource as DataView;
    if (view != null) {
      table = view.Table;
    }
  }
  if (table != null) {
    Sort(table);
  }
}

AddData看起来的方式无关紧要,因为您只想要一种将已知数据传递给Sort例程的方法。

你的Sort例程需要是你写的东西。它将原始数据更改回您的结构化数据类型,这里显示为一些通用的MyStuff类:

private void Sort(DataTable table) {
  List<MyStuff> list = new List<MyStuff>(table.Rows.Count);
  for (int i = 0; i < table.Rows.Count; i++) {
    string valueA = table.Rows[MyStuff.A_INDEX].ToString();
    int itemB = Convert.ToInt32(table.Rows[MyStuff.B_INDEX]);
    list.Add(new MyStuff() { ValueA = valueA, ItemB = itemB });
  }
  list.Sort();
  m_dataGrid.DataSource = list;
}

要使list.Sort()工作,您需要在MyStuff类中实现IComparableIEquatable接口。

给你一个蹩脚的通用例子:

class MyStuff : IComparable<MyStuff>, IEquatable<MyStuff> {
  public const int A_INDEX = 0;
  public const int B_INDEX = 0;
  public MyStuff() {
    ValueA = null;
    ItemB = 0;
  }
  public string ValueA { get; set; }
  public int ItemB { get; set; }
  #region IComparable<MyStuff> Members
  public int CompareTo(MyStuff other) {
    if (other != null) {
      if (!String.IsNullOrEmpty(ValueA) && !String.IsNullOrEmpty(other.ValueA)) {
        int compare = ValueA.CompareTo(other.ValueA);
        if (compare == 0) {
          compare = ItemB.CompareTo(other.ItemB); // no null test for this
        }
        return compare;
      } else if (!String.IsNullOrEmpty(other.ValueA)) {
        return -1;
      }
    }
    return 1;
  }
  #endregion
  #region IEquatable<MyStuff> Members
  public bool Equals(MyStuff other) {
    int compare = CompareTo(other);
    return (compare == 0);
  }
  #endregion
}

我希望这对你有帮助。

我真的不能在这件事上花更多的时间了,因为我今天有一个截止日期。

~