I am writing out data to a file for my Java simulation. My code looks like this:

try (PrintWriter out = new PrintWriter(new FileWriter("data/test.dat", true));)
      {
        out.print(DecimalPointData);
        out.print("\t");
        out.print(OtherData);
        out.print("\n");            
        } catch (IOException {
            e.printStackTrace();
        }

This prints out data like this:

  -1.0749999955296516   0.0
  -1.0919999964535236   0.0
  -1.0749999955296516   0.0
  -0.5339999794960022   0.0

I am aware of the fact that data in java can be formatted using .format, i.e., if I can just say

out.format("%.3f%n",DecimalPointData); 

instead of

out.print(DecimalPointData);

But I do not want to use this in my code, because when I write to the file, the columns look disoriented, my file data looks ends up looking like this:

-1.075
      0.0
-1.092
      0.0
-1.075
      0.0

Is there anything else I need to know while formatting? or Is there another way to format decimal point numbers with the use of "Format" function in java?

2

There are 2 best solutions below

6
On BEST ANSWER

You can use a single format to write a line

out.format("%.3f %.1f%n",DecimalPointData, OtherData); 

EDIT: If you want to add a TAB in your output, use the below format string

out.format("%.3f\t%.1f%n",DecimalPointData, OtherData); 
2
On

From the doc:

The %n is a platform-independent newline character.

Just remove the %n from your format parameter:

out.format("%.3f",DecimalPointData); 

So you can write:

out.format("%.3f", DecimalPointData);
out.print("\t");
out.println(OtherData);

Or simpler:

out.format("%.3f\t%.1f%n", DecimalPointData, OtherData);

See this running on IdeOne.