Reference: http://stackoverflow.com/questions/3309188/how-to-sort-a-listt-by-a-property-in-the-object VB: http://stackoverflow.com/questions/869438/sort-generic-list-on-two-or-more-values ---------- Sort List by properties: List objListOrder = new List(); GetOrderList(objListOrder); // fill list of orders sort by Linq: List SortedList = objListOrder.OrderBy(o=>o.OrderDate).ToList(); sort the list in-place: objListOrder.Sort((x, y) => x.OrderDate.CompareTo(y.OrderDate)); To do this without LINQ on .Net2.0: List objListOrder = GetOrderList(); objListOrder.Sort( delegate(Order p1, Order p2) { return p1.OrderDate.CompareTo(p2.OrderDate); } ); To sort on multiple properties, you can still do it within a delegate. For example: orderList.Sort( delegate(Order p1, Order p2) { int compareDate = p1.Date.CompareTo(p2.Date); if (compareDate == 0) { return p2.OrderID.CompareTo(p1.OrderID); } return compareDate; } ); This would give you ascending dates with descending orderIds. However, I wouldn't recommend sticking delegates as it will mean lots of places without code re-use. You should implement an IComparer and just pass that through to your Sort method. See here. public class MyOrderingClass : IComparer { public int Compare(Order x, Order y) { int compareDate = x.Date.CompareTo(y.Date); if (compareDate == 0) { return x.OrderID.CompareTo(y.OrderID); } return compareDate; } } And then to use this IComparer class, just instantiate it and pass it to your Sort method: IComparer comparer = new MyOrderingClass(); orderList.Sort(comparer); ---------- public void InitialTallItem() { List list_tallItems = new List(); list_tallItems.Add(new TallItem() { name = "Tony", Height = 180 }); list_tallItems.Add(new TallItem() { name = "Jorden", Height = 200 }); list_tallItems.Add(new TallItem() { name = "Nono", Height = 155 }); list_tallItems.Add(new TallItem() { name = "Jessica", Height = 166 }); list_tallItems.Sort((x, y) => { return -x.Height.CompareTo(y.Height); }); for (int i = 0; i < list_tallItems.Count; i++) { Debug.WriteLine(list_tallItems[i].name + ":" + list_tallItems[i].Height); } }