Python sendto()未执行

时间:2018-10-24 16:21:41

标签: python sockets sendto

我有一个程序,该程序可以通过UDP接受坐标,移动一些设备,然后在完成工作后回复。

我似乎和这个人有同样的问题:

Python sendto doesn't seem to send

我的代码在这里:

import socket
import struct
import traceback
def main():


    sock = socket.socket(socket.AF_INET,socket.SOCK_DGRAM)
    sock.bind(('',15000))
    reply_sock = socket.socket(socket.AF_INET,socket.SOCK_DGRAM)


    while True:
        try:
            data,addr = sock.recvfrom(1024)
            if data is not None:
                try:
                    coords = struct.unpack('>dd',data)

                    #Stuff happens here 

                    print(f'moved probe to {coords}')

                    reply_sock.sendto(bytearray.fromhex('B'),('10.0.0.32',15001))
                except:
                    traceback.print_exc()
                    try:
                        reply_sock.sendto(bytearray.fromhex('D'),('10.0.0.32',15001))
                    except:
                        traceback.print_exc()
                    break
        except:
            pass

程序的行为就像sendto调用刚刚传递一样;它接受数据包,执行print语句,然后循环返回(它可以多次执行循环,但从不回复)。我正在查看Wireshark,并且没有数据包发送到出站。不会抛出任何错误。

有任何想法为什么会这样?

1 个答案:

答案 0 :(得分:0)

来自the documentation

  

该字符串每个字节必须包含两个十六进制数字,并使用ASCII   空格被忽略。

所以这会发生:

$ python3
Python 3.6.6 (default, Sep 12 2018, 18:26:19) 
[GCC 8.0.1 20180414 (experimental) [trunk revision 259383]] on linux
Type "help", "copyright", "credits" or "license" for more information.
>>> bytearray.fromhex('B')
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
ValueError: non-hexadecimal number found in fromhex() arg at position 1
>>> 

尝试一下:

reply_sock.sendto(bytearray.fromhex('0B'),('10.0.0.32',15001))

如果那是你的意思。

请注意,您的except正在捕获所有异常,而不仅仅是您所期望的异常,因此您不会看到所引起的错误。考虑在此处使用类似except OSError的东西。

还要考虑减少try部分中的代码量:

coords = struct.unpack('>dd',data)

#Stuff happens here 

print(f'moved probe to {coords}')

bytes_to_send = bytearray.fromhex('0B')
try:
    reply_sock.sendto(bytes_to_send,('10.0.0.32',15001))
except IOError as e1:
    print(e1)
    traceback.print_exc()

    bytes_to_send = bytearray.fromhex('0D')
    try:
        reply_sock.sendto(bytes_to_send,('10.0.0.32',15001))
    except IOError as e2:
        print(e2)
        traceback.print_exc()
        break

这样,您可以只保护 您想要的代码。