我正在使用python 3.6.1,我想阅读电子邮件文件(.eml)进行处理。我正在使用emaildata 0.3.4包,但每当我尝试导入文档类中的Text类时,我都会遇到模块错误:
import email
from email.text import Text
>>> ModuleNotFoundError: No module named 'cStringIO'
当我尝试使用this update进行更正时,我收到与mimetools
相关的下一个错误
>>> ModuleNotFoundError: No module named 'mimetools'
是否可以使用emaildata 0.3.4和python 3.6来解析.eml文件?或者我可以使用任何其他包来解析.eml文件?感谢
答案 0 :(得分:3)
使用电子邮件包,我们可以读取.eml文件。然后,使用BytesParser
库来解析文件。最后,使用plain
首选项(对于纯文本)和get_body()
方法,以及get_content()
方法来获取电子邮件的原始文本。
import email
from email import policy
from email.parser import BytesParser
import glob
file_list = glob.glob('*.eml') # returns list of files
with open(file_list[2], 'rb') as fp: # select a specific email file from the list
msg = BytesParser(policy=policy.default).parse(fp)
text = msg.get_body(preferencelist=('plain')).get_content()
print(text) # print the email content
>>> "Hi,
>>> This is an email
>>> Regards,
>>> Mister. E"
当然,这是一个简化的例子 - 没有提到HTML或附件。但它基本上完成了问题和我想做的事情。
以下是如何迭代多封电子邮件并将每个电子邮件保存为纯文本文件的方式:
file_list = glob.glob('*.eml') # returns list of files
for file in file_list:
with open(file, 'rb') as fp:
msg = BytesParser(policy=policy.default).parse(fp)
fnm = os.path.splitext(file)[0] + '.txt'
txt = msg.get_body(preferencelist=('plain')).get_content()
with open(fnm, 'w') as f:
print('Filename:', txt, file = f)