I'm trying to sort an ArrayList of String.
Given:
{A,C,AA,B,CC,BB}
Arraylist.Sort gives:
{A,AA,B,BB,C,CC}
What I need is:
{A,B,C,AA,BB,CC}
ArrayList list = new ArrayList {"A","C","AA","B","CC","BB"};
var sorted = list.Cast<string>()
.OrderBy(str => str.Length)
.ThenBy(str => str);
//LinqPad specific print call
sorted.Dump();
prints:
A
B
C
AA
BB
CC
list after sorted variable has been declared, but before actually called - than it would contain new element. sorted query is being executed in deferred mannerIt's easier to do this with Linq as so:
string [] list = { "A","C","AA","B","CC","BB"};
var sorted = list.OrderBy(x=>x.Length).ThenBy(x=>x);
Note that the OrderBy method returns a new list. If you want to modify the original, then you need to re-assign it as so:
list = list.OrderBy(x=>x.Length).ThenBy(x=>x).ToArray();
This is kind of old school but, I went the IComparer Interface . . .
public class SortAlphabetLength : System.Collections.IComparer
{
public int Compare(Object x, Object y)
{
if (x.ToString().Length == y.ToString().Length)
return string.Compare(x.ToString(), y.ToString());
else if (x.ToString().Length > y.ToString().Length)
return 1;
else
return -1;
}
}
and then test it . . .
class Program
{
static void Main(string[] args)
{
ArrayList values = new ArrayList()
{
"A","AA","B","BB","C","CC"
};
SortAlphabetLength alphaLen = new SortAlphabetLength();
values.Sort(alphaLen);
foreach (string itm in values)
Console.WriteLine(itm);
}
}
output:
A
B
C
AA
BB
CC
null value in that collection and see what happens.
List<string>?