2019-11-14

使用 Python 发送邮件

内置模块

  • email:构建邮件内容
  • smtplib:发送邮件

stmplib 模块使用示例

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
import smtplib

# SMTP Simple Mail Transfer Protocol
server = smtplib.SMTP(host, port)
# SSL 加密
server = smtplib.SMTP_SSL(host, port)
# Python 3.7 以后使用
server = smtplib.SMTP_SSL(host, port)

# 连接一个服务器
server.connect(host, port)

# 邮箱账号与授权码
server.login(username, password)

# 发送地址,收件人,内容
server.sendmail(from_addr, to_addr, msg.as_string())
server.quit()

email 模块使用示例

1
2
3
4
5
6
7
8
9
from email.mime.text import MIMEText
from email.mime.image import MIMEImage
from email.mime.multipart import MIMEMultipart

# 文本内容,文本类型,charset
msg = MIMEText.(msg, type, charset)

# 发送 HTML 文档
msg = MIMEText.(msg, 'html', 'utf-8')

email 模块配置邮件头部

1
2
3
4
5
6
7
8
9
10
11
12
13
from email.header import Header

# 邮件标题
message['Subject'] = Header(Subject)

# 发件人
message['From'] = Header(from_addr)

# 收件人
message['To'] = Header(to_addr)

# 抄送谁
message['Cc'] = Header(','.join(receivers))

email 实现群发

1
2
3
receivers = ['email@baidu.com', 'email@google.com']
server.sendmail(config.from_addr, receivers, content.as_string())
server.quit()

email 发送代码简单示例

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
import config
import smtplib
from email.header import Header
from email.mime.text import MIMEText

# 连接服务器
server = smtplib.SMTP_SSL(config.host, config.port)

# 登录服务器
server.login(config.username, config.password)

# 编写邮件内容
content = 'Hello World'
content_type = 'plain'
charset = 'utf-8'
content = MIMEText(content, content_type, charset)

# 编写邮件头部
content['From'] = config.from_addr
content['To'] = config.to_addr
content['Subject'] = Header(config.subject, charset)

# 发送邮件
server.sendmail(config.from_addr, config.to_addr, content.as_string())
server.quit()