ZeroMQ如何在pyzmq中获取绑定地址

问题描述 投票:0回答:2

我在 Python 中使用 ZMQ 绑定,我想将客户端绑定到某个端口,然后将该位置发送到其他客户端进行连接。 现在这是基本的绑定代码:

subscriber = context.socket(zmq.SUB)
...
subscriber.bind("tcp://0.0.0.0:12345")

我需要获取的是外部地址,而不是

0.0.0.0
,假设我的电脑有IP
192.168.1.10
,我需要获取“tcp://192.168.1.10:12345”并将其发送给其他客户端,因为发送
 tcp://0.0.0.0:12345
没用。

如何获取ZMQ用于创建套接字的接口的外部IP?

电脑上可能有网卡的数量,如果我只是尝试使用普通套接字获取外部IP,它可能是无效的,因为我不知道ZMQ使用了什么网卡。

python sockets zeromq pyzmq
2个回答
1
投票

0.0.0.0 (INADDR_ANY) 是“任意”地址(不可路由的元地址)。这是一种指定“任何 IPv4 接口”的方法。 这意味着您的所有接口都在侦听端口 12345。

要列出所有网络接口,我建议使用像 this

这样的库

如果您使用的是 Linux,您可以这样做:

import array
import struct
import socket
import fcntl

SIOCGIFCONF = 0x8912  #define SIOCGIFCONF
BYTES = 4096          # Simply define the byte size

# get_iface_list function definition 
# this function will return array of all 'up' interfaces 
def get_iface_list():
    # create the socket object to get the interface list
    sck = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)

    # prepare the struct variable
    names = array.array('B', '\0' * BYTES)

    # the trick is to get the list from ioctl
    bytelen = struct.unpack('iL', fcntl.ioctl(sck.fileno(), SIOCGIFCONF, struct.pack('iL', BYTES, names.buffer_info()[0])))[0]

    # convert it to string
    namestr = names.tostring()

    # return the interfaces as array
    return [namestr[i:i+32].split('\0', 1)[0] for i in range(0, bytelen, 32)]

# now, use the function to get the 'up' interfaces array
ifaces = get_iface_list()

# well, what to do? print it out maybe... 
for iface in ifaces:
 print iface

0
投票

要获取您机器的 IP 地址,这可能会有所帮助:

def get_ip_data(ether_adapter):
    ip_data = os.popen("ifconfig " + ether_adapter)
    for line in ip_data:
        match2 = re.search(r'inet addr:+(\d+.\d+.\d+.\d+)', line)
        if match2:
            ip_ = match2.group(1)
            return ip_
if __name__=="__main__":
    ethernet_card = "wlp3s0"   ---> This might be etho or whatever you want
    ip_of_the_machine = get_ip_data(ethernet_card)
© www.soinside.com 2019 - 2024. All rights reserved.