python – 将MIMEText编码为引用的可打印文件

前端之家收集整理的这篇文章主要介绍了python – 将MIMEText编码为引用的可打印文件前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。
Python支持一个功能齐全的 MIME-Library,称为email.mime.

我想要实现的是将包含纯UTF-8文本的MIME部分编码为引用的可打印文件,而不是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

这显然不是编码为引用的可打印文件,双重传输编码标题最后是奇怪的(如果不是非法的).

如何在mime-message中将我的文本编码为引用的可打印文件

解决方法

好的,我有一个非常麻烦的解决方案,但至少它导致一些方向: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',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()
原文链接:https://www.f2er.com/python/186296.html

猜你在找的Python相关文章