-
Notifications
You must be signed in to change notification settings - Fork 228
/
pyemail.py
331 lines (292 loc) · 10.7 KB
/
pyemail.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
#!/usr/bin/python
# -*- coding: utf8 -*-
# This program is free software; you can redistribute it and/or modify
# it under the terms of the GNU Lesser General Public License as published by the
# Free Software Foundation; either version 3, or (at your option) any later
# version.
#
# This program is distributed in the hope that it will be useful, but
# WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTIBILITY
# or FITNESS FOR A PARTICULAR PURPOSE. See the GNU Lesser General Public License
# for more details.
"Módulo para enviar correos electrónicos"
from __future__ import print_function
from __future__ import absolute_import
from future import standard_library
standard_library.install_aliases()
from builtins import input
from builtins import object
__author__ = "Mariano Reingart <[email protected]>"
__copyright__ = "Copyright (C) 2011-2021 Mariano Reingart"
__license__ = "LGPL-3.0-or-later"
__version__ = "3.06f"
import os
import sys
import traceback
from email.mime.text import MIMEText
from email.mime.application import MIMEApplication
from email.mime.multipart import MIMEMultipart
import sys, os
import smtplib
from configparser import SafeConfigParser
DEBUG = False
class PyEmail(object):
"Interfaz para enviar correos de Factura Electrónica"
_public_methods_ = [
"Conectar",
"Crear",
"Enviar",
"AgregarDestinatario",
"Adjuntar",
"AgregarCC",
"AgregarBCC",
]
_public_attrs_ = [
"Motivo",
"Remitente",
"Destinatarios",
"ResponderA",
"MensajeHTML",
"MensajeTexto",
"Version",
"Excepcion",
"Traceback",
]
_reg_progid_ = "PyEmail"
_reg_clsid_ = "{2BEF3037-BF38-41AA-84A3-6F109D543FC9}"
def __init__(self):
self.Version = __version__
self.Excepcion = self.Traceback = ""
self.Motivo = self.Destinatario = self.ResponderA = ""
self.MensajeHTML = self.MensajeTexto = None
self.adjuntos = []
self.BCC = []
self.CC = []
def Conectar(self, servidor, usuario=None, clave=None, puerto=25):
"Iniciar conexión al servidor de correo electronico"
try:
# convertir el nro de puerto a entero porque puede ser string:
puerto = int(puerto)
if puerto != 465:
self.smtp = smtplib.SMTP(servidor, puerto)
else:
# creo una conexión segura (SSL, no disponible en Python<2.6):
self.smtp = smtplib.SMTP_SSL(servidor, puerto)
if DEBUG:
self.smtp.set_debuglevel(1)
self.smtp.ehlo()
if puerto == 587:
# inicio una sesión segura (TLS)
self.smtp.starttls()
if usuario and clave:
if sys.version_info[0] < 3:
#convertir a string (hmac necesita string "bytes")
if isinstance(usuario, str):
usuario = usuario.encode("utf8")
if isinstance(clave, str):
clave = clave.encode("utf8")
self.smtp.login(usuario, clave)
return True
except Exception as e:
ex = traceback.format_exception(
sys.exc_info()[0], sys.exc_info()[1], sys.exc_info()[2]
)
self.Traceback = "".join(ex)
self.Excepcion = traceback.format_exception_only(
sys.exc_info()[0], sys.exc_info()[1]
)[0]
return False
def Crear(self, remitente="", motivo=""):
"Inicializa un mensaje de correo"
self.Remitente = remitente
self.Motivo = motivo
self.Destinatarios = []
self.adjuntos = []
return True
def AgregarDestinatario(self, destinatario):
"Agrega una dirección de correo de destino"
self.Destinatarios.append(destinatario)
return True
def AgregarCC(self, destinatario):
"Agrega una dirección de correo de destino (copia carbónica)"
self.CC.append(destinatario)
return True
def AgregarBCC(self, destinatario):
"Agrega una dirección de correo de destino (copia carbónica invisible)"
self.BCC.append(destinatario)
return True
def Adjuntar(self, archivo):
"Agrega un archivo para ser enviado como adjunto"
self.adjuntos.append(archivo)
return True
def Enviar(
self, remitente="", motivo="", destinatario="", mensaje="", archivo=None
):
"Generar un correo multiparte y enviarlo"
try:
to = [destinatario] if destinatario else self.Destinatarios
msg = MIMEMultipart("related")
msg["Subject"] = motivo or self.Motivo
msg["From"] = remitente or self.Remitente
msg["Reply-to"] = remitente or self.ResponderA
msg["To"] = ", ".join(to)
if self.CC:
msg["CC"] = u", ".join(self.CC)
to += self.CC
if self.BCC:
to += self.BCC
msg.preamble = "Mensaje de multiples partes.\n"
if mensaje:
text = mensaje
html = None
else:
text = self.MensajeTexto
html = self.MensajeHTML
if html:
alt = MIMEMultipart("alternative")
msg.attach(alt)
part = MIMEText(text, "text")
alt.attach(part)
part = MIMEText(html, "html")
alt.attach(part)
else:
part = MIMEText(text)
msg.attach(part)
if archivo:
self.adjuntos.append(archivo)
for archivo in self.adjuntos:
part = MIMEApplication(open(archivo, "rb").read())
part.add_header(
"Content-Disposition",
"attachment",
filename=os.path.basename(archivo),
)
msg.attach(part)
# print "Enviando email: %s a %s" % (msg['Subject'], msg['To'])
self.smtp.sendmail(msg["From"], to, msg.as_string())
return True
except Exception as e:
ex = traceback.format_exception(
sys.exc_info()[0], sys.exc_info()[1], sys.exc_info()[2]
)
self.Traceback = "".join(ex)
self.Excepcion = traceback.format_exception_only(
sys.exc_info()[0], sys.exc_info()[1]
)[0]
return False
def Salir(self):
"Termino la conexión al servidor de correo electronico"
try:
self.smtp.quit()
return True
except Exception as e:
ex = traceback.format_exception(
sys.exc_info()[0], sys.exc_info()[1], sys.exc_info()[2]
)
self.Traceback = "".join(ex)
self.Excepcion = traceback.format_exception_only(
sys.exc_info()[0], sys.exc_info()[1]
)[0]
return False
def main():
global DEBUG
if "--register" in sys.argv or "--unregister" in sys.argv:
import win32com.server.register
win32com.server.register.UseCommandLine(PyEmail)
elif "py2exe" in sys.argv:
from distutils.core import setup
from pyafipws.nsis import build_installer, Target
import py2exe
setup(
name="PyEmail",
version=__version__,
description="Interfaz PyAfipWs Email %s",
long_description=__doc__,
author="Mariano Reingart",
author_email="[email protected]",
url="http://www.sistemasagiles.com.ar",
license="GNU GPL v3",
com_server=["pyemail"],
console=[],
options={
"py2exe": {
"includes": [
"email.generator",
"email.iterators",
"email.message",
"email.utils",
],
"optimize": 2,
"excludes": [
"pywin",
"pywin.dialogs",
"pywin.dialogs.list",
"win32ui",
"distutils.core",
"py2exe",
"nsis",
],
#'skip_archive': True,
}
},
data_files=[
(".", ["licencia.txt"]),
],
cmdclass={"py2exe": build_installer},
)
elif "/Automate" in sys.argv:
# MS seems to like /automate to run the class factories.
import win32com.server.localserver
# win32com.server.localserver.main()
# start the server.
win32com.server.localserver.serve([PyEmail._reg_clsid_])
elif "/prueba" in sys.argv:
pyemail = PyEmail()
import getpass
i = sys.argv.index("/prueba")
if i + 2 < len(sys.argv):
usuario = sys.argv[sys.argv.index("/prueba") + 1]
clave = sys.argv[sys.argv.index("/prueba") + 2]
else:
usuario = input("usuario:")
clave = getpass.getpass("clave:")
ok = pyemail.Conectar("smtp.gmail.com", usuario=usuario, clave=clave, puerto=587)
print("login ok?", ok, pyemail.Excepcion)
print(pyemail.Traceback)
ok = pyemail.Enviar(usuario, "prueba", usuario, "prueba!", None)
print("mail enviado?", ok, pyemail.Excepcion)
ok = pyemail.Salir()
else:
config = SafeConfigParser()
config.read("rece.ini")
if "/debug" in sys.argv:
DEBUG = True
print("VERSION", __version__)
sys.argv.remove("/debug")
if len(sys.argv) < 3:
print("Parámetros: motivo destinatario [mensaje] [archivo]")
sys.exit(1)
conf_mail = dict(config.items("MAIL"))
motivo = sys.argv[1]
destinatario = sys.argv[2]
mensaje = len(sys.argv) > 3 and sys.argv[3] or conf_mail["cuerpo"]
archivo = len(sys.argv) > 4 and sys.argv[4] or None
print("Motivo: ", motivo)
print("Destinatario: ", destinatario)
print("Mensaje: ", mensaje)
print("Archivo: ", archivo)
pyemail = PyEmail()
ok = pyemail.Conectar(
conf_mail["servidor"],
conf_mail["usuario"],
conf_mail["clave"],
conf_mail.get("puerto", 25),
)
if ok:
pyemail.Enviar(
conf_mail["remitente"], motivo, destinatario, mensaje, archivo
)
else:
print(pyemail.Traceback)
if __name__ == "__main__":
main()