email: 示例

以下是一些如何使用 email 包来读取、写入和发送简单电子邮件以及更复杂的MIME邮件的示例。

首先,让我们看看如何创建和发送简单的文本消息(文本内容和地址都可能包含unicode字符):

  1. # 导入 smtplib 以使用实际的发送函数
  2. import smtplib
  3. # 导入我们需要的 email 模块
  4. from email.message import EmailMessage
  5. # 打开 textfile 中相应名称的纯文本文件供读取。
  6. with open(textfile) as fp:
  7. # 创建纯文本消息
  8. msg = EmailMessage()
  9. msg.set_content(fp.read())
  10. # me == 发送方 email 地址
  11. # you == 接收方 email 地址
  12. msg['Subject'] = f'The contents of {textfile}'
  13. msg['From'] = me
  14. msg['To'] = you
  15. # 通过我们使用的 SMTP 服务器发送消息。
  16. s = smtplib.SMTP('localhost')
  17. s.send_message(msg)
  18. s.quit()

解析 RFC 822 标题可以通过使用 parser 模块中的类来轻松完成:

  1. # 导入我们需要的 email 模块
  2. #from email.parser import BytesParser
  3. from email.parser import Parser
  4. from email.policy import default
  5. # 如果 email 标头保存在文件中,则取消注释这两行:
  6. # with open(messagefile, 'rb') as fp:
  7. # headers = BytesParser(policy=default).parse(fp)
  8. # 或者如果要从字符串中解析标头(这是不太常见的操作),使用:
  9. headers = Parser(policy=default).parsestr(
  10. 'From: Foo Bar <user@example.com>\n'
  11. 'To: <someone_else@example.com>\n'
  12. 'Subject: Test message\n'
  13. '\n'
  14. 'Body would go here\n')
  15. # 现在标头条目将可作为字典访问:
  16. print('To: {}'.format(headers['to']))
  17. print('From: {}'.format(headers['from']))
  18. print('Subject: {}'.format(headers['subject']))
  19. # 你也可以访问地址的各个部分:
  20. print('Recipient username: {}'.format(headers['to'].addresses[0].username))
  21. print('Sender name: {}'.format(headers['from'].addresses[0].display_name))

以下是如何发送包含可能在目录中的一系列家庭照片的MIME消息示例:

  1. # 导入 smtplib 以使用实际的发送函数。
  2. import smtplib
  3. # 以下是我们要用到的 email 包模块。
  4. from email.message import EmailMessage
  5. # 创建容器 email 消息。
  6. msg = EmailMessage()
  7. msg['Subject'] = 'Our family reunion'
  8. # me == 发送方 email 地址
  9. # family = 所有接收方的 email 地址列表
  10. msg['From'] = me
  11. msg['To'] = ', '.join(family)
  12. msg.preamble = 'You will not see this in a MIME-aware mail reader.\n'
  13. # 以二进制模式打开文件。 你也可以忽略子类型
  14. # 如果你想要 MIMEImage 自动猜测的话。
  15. for file in pngfiles:
  16. with open(file, 'rb') as fp:
  17. img_data = fp.read()
  18. msg.add_attachment(img_data, maintype='image',
  19. subtype='png')
  20. # 通过我们自己的 SMTP 服务器发送 email。
  21. with smtplib.SMTP('localhost') as s:
  22. s.send_message(msg)

以下是如何将目录的全部内容作为电子邮件消息发送的示例: [1]

  1. #!/usr/bin/env python3
  2. """将目录的内容作为 MIME 消息来发送。"""
  3. import os
  4. import smtplib
  5. # 用于根据文件扩展名来猜测 MIME 类型
  6. import mimetypes
  7. from argparse import ArgumentParser
  8. from email.message import EmailMessage
  9. from email.policy import SMTP
  10. def main():
  11. parser = ArgumentParser(description="""\
  12. Send the contents of a directory as a MIME message.
  13. Unless the -o option is given, the email is sent by forwarding to your local
  14. SMTP server, which then does the normal delivery process. Your local machine
  15. must be running an SMTP server.
  16. """)
  17. parser.add_argument('-d', '--directory',
  18. help="""Mail the contents of the specified directory,
  19. otherwise use the current directory. Only the regular
  20. files in the directory are sent, and we don't recurse to
  21. subdirectories.""")
  22. parser.add_argument('-o', '--output',
  23. metavar='FILE',
  24. help="""Print the composed message to FILE instead of
  25. sending the message to the SMTP server.""")
  26. parser.add_argument('-s', '--sender', required=True,
  27. help='The value of the From: header (required)')
  28. parser.add_argument('-r', '--recipient', required=True,
  29. action='append', metavar='RECIPIENT',
  30. default=[], dest='recipients',
  31. help='A To: header value (at least one required)')
  32. args = parser.parse_args()
  33. directory = args.directory
  34. if not directory:
  35. directory = '.'
  36. # 创建消息
  37. msg = EmailMessage()
  38. msg['Subject'] = f'Contents of directory {os.path.abspath(directory)}'
  39. msg['To'] = ', '.join(args.recipients)
  40. msg['From'] = args.sender
  41. msg.preamble = 'You will not see this in a MIME-aware mail reader.\n'
  42. for filename in os.listdir(directory):
  43. path = os.path.join(directory, filename)
  44. if not os.path.isfile(path):
  45. continue
  46. # 根据文件扩展名来猜测内容类型。
  47. # 编码格式将被忽略,不过我们应当检查某些简单事务
  48. # 例如是否为 gzip 或压缩文件。
  49. ctype, encoding = mimetypes.guess_file_type(path)
  50. if ctype is None or encoding is not None:
  51. # 不可以猜测,或者文件已被编码(压缩),
  52. # 因此我们使用基本的比特位数据类型。
  53. ctype = 'application/octet-stream'
  54. maintype, subtype = ctype.split('/', 1)
  55. with open(path, 'rb') as fp:
  56. msg.add_attachment(fp.read(),
  57. maintype=maintype,
  58. subtype=subtype,
  59. filename=filename)
  60. # 现在执行消息发送或存储
  61. if args.output:
  62. with open(args.output, 'wb') as fp:
  63. fp.write(msg.as_bytes(policy=SMTP))
  64. else:
  65. with smtplib.SMTP('localhost') as s:
  66. s.send_message(msg)
  67. if __name__ == '__main__':
  68. main()

以下是如何将上述MIME消息解压缩到文件目录中的示例:

  1. #!/usr/bin/env python3
  2. """将 MIME 消息解包到一个文件目录中。"""
  3. import os
  4. import email
  5. import mimetypes
  6. from email.policy import default
  7. from argparse import ArgumentParser
  8. def main():
  9. parser = ArgumentParser(description="""\
  10. Unpack a MIME message into a directory of files.
  11. """)
  12. parser.add_argument('-d', '--directory', required=True,
  13. help="""Unpack the MIME message into the named
  14. directory, which will be created if it doesn't already
  15. exist.""")
  16. parser.add_argument('msgfile')
  17. args = parser.parse_args()
  18. with open(args.msgfile, 'rb') as fp:
  19. msg = email.message_from_binary_file(fp, policy=default)
  20. try:
  21. os.mkdir(args.directory)
  22. except FileExistsError:
  23. pass
  24. counter = 1
  25. for part in msg.walk():
  26. # multipart/* 只是一些容器
  27. if part.get_content_maintype() == 'multipart':
  28. continue
  29. # 应用程序真的应该对所给文件名做无害化处理
  30. # 以保证 email 消息不能被用来覆盖重要的文件
  31. filename = part.get_filename()
  32. if not filename:
  33. ext = mimetypes.guess_extension(part.get_content_type())
  34. if not ext:
  35. # Use a generic bag-of-bits extension
  36. ext = '.bin'
  37. filename = f'part-{counter:03d}{ext}'
  38. counter += 1
  39. with open(os.path.join(args.directory, filename), 'wb') as fp:
  40. fp.write(part.get_payload(decode=True))
  41. if __name__ == '__main__':
  42. main()

以下是如何使用备用纯文本版本创建 HTML 消息的示例。 为了让事情变得更有趣,我们在 html 部分中包含了一个相关的图像,我们保存了一份我们要发送的内容到硬盘中,然后发送它。

  1. #!/usr/bin/env python3
  2. import smtplib
  3. from email.message import EmailMessage
  4. from email.headerregistry import Address
  5. from email.utils import make_msgid
  6. # 创建基本的文本消息。
  7. msg = EmailMessage()
  8. msg['Subject'] = "Pourquoi pas des asperges pour ce midi ?"
  9. msg['From'] = Address("Pepé Le Pew", "pepe", "example.com")
  10. msg['To'] = (Address("Penelope Pussycat", "penelope", "example.com"),
  11. Address("Fabrette Pussycat", "fabrette", "example.com"))
  12. msg.set_content("""\
  13. Salut!
  14. Cette recette [1] sera sûrement un très bon repas.
  15. [1] http://www.yummly.com/recipe/Roasted-Asparagus-Epicurious-203718
  16. --Pepé
  17. """)
  18. # 增加 html 版本。 这会将消息转换为一个 multipart/alternative 容器,
  19. # 原始文本消息作为第一部分而新的 html 消息作为第二部分。
  20. asparagus_cid = make_msgid()
  21. msg.add_alternative("""\
  22. <html>
  23. <head></head>
  24. <body>
  25. <p>Salut!</p>
  26. <p>Cette
  27. <a href="http://www.yummly.com/recipe/Roasted-Asparagus-Epicurious-203718">
  28. recette
  29. </a> sera sûrement un très bon repas.
  30. </p>
  31. <img src="cid:{asparagus_cid}" />
  32. </body>
  33. </html>
  34. """.format(asparagus_cid=asparagus_cid[1:-1]), subtype='html')
  35. # 请注意我们需要将 <> 从 msgid 中去掉以便在 html 中使用。
  36. # 现在添加相关图像到 html 部分中。
  37. with open("roasted-asparagus.jpg", 'rb') as img:
  38. msg.get_payload()[1].add_related(img.read(), 'image', 'jpeg',
  39. cid=asparagus_cid)
  40. # 创建我们将要发送的内容的本地副本。
  41. with open('outgoing.msg', 'wb') as f:
  42. f.write(bytes(msg))
  43. # 通过本地 SMTP 服务器发送消息。
  44. with smtplib.SMTP('localhost') as s:
  45. s.send_message(msg)

如果我们发送最后一个示例中的消息,这是我们可以处理它的一种方法:

  1. import os
  2. import sys
  3. import tempfile
  4. import mimetypes
  5. import webbrowser
  6. # 导入我们需要的 email 模块
  7. from email import policy
  8. from email.parser import BytesParser
  9. def magic_html_parser(html_text, partfiles):
  10. """返回链接到 partfiles 的经安全性处理的 html。
  11. 重写 href="cid:...." 属性以指向 partfiles 中的文件名。
  12. 虽然并非琐碎,这应可使用 html.parser 来实现。
  13. """
  14. raise NotImplementedError("Add the magic needed")
  15. # 在真正的程序中你将从参数中获得文件名。
  16. with open('outgoing.msg', 'rb') as fp:
  17. msg = BytesParser(policy=policy.default).parse(fp)
  18. # 现在可通过字典形式访问标头条目,并且任何非 ASCII 内容
  19. # 都将被转换为 unicode:
  20. print('To:', msg['to'])
  21. print('From:', msg['from'])
  22. print('Subject:', msg['subject'])
  23. # 如果我们想要打印消息内容的预览,可以提取
  24. # 未经格式化的载荷并打印其中前三行。 当然,
  25. # 如果消息没有纯文本部分则打印 html 的前三行
  26. # 可能是无用的,但这只是个概念性的示例。
  27. simplest = msg.get_body(preferencelist=('plain', 'html'))
  28. print()
  29. print(''.join(simplest.get_content().splitlines(keepends=True)[:3]))
  30. ans = input("View full message?")
  31. if ans.lower()[0] == 'n':
  32. sys.exit()
  33. # 我们可以提取最丰富的替代项用于显示:
  34. richest = msg.get_body()
  35. partfiles = {}
  36. if richest['content-type'].maintype == 'text':
  37. if richest['content-type'].subtype == 'plain':
  38. for line in richest.get_content().splitlines():
  39. print(line)
  40. sys.exit()
  41. elif richest['content-type'].subtype == 'html':
  42. body = richest
  43. else:
  44. print("Don't know how to display {}".format(richest.get_content_type()))
  45. sys.exit()
  46. elif richest['content-type'].content_type == 'multipart/related':
  47. body = richest.get_body(preferencelist=('html'))
  48. for part in richest.iter_attachments():
  49. fn = part.get_filename()
  50. if fn:
  51. extension = os.path.splitext(part.get_filename())[1]
  52. else:
  53. extension = mimetypes.guess_extension(part.get_content_type())
  54. with tempfile.NamedTemporaryFile(suffix=extension, delete=False) as f:
  55. f.write(part.get_content())
  56. # 再次去除 <> 以将 cid 的 email 形式转为 html 形式。
  57. partfiles[part['content-id'][1:-1]] = f.name
  58. else:
  59. print("Don't know how to display {}".format(richest.get_content_type()))
  60. sys.exit()
  61. with tempfile.NamedTemporaryFile(mode='w', delete=False) as f:
  62. f.write(magic_html_parser(body.get_content(), partfiles))
  63. webbrowser.open(f.name)
  64. os.remove(f.name)
  65. for fn in partfiles.values():
  66. os.remove(fn)
  67. # 当然,许多 email 消息都有可能破坏这个简单的程序,
  68. # 但它将能处理最普通的消息。

直到输出提示,上面的输出是:

  1. To: Penelope Pussycat <penelope@example.com>, Fabrette Pussycat <fabrette@example.com>
  2. From: Pepé Le Pew <pepe@example.com>
  3. Subject: Pourquoi pas des asperges pour ce midi ?
  4. Salut!
  5. Cette recette [1] sera sûrement un très bon repas.

备注

[1]

感谢 Matthew Dixon Cowles 提供最初的灵感和示例。