我写了这个简单的函数:
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'
虽然这对我来说足够清楚并且适合我的用例(一个简单的打印机简单的测试工具),我不禁想到有很大的改进空间,这可以被压缩到非常简洁的东西。 / p>
这个问题有哪些其他方法?
答案 0 :(得分:126)
使用新的.format()
字符串方法:
>>> "{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
如果你希望字母十六进制数字大写,但前缀小写'x',你需要一个小的解决方法:
>>> '0x{0:0{1}X}'.format(42,4)
'0x002A'
从Python 3.6开始,您也可以这样做:
>>> value = 42
>>> padding = 6
>>> f"{value:#0{padding}x}"
'0x002a'
答案 1 :(得分:21)
这个怎么样:
print '0x%04x' % 42
答案 2 :(得分:5)
答案 3 :(得分:2)
如果仅用于前导零,则可以尝试使用zfill
函数。
'0x' + hex(42)[2:].zfill(4) #'0x002a'
答案 4 :(得分:1)
我需要的是
"{:02x}".format(2) # '02'
"{:02x}".format(42) # '2a'
或作为f字符串:
f"{2:02x}" # '02'
f"{42:02x}" # '2a'
答案 5 :(得分:0)
假设您要使用十六进制数字的前导零,例如,您想在7位数字上写上您的十六进制数字,您可以这样做:
hexnum = 0xfff
str_hex = hex(hexnum).rstrip("L").lstrip("0x") or "0"
'0'* (7 - len(str_hexnum)) + str_hexnum
结果是:
'0000fff'