Print only one zero from the leading zeros in python

628 Views Asked by At

I have the following task, take number from input, extend it to 12 digits and then print billions, millions, thousands, hundreds and unit. I have split the number to corresponding parts as string. The code follows:

num = input("Please enter a number: ")
num = str(num)

zero = num.zfill(12)

billion = zero[0:3]
million = zero[3:6]
thousand = zero[6:9]
hundred = zero[9:10]
unit = zero[10:]

Suppose, the num is 63380.

Expected output

0 billion 0 million 63 thousand 3 hundred and 80

But I get

000 billion 000 million 063 thousand 3 hundred and 80
2

There are 2 best solutions below

3
On

you can convert your zero string to int() like this

num = input("Please enter a number: ")
num = str(num)

zero = num.zfill(12)

billion = int(zero[0:3])
million = int(zero[3:6])
thousand = int(zero[6:9])
hundred = int(zero[9:10])
unit = int(zero[10:])

print(billion ,'billion', million ,'million', thousand , 'thousand' , hundred , 'hundred and' , unit)

converting into int do this. 3.7 to 3 '3' to 3 and 000000000003 to 3 and 00000 to 0. it deletes many zeros in the front of the numbers and convert string to int.
and float(like 3.7) to int(to 3) by discarding it.

0
On

You can use a dictionary to control the decimals.

num = 63380

dict = {
9:'billion',
6:'million',
3:'thousand',
2:'hundred',
0:' '
}
for key, item in dict.items():
    n=num//10**key
    print(n,item,end =' ') 
    num-=n*10**key

Output:

0 billion 0 million 63 thousand 3 hundred 80