web-dev-qa-db-fra.com

in python comment convertir un nombre à un chiffre en une chaîne à deux chiffres?

Alors dis que j'ai

a = 5

je veux l'imprimer comme une chaîne '05'

40
Joe Schmoe

print "%02d"%a est la variante python 2

python 3 utilise un système de formatage un peu plus détaillé:

"{0:0=2d}".format(a)

Le lien doc approprié pour python2 est: http://docs.python.org/2/library/string.html#format-specification-mini-language

Pour python3, c'est http://docs.python.org/3/library/string.html#string-formatting

75
jkerian
a = 5
print '%02d' % a
# output: 05

L'opérateur '%' est appelé opérateur formatage de chaîne lorsqu'il est utilisé avec une chaîne sur le côté gauche. '%d' est le code de mise en forme pour imprimer un nombre entier (vous obtiendrez une erreur de type si la valeur n'est pas numérique). Avec '%2d vous pouvez spécifier la longueur et '%02d' peut être utilisé pour définir le caractère de remplissage à 0 au lieu de l'espace par défaut.

18
tux21b
>>> print '{0}'.format('5'.zfill(2))
05

En savoir plus ici .

14
user225312
>>> a=["%02d" % x for x in range(24)]
>>> a
['00', '01', '02', '03', '04', '05', '06', '07', '08', '09', '10', '11', '12', '13', '14', '15', '16', '17', '18', '19', '20', '21', '22', '23']
>>> 

C'est aussi simple que ça

4

En Python3, vous pouvez:

print("%02d" % a)
2
Sarvesh Chitko

Branche de la réponse de Mohommad:

str_years = [x for x in range(24)]
#[0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23]

#Or, if you're starting with ints:
int_years = [int(x) for x in str_years]

#Formatted here
form_years = ["%02d" % x for x in int_years]

print(form_years)
#['00', '01', '02', '03', '04', '05', '06', '07', '08', '09', '10', '11', '12', '13', '14', '15', '16', '17', '18', '19', '20', '21', '22', '23']

0
Alex Schwab
df["col_name"].str.rjust(4,'0')#(length of string,'value') --> ValueXXX --> 0XXX  
df["col_name"].str.ljust(4,'0')#(length of string,'value') --> XXXValue --> XXX0
0
nishant thakkar