我有一个程序的另一个问题,将二进制数字转换为十六进制。我有一个运行良好的程序,但显示小帽的十六进制数字虽然答案需要在帽子中,如question and sample run所示
这是我的代码
def binaryToHex(binaryValue):
#convert binaryValue to decimal
decvalue = 0
for i in range(len(binaryValue)):
digit = binaryValue.pop()
if digit == '1':
decvalue = decvalue + pow(2, i)
#convert decimal to hexadecimal
hexadecimal=hex(decvalue)
return hexadecimal
def main():
binaryValue = list(input("Input a binary number: "))
hexval=binaryToHex(binaryValue)
hexa=h1.capitalize() #Tried to use capitalize() function but didn't worl
print("The hex value is",hexa[ 2:4]) #strips off the first 2 digits
main()
由于这有点相当 - 这是一个相当Pythonic的答案,并希望作为未来问题的规范参考。
首先,只需将输入保持为字符串:
binary_value = input('Enter a binary number: ')
然后使用带有int
参数2的内置base
(表示将字符串解释为二进制数字)从字符串中获取整数:
number = int(binary_value, 2)
# 10001111 -> 143
然后你可以使用f-string
打印你的号码格式说明符X
,意思是“十六进制大写字母,没有前缀”:
print(f'The hex value is {number:X}')
您的整个代码库将是类似的(坚持使用两个函数和您的命名约定):
def binaryToHex(binaryValue):
number = int(binaryValue, 2)
return format(number, 'X')
def main():
binaryValue = input('Enter a binary number: ')
print('The hex value is', binaryToHex(binaryValue))
main()
你犯的一个错误是代码中不存在h1但它存在。
字符串上的.upper()将其更改为大写
def main():
binaryValue = list(input("Input a binary number: "))
hexval=binaryToHex(binaryValue)
hexa=hexval.upper()
print("The hex value is",hexa[ 2:4]) #strips off the first 2 digits
输出:
Input a binary number: 10001111
The hex value is 8F
只做一个功能......
def binaryToHex():
binval = input('Input a binary number : ')
num = int(binval, base=2)
hexa = hex(num).upper().lstrip('0X')
print(f'The hex value is {hexa}')