KEMBAR78
Python Socket Programming Guide | PDF | Network Socket | Port (Computer Networking)
0% found this document useful (0 votes)
67 views17 pages

Python Socket Programming Guide

Python socket programing
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
67 views17 pages

Python Socket Programming Guide

Python socket programing
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
You are on page 1/ 17

Socket Programming in Python

Sockets are the fundamental building blocks of network communication and play a crucial
role in establishing connections between devices. They provide an interface for
applications to send and receive data over networks. Understanding the basics and types
of sockets is essential before diving into socket programming in Python.
Basics of Sockets
A socket is an endpoint in a network communication process that enables data
exchange between two devices. It is associated with a unique combination of an IP
address and a port number, which together identify a specific process running on a
device. Sockets enable applications to send and receive data using transport layer
protocols like TCP and UDP.
There are two primary operations performed by sockets: listening and connecting. A
server socket listens for incoming connections from client sockets, while client sockets
initiate connections to server sockets. Once a connection is established, data can be
transmitted bidirectionally between the server and client.
Sockets can be broadly classified into two categories based on the transport layer
protocol they use: stream sockets and datagram sockets.
Stream Sockets (TCP Sockets)
Stream sockets use the Transmission Control Protocol (TCP) for communication. They
are connection-oriented, meaning that a connection is established between the sender
and receiver before data transmission. Stream sockets ensure reliable, in-order, and
error-free communication, making them suitable for applications that require high
reliability, such as web browsing, file transfers, and email.
Some key characteristics of stream sockets are:
● Reliable: They guarantee accurate, in-order, and error-free data transmission.
● Connection-oriented: A connection must be established before data can be
exchanged.
● Full-duplex: They allow simultaneous data transmission in both directions.
●Suitable for applications requiring high reliability and accurate data transmission.

Datagram Sockets (UDP Sockets)


Datagram sockets use the User Datagram Protocol (UDP) for communication. They are
connectionless, meaning that data is transmitted independently without establishing a
connection between sender and receiver. Datagram sockets are suitable for applications
that prioritize speed and simplicity over reliability, such as streaming media, online
gaming, and Voice over IP (VoIP).
Some key characteristics of datagram sockets are:
● Unreliable: They do not guarantee data delivery, order, or integrity.
● Connectionless: No connection is established before data transmission.
● Lightweight: They have a smaller header size compared to stream sockets, resulting in
lower overhead and faster processing.
● Suitable for applications requiring minimal latency and fast data transmission.

Understanding the basics and types of sockets is essential for successful socket
programming in Python. Stream sockets (TCP) and datagram sockets(UDP) cater to
different types of applications based on their reliability, connection orientation, and
latency requirements. By choosing the appropriate socket type, you can develop efficient
network applications that meet the specific needs of various use cases.
Python Socket Library
Python provides a built-in library called 'socket' that makes it easy to perform network
programming tasks, such as creating, connecting, and managing sockets. The socket
library provides various functions and classes for working with both TCP (stream) and
UDP (datagram) sockets.
In this section, we will learn about the socket library and how to use it for socket
programming in Python.

Importing Socket Library


To start using the socket library, you need to import it at the beginning of your Python
script:
import socket

Creating a Socket in Python


To create a socket in Python, you can use the socket.socket() function provided by the
socket library. This function takes two arguments: the address family (AF) and the socket
type (SOCK). The address family is used to specify the protocol family (IPv4 or IPv6), and
the socket type is used to specify the transport layer protocol (TCP or UDP).
For example, to create a TCP socket using IPv4, you would call the socket.socket()
function like this:
tcp_socket = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
Similarly, to create a UDP socket using IPv4, you would use the following
code:
udp_socket = socket.socket(socket.AF_INET,socket.SOCK_DGRAM)

Binding Socket to IP Address and Port


Before a server socket can listen for incoming connections, it must be bound to an IP
address and port number. This can be done using the bind() method of the socket
object. The bind() method takes a single argument, a tuple containing the IP address
and port number.
For example, to bind a socket to the IP address '127.0.0.1' and port number
12345, you would use the following code:
address = ('127.0.0.1', 12345)
tcp_socket.bind(address)

Closing a Socket
When you are done using a socket, it is important to close it using the close() method.
This frees up system resources and prevents potential conflicts with other applications.
tcp_socket.close()
Now that you have a basic understanding of the socket library and how to create, bind,
and close sockets in Python, you are ready to explore more advanced topics, such as
establishing connections, sending and receiving data, and implementing server and client
applications using TCP and UDP sockets.

TCP Socket Programming


Now, let us learn and practice to establish TCP connections, send and receive data over
TCP, and terminate a TCP connection using Python's socket library.
Establishing a TCP Connection
To establish a TCP connection, the server must first create a socket, bind it to an IP
address and port, and then start listening for incoming clientconnections. The following
steps demonstrate how to achieve this:
Create a socket:
import socket
server_socket = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
Bind the socket to an IP address and port:
address = ('127.0.0.1', 12345)
server_socket.bind(address)

Listen for incoming connections:


server_socket.listen(5) # The argument (5) is the maximum number of queued
connections.
Accept an incoming connection:
client_socket, client_address = server_socket.accept()
print(f"Connection established with {client_address}")

On the client-side, you need to create a socket and connect to the server's IP address
and port.
Create a socket:
import socket
client_socket = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
Connect to the server:
server_address = ('127.0.0.1', 12345)
client_socket.connect(server_address)
Sending and Receiving Data over TCP
Once a connection is established, you can use the send() and recv() methods
to transmit and receive data over TCP.
Sending Data:
To send data, you can use the send() method of the socket object. This method takes a
single argument, the data to be sent, which must be a byteslike object.
Example (Client-Side):
data = "Hello, Server!"
client_socket.send(data.encode()) # Convert the string to bytes and send it.
Receiving Data:
To receive data, you can use the recv() method of the socket object. This method takes
a single argument, the maximum amount of data (in bytes) to receive, and returns the
received data as a bytes-like object.

Example (Server-Side):
data = server_socket.recv(1024) # Receive up to 1024 bytes of data.
print(f"Received data: {data.decode()}") # Convert the bytes to a string and print
it.

Terminating a TCP Connection


To close a TCP connection, both the server and client should close their respective sockets
using the close() method.
Server-Side:
client_socket.close()
server_socket.close()
Client-Side:
client_socket.close()
In the simplest terms, to execute TCP socket programming in Python, you will first need
to build and bind a socket, then establish a connection, then send and receive data, and
lastly close the connection.

Implementing a TCP Server and Client


We start with creating a simple TCP server and client using Python's socket library. The
server will listen for incoming client connections, receive a message from the client, print
the received message, and send a response back to the client.

TCP Server
Create a file named "tcp_server.py" and add the following code:
import socket
# Create a socket
server_socket = socket.socket(socket.AF_INET,socket.SOCK_STREAM)
# Bind the socket to an IP address and port
address = ('127.0.0.1', 12345)
server_socket.bind(address)
# Listen for incoming connections
server_socket.listen(5)
print("Server listening on", address)
while True:
# Accept an incoming connection
client_socket, client_address = server_socket.accept()
print(f"Connection established with {client_address}")
# Receive data from the client
data = client_socket.recv(1024)
print(f"Received data: {data.decode()}")
# Send a response back to the client
response = "Hello, Client!"
client_socket.send(response.encode())
# Close the client socket
client_socket.close()
# Close the server socket (unreachable in this particular sample program)
server_socket.close()

TCP Client
Create a file named "tcp_client.py" and add the following code:
import socket
# Create a socket
client_socket = socket.socket(socket.AF_INET,
socket.SOCK_STREAM)
# Connect to the server
server_address = ('127.0.0.1', 12345)
client_socket.connect(server_address)
print(f"Connected to server at {server_address}")
# Send data to the server
data = "Hello, Server!"
client_socket.send(data.encode())
# Receive data from the server
response = client_socket.recv(1024)
print(f"Received data: {response.decode()}")
# Close the client socket
client_socket.close()

Running the TCP Server and Client


To run the TCP server and client, follow these steps:
Open two terminal windows.
In the first terminal, navigate to the directory containing "tcp_server.py" and run the
following command:
python tcp_server.py
The server will start listening for incoming connections.
In the second terminal, navigate to the directory containing "tcp_client.py" and run the
following command:
python tcp_client.py
The client will connect to the server, send a message, receive a response, and print the
received data.
Observe the output in both terminals. The server should display the connection details
and the received message, while the client should display the connection details and
the received response.
Creating a TCP server and client in Python requires establishing connections, binding
sockets, transmitting and receiving data, and finally closing the connections.
Additionally, you will need to create sockets and bind them. If you follow these
instructions, you will be able to construct a wide variety of server and client applications
that take advantage of the connection-oriented and reliable characteristics offered by
the TCP protocol.

UDP Socket Programming in Python


Similar to TCP socket programming, we will also learn about UDP socket programming in
Python, including establishing a UDP connection, working with connectionless sockets,
and sending and receiving data over UDP. We will use a similar example as used in the
previous section, with a server that listens for incoming messages and sends a response
back to the client.
Establishing a UDP Connection
Unlike TCP, UDP is a connectionless protocol, meaning there is no need to establish a
connection between the server and client. Instead, the server and client simply send
and receive data without establishing a formal connection.
Working with Connectionless Sockets
To create a UDP server, you need to create a socket, bind it to an IP address and port,
and start listening for incoming datagrams. The following steps demonstrate how to
achieve this:
Create a socket:
import socket
server_socket = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)

Bind the socket to an IP address and port:


address = ('127.0.0.1', 12345)
server_socket.bind(address)
On the client-side, you need to create a socket, and you can directly send and receive
data without connecting to the server.
Create a socket:
import socket
client_socket = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)

Sending and Receiving Data over UDP


Sending Data:
To send data over UDP, you can use the sendto() method of the socket object. This
method takes two arguments: the data to be sent (a bytes-like object) and the
destination address (a tuple containing the IP address and port number).
Example (Client-Side):
data = "Hello, Server!"
server_address = ('127.0.0.1', 12345)
client_socket.sendto(data.encode(), server_address)
Receiving Data:
To receive data over UDP, you can use the recvfrom() method of the socket
object. This method takes a single argument, the maximum amount of data
(in bytes) to receive, and returns the received data as a bytes-like object and
the source address.
Example (Server-Side):
data, client_address = server_socket.recvfrom(1024)
print(f"Received data: {data.decode()} from {client_address}")
Implementing a UDP Server and Client
UDP Server
Create a file named "udp_server.py" and add the following code:
import socket
# Create a socket
server_socket = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)
# Bind the socket to an IP address and port
address = ('127.0.0.1', 12345)
server_socket.bind(address)
print("Server listening on", address)
while True:
# Receive data from the client
data, client_address = server_socket.recvfrom(1024)
print(f"Received data: {data.decode()} from {client_address}")
# Send a response back to the client
response = "Hello, Client!"
server_socket.sendto(response.encode(), client_address)
UDP Client
Create a file named "udp_client.py" and add the following code:
import socket
# Create a socket
client_socket = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)
# Send data to the server
data = "Hello, Server!"
server_address = ('127.0.0.1', 12345)
client_socket.sendto(data.encode(), server_address)
# Receive data from the server
response, server_address = client_socket.recvfrom(1024)
print(f"Received data: {response.decode()} from
{server_address}")
Close the client socket
client_socket.close()

Running the UDP Server and Client


To run the UDP server and client, follow these steps:
Open two terminal windows.
In the first terminal, navigate to the directory containing "udp_server.py"
and run the following command:
python udp_server.py
The server will start listening for incoming datagrams.
In the second terminal, navigate to the directory containing "udp_client.py"
and run the following command:
python udp_client.py

The client will send a message to the server and receive a response, printing
the received data.
Observe the output in both terminals. The server should display the received message
and the client's address, while the client should display the received response and the
server's address.
Writing a UDP socket in Python is far less complicated than writing a TCP socket in
Python due to the fact that there is no need to create a connection between the server
and the client. You can construct server and client programs that take use of the speed
and simplicity offered by the UDP protocol by employing connectionless sockets to
communicate with one another via the methods'sendto()' and'recvfrom()'.

Python Internet Modules

A list of some important modules which could be used in Python Network/Internet programming.
More Summary

Socket Address Families

 IPv4 (AF_INET): Most commonly used IP address family.


 IPv6 (AF_INET6): Used for more modern IP address architecture.

Socket Types

 Stream (SOCK_STREAM): Provides a reliable, two-way, connection-based byte


stream.
 Datagram (SOCK_DGRAM): Provides connectionless, unreliable messages
(datagrams).

Server Socket Methods

Client Socket Methods


General Socket Methods

Practice Examples

1. A Simple Server
To write Internet servers, we use the socket function available in socket module to create a socket
object. A socket object is then used to call other functions to setup a socket server.
Now call bind(hostname, port) function to specify a port for your service on the given host.
Next, call the accept method of the returned object. This method waits until a client connects to the
port you specified, and then returns a connection object that represents the connection to that client.

#!C:\Python33\python.exe
# Echo server program
import socket
host = socket.gethostname()
port = 12345
s = socket.socket()
s.bind((host, port))
s.listen(5)
conn, addr = s.accept()
print('Got connection from ', addr[0], '(', addr[1], ')')
print('Thank you for connecting')
while True:
data = conn.recv(1024)
if not data: break
conn.sendall(data)

conn.close()

A Simple Client
Now we will write a very simple client program which will open a connection to a given port
12345 and given host. This is very simple to create a socket client using Python's socket module
function.
The socket.connect(hosname, port ) opens a TCP connection to hostname on the port. Once you
have a socket open, you can read from it like any IO object. When done, remember to close it, as
you would close a file.
The following code is a very simple client that connects to a given host and port, reads any
available data from the socket, and then exits:
#!C:\Python33\python.exe
# Echo client program
import socket
host = socket.gethostname()
port = 12345
s = socket.socket()
s.connect((host, port))
s.sendall(b'Welcome User!')
data = s.recv(1024)
s.close()

print(repr(data))

Now run this server.py in background and then run above client.py to see the result.
Output:
Step 1: Run server.py. It would start a server in background.
Step 2: Run client.py. Once server is started run client.
Step 3: Output of server.py generates as follows:

Step 4: Output of client.py generates as follows:

2. Creating a Simple TCP Server and Client

In this section, we will walk through the steps to create a simple TCP server and client
using Python's socket module. TCP (Transmission Control Protocol) is a connection-
oriented protocol, meaning it requires a connection to be established between the
server and client before data can be exchanged.

2.1 Steps to Create a TCP Server in Python

Creating a TCP server involves the following steps:

1. Create a socket: The server needs a socket to communicate with clients.


2. Bind the socket: Assign the socket to a specific IP address and port.
3. Listen for connections: The server waits for incoming connection requests.
4. Accept a connection: Once a connection is requested, the server accepts it.
5. Send and receive data: The server and client exchange data.
6. Close the connection: After communication is done, the connection is closed.

2.2. TCP Server Example

Let's create a simple TCP server in Python:

import socket

# Step 1: Create a TCP/IP socket


server_socket = socket.socket(socket.AF_INET, socket.SOCK_STREAM)

# Step 2: Bind the socket to an address and port


server_socket.bind(('localhost', 65432))

# Step 3: Listen for incoming connections


server_socket.listen()

print("Server is listening on port 65432...")

# Step 4: Accept a connection


while True:
client_socket, client_address = server_socket.accept()
print(f"Connection from {client_address} has been established.")

# Step 5: Send and receive data


client_socket.sendall(b'Hello, client! Welcome to the server.')

# Receive data from the client (optional, depending on use case)


data = client_socket.recv(1024)
print(f"Received {data.decode()} from {client_address}")

# Step 6: Close the connection


client_socket.close()

Output:

Server is listening on port 65432...

2.3. Steps to Create a TCP Client in Python

Creating a TCP client involves the following steps:

1. Create a socket: The client needs a socket to communicate with the server.
2. Connect to the server: The client connects to the server's IP address and port.
3. Send and receive data: The client and server exchange data.
4. Close the connection: After communication is complete, the client closes the
connection.

2.4. TCP Client Example

Let's create a simple TCP client in Python:

import socket

# Step 1: Create a TCP/IP socket


client_socket = socket.socket(socket.AF_INET, socket.SOCK_STREAM)

# Step 2: Connect to the server


server_address = ('localhost', 65432)
client_socket.connect(server_address)

try:
# Step 3: Send and receive data
message = b'Hello, Server!'
client_socket.sendall(message)

# Wait for a response from the server


data = client_socket.recv(1024)
print(f"Received {data.decode()} from the server")

finally:
# Step 4: Close the connection
client_socket.close()

Output:

Received Hello, client! Welcome to the server. from the server

Meanwhile, the server will display:

Connection from ('127.0.0.1', <random port>) has been established.


Received Hello, Server! from ('127.0.0.1', <random port>)

Understanding the Server-Client Communication


 Server: The server waits for incoming client connections and establishes a connection
when a client requests one. It can then exchange messages with the client over this
connection. The server must run continuously to accept new connections.
 Client: The client initiates the connection by specifying the server's address and port.
Once connected, the client can send data to the server and receive responses. After the
communication is complete, the client closes the connection.

3. Creating a Simple UDP Server and Client

UDP (User Datagram Protocol) is a connectionless protocol that allows the exchange of
messages (datagrams) without establishing a connection. This makes UDP faster but
less reliable than TCP, as it does not guarantee the delivery, order, or integrity of the
messages.

In this section, we'll walk through the process of creating a simple UDP server and
client in Python. This example will demonstrate how to send and receive messages
between the server and the client.

3.1. Steps to Create a UDP Server in Python

1. Create a socket: Use the socket.socket() function with the SOCK_DGRAM parameter
to create a UDP socket.
2. Bind the socket: Bind the socket to an IP address and port number using
the bind() method.
3. Receive data: Use the recvfrom() method to receive data from a client.
4. Send a response: Use the sendto() method to send a response back to the client.

3.2. UDP Server Example

Let's start by creating a simple UDP server that listens for incoming messages and
sends back a response.

import socket

def udp_server(host='127.0.0.1', port=12345):


# Create a UDP socket
server_socket = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)

# Bind the socket to the address


server_socket.bind((host, port))
print(f"UDP server is listening on {host}:{port}...")

while True:
# Receive message from client
message, client_address = server_socket.recvfrom(1024) # Buffer size is 1024
bytes
print(f"Received message from {client_address}: {message.decode()}")

# Optionally, send a response back to the client


response = "Message received"
server_socket.sendto(response.encode(), client_address)

if __name__ == "__main__":
udp_server()

Output:

UDP server is listening on 127.0.0.1:12345...

3.3. Steps to Create a UDP Client in Python

1. Create a socket using socket.socket() with SOCK_DGRAM.


2. Send data using sendto().
3. Receive a response using recvfrom().

3.4. UDP Client Example:

import socket

def udp_client(server_host='127.0.0.1', server_port=12345, message="Hello, UDP


Server!"):
# Create a UDP socket
client_socket = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)

# Send message to the server


client_socket.sendto(message.encode(), (server_host, server_port))
print(f"Message sent to {server_host}:{server_port}")

# Optionally, receive a response from the server


response, server_address = client_socket.recvfrom(1024) # Buffer size is 1024
bytes
print(f"Received response from server: {response.decode()}")

# Close the socket


client_socket.close()

if __name__ == "__main__":
udp_client()

Output:

Message sent to 127.0.0.1:12345


Received response from server: Message received

You might also like