装饰十六进制功能以填充零


72

我写了这个简单的函数:

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'

尽管对我来说这很清楚,并且适合我的用例(用于简单打印机的简单测试工具),但我不禁认为还有很多改进的余地,并且可以将其缩小为非常简洁的内容。

还有什么其他方法可以解决这个问题?

Answers:


179

使用新的.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'

是否可以在python 3.6中将其写为格式字符串?
理查德·诺伊曼

是的,但没有成功,因为我无法为其找到正确的语法:value = 42; padding = 6; f"{value:#0{padding}x}"引发语法错误:`File“ <stdin>”,line 1 f“ {value:#0 {padding} x}” ^ SyntaxError:无效语法`
Richard Neumann

这对我适用于Python 3.6.4。尝试import sys; print(sys.version)确保您运行的解释器正确。
蒂姆·皮茨克



6

如果仅是前导零,则可以尝试zfill功能。

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

4

我需要的是

"{:02x}".format(7)   # '07'
"{:02x}".format(27)  # '1b'

其中:是的开始格式化规范为第一个参数{}.format(),则02是指“垫从左侧与输入0s到长度2”和x装置“的格式与小写字母的十六进制”。

上面也可以用f字符串完成:

f"{7:02x}"   # '07'
f"{27:02x}"  # '1b'

1

假设您想要十六进制数字的前导零,例如,您想在7位数字上写上您的十六进制数字,您可以这样做:

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

结果是:

'0000fff'

1
'%0*x' % (7,0xfff)
乔恩
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.