对包含存储在字符串中的小数的数字进行排序

时间:2016-04-20 14:10:57

标签: c# .net linq sorting stable-sort

我的数字正在转换为字符串。 例如,我有20000金额,我必须将其显示为200.00所以我正在执行

string Amount = $"{Convert.ToDouble(x.Amount) / 100:0.00}"     

然后我将它们存储到值为

的金额列表中
  

200.00,30.00,588888.00,56.36,

我尝试按orderby(x=>x.Anount)对其进行排序,但这会根据字符串排序,第一个数字为

  

200.00,30.00,56.36,58888.00

我希望将输出排序为

  

30.00,   56.36,   200.00,   588888.00

5 个答案:

答案 0 :(得分:0)

尝试

的OrderBy(X => double.Parse(x.Amount))

答案 1 :(得分:0)

将自定义比较器传递给OrderBy。 Enumerable.OrderBy将允许您指定您喜欢的任何比较器。

void Main()
{
    string[] decimals = new string[] { "30.00", "56.36", "200.00", "588888.00" };

    foreach (var dec in decimals.OrderBy(x => x, new DecimalComparer()))
    {    
        Console.WriteLine(thing);
    }
}


public class DecimalComparer: IComparer<string>
{
    public int Compare(string s1, string s2)
    {
        if (IsDecimal(s1) && IsDecimal(s2))
        {
            if (Convert.ToDecimal(s1) > Convert.ToDecimal(s2)) return 1;
            if (Convert.ToDecimal(s1) < Convert.ToDecimal(s2)) return -1;
            if (Convert.ToDecimal(s1) == Convert.ToDecimal(s2)) return 0;
        }

        if (IsDecimal(s1) && !IsDecimal(s2))
            return -1;

        if (!IsDecimal(s1) && IsDecimal(s2))
            return 1;

        return string.Compare(s1, s2, true);
    }

    public static bool IsDecimal(object value)
    {
        try {
            int i = Convert.ToDecimal(value.ToString());
            return true; 
        }
        catch (FormatException) {
            return false;
        }
    }
}

答案 2 :(得分:0)

这应该有效

var numberstring = "100.0,300.00,200.00,400.00";
var array = numberstring.Split(',');
var sortedstring = array.OrderBy(x => double.Parse(x)).Aggregate("", (current, val) => current + (val + ","));

答案 3 :(得分:0)

您可以按Length属性排序,该属性将提供所需的顺序。例如:

        IEnumerable<string> sizes = new List<string> { "200.00", "30.00", "56.36", "58888.00" };

        sizes = sizes.OrderBy(x => x.Length);

答案 4 :(得分:0)

您可以在一行中完成:

        var orderedAsString =
            amounts.Select(x => double.Parse(x.Amount) / 100)
                .OrderBy(x => x)
                .Select(x => x.ToString("0.00"));