search
HomeBackend DevelopmentPython TutorialDetailed explanation and practical guide of Python Socket programming

In today's Internet, the Socket protocol is one of the most important foundations. This article covers all areas of working with Socket programming in Python.

Detailed explanation and practical guide of Python Socket programming

Why use Sockets

Sockets are the various communication protocols that make up today's networks. These protocols enable the transmission of information between two different programs or devices. become possible. For example, when we open a browser, we as clients create a connection to the server to transfer information.

Before delving into this communication principle, let us first clarify what Sockets are.

What are Sockets

Generally speaking, Sockets are internal application protocols built for sending and receiving data. A single network will have two Sockets, one for each communicating device or program, these Sockets are a combination of IP address and port. Depending on the port number used, a single device can have "n" number of Sockets, and different ports can be used for different types of protocols.

The following figure shows some common port numbers and related protocol information:

##80httplib, urllib, requestsWeb pages, websitesFTP20NNTP##smtplibSend emailTelnetPOP3

Protocol

Port number

##Python library


Application


HTTP







##ftplib


File Transfer


119

##nttplib


News Transfer


SMTP


25





# #23


##telnetlib


Command line


##110

##poplib


Receive email



Gopher

70


gopherlib


Document transfer

Now that we have understood the concept of Sockets, let us take a look at Python's Socket module

How to implement Socket programming in Python

To implement Socket programming in Python, you need Import the socket module.

Some important methods of this module are as follows:

##socket.socket()Used to create socket (both server and client need to be created) ##socket.accept()#socket.bind()socket.close() socket.connect()socket.listen()

Now that we understand the importance of the socket module, let's look at how to build servers and clients in Python.

What is a server

A server is either a program, a computer, or a device specifically used to manage network resources. The server can be on the same device or computer, locally connected to other devices and computers, or even remotely. There are various types of servers such as database servers, web servers, print servers, etc.

Servers usually use socket.socket(), socket.bind(), socket.listen(), etc. to establish connections and bind to clients. Now let us write a program to create a server.

import socket
s=socket.socket(socket.AF_INET, socket.SOCK_STREAM)
s.bind((socket.gethostname(),1234))
#port number can be anything between 0-65535(we usually specify non-previleged ports which are > 1023)
s.listen(5)
 
while True:
clt,adr=s.accept()
print(f"Connection to {adr}established")
 #f string is literal string prefixed with f which 
 #contains python expressions inside braces
clt.send(bytes("Socket Programming in Python","utf-8 ")) #to send info to clientsocket

The first necessary condition for creating a socket is to import the relevant modules. Then use the socket.socket() method to create a server-side socket.


AF_INET refers to the address from the Internet, which requires a pair (host, port), where the host can be the URL or address of a specific website, The port number is an integer. SOCK_STREAM is used to create the TCP protocol.

bind()​ method accepts two parameters as a tuple (host, port). It should be noted here that it is best to use a 4-digit port number, because lower port numbers are usually occupied or reserved by the system. The listen() method allows the server to accept connections, and 5 is a queue for multiple connections accepted at the same time. The minimum value that can be specified here is 0, and if no parameters are specified, the default appropriate parameters are used.

The while loop allows forever to accept connections, clt and adr are the client objects and addresses, the print statement just prints out the address and port number of the client socket, and finally, clt.send is used to send bytes Send data to the unit.

Now that our server is set up, let's move on to the client.

What is a client

A client is a computer or software that receives information or services from a server. In the client-server model, the client requests services from the server. The best examples are web browsers such as Google Chrome, Firefox, etc. These web browsers request the web server to provide the required web pages and services based on the user's instructions. Other examples include online gaming, online chat, etc.

Now, let us see how to write a client program in the Python programming language:

import socket
s=socket.socket(socket.AF_INET, socket.SOCK_STREAM)
s.connect((socket.gethostname(), 2346))
msg=s.recv(1024)
print(msg.decode("utf-8"))

First, still import the socket module, and then create the socket as you did when creating the server. Then to create a connection between the client and server, you need to use the connect() method by specifying (host, port).

Note: When the client and server are on the same computer, you need to use gethostname. (LAN–localip/WAN–publicip)

Here, the client wants to receive some information from the server, for this we need to use the recv() method, the information is stored in another variable msg . It is important to note that the information being transferred will be in bytes, and in the client of the above program, a maximum of 1024 bytes (buffer size) can be received in one transfer. This can be specified as any number depending on the amount of information being transferred.

Finally, decode and print the message being transmitted.

Now that we have seen how to create client-server programs, let's look at how they need to be executed.

Client-server interaction

To execute these programs, you need to open the command program, enter the folder where the client and server programs are created, and then type:

py server.py #这里,server.py 是服务器的文件名

No surprises The server starts running

Detailed explanation and practical guide of Python Socket programming

To execute the client, you need to open another cmd window and type:

pyclient.py

Detailed explanation and practical guide of Python Socket programming

## below Let us reduce the buffer size to 7 and see what the same program would look like

Detailed explanation and practical guide of Python Socket programming

As shown in the figure, after 7 bytes have been transferred, the connection is terminated.

In fact, this is a problem because we have not received the complete information, but the connection was closed early. Let us solve this problem.

Multiple communication

In order to continue the connection before the client receives the complete message, we can use a while loop

import socket
s=socket.socket(socket.AF_INET, socket.SOCK_STREAM)
s.connect((socket.gethostname(), 2346))
while True:
msg=s.recv(7)
print(msg.decode("utf-8"))

After this modification, each transmission will be 7 words section to receive the complete message.

But this brings up another problem, the connection never terminates, you never know when it will terminate. Also, what if we don't actually know how big the message or information the client will receive from the server is. In this case, we need to continue to improve the code

complete_info=''
while True:
msg = s.recv(7)
if len(msg)<=0:
break
complete_info += msg.decode("utf-8")
print(complete_info)

On the server side, use the close() method as shown below:

clt.close()

The output is as follows:

Detailed explanation and practical guide of Python Socket programming

程序会检查信息的大小,并将其打印到一次两个字节的缓冲区中,然后在完成连接后关闭连接。

传输 Python 对象

目前为止我们仅仅掌握了传递字符串的方法,但是,Python 中的 Socket 编程也允许我们传输 Python 对象。这些对象可以是集合、元组、字典等。要实现这一点,需要用到 Python 的 pickle 模块。

Python pickle模块

当我们实际序列化或反序列化 Python 中的对象时,就会使用到 Python pickle 模块。让我们看一个小例子

import pickle
 
mylist=[1,2,'abc']
mymsg = pickle.dumps(mylist) 
print(mymsg)

Output:

b’x80x03]qx00(Kx01Kx02Xx03x00x00x00abcqx01e.’

在上面的程序中,mylist​是使用pickle模块的dumps()​函数序列化的。还要注意,输出以b开头,表示它已转换为字节。在 socket 编程中,可以实现此模块以在客户端和服务器之间传输 python 对象。

如何使用 pickle 模块传输 Python 对象

当我们将 pickle 与 socket 一起使用时,完全可以通过网络传输任何内容。

先来看看服务端代码

Server-Side:

import socket
import pickle
 
a=10
s=socket.socket(socket.AF_INET, socket.SOCK_STREAM)
s.bind((socket.gethostname(), 2133))#binding tuple
s.listen(5)
while True:
clt , adr = s.accept()
print(f"Connection to {adr}established")
 
m={1:"Client", 2:"Server"}
mymsg = pickle.dumps(m)#the msg we want to print later
mymsg = {len(mymsg):{a}}"utf-8") + mymsg
clt.send(mymsg)

这里,m​是一个字典,它基本上是一个需要从服务器发送到客户端的 Python 对象。这是通过首先使用dumps()序列化对象,然后将其转换为字节来完成的。

现在,让我们记下客户端:

Client-Side:

import socket
import pickle
a=10
s=socket.socket(socket.AF_INET, socket.SOCK_STREAM)
s.connect((socket.gethostname(), 2133))
 
while True:
complete_info = b''
rec_msg = True
while True:
mymsg = s.recv(10)
 if rec_msg:
print(f"The length of message = {mymsg[:a]}")
x = int (mymsg[:a ] )
rec_msg = False
complete_info += mymsg
if len(complete_info)-a == x:
print("Recieved the complete info")
print(complete_info[a:])
m = pickle.loads(complete_info[a:])
print(m)
rec_msg = True
complete_info = b''
print(complete_info)

第一个while循环将帮助我们跟踪完整的消息(complete_info)以及正在使用缓冲区接收的消息(rec_msg)。

然后,在接收消息时,我们所做的就是打印每一位消息,并将其放在大小为10的缓冲区中接收。此大小可以是任何大小,具体取决于个人选择。

然后如果收到的消息等于完整消息,我们只会将消息打印为收到的完整信息,然后使用loads()反序列化消息。

输出如下:

Detailed explanation and practical guide of Python Socket programming

##Methods


Description





is used to accept connections. It returns a pair of values ​​(conn, address), where conn is the new socket object used to send or receive data, and address is the socket address on the other end of the connection



#Used to bind to the address specified as a parameter



is used to close the socket



Used to connect to the remote address specified as a parameter



Enable the server to accept connections


The above is the detailed content of Detailed explanation and practical guide of Python Socket programming. For more information, please follow other related articles on the PHP Chinese website!

Statement
This article is reproduced at:51CTO.COM. If there is any infringement, please contact admin@php.cn delete
网络ms是什么意思网络ms是什么意思Jul 12, 2021 am 10:52 AM

网络ms是指网络延迟了以ms(毫秒)为单位的数据。网络中的ms就是指的毫秒,ms数值则代表了网络的延时情况,如果ms数值越高,说明当前网络延迟状况严重,用户进行游戏时会出现卡顿现象;如果ms数值越低,也就代表了网络状况流畅。

网络接入已满是什么意思网络接入已满是什么意思Feb 28, 2023 pm 02:15 PM

网络接入已满的意思是指当前连接的WIFI已经达到预定的设备数量了,无法再接入新的设备了;通俗说就是路由器设置了只能连接N个设备,现在已经足够了,所以新的设备就连接不了。

在因特网上的每一台主机都有唯一的地址标识称为什么在因特网上的每一台主机都有唯一的地址标识称为什么Aug 22, 2022 pm 03:24 PM

每一台主机都有唯一的地址标识称为“IP地址”。IP地址是IP协议提供的一种统一的地址格式,它为互联网上的每一个网络和每一台主机分配一个唯一的逻辑地址,以此来屏蔽物理地址的差异。由于有这种唯一的地址,才保证了用户在连网的计算机上操作时,能够高效而且方便地从千千万万台计算机中选出自己所需的对象来。

网络忙是什么意思网络忙是什么意思Mar 10, 2023 pm 03:39 PM

网络忙的意思就是“网络忙线”,指对方拒绝接听电话或者当信号不好时,就会出现提示网络忙;提示网络忙的其他原因有:1、所处的电话基站的无线信道太少或打电话的人太多;2、晚上IP路由比较忙,所以会经常听到网络忙的提示。

chn-ct是什么网络chn-ct是什么网络Oct 27, 2022 pm 05:09 PM

chn-ct是中国电信的4G网络。CHN-CT全称China Telecom(FDD-LTE),翻译过来是中国电信(第四代移动通信网络),属于中国电信的移动通信网络,只有电信用户可以使用。CHN-CT技术包括TD-LTE和FDD-LTE两种制式,但LTE只是3.9G,因此在严格意义上其还未达到4G的标准;只有升级版的LTE Advanced才满足国际电信联盟对4G的要求。

进网许可和进网试用有什么区别进网许可和进网试用有什么区别Sep 28, 2022 am 11:22 AM

进网许可和进网试用的区别:1、标志上的颜色不同,进网试用的标志颜色是绿色,而进网许可标志是蓝色的;2、两者的使用时间不同,进网试用是给用户一年的试用期,但是进网许可是直接进行使用,没有时间限制。

evdo是什么网络evdo是什么网络Oct 26, 2022 am 11:31 AM

evdo是电信的CDMA网络的3G网络制式,最高速度可以达到3.1M左右;evdo是三个单词的缩写,全称为“CDMA2000 1xEV-DO”,已被国际电联ITU接纳为国际3G标准。

puo的网络意思是什么puo的网络意思是什么Nov 21, 2022 am 10:43 AM

puo的网络意思是禁止的用户操作。puo其原理是通知用户是否对应用程序使用硬盘驱动器和系统文件授权,以达到帮助阻止恶意程序损坏系统的效果。puo提示要求获得许可才能提升权限时,桌面被锁定,这样它只接受来自Windows进程的消息;Windows页面内存管理进程作为单线程运行在每个处理器上,并在系统不处理其他线程的时候分派处理器的时间。

See all articles

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

AI Hentai Generator

AI Hentai Generator

Generate AI Hentai for free.

Hot Article

Repo: How To Revive Teammates
1 months agoBy尊渡假赌尊渡假赌尊渡假赌
R.E.P.O. Energy Crystals Explained and What They Do (Yellow Crystal)
2 weeks agoBy尊渡假赌尊渡假赌尊渡假赌
Hello Kitty Island Adventure: How To Get Giant Seeds
4 weeks agoBy尊渡假赌尊渡假赌尊渡假赌

Hot Tools

SAP NetWeaver Server Adapter for Eclipse

SAP NetWeaver Server Adapter for Eclipse

Integrate Eclipse with SAP NetWeaver application server.

Dreamweaver Mac version

Dreamweaver Mac version

Visual web development tools

ZendStudio 13.5.1 Mac

ZendStudio 13.5.1 Mac

Powerful PHP integrated development environment

Atom editor mac version download

Atom editor mac version download

The most popular open source editor

SublimeText3 Linux new version

SublimeText3 Linux new version

SublimeText3 Linux latest version