Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

C# double formatting align on decimal sign

I align numbers with various number of decimals so that the decimal sign aligns on a straight row. This can be achevied by padding with spaces, but I'm having trouble.

Lays say I want to align the following numbers: 0 0.0002 0.531 2.42 12.5 123.0 123172

This is the result I'm after:

     0
     0.0002
     0.531
     2.42
    12.5
   123.0
123172
like image 592
Paaland Avatar asked Feb 25 '10 09:02

Paaland


1 Answers

If you want exactly that result you can't use any formatting of numerical data, as that would not format 123 as 123.0. You have to treat the values as strings to preserve the trailing zero.

This gives you exactly the result that you asked for:

string[] numbers = { "0", "0.0002", "0.531", "2.42", "12.5", "123.0", "123172" };

foreach (string number in numbers) 
{
    int pos = number.IndexOf('.');
    if (pos == -1) 
        pos = number.Length;
    Console.WriteLine(new String(' ', 6 - pos) + number);
}

Output:

     0
     0.0002
     0.531
     2.42
    12.5
   123.0
123172
like image 140
Guffa Avatar answered Sep 24 '22 11:09

Guffa