如何通过邮件和传票发送邮件?

2024-05-14 08:01:40 发布

您现在位置:Python中文网/ 问答频道 /正文

我是EE,试图用Python编写一个脚本来简化文件检查。 由于某些原因,我们的IT将不允许我访问我们的smtp服务器,并且只允许通过mailx发送邮件。 所以,我想从Python运行mailx并发送它,就像它在我的控制台中一样。唉,这是个例外。请参阅下面的Linux日志:

***/depot/Python-3.1.1/bin/python3.1
Python 3.1.1 (r311:74480, Dec  8 2009, 22:48:08) 
[GCC 3.3.3 (SuSE Linux)] on linux2
Type "help", "copyright", "credits" or "license" for more information.
>>> import subprocess
>>> process=subprocess.Popen('echo "This is a test\nHave a loook see\n" | mailx -s "Test Python" mymail@mycomopany.com')
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
  File "/depot/Python-3.1.1/lib/python3.1/subprocess.py", line 646, in __init__
    errread, errwrite)
  File "/depot/Python-3.1.1/lib/python3.1/subprocess.py", line 1146, in _execute_child
    raise child_exception***

我是Python的新手(现在从PERL迁移)。有什么想法吗?


Tags: 文件inpy脚本childlinuxlibline
3条回答

你可以使用subprocess.call。比如:

subprocess.call(["mailx", "-s", "\"Test Python\"", "mymail@mycomopany.com"])

详细信息here

Lior Dagan的代码几乎是正确的/功能性的:这种方法的错误是调用subprocess.Popen时缺少shell=Truekwarg。任何真正考虑这种方法的人都应该知道subprocess文档警告:

Invoking the system shell with shell=True can be a security hazard if combined with untrusted input.

一般来说,F0RR和ghostdog74的解决方案应该是首选的,因为它们更加健壮和安全。

您可以使用smtplib

import smtplib
# email options
SERVER = "localhost"
FROM = "root@example.com"
TO = ["root"]
SUBJECT = "Alert!"
TEXT = "This message was sent with Python's smtplib."


message = """\
From: %s
To: %s
Subject: %s

%s
""" % (FROM, ", ".join(TO), SUBJECT, TEXT)

server = smtplib.SMTP(SERVER)
server.set_debuglevel(3)
server.sendmail(FROM, TO, message)
server.quit()

如果您真的想使用子流程(我建议您不要这样做)

import subprocess
import sys
cmd="""echo "test" | mailx -s 'test!' root"""
p=subprocess.Popen(cmd, shell=True, stdout=subprocess.PIPE)
output, errors = p.communicate()
print errors,output

相关问题 更多 >

    热门问题