Home Backend Development Python Tutorial Detailed explanation of the use of smtplib module in Python to process emails with examples

Detailed explanation of the use of smtplib module in Python to process emails with examples

Feb 15, 2017 pm 02:27 PM
python smtplib

In Internet-based applications, programs often need to automatically send emails. For example: the registration system of a website will send an email to confirm the registration when the user registers; when the user forgets the login password, the user will retrieve the password through email. The smtplib module is a client implementation of SMTP (Simple Mail Transfer Protocol) in Python. We can use the smtplib module to send emails easily. The following example uses less than ten lines of code to send an email:

#coding=gbk 
 
import smtplib 
 
smtp = smtplib.SMTP() 
smtp.connect("smtp.yeah.net", "25") 
smtp.login('用户名', '密码') 
smtp.sendmail('from@yeah.net', 'to@21cn.com', 'From: from@yeah.net/r/nTo: to@21cn.com/r/nSubject: this is a email from python demo/r/n/r/nJust for test~_~') 
smtp.quit()
Copy after login


This example is simple enough^_^! The classes and methods in the stmplib module are introduced in detail below.
smtplib.SMTP([host[, port[, local_hostname[, timeout]]]])

SMTP class constructor, indicating the connection with the SMTP server, through With this connection, we can send instructions to the SMTP server and perform related operations (such as logging in, sending emails). This class provides a number of methods, which are described below. All its parameters are optional. The host parameter represents the host name of the SMTP server. The SMTP host in the above example is "smtp.yeah.net"; port represents the port of the SMTP service. The default is 25; if you are creating an SMTP object These two parameters are provided during initialization, and the connect method will be automatically called to connect to the server during initialization.

The smtplib module also provides the SMTP_SSL class and LMTP class, and their operations are basically the same as SMTP.

Methods provided by smtplib.SMTP:


##

SMTP.set_debuglevel(level)
Copy after login


Set whether it is in debug mode. The default is False, which is non-debugging mode, which means no debugging information will be output.



SMTP.connect([host[, port]])
Copy after login


Connect to the specified smtp server. The parameters represent the smpt host and port respectively. Note: You can also specify the port number in the host parameter (eg: smpt.yeah.net:25), so there is no need to give the port parameter.



SMTP.docmd(cmd[, argstring])
Copy after login


Send instructions to the smtp server. The optional parameter argstring represents the parameters of the instruction. The following example completely implements email sending by calling the docmd method to send instructions to the server (tested on the smtp.yeah.net mail server. It has not been tried on other mail servers):




import smtplib, base64, time 
userName = base64.encodestring('from').strip() 
password = base64.encodestring('password').strip() 
smtp = smtplib.SMTP() 
smtp.connect("smtp.yeah.net:25") 
print smtp.docmd('helo', 'from') 
print smtp.docmd('auth login') 
print smtp.docmd(userName) 
print smtp.docmd(password) 
print smtp.docmd(&#39;mail from:&#39;, &#39;<from@yeah.net>&#39;) 
print smtp.docmd(&#39;rcpt to:&#39;, &#39;<from@yeah.net>&#39;) 
#data 指令表示邮件内容 
print smtp.docmd(&#39;data&#39;) 
print smtp.docmd(
&#39;&#39;&#39;&#39;&#39;from: from@yeah.net 
to: from@yeah.net 
subject: subject 
email body 
. 
&#39;&#39;&#39;
) 
smtp.quit()
Copy after login


SMTP.helo([hostname])

Use the "helo" command to confirm identity to the server. It is equivalent to telling the SMTP server "who I am".


SMTP.has_extn(name)

Determine whether the specified name exists in the server mailing list. For security reasons, SMTP servers often block this command.


SMTP.verify(address)

Determine whether the specified email address exists in the server. For security reasons, SMTP servers often block this command.


SMTP.login(user, password)

Log in to the smtp server. Almost all SMTP servers now must verify that the user information is legitimate before allowing emails to be sent.


SMTP.sendmail(from_addr, to_addrs, msg[, mail_options, rcpt_options])

Send mail. Pay attention to the third parameter here. msg is a string representing an email. We know that emails generally consist of a title, sender, recipient, email content, attachments, etc. When sending an email, pay attention to the format of msg. This format is the format defined in the smtp protocol. In the above example, the value of msg is:



&#39;&#39;&#39;&#39;&#39;From: from@yeah.net 
To: to@21cn.com 
Subject: test 
 
just for test&#39;&#39;&#39;
Copy after login


This string It means that the sender of the email is "from@yeah.net", the recipient is "to@21cn.com", the title of the email is "test", and the content of the email is "just for test". If you are careful, you may wonder: If the content of the email to be sent is very complex, including pictures, videos, attachments, etc., it will be very troublesome to splice strings according to the MIME format. Don't worry, Python has already taken this into consideration. It provides us with an email module, which can be used to easily send emails with complex content such as pictures, videos, attachments, etc. After introducing the smtplib module, I will briefly introduce the basic use of the email module.


SMTP.quit()

Disconnecting from the SMTP server is equivalent to sending the "quit" command.


email and its related submodules

The emial module is used to process email messages, including MIME and other message documents based on RFC 2822. It is very simple to use these modules to define the content of emails. The following are some commonly used classes:

  • class email.mime.multipart. MIMEMultipart: A collection of multiple MIME objects.

  • class email.mime.audio. MIMEAudio: MIME audio object.

  • class email.mime.image. MIMEImage: MIME binary file object.

  • class email.mime.text. MIMEText: MIME text object.

The above explanation may seem confusing. In fact, my understanding of SMTP and MIME is also very superficial. But most of the time, we just need to know how to use it. Here is a simple example to demonstrate how to use these classes to send emails with attachments:




#coding=gbk 
import smtplib, mimetypes 
from email.mime.text import MIMEText 
from email.mime.multipart import MIMEMultipart 
from email.mime.image import MIMEImage 
 
msg = MIMEMultipart() 
msg[&#39;From&#39;] = "from@yeah.net" 
msg[&#39;To&#39;] = &#39;to@21cn.com&#39; 
msg[&#39;Subject&#39;] = &#39;email for tesing&#39; 
 
#添加邮件内容 
txt = MIMEText("这是邮件内容~~") 
msg.attach(txt) 
 
#添加二进制附件 
fileName = r&#39;e:/PyQt4.rar&#39; 
ctype, encoding = mimetypes.guess_type(fileName) 
if ctype is None or encoding is not None: 
 ctype = &#39;application/octet-stream&#39; 
maintype, subtype = ctype.split(&#39;/&#39;, 1) 
att1 = MIMEImage((lambda f: (f.read(), f.close()))(open(fileName, &#39;rb&#39;))[0], _subtype = subtype) 
att1.add_header(&#39;Content-Disposition&#39;, &#39;attachment&#39;, filename = fileName) 
msg.attach(att1) 
 
#发送邮件 
smtp = smtplib.SMTP() 
smtp.connect(&#39;smtp.yeah.net:25&#39;) 
smtp.login(&#39;from&#39;, &#39;密码&#39;) 
smtp.sendmail(&#39;from@yeah.net&#39;, &#39;to@21cn.com&#39;, msg.as_string()) 
smtp.quit() 
print &#39;邮件发送成功&#39;
Copy after login
More examples detail the processing of the smtplib module in Python For related articles on the use of email, please pay attention to the PHP Chinese website!


Statement of this Website
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn

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

R.E.P.O. Energy Crystals Explained and What They Do (Yellow Crystal)
3 weeks ago By 尊渡假赌尊渡假赌尊渡假赌
R.E.P.O. Best Graphic Settings
3 weeks ago By 尊渡假赌尊渡假赌尊渡假赌
R.E.P.O. How to Fix Audio if You Can't Hear Anyone
3 weeks ago By 尊渡假赌尊渡假赌尊渡假赌
WWE 2K25: How To Unlock Everything In MyRise
4 weeks ago By 尊渡假赌尊渡假赌尊渡假赌

Hot Tools

Notepad++7.3.1

Notepad++7.3.1

Easy-to-use and free code editor

SublimeText3 Chinese version

SublimeText3 Chinese version

Chinese version, very easy to use

Zend Studio 13.0.1

Zend Studio 13.0.1

Powerful PHP integrated development environment

Dreamweaver CS6

Dreamweaver CS6

Visual web development tools

SublimeText3 Mac version

SublimeText3 Mac version

God-level code editing software (SublimeText3)

Do mysql need to pay Do mysql need to pay Apr 08, 2025 pm 05:36 PM

MySQL has a free community version and a paid enterprise version. The community version can be used and modified for free, but the support is limited and is suitable for applications with low stability requirements and strong technical capabilities. The Enterprise Edition provides comprehensive commercial support for applications that require a stable, reliable, high-performance database and willing to pay for support. Factors considered when choosing a version include application criticality, budgeting, and technical skills. There is no perfect option, only the most suitable option, and you need to choose carefully according to the specific situation.

How to use mysql after installation How to use mysql after installation Apr 08, 2025 am 11:48 AM

The article introduces the operation of MySQL database. First, you need to install a MySQL client, such as MySQLWorkbench or command line client. 1. Use the mysql-uroot-p command to connect to the server and log in with the root account password; 2. Use CREATEDATABASE to create a database, and USE select a database; 3. Use CREATETABLE to create a table, define fields and data types; 4. Use INSERTINTO to insert data, query data, update data by UPDATE, and delete data by DELETE. Only by mastering these steps, learning to deal with common problems and optimizing database performance can you use MySQL efficiently.

How to optimize MySQL performance for high-load applications? How to optimize MySQL performance for high-load applications? Apr 08, 2025 pm 06:03 PM

MySQL database performance optimization guide In resource-intensive applications, MySQL database plays a crucial role and is responsible for managing massive transactions. However, as the scale of application expands, database performance bottlenecks often become a constraint. This article will explore a series of effective MySQL performance optimization strategies to ensure that your application remains efficient and responsive under high loads. We will combine actual cases to explain in-depth key technologies such as indexing, query optimization, database design and caching. 1. Database architecture design and optimized database architecture is the cornerstone of MySQL performance optimization. Here are some core principles: Selecting the right data type and selecting the smallest data type that meets the needs can not only save storage space, but also improve data processing speed.

HadiDB: A lightweight, horizontally scalable database in Python HadiDB: A lightweight, horizontally scalable database in Python Apr 08, 2025 pm 06:12 PM

HadiDB: A lightweight, high-level scalable Python database HadiDB (hadidb) is a lightweight database written in Python, with a high level of scalability. Install HadiDB using pip installation: pipinstallhadidb User Management Create user: createuser() method to create a new user. The authentication() method authenticates the user's identity. fromhadidb.operationimportuseruser_obj=user("admin","admin")user_obj.

Navicat's method to view MongoDB database password Navicat's method to view MongoDB database password Apr 08, 2025 pm 09:39 PM

It is impossible to view MongoDB password directly through Navicat because it is stored as hash values. How to retrieve lost passwords: 1. Reset passwords; 2. Check configuration files (may contain hash values); 3. Check codes (may hardcode passwords).

Does mysql need the internet Does mysql need the internet Apr 08, 2025 pm 02:18 PM

MySQL can run without network connections for basic data storage and management. However, network connection is required for interaction with other systems, remote access, or using advanced features such as replication and clustering. Additionally, security measures (such as firewalls), performance optimization (choose the right network connection), and data backup are critical to connecting to the Internet.

Can mysql workbench connect to mariadb Can mysql workbench connect to mariadb Apr 08, 2025 pm 02:33 PM

MySQL Workbench can connect to MariaDB, provided that the configuration is correct. First select "MariaDB" as the connector type. In the connection configuration, set HOST, PORT, USER, PASSWORD, and DATABASE correctly. When testing the connection, check that the MariaDB service is started, whether the username and password are correct, whether the port number is correct, whether the firewall allows connections, and whether the database exists. In advanced usage, use connection pooling technology to optimize performance. Common errors include insufficient permissions, network connection problems, etc. When debugging errors, carefully analyze error information and use debugging tools. Optimizing network configuration can improve performance

Does mysql need a server Does mysql need a server Apr 08, 2025 pm 02:12 PM

For production environments, a server is usually required to run MySQL, for reasons including performance, reliability, security, and scalability. Servers usually have more powerful hardware, redundant configurations and stricter security measures. For small, low-load applications, MySQL can be run on local machines, but resource consumption, security risks and maintenance costs need to be carefully considered. For greater reliability and security, MySQL should be deployed on cloud or other servers. Choosing the appropriate server configuration requires evaluation based on application load and data volume.

See all articles