3

我努力寻找解决这个问题的方法,但一切顺利,最后我不得不问你们。我有 HTML 电子邮件(使用 Python 的 smtplib)。这是代码

Message = """From: abc@abc.com>
To: abc@abc.com>
MIME-Version: 1.0
Content-type: text/html
Subject: test

Hello,
Following is the message 
""" + '\n'.join(mail_body)  + """
Thank you.
"""

在上面的代码中,mail_body 是一个包含进程输出行的列表。现在我想要的是,在 HTML 电子邮件中显示这些行(逐行)。现在发生的事情只是逐行附加。IE

我像这样存储输出(进程):

for line in cmd.stdout.readline()
    mail_body.append()

HTML 电子邮件中的当前输出为:

Hello,
abc
Thank you.

我想要的是 :

Hello,
a
b
c
Thank you.

我只想将我的流程输出逐行附加到 HTML 电子邮件中。我的输出能以任何方式实现吗?

谢谢并恭祝安康

4

2 回答 2

3

email您可以使用包(来自 stdlib)生成要发送的电子邮件内容,例如:

#!/usr/bin/env python
# -*- coding: utf-8 -*-
from cgi import escape
from email.header import Header
from email.mime.multipart import MIMEMultipart
from email.mime.text import MIMEText
from smtplib import SMTP_SSL

login, password = 'me@example.com', 'my password'

# create message
msg = MIMEMultipart('alternative')
msg['Subject'] = Header('subject…', 'utf-8')
msg['From'] = login
msg['To'] = ', '.join([login,])

# Create the body of the message (a plain-text and an HTML version).
text = "Hello,\nFollowing is the message\n%(somelist)s\n\nThank you." % dict(
    somelist='\n'.join(["- " + item for item in mail_body]))

html = """<!DOCTYPE html><title></title><p>Hello,<p>Following is the message 
<ul>%(somelist)s</ul><p>Thank you. """ % dict(
    somelist='\n'.join(["<li> " + escape(item) for item in mail_body]))

# According to RFC 2046, the last part of a multipart message, in this case
# the HTML message, is best and preferred.
msg.attach(MIMEText(text, 'plain', 'utf-8'))
msg.attach(MIMEText(html, 'html', 'utf-8'))    

# send it
s = SMTP_SSL('smtp.mail.example.com', timeout=10) # no cert check on Python 2

s.set_debuglevel(0)
try:
    s.login(login, password)
    s.sendmail(msg['From'], msg['To'], msg.as_string())
finally:
    s.quit()
于 2013-05-28T10:45:10.180 回答
2

在 HTML 中,换行符不是\n用于<br>“换行符”,但由于您也没有在此电子邮件中使用 HTML 标记,因此您还需要知道在 MIME 消息中,换行符\r\n不仅仅是\n

所以你应该写:

'\r\n'.join(mail_body)

对于处理 MIME 消息的换行符,但如果您要使用 HTML 进行格式化,那么您需要知道这<br>是换行符,它将是:

'<br>'.join(mail_body)

为了全面起见,您可以尝试:

'\r\n<br>'.join(mail_body) 

但我现在知道那会喜欢什么了……

于 2013-05-28T10:06:55.357 回答