How to sort a List in C# [duplicate]
I have a class:
public class MyObject
{
public string Name;
pu开发者_StackOverflow社区blic int Age;
}
I have a List of Myobject objects:
Name Age
ABC 12
BBC 14
ABC 11
How to sort this list with condition: sort Name first & sort Age later. With this list, the result after sorting:
Name Age
ABC 11
ABC 12
BBC 14
Two different ways using LINQ:
1) Using OrderBy
and ThenBy
:
l = l.OrderBy(x => x.Name).ThenBy(x => x.Age).ToList();
2) Using the query syntax:
l = (from x in l
orderby x.Name, x.Age
select x).ToList();
class Program
{
static void Main(string[] args)
{
var list = new List<MyObject>(new[]
{
new MyObject { Name = "ABC", Age = 12 },
new MyObject { Name = "BBC", Age = 14 },
new MyObject { Name = "ABC", Age = 11 },
});
var sortedList = from element in list
orderby element.Name
orderby element.Age
select element;
foreach (var item in sortedList)
{
Console.WriteLine("{0} {1}", item.Name, item.Age);
}
}
}
Using System.Linq
you can acheive it easily:
list = list.OrderBy(e=>e.Name).ThenBy(e=>e.Age);
Also check this answer: Sorting a list using Lambda/Linq to objects.
You can do the following using LINQ:
class Program
{
static void Main(string[] args)
{
List<MyObject> list = new List<MyObject>();
list.Add(new MyObject() { Age = 12, Name = "ABC" });
list.Add(new MyObject() { Age = 11, Name = "ABC" });
list.Add(new MyObject() { Age = 14, Name = "BBC" });
var sorted = list.OrderBy(mo => mo.Name).ThenBy(mo => mo.Age);
foreach (var myObject in sorted)
{
Console.WriteLine(string.Format("{0} - {1}",
myObject.Name, myObject.Age));
}
}
}
You can pass an new Object to Order By so that it Orders By that
class Program
{
static void Main(string[] args)
{
var list = new List<MyObject>(new[]
{
new MyObject { Name = "ABC", Age = 12 },
new MyObject { Name = "BBC", Age = 14 },
new MyObject { Name = "ABC", Age = 11 },
});
var sortedList = list.OrderBy( x => new { x.Name , x.Age });
foreach (var item in sortedList)
{
Console.WriteLine("{0} {1}", item.Name, item.Age);
}
}
}
精彩评论