Python3 邮件模块
Python3 邮件模块主要指的是用于发送电子邮件的smtplib模块和用于处理邮件内容的email模块。以下是一个使用smtplib发送邮件的示例代码:
import smtplib
from email.mime.text import MIMEText
from email.mime.multipart import MIMEMultipart
# 邮件发送者和接收者
sender_email = "your_email@example.com"
receiver_email = "receiver_email@example.com"
password = "your_password" # 注意这里不是你的邮箱密码,而是第三方登录密码或者应用专用密码
# 创建邮件对象和设置邮件内容
message = MIMEMultipart("alternative")
message["Subject"] = "Python Email Test"
message["From"] = sender_email
message["To"] = receiver_email
# 创建邮件正文
text = """\
This is an example email
"""
html = """\
<html>
<body>
<p>This is an example email</p>
</body>
</html>
"""
# 添加正文到邮件对象
part1 = MIMEText(text, "plain")
part2 = MIMEText(html, "html")
# 添加正文到邮件对象
message.attach(part1)
message.attach(part2)
# 发送邮件
try:
# 创建SMTP服务器连接
server = smtplib.SMTP('smtp.gmail.com', 587) # 使用Gmail服务,如果是其他服务商,服务器地址和端口可能不同
server.starttls() # 启用TLS
server.login(sender_email, password) # 登录邮箱
# 发送邮件
server.sendmail(sender_email, receiver_email, message.as_string())
print("Email sent successfully")
except Exception as e:
print("Something went wrong...", e)
finally:
server.quit() # 关闭服务器连接
确保替换your_email@example.com
, receiver_email@example.com
, 和 your_password
为你自己的邮箱地址和密码。
注意:发送邮件时,需要使用第三方登录密码或者应用专用密码,而不是邮箱的实际密码。如果你使用的是Gmail,需要在Gmail的设置中启用“对第三方应用的支持”。其他邮件服务的设置可能略有不同,请根据实际情况进行调整。
评论已关闭