web-dev-qa-db-ja.com

ゼロを埋めるための16進関数の装飾

この簡単な関数を書きました:

def padded_hex(i, l):
    given_int = i
    given_len = l

    hex_result = hex(given_int)[2:] # remove '0x' from beginning of str
    num_hex_chars = len(hex_result)
    extra_zeros = '0' * (given_len - num_hex_chars) # may not get used..

    return ('0x' + hex_result if num_hex_chars == given_len else
            '?' * given_len if num_hex_chars > given_len else
            '0x' + extra_zeros + hex_result if num_hex_chars < given_len else
            None)

例:

padded_hex(42,4) # result '0x002a'
hex(15) # result '0xf'
padded_hex(15,1) # result '0xf'

これは私にとって十分に明確であり、私のユースケース(単純なプリンターの単純なテストツール)に合いますが、改善の余地はたくさんあると考えずにはいられません。

この問題に対して他にどのようなアプローチがありますか?

52
jon

新しい .format() stringメソッドを使用します。

>>> "{0:#0{1}x}".format(42,6)
'0x002a'

説明:

{   # Format identifier
0:  # first parameter
#   # use "0x" prefix
0   # fill with zeroes
{1} # to a length of n characters (including 0x), defined by the second parameter
x   # hexadecimal number, using lowercase letters for a-f
}   # End of format identifier

英字の16進数を大文字にし、プレフィックスを小文字の 'x'にする場合は、若干の回避策が必要です。

>>> '0x{0:0{1}X}'.format(42,4)
'0x002A'

Python 3.6から始めて、これを行うこともできます。

>>> value = 42
>>> padding = 6
>>> f"{value:#0{padding}x}"
'0x002a'
134
Tim Pietzcker

これはどう:

print '0x%04x' % 42
23
georg

つかいます *は幅を渡し、Xは大文字を渡します

print '0x%0*X' % (4,42) # '0x002A'

georg および Ashwini Chaudhary が示唆するとおり

5
GabrielOshiro

先行ゼロだけの場合は、zfill関数を試すことができます。

'0x' + hex(42)[2:].zfill(4) #'0x002a'
3
Xinyi Li

16進数の先頭にゼロを置きたい場合、たとえば、16進数を書き込む7桁が必要な場合、次のようにできます。

hexnum = 0xfff
str_hex =  hex(hexnum).rstrip("L").lstrip("0x") or "0"
'0'* (7 - len(str_hexnum)) + str_hexnum

これは結果として与えます:

'0000fff'
0