ListView.Sort()无法正常使用IComparer C#

时间:2016-02-24 14:34:51

标签: c# listview icomparer

在我的代码中,我有一个名为allocations的ListView,它将位置名称和选择优先级存储为其列。目前,它看起来像这样: -

|    Location    |    Picking Priority    |
|----------------|------------------------|
|   Location A   |          1000          |
|   Location B   |          750           |
|   Location C   |          1000          |

我正在尝试使用IComparer按拣配优先级进行排序,以便具有最低拣配优先级的位置位于列表顶部,其余位置按升序排列。目前,这是我的代码: -

public ArrayList getSortedListView()
{
    ListView lvLocations = new ListView();
    lvLocations.ListViewItemSorter = new ListViewItemComparer();

    // Reads CSV file to get required location. 
    // lvGlobalLocations is filled with every location on the system.

    foreach (ListViewItem item in lvGlobalLocations.Items)
    {
        if (item.Text == <location name>)
        {
            lvLocations.Items.Add((ListViewItem)item.Clone());
            lvLocations.Sort();
        }
    }

    // Cycles through ListView and stores location names in ArrayList to be returned.
}


class ListViewItemComparer : IComparer
{
    public int Compare(object a, object b)
    {
        ListViewItem lvi1 = (ListViewItem)a;
        ListViewItem lvi2 = (ListViewItem)b;
        int int1 = int.Parse(lvi1.SubItems[1].Text);
        int int2 = int.Parse(lvi2.SubItems[1].Text);
        if (int1 > int2)
            return -1;
        else if (int1 < int2)
            return 1;
        else
            return 0;
    }
}

如何正确比较它以便返回的ArrayList顺序正确?

2 个答案:

答案 0 :(得分:1)

你实际上并不需要那么多。 Lamda允许排序中的属性规范。只需确保您正在定义&#34;子项目&#34;或了解对象的签名。

var sorted = list.OrderByDescending(item => item.PropertyToSortBy);

如果要求使用比较器对象,则必须实际使用它。

var sorted = list.Sort(comparitor);

它将使用对象本身定义的默认排序。这表明还有另一种可能性。包含的对象为ICompariable

同样,我会简单地使用lamda表达式。这是一个微不足道的。一旦你必须对众多属性和其他处理逻辑进行排序,你可以考虑比较器或将排序逻辑放在对象本身上。

答案 1 :(得分:1)

如上所述, 从不 使用ArrayList。今天是2016年2月24日,请停止踢.Net 1.1队。

您可以使用LINQ实现此目的:

public IEnumerable<ListViewItem> getSortedListView()
{
    ListView lvLocations = new ListView();
    lvLocations.ListViewItemSorter = new ListViewItemComparer();

    // Reads CSV file to get required location. 
    // lvGlobalLocations is filled with every location on the system.

    return lvGlobalLocations.Items.Where(item => item.Text == <location name>).OrderBy(x => x.Whatever);
}

或使用List.Sort(是的,通用列表有很多有用的方法):

public List<ListViewItem> getSortedListView()
{
    ListView lvLocations = new ListView();
    lvLocations.ListViewItemSorter = new ListViewItemComparer();

    // Reads CSV file to get required location. 
    // lvGlobalLocations is filled with every location on the system.

    var list = new List<ListViewItem>(lvGlobalLocations.Items.Where(item => item.Text == <location name>))
    list.Sort((a, b) => a.Whatever.CompareTo(b.Whatever));
    return list;
}