套接字类型
面向连接的套接字
- 基于TCP/IP,使用SOCKET_STREAM作为套接字类型
无连接的套接字
- 基于UDP/IP,使用SOCKET_DGRAM作为套接字类型
pyhton中的网络编程
socket模块
1
| socket(socket_family, socket_type, protocol = 0)
|
- 客户端套接字
1 2
| s.connect() s.connect_ex()
|
创建一个时间戳服务器
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22
| from socket import * from time import ctime HOST = '' PORT = 23456 ADDR = (HOST, PORT) BUFSIZE = 1024
tcpSerSocket = socket(AF_INET,SOCK_STREAM) tcpSerSocket.bind(ADDR) tcpSerSocket.listen(5)
while True: print("waiting for connection ...") tcpCliSocket, addr = tcpSerSocket.accept() print("connected from:", addr) while True: data = tcpCliSocket.recv(BUFSIZE) if not data: break tcpCliSocket.send(data+b' time now:'+bytes(ctime(), 'utf-8')) tcpCliSocket.close() tcpSerSocket.close()
|
创建一个客户机
1 2 3 4 5 6 7 8 9 10 11 12 13 14
| from socket import * from time import ctime HOST = "192.168.0.118" PORT = 23456 ADDR = (HOST, PORT) BUFSIZE = 1024
tcpCliSocket = socket(AF_INET, SOCK_STREAM) tcpCliSocket.connect(ADDR)
while True: data = input('> ') if not data: break
|