我尝试将代码编辑为以下内容 但似乎不是正确的方法:
public int Compare(object x, object y)
{
string s1 = (string)x;
string s2 = (string)y;
return DateTime.Compare(DateTime.ParseExact(s1.Substring(1), "MMddyyyy", CultureInfo.InvariantCulture),
DateTime.ParseExact(s2.Substring(1), "MMddyyyy", CultureInfo.InvariantCulture));
}
protected override void OnNavigatedTo(System.Windows.Navigation.NavigationEventArgs e)
{
IsolatedStorageFile myStore = IsolatedStorageFile.GetUserStoreForApplication();
if (scheduleListBox.Items.Count == 0)
{
try
{
//Get all the directories name that start with "a"
fileNames = myStore.GetDirectoryNames("a*");
//Sort according to the schedule month
//Array.Sort(fileNames);
Array.Sort(new Compare(fileNames));
我在数组列表中有 a08102011 格式的数据。
08 是月, 10 是天, 2011 是年。
如何以这种方式进行分类?
a08102011
a09112011
答案 0 :(得分:5)
使用自定义字符串对
假设您的字符串格式使用固定宽度字段(总是一个字符前缀,总是两个字符,等等),您可以使用自定义IComparer
实现:
public class CustomComparer : IComparer
{
public int Compare(object x, object y)
{
string s1 = (string) x;
string s2 = (string) y;
return DateTime.Compare(DateTime.ParseExact(s1.Substring(1), "MMddyyyy", CultureInfo.InvariantCulture),
DateTime.ParseExact(s2.Substring(1), "MMddyyyy", CultureInfo.InvariantCulture));
}
}
..
ArrayList items = new ArrayList();
items.Add("a08102011");
items.Add("a09112011");
items.Sort(new CustomComparer());
当然,没有理由你首先必须使用ArrayList
- 使用类似List<string>
的强类型集合 - 相同的概念适用于那里,只需使用{{ 1}}自定义实现。
更新:强类型IComparer
看起来你真的在使用字符串数组,而不是IComparer<string>
,所以请使用ArrayList
的强类型版本:
CustomComparer
然后你可以像这样对数组进行排序:
public class CustomComparer : IComparer<string>
{
public int Compare(string x, string y)
{
string s1 = (string) x;
string s2 = (string) y;
return DateTime.Compare(DateTime.ParseExact(s1.Substring(1), "MMddyyyy", CultureInfo.InvariantCulture),
DateTime.ParseExact(s2.Substring(1), "MMddyyyy", CultureInfo.InvariantCulture));
}
}
最后:Linq方法
另外,更短的是,你可以使用Linq - 虽然它创建了一个新的排序数组,所以它的计算密集程度要高一些,但这在整体方案中无关紧要:
string[] items = new string[] { "a09112011", "a08102011" };
Array.Sort(items, new CustomComparer());