问题 将MIMEText编码为引用的printables


Python支持非常实用 MIME图书馆 叫 email.mime

我想要实现的是获取包含纯UTF-8文本的MIME部分编码为引用的printables而不是base64。虽然库中提供了所有功能,但我没有设法使用它:

例:

import email.mime.text, email.encoders
m=email.mime.text.MIMEText(u'This is the text containing ünicöde', _charset='utf-8')
m.as_string()
# => Leads to a base64-encoded message, as base64 is the default.

email.encoders.encode_quopri(m)
m.as_string()
# => Leads to a strange message

最后一个命令导致一条奇怪的消息:

Content-Type: text/plain; charset="utf-8"
MIME-Version: 1.0
Content-Transfer-Encoding: base64
Content-Transfer-Encoding: quoted-printable

GhpcyBpcyB0aGUgdGV4dCBjb250YWluaW5nIMO8bmljw7ZkZQ=3D=3D

这显然不是编码为引用的printables,双重 transfer-encoding 标题最后很奇怪(如果不是非法的话)。

如何在mime-message中将我的文本编码为带引号的printables?


11634
2018-02-18 14:50


起源

也可以看看 stackoverflow.com/a/9509718/874188  - 问题是Python 3,但我也在Python 2中使用过它。 - tripleee


答案:


好的,我得到了一个非常hacky的解决方案,但至少它导致了一些方向: MIMEText 假设base64,我不知道如何更改它。因此我使用 MIMENonMultipart

import email.mime, email.mime.nonmultipart, email.charset
m=email.mime.nonmultipart.MIMENonMultipart('text', 'plain', charset='utf-8')

#Construct a new charset which uses Quoted Printables (base64 is default)
cs=email.charset.Charset('utf-8')
cs.body_encoding = email.charset.QP

#Now set the content using the new charset
m.set_payload(u'This is the text containing ünicöde', charset=cs)

现在消息似乎编码正确:

Content-Type: text/plain; charset="utf-8"
MIME-Version: 1.0
Content-Transfer-Encoding: quoted-printable

This is the text containing =C3=BCnic=C3=B6de

甚至可以构建一个隐藏复杂性的新类:

class MIMEUTF8QPText(email.mime.nonmultipart.MIMENonMultipart):
  def __init__(self, payload):
    email.mime.nonmultipart.MIMENonMultipart.__init__(self, 'text', 'plain',
                                                      charset='utf-8')

    utf8qp=email.charset.Charset('utf-8')
    utf8qp.body_encoding=email.charset.QP

    self.set_payload(payload, charset=utf8qp) 

并像这样使用它:

m = MIMEUTF8QPText(u'This is the text containing ünicöde')
m.as_string()

9
2018-02-18 15:16





改编自 问题1525919 并在python 2.7上测试:

from email.Message import Message
from email.Charset import Charset, QP

text = "\xc3\xa1 = \xc3\xa9"
msg = Message()

charset = Charset('utf-8')
charset.header_encoding = QP
charset.body_encoding = QP

msg.set_charset(charset)
msg.set_payload(msg._charset.body_encode(text))

print msg.as_string()

会给你:

MIME-Version: 1.0
Content-Type: text/plain; charset="utf-8"
Content-Transfer-Encoding: quoted-printable

=C3=A1 =3D =C3=A9

另见 这个回应 来自Python提交者。


5
2018-05-28 12:57



我起初错过了输入 body_encode 必须已经是utf-8编码,并且它不会为你执行utf-8编码。注意到这一点,以防万一其他人误解同样的误解。 - Jeff O'Neill