3

我正在尝试根据前一个排序的列对表的几列进行排序。它适用于前两列。但是,一旦我对第三列进行排序,第二列就会失去排序。据我所知,我的 foreach 循环肯定有问题。这是我的排序代码:

public List<object> inhaltSortieren(List<object> zuSortierendeListe, Dictionary<string, SortierRichtung> sortierung)
{
    IOrderedEnumerable<object> sortierteListe = null;
    if (sortierung.First().Value == SortierRichtung.asc)
        sortierteListe = zuSortierendeListe.OrderBy(x => x.GetType().GetProperty(sortierung.First().Key).GetValue(x, null));
    else if (sortierung.First().Value == SortierRichtung.desc)
        sortierteListe = zuSortierendeListe.OrderByDescending(x => x.GetType().GetProperty(sortierung.First().Key).GetValue(x, null));
    bool first = true;
    foreach (KeyValuePair<string, SortierRichtung> spalte in sortierung)
    {
        if (first)
        {
            first = false;
            continue;
        }
        if (spalte.Value == SortierRichtung.asc)
            sortierteListe = sortierteListe.ThenBy(x => x.GetType().GetProperty(spalte.Key).GetValue(x, null));
        else if (spalte.Value == SortierRichtung.desc)
            sortierteListe = sortierteListe.ThenByDescending(x => x.GetType().GetProperty(spalte.Key).GetValue(x, null));
    }

    return sortierteListe.ToList();
 }

有任何想法吗?

更新:也许我添加了一些进一步的信息:

  • @param zusortierendeListe:这是我要排序的列表,它是一个对象列表
  • @param sortierung:这是我要排序的方向,升序或降序

对象本身是 Tabledata 列表

4

2 回答 2

3

你传入一个Dictionary; Dictionary当您将其用作a 时IEnumerable<KeyValuePair>(就像您的循环一样) ,您从中获取值的顺序foreach(可能)不是您添加它们的顺序!

您需要使用 a List<KeyValuePair>(或其他一些有序 IEnumerable<KeyValuePair>的 )而不是Dictionary,甚至创建一个自定义类来保存字段和方向并传递 a List

于 2012-11-23T11:09:29.193 回答
1

看看这里

只是为了让你的代码更清晰一点。您可以将所有内容放入 for-each 循环或保持原样,然后在代码中使用 sortierung.Skip(1),因为您已经使用了第一个条目。根据之前的评论,我还将 Dictionary 参数更改为 IEnumerable>。

    object GetValue(object value, string name)
    {
        return value.GetType().GetProperty(name).GetValue(value, null);
    }

    public List<object> SortContent(List<object> listToSort, Tuple<string, SortDirection>[] sortInfos)
    {
        if (sortInfos == null || sortInfos.Length == 0)
             return listToSort;

        IOrderedEnumerable<object> sortedList = null;

        foreach (var column in sortInfos)
        {
            Func<object, object> sort = x => GetValue(x, column.Key);

            bool desc = column.Value == SortDirection.Descending;

            if (sortedList == null)
                sortedList = desc ? listToSort.OrderByDescending(sort) : listToSort.OrderBy(sort);
            else
                sortedList = desc ? sortedList.ThenByDescending(sort) : sortedList.ThenBy(sort);
        }

        return sortedList.ToList();
    }
于 2012-11-23T11:32:30.210 回答