Differences between revisions 3 and 4
Revision 3 as of 2005-03-31 16:14:18
Size: 1375
Editor: aaron
Comment: added client example
Revision 4 as of 2008-11-15 14:00:41
Size: 1379
Editor: localhost
Comment: converted to 1.6 markup
Deletions are marked like this. Additions are marked like this.
Line 3: Line 3:
[[TableOfContents()]] <<TableOfContents>>
Line 64: Line 64:
 * [http://www.python.org/doc/current/lib/module-socket.html socket] -- builtin Python module
 * [http://www.python.org/doc/current/lib/module-telnetlib.html telnetlib] -- builtin Python module
 * [http://woozle.org/~neale/papers/sockets.html Introduction to TCP Sockets] -- uses Python to explain
 * [[http://www.python.org/doc/current/lib/module-socket.html|socket]] -- builtin Python module
 * [[http://www.python.org/doc/current/lib/module-telnetlib.html|telnetlib]] -- builtin Python module
 * [[http://woozle.org/~neale/papers/sockets.html|Introduction to TCP Sockets]] -- uses Python to explain

TCP Communication

See also: UdpCommunication

Client

Here's simple code to send and receive data by TCP in Python:

   1 #!/usr/bin/env python
   2 
   3 import socket
   4 
   5 
   6 TCP_IP = '127.0.0.1'
   7 TCP_PORT = 5005
   8 BUFFER_SIZE = 1024
   9 MESSAGE="Hello, World!"
  10 
  11 s = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
  12 s.connect((TCP_IP, TCP_PORT))
  13 s.send(MESSAGE)
  14 data = s.recv(BUFFER_SIZE)
  15 s.close()
  16 
  17 print "received data:", data

Server

Here's simple code to serve TCP in Python:

   1 #!/usr/bin/env python
   2 
   3 import socket
   4 
   5 
   6 TCP_IP = '127.0.0.1'
   7 TCP_PORT = 5005
   8 BUFFER_SIZE = 10  # Normally 1024, but we want fast response
   9 
  10 s = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
  11 s.bind((TCP_IP, TCP_PORT))
  12 s.listen(1)
  13 
  14 conn, addr = s.accept()
  15 print 'Connection address:', addr
  16 while 1:
  17     data = conn.recv(BUFFER_SIZE)
  18     if not data: break
  19     print "received data:", data
  20     conn.send(data)  # echo
  21 conn.close()

Discussion

  • (none yet!)

TcpCommunication (last edited 2012-09-05 08:32:33 by dhcp-069093)

Unable to edit the page? See the FrontPage for instructions.