Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How do get numbers to display as two digits in C?

Tags:

c

digit

For C programming. How do i get numbers to be displayed as 00, 01, 02, 03, instead of 0, 1, 2, 3. I just need 0 before the number until 10.

i know when your doing decimals you can do "%.2f" etc. but what about in reverse for integers?

here is what I am using...**

printf("Please enter the hours: ");     scanf ("%d",&hour); printf("Please enter the minutes: ");     scanf ("%d",&minute); printf("Please enter the seconds: ");     scanf ("%d",&second); printf("%d : %d : %d\n", hour, minute, second); 

}

I need the numbers to display as 00 : 00 : 00

??

like image 366
Adeel Anwar Avatar asked Jan 31 '13 03:01

Adeel Anwar


People also ask

What is 02d in C?

%02d means an integer, left padded with zeros up to 2 digits.


2 Answers

You need to use %02d if you want leading zeroes padded to two spaces:

printf ("%02d : %02d : %02d\n", hour, minute, second); 

See for example the following complete program:

#include <stdio.h> int main (void) {     int hh = 3, mm = 1, ss = 4, dd = 159;     printf ("Time is %02d:%02d:%02d.%06d\n", hh, mm, ss, dd);     return 0; } 

which outputs:

Time is 03:01:04.000159 

Keep in mind that the %02d means two characters minimum width so it would output 123 as 123. That shouldn't be a problem if your values are valid hours, minutes and seconds, but it's worth keeping in mind because many inexperienced coders seem to make the mistake that 2 is somehow the minimum and maximum length.

like image 56
paxdiablo Avatar answered Oct 21 '22 19:10

paxdiablo


Use the format: %02d instead. The 0 means to pad the field using zeros and the 2 means that the field is two characters wide, so for any numbers that take less than 2 characters to display, it will be padded with a 0.

like image 43
dreamlax Avatar answered Oct 21 '22 21:10

dreamlax