使用 UDP 數(shù)據(jù)包發(fā)送短的文本消息實(shí)現(xiàn)是很簡單的并且提供可一個(gè)非常輕量級的消息傳遞通道。但是這種模式有很大的缺陷,就是不保證的數(shù)據(jù)的可靠性,有可能會(huì)存在丟包的情況,甚至嚴(yán)重的情況就是服務(wù)器不可用的時(shí)候,會(huì)完全丟失你的消息。不過這個(gè)任務(wù)會(huì)在有些情況下十分有作用:
你不關(guān)心消息是否丟失;
你不想要終止程序只是因?yàn)橄o法傳遞;
server.py
import socket
port = 8081
s = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)
s.bind(("", port))
print "waiting on port:", port
while 1:
data, addr = s.recvfrom(1024)
print data
---
client.py
import socket
port = 8081
host = "localhost"
s = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)
s.bind(("", 0))
s.sendto("Holy Guido! It's working.", (host, port))
還有一個(gè)提醒事項(xiàng),不要用上面的程序發(fā)送大量的數(shù)據(jù)包,尤其是在 Windows 上。要是想要發(fā)送大的消息的話,你可以這樣做:
BUFSIZE = 1024
while msg:
s.sendto(msg[:BUFSIZE], (host, port))
msg = msg[BUFSIZE:]
更多建議: