Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Save an integer in two digit format in a variable in Java

Tags:

java

numbers

How can I store an integer in two digit format in Java? Like can I set

int a=01;

and print it as 01? Also, not only printing, if I say int b=a;, b should also print its value as 01.

like image 533
Mistu4u Avatar asked Sep 09 '25 12:09

Mistu4u


2 Answers

I think this is what you're looking for:

int a = 1;
DecimalFormat formatter = new DecimalFormat("00");
String aFormatted = formatter.format(a);

System.out.println(aFormatted);

Or, more briefly:

int a = 1;
System.out.println(new DecimalFormat("00").format(a));

An int just stores a quantity, and 01 and 1 represent the same quantity so they're stored the same way.

DecimalFormat builds a String that represents the quantity in a particular format.

like image 87
treythomas123 Avatar answered Sep 11 '25 03:09

treythomas123


// below, %02d says to java that I want my integer to be formatted as a 2 digit representation
String temp = String.format("%02d", yourIntValue);
// and if you want to do the reverse
int i = Integer.parse(temp);

// 2 -> 02 (for example)
like image 40
Joseph_Marzbani Avatar answered Sep 11 '25 03:09

Joseph_Marzbani