3

私はPythonを使用してアプリケーションを開発しており、メールでファイルを送信する必要があります。メールを送信するプログラムを作成しましたが、何か問題があることを知りません。コードは以下に掲載されています。誰かがこのSMTPライブラリで私を助けてください。足りないものはありますか?また、誰かがsmtpのホストになるものを教えてもらえますか?smtp.gmail.comを使用しています。また、ファイル(.csvファイル)を電子メールで送信する方法を教えてもらえますか。助けてくれてありがとう!

#!/usr/bin/python

import smtplib

sender = 'someone@yahoo.com'
receivers = ['someone@yahoo.com']

message = """From: From Person <someone@yahoo.com>
To: To Person <someone@yahoo.com>
Subject: SMTP e-mail test

This is a test e-mail message.
"""

try:
   smtpObj = smtplib.SMTP('smtp.gmail.com')
   smtpObj.sendmail(sender, receivers, message)         
   print "Successfully sent email"
except:
   print "Error: unable to send email"
4

1 に答える 1

4

ログインしていません。ISPによるブロック、逆引きDNSを取得できない場合のGmailのバウンスなど、ログインできない理由もいくつかあります。

try:
   smtpObj = smtplib.SMTP('smtp.gmail.com', 587) # or 465
   smtpObj.ehlo()
   smtpObj.starttls()
   smtpObj.login(account, password)
   smtpObj.sendmail(sender, receivers, message)         
   print "Successfully sent email"
except:
   print "Error: unable to send email"

ファイルを添付できるようにするというあなたのリクエストに気づきました。エンコーディングを処理する必要があるので、これで状況が変わります。私はそうは思いませんが、それでも従うのはそれほど難しいことではありません。

import os
import email
import email.encoders
import email.mime.text
import smtplib

# message/email details
my_email = 'myemail@gmail.com'
my_passw = 'asecret!'
recipients = ['jack@gmail.com', 'jill@gmail.com']
subject = 'This is an email'
message = 'This is the body of the email.'
file_name = 'C:\\temp\\test.txt'

# build the message
msg = email.MIMEMultipart.MIMEMultipart()
msg['From'] = my_email
msg['To'] = ', '.join(recipients)
msg['Date'] = email.Utils.formatdate(localtime=True)
msg['Subject'] = subject
msg.attach(email.MIMEText.MIMEText(message))

# build the attachment
att = email.MIMEBase.MIMEBase('application', 'octet-stream')
att.set_payload(open(file_name, 'rb').read())
email.Encoders.encode_base64(att)
att.add_header('Content-Disposition', 'attachment; filename="%s"' % os.path.basename(file_name))
msg.attach(att)

# send the message
srv = smtplib.SMTP('smtp.gmail.com', 587)
srv.ehlo()
srv.starttls()
srv.login(my_email, my_passw)
srv.sendmail(my_email, recipients, msg.as_string())
于 2012-11-06T08:14:00.870 に答える