Python을 사용하여 HTML 이메일 보내기


260

Python을 사용하여 HTML 컨텐츠를 이메일로 보내려면 어떻게해야합니까? 간단한 문자를 보낼 수 있습니다.


큰 뚱뚱한 경고. Python <3.0을 사용하여 ASCII 가 아닌 전자 메일을 보내는 경우 Django 의 전자 메일 사용을 고려하십시오 . UTF-8 문자열을 올바르게 래핑 하고 사용하기가 훨씬 간단합니다. 당신은 :-) 경고 한
앤더스 룬 젠슨에게

1
유니 코드로 HTML을 보내려면 여기를 참조하십시오 : stackoverflow.com/questions/36397827/…
guettli

답변:


419

에서 18.1.11 - 파이썬 v2.7.14 문서. 이메일 : 예 :

대체 일반 텍스트 버전으로 HTML 메시지를 작성하는 방법의 예는 다음과 같습니다.

#! /usr/bin/python

import smtplib

from email.mime.multipart import MIMEMultipart
from email.mime.text import MIMEText

# me == my email address
# you == recipient's email address
me = "my@email.com"
you = "your@email.com"

# Create message container - the correct MIME type is multipart/alternative.
msg = MIMEMultipart('alternative')
msg['Subject'] = "Link"
msg['From'] = me
msg['To'] = you

# Create the body of the message (a plain-text and an HTML version).
text = "Hi!\nHow are you?\nHere is the link you wanted:\nhttp://www.python.org"
html = """\
<html>
  <head></head>
  <body>
    <p>Hi!<br>
       How are you?<br>
       Here is the <a href="http://www.python.org">link</a> you wanted.
    </p>
  </body>
</html>
"""

# Record the MIME types of both parts - text/plain and text/html.
part1 = MIMEText(text, 'plain')
part2 = MIMEText(html, 'html')

# Attach parts into message container.
# According to RFC 2046, the last part of a multipart message, in this case
# the HTML message, is best and preferred.
msg.attach(part1)
msg.attach(part2)

# Send the message via local SMTP server.
s = smtplib.SMTP('localhost')
# sendmail function takes 3 arguments: sender's address, recipient's address
# and message to send - here it is sent as one string.
s.sendmail(me, you, msg.as_string())
s.quit()

1
세 번째와 네 번째 부분을 첨부 할 수 있습니까? 둘 다 첨부 파일입니다 (하나의 ASCII, 하나의 이진)? 어떻게할까요? 감사.
Hamish Grubijan

1
안녕, 나는 결국 당신 quit에게 s물건을 발견했습니다 . 여러 개의 메시지를 보내려면 어떻게합니까? 메시지를 보낼 때마다 종료해야하거나 모두 for 루프로 보낸 다음 한 번만 종료해야합니까?
xpanta

선호하는 (표시) 부분이 마지막으로 첨부 된 부분이므로 html을 마지막에 첨부하십시오. # According to RFC 2046, the last part of a multipart message, in this case # the HTML message, is best and preferred. 이 글을 2 시간 전에 읽었 으면합니다
dwkd

1
경고 : 텍스트에 ASCII가 아닌 문자가 있으면 실패합니다.
guettli

2
흠, 내가) (msg.as_string에 대한 오류를 얻을 : 목록 개체에는 속성 인코딩이 없습니다
JohnAndrews

61

메일러 모듈을 사용해보십시오 .

from mailer import Mailer
from mailer import Message

message = Message(From="me@example.com",
                  To="you@example.com")
message.Subject = "An HTML Email"
message.Html = """<p>Hi!<br>
   How are you?<br>
   Here is the <a href="http://www.python.org">link</a> you wanted.</p>"""

sender = Mailer('smtp.example.com')
sender.send(message)

메일러 모듈은 훌륭하지만 Gmail과 함께 작동한다고 주장하지만 문서는 없습니다.
MFB

1
@MFB-Bitbucket 저장소를 사용해 보셨습니까? bitbucket.org/ginstrom/mailer
Ryan Ginstrom

2
Gmail은 하나가 제공해야 들어 use_tls=True, usr='email'pwd='password'초기화 할 때 Mailer그것은 작동합니다.
ToonAlfrink

메시지 바로 다음 줄에 코드를 추가하는 것이 좋습니다. message.Body = """Some text to show when the client cannot show HTML emails"""
HTML

훌륭하지만 링크에 변수 값을 추가하는 방법은 <a href=" python.org/somevalues"> 링크 </ a > 와 같은 링크를 생성 하여 경로에서 해당 값에 액세스 할 수 있도록하는 것을 의미합니다. 감사합니다
TaraGurung

49

허용되는 답변 의 Gmail 구현은 다음과 같습니다 .

import smtplib

from email.mime.multipart import MIMEMultipart
from email.mime.text import MIMEText

# me == my email address
# you == recipient's email address
me = "my@email.com"
you = "your@email.com"

# Create message container - the correct MIME type is multipart/alternative.
msg = MIMEMultipart('alternative')
msg['Subject'] = "Link"
msg['From'] = me
msg['To'] = you

# Create the body of the message (a plain-text and an HTML version).
text = "Hi!\nHow are you?\nHere is the link you wanted:\nhttp://www.python.org"
html = """\
<html>
  <head></head>
  <body>
    <p>Hi!<br>
       How are you?<br>
       Here is the <a href="http://www.python.org">link</a> you wanted.
    </p>
  </body>
</html>
"""

# Record the MIME types of both parts - text/plain and text/html.
part1 = MIMEText(text, 'plain')
part2 = MIMEText(html, 'html')

# Attach parts into message container.
# According to RFC 2046, the last part of a multipart message, in this case
# the HTML message, is best and preferred.
msg.attach(part1)
msg.attach(part2)
# Send the message via local SMTP server.
mail = smtplib.SMTP('smtp.gmail.com', 587)

mail.ehlo()

mail.starttls()

mail.login('userName', 'password')
mail.sendmail(me, you, msg.as_string())
mail.quit()

2
훌륭한 코드, 그것은 구글
Tovask

15
python smtplib과 함께 Google 애플리케이션 비밀번호 를 사용하고 보안 수준을 낮추지 않고도 트릭을 수행했습니다.
yoyo

2
위의 의견을 읽는 모든 사람 : 이전에 Gmail 계정에서 2 단계 인증을 사용하도록 설정 한 경우 "앱 비밀번호"만 필요합니다.
Mugen

메시지의 HTML 부분에 동적으로 무언가를 추가하는 방법이 있습니까?
마그마

40

다음은 Content-Type 헤더를 'text / html'로 지정하여 HTML 이메일을 보내는 간단한 방법입니다.

import email.message
import smtplib

msg = email.message.Message()
msg['Subject'] = 'foo'
msg['From'] = 'sender@test.com'
msg['To'] = 'recipient@test.com'
msg.add_header('Content-Type','text/html')
msg.set_payload('Body of <b>message</b>')

# Send the message via local SMTP server.
s = smtplib.SMTP('localhost')
s.starttls()
s.login(email_login,
        email_passwd)
s.sendmail(msg['From'], [msg['To']], msg.as_string())
s.quit()

2
이것은 빠르고 간단한 스크립트에 편리하고 유용한 간단한 대답입니다. BTW smtplib.SMTP()는 tls를 사용하지 않는 간단한 예 에서 허용되는 답변을 참조 할 수 있습니다 . ssmtp와 로컬 mailhub를 사용하는 직장의 내부 스크립트에 이것을 사용했습니다. 또한이 예제는 없습니다 s.quit().
Mike S

1
"mailmerge_conf.smtp_server"는 정의되어 있지 않습니다 ... 적어도 파이썬 3.6의 말은 ...
ZEE

목록 기반 수신자를 사용할 때 오류가 발생했습니다. AttributeError : 'list'개체에 'lstrip'속성이 없습니다.
navotera

10

샘플 코드는 다음과 같습니다. 이것은 Python Cookbook 사이트 에있는 코드에서 영감을 얻었습니다 (정확한 링크를 찾을 수 없음)

def createhtmlmail (html, text, subject, fromEmail):
    """Create a mime-message that will render HTML in popular
    MUAs, text in better ones"""
    import MimeWriter
    import mimetools
    import cStringIO

    out = cStringIO.StringIO() # output buffer for our message 
    htmlin = cStringIO.StringIO(html)
    txtin = cStringIO.StringIO(text)

    writer = MimeWriter.MimeWriter(out)
    #
    # set up some basic headers... we put subject here
    # because smtplib.sendmail expects it to be in the
    # message body
    #
    writer.addheader("From", fromEmail)
    writer.addheader("Subject", subject)
    writer.addheader("MIME-Version", "1.0")
    #
    # start the multipart section of the message
    # multipart/alternative seems to work better
    # on some MUAs than multipart/mixed
    #
    writer.startmultipartbody("alternative")
    writer.flushheaders()
    #
    # the plain text section
    #
    subpart = writer.nextpart()
    subpart.addheader("Content-Transfer-Encoding", "quoted-printable")
    pout = subpart.startbody("text/plain", [("charset", 'us-ascii')])
    mimetools.encode(txtin, pout, 'quoted-printable')
    txtin.close()
    #
    # start the html subpart of the message
    #
    subpart = writer.nextpart()
    subpart.addheader("Content-Transfer-Encoding", "quoted-printable")
    #
    # returns us a file-ish object we can write to
    #
    pout = subpart.startbody("text/html", [("charset", 'us-ascii')])
    mimetools.encode(htmlin, pout, 'quoted-printable')
    htmlin.close()
    #
    # Now that we're done, close our writer and
    # return the message body
    #
    writer.lastpart()
    msg = out.getvalue()
    out.close()
    print msg
    return msg

if __name__=="__main__":
    import smtplib
    html = 'html version'
    text = 'TEST VERSION'
    subject = "BACKUP REPORT"
    message = createhtmlmail(html, text, subject, 'From Host <sender@host.com>')
    server = smtplib.SMTP("smtp_server_address","smtp_port")
    server.login('username', 'password')
    server.sendmail('sender@host.com', 'target@otherhost.com', message)
    server.quit()


5

python3의 경우 @taltman의 답변을 개선 하십시오 .

  • 사용하는 email.message.EmailMessage대신 email.message.Message전자 메일을 구성 할 수 있습니다.
  • email.set_contentfunc을 사용 하고 subtype='html'인수를 할당하십시오 . 낮은 수준의 기능 대신 set_payload수동으로 헤더를 추가하십시오.
  • 사용하는 SMTP.send_message대신 FUNC SMTP.sendmail이메일을 보내 FUNC.
  • with연결을 자동으로 닫으 려면 블록을 사용하십시오 .
from email.message import EmailMessage
from smtplib import SMTP

# construct email
email = EmailMessage()
email['Subject'] = 'foo'
email['From'] = 'sender@test.com'
email['To'] = 'recipient@test.com'
email.set_content('<font color="red">red color text</font>', subtype='html')

# Send the message via local SMTP server.
with smtplib.SMTP('localhost') as s:
    s.login('foo_user', 'bar_password')
    s.send_message(email)

4

실제로 yagmail 은 약간 다른 접근 방식을 취했습니다.

그것은 것이다 기본으로 할 수없는 이메일 리더에 대한 자동 대체와 전송 HTML,. 더 이상 17 세기가 아닙니다.

물론 재정의 할 수는 있지만 다음과 같습니다.

import yagmail
yag = yagmail.SMTP("me@example.com", "mypassword")

html_msg = """<p>Hi!<br>
              How are you?<br>
              Here is the <a href="http://www.python.org">link</a> you wanted.</p>"""

yag.send("to@example.com", "the subject", html_msg)

설치 지침 및 더 많은 훌륭한 기능에 대해서는 github을 살펴보십시오 .


3

다음 smtplib은 CC 및 BCC 옵션과 함께 사용하여 Python에서 일반 텍스트 및 HTML 전자 메일을 보내는 실제 예제 입니다.

https://varunver.wordpress.com/2017/01/26/python-smtplib-send-plaintext-and-html-emails/

#!/usr/bin/env python
import smtplib
from email.mime.multipart import MIMEMultipart
from email.mime.text import MIMEText

def send_mail(params, type_):
      email_subject = params['email_subject']
      email_from = "from_email@domain.com"
      email_to = params['email_to']
      email_cc = params.get('email_cc')
      email_bcc = params.get('email_bcc')
      email_body = params['email_body']

      msg = MIMEMultipart('alternative')
      msg['To'] = email_to
      msg['CC'] = email_cc
      msg['Subject'] = email_subject
      mt_html = MIMEText(email_body, type_)
      msg.attach(mt_html)

      server = smtplib.SMTP('YOUR_MAIL_SERVER.DOMAIN.COM')
      server.set_debuglevel(1)
      toaddrs = [email_to] + [email_cc] + [email_bcc]
      server.sendmail(email_from, toaddrs, msg.as_string())
      server.quit()

# Calling the mailer functions
params = {
    'email_to': 'to_email@domain.com',
    'email_cc': 'cc_email@domain.com',
    'email_bcc': 'bcc_email@domain.com',
    'email_subject': 'Test message from python library',
    'email_body': '<h1>Hello World</h1>'
}
for t in ['plain', 'html']:
    send_mail(params, t)

이 답변이 모든 것을 다룬다 고 생각하십시오. 중대한 연결
stingMantis 17

1

다음은 boto3을 사용하는 AWS에 대한 답변입니다.

    subject = "Hello"
    html = "<b>Hello Consumer</b>"

    client = boto3.client('ses', region_name='us-east-1', aws_access_key_id="your_key",
                      aws_secret_access_key="your_secret")

client.send_email(
    Source='ACME <do-not-reply@acme.com>',
    Destination={'ToAddresses': [email]},
    Message={
        'Subject': {'Data': subject},
        'Body': {
            'Html': {'Data': html}
        }
    }

0

Office 365의 조직 계정에서 전자 메일을 보내는 가장 간단한 솔루션 :

from O365 import Message

html_template =     """ 
            <html>
            <head>
                <title></title>
            </head>
            <body>
                    {}
            </body>
            </html>
        """

final_html_data = html_template.format(df.to_html(index=False))

o365_auth = ('sender_username@company_email.com','Password')
m = Message(auth=o365_auth)
m.setRecipients('receiver_username@company_email.com')
m.setSubject('Weekly report')
m.setBodyHTML(final_html_data)
m.sendMessage()

여기서 df 는 html_template에 주입되는 html 테이블로 변환 된 데이터 프레임입니다.


이 질문에는 Office 또는 조직 계정 사용에 대한 언급이 없습니다. 좋은 기여하지만 아스 커 매우 도움이되지
Mwikala Kangwa
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.