0

天气很热,所以我的大脑不能很好地工作。用 LINQ 对此进行排序的最佳方法是什么?请注意,排序基于“C”进行,但适用于“M”

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;

namespace Compare
{
    public class M
    {
        public IList<C> Columns = new List<C>();
    }

    public class C
    {
        public bool SortByMe { get; set; }
        public string Guid { get; set; }
    }

    class Program
    {
        static void Main(string[] args)
        {
            IList<M> list = new List<M>();

            M one = new M();
            one.Columns.Add(new C() 
            {
                SortByMe = true,
                Guid = "5"
            });
            one.Columns.Add(new C()
            {                
            });
            one.Columns.Add(new C()
            {             
            });

            M two = new M();
            two.Columns.Add(new C()
            {             
            });
            two.Columns.Add(new C()
            {
                SortByMe = true,
                Guid = "2"
            });
            two.Columns.Add(new C()
            {             
            });

            M three = new M();
            three.Columns.Add(new C()
            {

            });
            three.Columns.Add(new C()
            {
                SortByMe = true,
                Guid = "100"
            });
            three.Columns.Add(new C()
            {

            });

            list.Add(one);
            list.Add(two);
            list.Add(three);

            //Then sort the M by the occurrence of a C with SortByMe true.

        }
    }
}
4

2 回答 2

1

您的意思是每个实例在其集合中M都有一个实例 ,其属性为; 并且您想按这些元素的值对您的实例集合进行排序?CColumnsSortByMetrueMGUIDC

list = list.OrderBy(m => m.Columns.Single(c => c.SortByMe).Guid).ToList();

请注意,由于GUIDis string,您的排序将按字母顺序 ( "100", "2", "5"),而不是数字。如果您希望它是数字,则需要输入int.Parse.

编辑:执行数字排序的版本:

list = list.OrderBy(m => int.Parse(m.Columns.Single(c => c.SortByMe).Guid)).ToList();

和逻辑等效的查询语法:

list =
(
    from m in list
    orderby
    (
        from c in m.Columns
        where c.SortByMe
        select int.Parse(c.Guid)
    ).Single()
    select m
).ToList();

您需要考虑到原始假设的任何失败——例如给定集合中的多个C元素设置为,或者一个不是有效整数的值——都会导致整个表达式失败。ColumnsSortByMetrueGUID

于 2012-05-24T18:43:17.123 回答
1
        var query = from m in list
                    let c = m.First(x => x.SortByMe)
                    orderby c.Guid
                    select m;
于 2012-05-24T18:44:17.173 回答