将点十进制IP地址转换为二进制(Python)

时间:2013-11-02 16:38:52

标签: python binary ip ip-address data-conversion

我需要一个将用户输入的IPv4地址转换为Binary和Base 10地址的程序。像这样:

input: 142.55.33.1
output (base 10): [2385977601]
output (base 2): [10001110 00110111 00100001 00000001]

到目前为止,我已设法将其转换为base10地址,但我似乎无法解决基本2问题:

#!/usr/bin/python3

ip_address = input("Please enter a dot decimal IP Address: ")

#splits the user entered IP address on the dot
ListA = ip_address.split(".")
ListA = list(map(int, ListA))

ListA = ListA[0]*(256**3) + ListA[1]*(256**2) + ListA[2]*(256**1) + ListA[3]
print("The IP Address in base 10 is: " , ListA)

#attempt at binary conversion (failing)
#ListA = ListA[0]*(2**3) + ListA[1]*(2**2) + ListA[2]*(2**1) + ListA[3]
#print("The IP Address in base 2 is: " , ListA)

非常感谢任何帮助。谢谢。

2 个答案:

答案 0 :(得分:4)

使用format

>>> text = '142.55.33.1'
>>> ' ' .join(format(int(x), '08b') for x in text.split('.'))
'10001110 00110111 00100001 00000001'

如果你想要一个清单:

>>> [format(int(x), '08b') for x in text.split('.')]
['10001110', '00110111', '00100001', '00000001']

此格式将整数转换为其二进制字符串表示形式:

>>> format(8, 'b')
'1000'
>>> format(8, '08b')  #with padding
'00001000'

答案 1 :(得分:1)

使用str.format

>>> ip_address = '142.55.33.1'
>>> ['{:08b}'.format(int(n)) for n in ip_address.split('.')]
['10001110', '00110111', '00100001', '00000001']
>>> ' '.join('{:08b}'.format(int(n)) for n in ip_address.split('.'))
'10001110 00110111 00100001 00000001'