发送包含embedded图像的多段html电子邮件

我一直在玩python的电子邮件模块,但我想能够知道如何embedded在HTML中包含的图像。

所以例如,如果身体是类似的东西

<img src="../path/image.png"></img> 

我想将image.pngembedded到电子邮件中,并且src属性应该replace为content-id 。 有谁知道如何做到这一点?

这是我find的一个例子。

食谱473810:发送一个HTML电子邮件与embedded式图像和纯文本替代

对于那些希望用丰富的文本,布局和graphics发送电子邮件的人来说,HTML是最佳select。 通常希望在消息中embeddedgraphics,以便收件人可以直接显示消息,而无需下载。

有些邮件代理不支持HTML,或者他们的用户更喜欢接收纯文本消息。 HTML消息的发送者应该包括一个纯文本消息作为这些用户的替代品。

这个配方发送一个简短的HTML消息,一个embedded式图像和一个备用的纯文本消息。

 # Send an HTML email with an embedded image and a plain text message for # email clients that don't want to display the HTML. from email.MIMEMultipart import MIMEMultipart from email.MIMEText import MIMEText from email.MIMEImage import MIMEImage # Define these once; use them twice! strFrom = 'from@example.com' strTo = 'to@example.com' # Create the root message and fill in the from, to, and subject headers msgRoot = MIMEMultipart('related') msgRoot['Subject'] = 'test message' msgRoot['From'] = strFrom msgRoot['To'] = strTo msgRoot.preamble = 'This is a multi-part message in MIME format.' # Encapsulate the plain and HTML versions of the message body in an # 'alternative' part, so message agents can decide which they want to display. msgAlternative = MIMEMultipart('alternative') msgRoot.attach(msgAlternative) msgText = MIMEText('This is the alternative plain text message.') msgAlternative.attach(msgText) # We reference the image in the IMG SRC attribute by the ID we give it below msgText = MIMEText('<b>Some <i>HTML</i> text</b> and an image.<br><img src="cid:image1"><br>Nifty!', 'html') msgAlternative.attach(msgText) # This example assumes the image is in the current directory fp = open('test.jpg', 'rb') msgImage = MIMEImage(fp.read()) fp.close() # Define the image's ID as referenced above msgImage.add_header('Content-ID', '<image1>') msgRoot.attach(msgImage) # Send the email (this example assumes SMTP authentication is required) import smtplib smtp = smtplib.SMTP() smtp.connect('smtp.example.com') smtp.login('exampleuser', 'examplepass') smtp.sendmail(strFrom, strTo, msgRoot.as_string()) smtp.quit()