我修改了python docs中的示例,以测试电子邮件模块中的unicode。
#!/usr/bin/env python
# -*- coding: utf-8 -*-
from __future__ import absolute_import, division, unicode_literals, print_function
import smtplib
from email.mime.multipart import MIMEMultipart
from email.mime.text import MIMEText
# me == my email address
# you == recipient's email address
me = "my@email.com"
you = "your@email.com"
umlauts='German Umlauts: üöä ÜÖÄ ß'
# Create message container - the correct MIME type is multipart/alternative.
msg = MIMEMultipart('alternative')
msg['Subject'] = umlauts
msg['From'] = me
msg['To'] = you
# Create the body of the message (a plain-text and an HTML version).
text = umlauts
html = """\
<html>
<head></head>
<body>
<p>Hi!<br>
%s
</p>
</body>
</html>
""" % umlauts
# Record the MIME types of both parts - text/plain and text/html.
part1 = MIMEText(text, 'plain')
part2 = MIMEText(html, 'html')
# Attach parts into message container.
# According to RFC 2046, the last part of a multipart message, in this case
# the HTML message, is best and preferred.
msg.attach(part1)
msg.attach(part2)
# Send the message via local SMTP server.
s = smtplib.SMTP('localhost')
# sendmail function takes 3 arguments: sender's address, recipient's address
# and message to send - here it is sent as one string.
s.sendmail(me, you, msg.as_string())
s.quit()
来源:https://docs.python.org/2/library/email-examples.html#id4
我得到了这个例外:
user@pc:~$ python src/sendhtmlmail.py
Traceback (most recent call last):
File "src/sendhtmlmail.py", line 37, in <module>
part1 = MIMEText(text, 'plain')
File "/usr/lib/python2.7/email/mime/text.py", line 30, in __init__
self.set_payload(_text, _charset)
File "/usr/lib/python2.7/email/message.py", line 226, in set_payload
self.set_charset(charset)
File "/usr/lib/python2.7/email/message.py", line 262, in set_charset
self._payload = self._payload.encode(charset.output_charset)
UnicodeEncodeError: 'ascii' codec can't encode characters in position 16-18: ordinal not in range(128)
如果要发送短信+ html邮件,如何处理unicode? p>
答案 0 :(得分:10)
您需要将其显式编码为UTF-8。
part1 = MIMEText(text.encode('utf-8'), 'plain', 'utf-8')
part2 = MIMEText(html.encode('utf-8'), 'html', 'utf-8')
或者,避免导入unicode_literals,你的字符串首先是字节。
答案 1 :(得分:4)
您正在尝试使用ASCII发送电子邮件,而是将Unicode字符传递给电子邮件。
具体检查: https://docs.python.org/2/library/email.header.html
就编码示例而言,我会公然将您链接到以下网站。
http://www.askthepony.com/blog/2011/06/how-to-send-a-proper-unicode-encoded-email-using-python-2-7/