92

我写了这个简单的函数:

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'

虽然这对我来说很清楚并且适合我的用例(用于简单打印机的简单测试工具),但我不禁认为还有很大的改进空间,这可以压缩成非常简洁的东西。

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

4

7 回答 7

222

使用新的.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'
于 2012-09-28T10:43:09.413 回答
31

这个怎么样:

print '0x%04x' % 42
于 2012-09-28T10:40:55.890 回答
15
"{:02x}".format(7)   # '07'
"{:02x}".format(27)  # '1b'

在哪里

  • :是第一个参数的格式化规范{}的开始.format()
  • 02意思是“从左边用 s 填充输入0到长度2
  • x表示“格式为带有小写字母的十六进制”

您也可以使用f-strings执行此操作:

f"{7:02x}"   # '07'
f"{27:02x}"  # '1b'
于 2020-01-01T13:07:00.467 回答
14

如果只是为了前导零,你可以试试zfill函数。

'0x' + hex(42)[2:].zfill(4) #'0x002a'
于 2018-11-03T07:58:13.343 回答
7

用于*传递宽度和X大写

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

正如georgAshwini Chaudhary所建议的那样

于 2014-08-23T23:41:32.003 回答
1

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

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

结果是:

'0000fff'
于 2019-03-10T16:19:05.500 回答
1

没有一个答案可以很好地处理负数......
试试这个:

val = 42
nbits = 16
'{:04X}'.format(val & ((1 << nbits)-1))

在此处输入图像描述

于 2021-10-25T22:05:46.973 回答