def test_send(self): message = Bunch(id="foo") interface = Mailer(base_config) with pytest.raises(MailerNotRunning): interface.send(message) interface.start() # logging.getLogger().handlers[0].truncate() # messages = logging.getLogger().handlers[0].buffer assert interface.send(message) == (message, True) # assert messages[0] == "Attempting delivery of message foo." # assert messages[-1] == "Message foo delivered." message_fail = Bunch(id="bar", die=True) with pytest.raises(Exception): interface.send(message_fail) # assert messages[-4] == "Attempting delivery of message bar." # assert messages[-3] == "Acquired existing transport instance." # assert messages[-2] == "Shutting down transport due to unhandled exception." # assert messages[-1] == "Delivery of message bar failed." interface.stop()
def _get_mailer(request): global _mailer, _last_change if _mailer: if _last_change != request.config['_last_change']: mailer = _mailer _mailer = None stop_mailer(mailer) if not _mailer: transport = { 'use': 'smtp', 'host': os.environ.get('CIOC_MAIL_HOST', '127.0.0.1'), 'username': os.environ.get('CIOC_MAIL_USERNAME'), 'password': os.environ.get('CIOC_MAIL_PASSWORD'), 'port': os.environ.get('CIOC_MAIL_PORT'), 'tls': 'ssl' if os.environ.get('CIOC_MAIL_USE_SSL') else None, } # print transport['host'] transport = {k: v for k, v in transport.iteritems() if v} _mailer = Mailer({ 'transport': transport, 'manager': {'use': request.config.get('mailer.manager', 'immediate')} }) _mailer.start() return _mailer
def test_new(self): config = dict( manager=dict(use="immediate"), transport=dict(use="mock"), message=dict(author="*****@*****.**", retries=1, brand=False), ) interface = Mailer(config).start() message = interface.new(retries=2) assert message.author == ["*****@*****.**"] assert message.bcc == [] assert message.retries == 2 assert message.mailer is interface assert message.brand == False with pytest.raises(NotImplementedError): Message().send() assert message.send() == (message, True) message = interface.new("*****@*****.**", "*****@*****.**", "Test.") assert message.author == ["*****@*****.**"] assert message.to == ["*****@*****.**"] assert message.subject == "Test."
def includeme(config): """Configure marrow.mailer""" settings = config.registry.settings prefix = settings.get('pyramid_marrowmailer.prefix', 'mail.').rstrip('.') # handle boolean options and int options .digit .on mailer_config = dict(filter(lambda d: d[0].startswith(prefix), settings.items())) for key, value in dict(mailer_config).items(): if key.endswith('.on'): mailer_config[key[:-3]] = asbool(value) if key.endswith('.int'): mailer_config[key[:-4]] = int(value) # bugfix for https://github.com/marrow/marrow.mailer/issues/45 manager = '%s.manager.use' % prefix if manager not in mailer_config: mailer_config[manager] = 'immediate' mode = '%s.mode' % prefix if mailer_config.get(mode) == 'direct': mailer = Mailer(mailer_config, prefix) else: mailer = TransactionMailer(mailer_config, prefix) mailer.start() config.registry.registerUtility(mailer, IMarrowMailer) config.set_request_property(get_mailer, "mailer", reify=True) # shutdown mailer when process stops atexit.register(lambda: mailer.stop())
def test_issue_2(): mail = Mailer({ 'manager.use': 'immediate', 'transport.use': 'smtp', 'transport.host': 'secure.emailsrvr.com', 'transport.tls': 'ssl' }) mail.start() mail.stop()
def configured_mailer(): config = { # 'manager.use': 'futures', 'transport.debug': True, 'transport.timeout': 1, 'transport.use': 'smtp', 'transport.host': 'smtp.exmail.qq.com', 'transport.port': 465, 'transport.tls': 'ssl', 'transport.username': admin_mail, 'transport.password': secret.mail_password, } m = Mailer(config) m.start() return m
def configured_mail(): config = { # 'manager.use': 'futures', 'transport.use': 'smtp', 'transprt.debug': True, 'transprt.timeout': 1, 'transport.host': 'smtp.gmail.com', 'transport.port': 465, 'transport.tls': 'ssl', 'transport.username': secret.username, 'transport.password': secret.password, 'transport.max_messages_per_connection': 5 } m = Mailer(config) m.start() return m
class MailingAdapter(object): def __init__(self, host, port): self.mailer = Mailer(dict( manager = dict( use = 'immediate'), transport = dict( use = 'smtp', port = port, host = host))) self.mailer.start() def send_mail(self, to_address, from_address, body): message = Message(author=from_address, to=to_address) message.subject = "Testing Marrow Mailer" message.plain = body self.mailer.send(message)
def __init__(self, username="", password="", use="smtp", host="smtp.exmail.qq.com", port="25"): self.username = username self.mailer = Mailer( { "transport": {"use": use, "host": host, "port": port, "username": username, "password": password}, "manager": {}, } )
def __init__(self, username='', password='', use='smtp', host='smtp.exmail.qq.com', port='25'): self.username = username self.mailer = Mailer({ 'transport': { 'use': use, 'host': host, 'port': port, 'username': username, 'password': password }, 'manager': {} })
class MailHandler(logging.Handler): """A class which sends records out via e-mail. This handler should be configured using the same configuration directives that Marrow Mailer itself understands. Be careful how many notifications get sent. It is suggested to use background delivery using the 'dynamic' manager. """ def __init__(self, *args, **config): """Initialize the instance, optionally configuring TurboMail itself. If no additional arguments are supplied to the handler, re-use any existing running TurboMail configuration. To get around limitations of the INI parser, you can pass in a tuple of name, value pairs to populate the dictionary. (Use `{}` dict notation in produciton, though.) """ logging.Handler.__init__(self) self.config = dict() if args: config.update(dict(zip(*[iter(args)]*2))) self.mailer = Mailer(config).start() # If we get a configuration that doesn't explicitly start TurboMail # we use the configuration to populate the Message instance. self.config = config def emit(self, record): """Emit a record.""" try: self.mailer.new(plain=self.format(record)).send() except (KeyboardInterrupt, SystemExit): raise except: self.handleError(record)
class MailHandler(logging.Handler): """A class which sends records out via e-mail. This handler should be configured using the same configuration directives that Marrow Mailer itself understands. Be careful how many notifications get sent. It is suggested to use background delivery using the 'dynamic' manager. """ def __init__(self, *args, **config): """Initialize the instance, optionally configuring TurboMail itself. If no additional arguments are supplied to the handler, re-use any existing running TurboMail configuration. To get around limitations of the INI parser, you can pass in a tuple of name, value pairs to populate the dictionary. (Use `{}` dict notation in produciton, though.) """ logging.Handler.__init__(self) self.config = dict() if args: config.update(dict(zip(*[iter(args)] * 2))) self.mailer = Mailer(config).start() # If we get a configuration that doesn't explicitly start TurboMail # we use the configuration to populate the Message instance. self.config = config def emit(self, record): """Emit a record.""" try: self.mailer.new(plain=self.format(record)).send() except (KeyboardInterrupt, SystemExit): raise except: self.handleError(record)
def send_mail_via_smtp_(config, payload): """ Send email via SMTP :param config: :param payload: :return: """ mailer_config = { 'transport': { 'use': 'smtp', 'host': config['host'], 'username': config['username'], 'password': config['password'], 'tls': config['encryption'], 'port': config['port'] } } mailer = Mailer(mailer_config) mailer.start() message = Message(author=payload['from'], to=payload['to']) message.subject = payload['subject'] message.plain = strip_tags(payload['html']) message.rich = payload['html'] mailer.send(message) mailer.stop()
def test_send(self): message = Bunch(id='foo') interface = Mailer(base_config) self.assertRaises(MailerNotRunning, interface.send, message) interface.start() logging.getLogger().handlers[0].truncate() messages = logging.getLogger().handlers[0].buffer self.assertEqual(interface.send(message), (message, True)) self.assertEqual(messages[0].getMessage(), "Attempting delivery of message foo.") self.assertEqual(messages[-1].getMessage(), "Message foo delivered.") message_fail = Bunch(id='bar', die=True) self.assertRaises(Exception, interface.send, message_fail) self.assertEqual(messages[-4].getMessage(), "Attempting delivery of message bar.") self.assertEqual(messages[-3].getMessage(), "Acquired existing transport instance.") self.assertEqual(messages[-2].getMessage(), "Shutting down transport due to unhandled exception.") self.assertEqual(messages[-1].getMessage(), "Delivery of message bar failed.") interface.stop()
def __init__(self, host, port): self.mailer = Mailer(dict( manager = dict( use = 'immediate'), transport = dict( use = 'smtp', port = port, host = host))) self.mailer.start()
def test_manager_entrypoint_failure(self): config = { 'manager.use': 'immediate2', 'transport.use': 'mock' } log.info("Testing configuration: %r", dict(config)) with pytest.raises(LookupError): Mailer(config)
def init_app(app): marrowmailer_config_key = 'MARROWMAILER_CONFIG' if marrowmailer_config_key not in app.config: app.config[marrowmailer_config_key] = _get_config(app) mailer_config = app.config.get(marrowmailer_config_key) app.marrowmailer = Mailer(mailer_config)
def __init__(self): self.config = Config().config['mail'] self.mailer = MarrowMailer( dict( transport=dict(debug=True, **self.config), manager=dict(), ), )
def test_deep_prefix(self): config = { 'marrow.mailer.manager.use': 'immediate', 'marrow.mailer.transport.use': 'mock' } log.info("Testing configuration: %r", dict(config)) a = Mailer(config, 'marrow.mailer') self.assertEqual(a.Manager, ImmediateManager) self.assertEqual(a.Transport, MockTransport)
def test_prefix(self): config = { 'mail.manager.use': 'immediate', 'mail.transport.use': 'mock' } log.info("Testing configuration: %r", dict(config)) a = Mailer(config, 'mail') assert a.Manager == ImmediateManager assert a.Transport == MockTransport
def passwdreset(self): """Render password reset page""" c.came_from = '/' c.login_counter = 0 c.form = ResetPwForm(request.POST, csrf_context=session) if request.method == 'POST' and c.form.validate(): key_seed = '%s%s' % (c.form.email.data, arrow.utcnow().ctime()) token = hashlib.sha1(key_seed).hexdigest() user = Session.query(User)\ .filter(User.email == c.form.email.data)\ .one() if not user.local: flash( _('The account %s is an external account, use your' ' External systems to change the password. ' 'Contact your system adminstrator if you do not ' 'know which external systems you authenticate to') % user.email) redirect(url('/accounts/login')) rtoken = Session\ .query(ResetToken.used)\ .filter(ResetToken.used == false())\ .filter(ResetToken.user_id == user.id)\ .all() if not rtoken: rtoken = ResetToken(token, user.id) Session.add(rtoken) Session.commit() host = URL_PREFIX_RE.sub('', request.host_url) c.username = user.username c.firstname = user.firstname or user.username c.reset_url = url('accounts-pw-token-reset', token=token, host=host) text = self.render('/email/pwreset.txt') mailer = Mailer(get_conf_options(config)) mailer.start() sdrnme = config.get('baruwa.custom.name', 'Baruwa') email = Msg(author=[(sdrnme, config.get('baruwa.reports.sender'))], to=[('', c.form.email.data)], subject=_("[%s] Password reset request") % sdrnme) email.plain = text mailer.send(email) mailer.stop() flash( _('An email has been sent to the address provided, ' 'please follow the instructions in that email to ' 'reset your password.')) redirect(url('/accounts/login')) return self.render('/accounts/login.html')
def __init__(self): self.mailer = Mailer(dict( transport=dict( use='smtp', host='smtp.gmail.com', port='587', username=username, password=password, tls='required', debug=False), manager=dict())) self.mailer.start()
def send_email(send_to, templaterich, templateplain, subject, **kwargs): """ Sends an email to the target email with two types 1) HTML 2) Plain We will try the template with .htm for rich and .txt for plain. Both will rendered with Jinja2 """ mailer = Mailer(dict( transport=dict(use='smtp', host=config.EMAIL_SMTP_SERVER, debug=config.EMAIL_DEBUG), manager=dict())) mailer.start() message = mailer.new() message.author = config.EMAIL_SENDER message.to = send_to message.subject = subject template_rich = env.get_template(templaterich) template_plain = env.get_template(templateplain) message.rich = template_rich.render(**kwargs) message.plain = template_plain.render(**kwargs) logger.info('Sent an email to ' + send_to) message.send() mailer.stop()
def includeme(config): """Configure marrow.mailer""" settings = config.registry.settings prefix = settings.get('pyramid_marrowmailer.prefix', 'mail.').rstrip('.') # handle boolean options and int options .digit .on mailer_config = dict( filter(lambda d: d[0].startswith(prefix), settings.items())) for key, value in dict(mailer_config).items(): if key.endswith('.on'): mailer_config[key[:-3]] = asbool(value) if key.endswith('.int'): mailer_config[key[:-4]] = int(value) # bugfix for https://github.com/marrow/marrow.mailer/issues/45 manager = '%s.manager.use' % prefix if manager not in mailer_config: mailer_config[manager] = 'immediate' mode = '%s.mode' % prefix if mailer_config.get(mode) == 'direct': mailer = Mailer(mailer_config, prefix) else: mailer = TransactionMailer(mailer_config, prefix) mailer.start() config.registry.registerUtility(mailer, IMarrowMailer) config.add_request_method(get_mailer, "mailer", reify=True) # shutdown mailer when process stops atexit.register(lambda: mailer.stop())
def send(subject, text, html, sender, recipient, cc=None, bcc=None): mailer = Mailer(dict(transport=dict(use='smtp', host='localhost'))) mailer.start() message = Message(author=sender, to=recipient, cc=cc, bcc=bcc) message.subject = subject message.rich = html message.plain = text mailer.send(message) mailer.stop()
def test_shutdown(self): interface = Mailer(base_config) interface.start() #logging.getLogger().handlers[0].truncate() #messages = logging.getLogger().handlers[0].buffer interface.stop() #assert len(messages) == 5 #assert messages[0] == "Mail delivery service stopping." #assert messages[-1] == "Mail delivery service stopped." interface.stop()
def send_local_mail(user: str): mailer = Mailer(dict(transport=dict(use="sendmail", host="localhost"))) mailer.start() otp = generate_otp_for_user(user) print(otp) message = Message(author="*****@*****.**", to=user) message.sendmail_f = "*****@*****.**" message.subject = "Login for Twit" message.plain = f"Your OTP is {otp}" mailer.send(message) mailer.stop()
def send_mail(subj, body, bifogade_filer, recipients=[], sender='*****@*****.**'): from marrow.mailer import Mailer, Message """Send mail to specified recipients.""" recipients = [*recipients] mailer = Mailer(dict(transport=dict(use='smtp', host='smtp.gu.se'))) mailer.start() message = Message( subject=f'{subj}', plain=f'{body}', author=sender, to=recipients, ) if bifogade_filer: for fil in bifogade_filer: if not os.path.isfile(fil): message.plain += "\n" message.plain += f"Error: attempted attachment {fil} does not appear to exist" else: message.attach(str(fil)) nl = "\n" message.plain += f"{nl}{nl}If you have any question you can reach us at:" message.plain += f"{nl}[email protected]" message.plain += f"{nl}" message.plain += f"{nl}Best regards," message.plain += f"{nl}Clinical Genomics Gothenburg" mailer.send(message)
class SendEmail(object): def __init__(self, username='', password='', use='smtp', host='smtp.exmail.qq.com', port='25'): self.username = username self.mailer = Mailer({ 'transport': { 'use': use, 'host': host, 'port': port, 'username': username, 'password': password }, 'manager': {} }) def send_email(self, to, subject, content, author=''): self.mailer.start() self.mailer.send( Message(author=author or self.username, to=to, subject=subject, plain=content)) self.mailer.stop()
def test_new(self): config = dict(manager=dict(use='immediate'), transport=dict(use='mock'), message=dict(author='*****@*****.**', retries=1, brand=False)) interface = Mailer(config).start() message = interface.new(retries=2) self.assertEqual(message.author, ["*****@*****.**"]) self.assertEqual(message.bcc, []) self.assertEqual(message.retries, 2) self.assertTrue(message.mailer is interface) self.assertEqual(message.brand, False) self.assertRaises(NotImplementedError, Message().send) self.assertEqual(message.send(), (message, True)) message = interface.new("*****@*****.**", "*****@*****.**", "Test.") self.assertEqual(message.author, ["*****@*****.**"]) self.assertEqual(message.to, ["*****@*****.**"]) self.assertEqual(message.subject, "Test.")
def command(self): "command" self.init() if self.options.email is None: print "\nA valid email is required\n" print self.parser.print_help() sys.exit(2) starttime = arrow.utcnow() if self.options.report_period == 'daily': endtime = starttime - datetime.timedelta(days=1) elif self.options.report_period == 'weekly': endtime = starttime - datetime.timedelta(weeks=1) else: endtime = starttime - datetime.timedelta(weeks=4) params = dict(spamscore=self.options.spamscore, num=self.options.num, starttime=starttime.datetime, endtime=endtime.datetime) sql = text("""SELECT clientip, COUNT(clientip) a FROM messages WHERE sascore <= :spamscore AND (timestamp BETWEEN :endtime AND :starttime) GROUP BY clientip HAVING COUNT(clientip) >= :num ORDER BY a DESC;""") results = Session.execute(sql, params=params) if results.rowcount: if self.options.include_count is False: records = [result.clientip for result in results] else: records = ["%s\t%d" % tuple(result) for result in results] content = "\n".join(records) if self.options.dry_run is True: print content else: mailer = Mailer(get_conf_options(self.conf)) mailer.start() email = Msg(author=self.conf['baruwa.reports.sender'], to=self.options.email, subject='TWL') email.plain = content try: mailer.send(email) except (TransportFailedException, MessageFailedException), err: print >> sys.stderr, err mailer.stop()
def __init__(self, *args, **config): """Initialize the instance, optionally configuring TurboMail itself. If no additional arguments are supplied to the handler, re-use any existing running TurboMail configuration. To get around limitations of the INI parser, you can pass in a tuple of name, value pairs to populate the dictionary. (Use `{}` dict notation in produciton, though.) """ logging.Handler.__init__(self) self.config = dict() if args: config.update(dict(zip(*[iter(args)] * 2))) self.mailer = Mailer(config).start() # If we get a configuration that doesn't explicitly start TurboMail # we use the configuration to populate the Message instance. self.config = config
def test_startup(self): #messages = logging.getLogger().handlers[0].buffer interface = Mailer(base_config) interface.start() #assert len(messages) == 5 #assert messages[0] == "Mail delivery service starting." #assert messages[-1] == "Mail delivery service started." interface.start() #assert len(messages) == 6 #assert messages[-1] == "Attempt made to start an already running Mailer service." interface.stop()
def test_startup(self): messages = logging.getLogger().handlers[0].buffer interface = Mailer(base_config) interface.start() self.assertEqual(len(messages), 5) self.assertEqual(messages[0].getMessage(), "Mail delivery service starting.") self.assertEqual(messages[-1].getMessage(), "Mail delivery service started.") interface.start() self.assertEqual(len(messages), 6) self.assertEqual(messages[-1].getMessage(), "Attempt made to start an already running Mailer service.") interface.stop()
def __init__(self, pkg_name, config=None, server='localhost', username=None, password=None, email_port=25, default_sender=None, template_dir='email_templates'): """ Can be created by passing the configuration for sending a mail, pkg_name is required so we can find your email templates but depending on your configuration server, username, password may not be required. Only server, username, password, port, sender and template_dir can be configured. If you need to change other settings such as logging. Please pass a Config object. """ if not config is None: self._config = config else: self._config = Config() if not server is None: self._config.EMAIL_HOST = server if not username is None: self._config.EMAIL_USERNAME = username if not password is None: self._config.EMAIL_PWD = password if not email_port is None: self._config.EMAIL_PORT = email_port if not default_sender is None: self._config.EMAIL_SENDER = default_sender self._config.EMAIL_TEMPLATE_DIR = template_dir #Init log self._log = logging.getLogger(self._config.LOGGER_NAME) self._log.setLevel(self._config.LOGGER_LEVEL) console_handler = logging.StreamHandler() self._log.addHandler(console_handler) #Init Jinja self._jinja_env = Environment(loader=PackageLoader(pkg_name, self._config.EMAIL_TEMPLATE_DIR)) #Init Mailer self._mailer = Mailer(dict( transport = dict( use = 'smtp', host = self._config.EMAIL_HOST, username = self._config.EMAIL_USERNAME, password = self._config.EMAIL_PWD, port = self._config.EMAIL_PORT), manager = dict())) self._mailer.start()
def test_use_deprecation(self): with warnings.catch_warnings(record=True) as w: warnings.simplefilter("always") Mailer(dict(manager='immediate', transport='mock')) self.assertEqual(len(w), 2, "Too few or too many warnings issued.") self.assertTrue(issubclass(w[0].category, DeprecationWarning), "Category of warning is not DeprecationWarning.") self.assertTrue('deprecated' in str(w[0].message), "Warning does not include 'deprecated'.") self.assertTrue('manager.use' in str(w[0].message), "Warning does not include correct use.") self.assertTrue(issubclass(w[1].category, DeprecationWarning), "Category of warning is not DeprecationWarning.") self.assertTrue('deprecated' in str(w[1].message), "Warning does not include 'deprecated'.") self.assertTrue('transport.use' in str(w[1].message), "Warning does not include correct use.")
def send_mail(subj, body, bifogad_fil, recipients=[], sender='*****@*****.**'): from marrow.mailer import Mailer, Message """Send mail to specified recipients.""" recipients = [*recipients] mailer = Mailer(dict( transport=dict(use='smtp', host='change.me.se'))) mailer.start() message = Message( subject=f'{subj}', plain=f'{body}', author=sender, to=recipients,) message.attach(str(bifogad_fil)) mailer.send(message) mailer.stop()
def test_shutdown(self): interface = Mailer(base_config) interface.start() logging.getLogger().handlers[0].truncate() messages = logging.getLogger().handlers[0].buffer interface.stop() self.assertEqual(len(messages), 5) self.assertEqual(messages[0].getMessage(), "Mail delivery service stopping.") self.assertEqual(messages[-1].getMessage(), "Mail delivery service stopped.") interface.stop() self.assertEqual(len(messages), 6) self.assertEqual(messages[-1].getMessage(), "Attempt made to stop an already stopped Mailer service.")
def test_new(self): config = dict( manager=dict(use='immediate'), transport=dict(use='mock'), message=dict(author='*****@*****.**', retries=1, brand=False)) interface = Mailer(config).start() message = interface.new(retries=2) assert message.author == ["*****@*****.**"] assert message.bcc == [] assert message.retries == 2 assert message.mailer is interface assert message.brand == False with pytest.raises(NotImplementedError): Message().send() assert message.send() == (message, True) message = interface.new("*****@*****.**", "*****@*****.**", "Test.") assert message.author == ["*****@*****.**"] assert message.to == ["*****@*****.**"] assert message.subject == "Test."
def test_shutdown(self): interface = Mailer(base_config) interface.start() # logging.getLogger().handlers[0].truncate() # messages = logging.getLogger().handlers[0].buffer interface.stop() # assert len(messages) == 5 # assert messages[0] == "Mail delivery service stopping." # assert messages[-1] == "Mail delivery service stopped." interface.stop()
def main(): mailer = Mailer( dict(transport=dict(use='smtp', host='smtp.163.com', port=25, username='******', password='******', timeout=30, debug=False))) mailer.start() message = mailer.new(author="*****@*****.**", to=["*****@*****.**", "*****@*****.**"]) message.attach(name="/Users/kute/work/logs/a.txt") # 附件 message.subject = "Testing Marrow Mailer" # message.cc = AddressList(addresses=["*****@*****.**", "*****@*****.**"]) # 抄送-1 message.cc = "[email protected],[email protected]" # 抄送-2 message.plain = "hi,你好,请问什么时候去吃饭啊,快饿死了" # 普通文本内容 message.rich = "<h1>为什么不回我</h1>" # html文本 mailer.send(message) mailer.stop()
def passwdreset(self): """Render password reset page""" c.came_from = '/' c.login_counter = 0 c.form = ResetPwForm(request.POST, csrf_context=session) if request.method == 'POST' and c.form.validate(): key_seed = '%s%s' % (c.form.email.data, arrow.utcnow().ctime()) token = hashlib.sha1(key_seed).hexdigest() user = Session.query(User)\ .filter(User.email == c.form.email.data)\ .one() if not user.local: flash(_('The account %s is an external account, use your' ' External systems to change the password. ' 'Contact your system adminstrator if you do not ' 'know which external systems you authenticate to') % user.email) redirect(url('/accounts/login')) rtoken = Session\ .query(ResetToken.used)\ .filter(ResetToken.used == false())\ .filter(ResetToken.user_id == user.id)\ .all() if not rtoken: rtoken = ResetToken(token, user.id) Session.add(rtoken) Session.commit() host = URL_PREFIX_RE.sub('', request.host_url) c.username = user.username c.firstname = user.firstname or user.username c.reset_url = url('accounts-pw-token-reset', token=token, host=host) text = self.render('/email/pwreset.txt') mailer = Mailer(get_conf_options(config)) mailer.start() sdrnme = config.get('baruwa.custom.name', 'Baruwa') email = Msg(author=[(sdrnme, config.get('baruwa.reports.sender'))], to=[('', c.form.email.data)], subject=_("[%s] Password reset request") % sdrnme) email.plain = text mailer.send(email) mailer.stop() flash(_('An email has been sent to the address provided, ' 'please follow the instructions in that email to ' 'reset your password.')) redirect(url('/accounts/login')) return self.render('/accounts/login.html')
def command(self): "run command" self.init() self.language = 'en' self.host_url = self.conf['baruwa.default.url'] self.send_from = self.conf['baruwa.reports.sender'] self.num_of_days = self.options.number_of_days base = workout_path() path = os.path.join(base, 'baruwa', 'templates') self.logo = os.path.join(base, 'baruwa', 'public', 'imgs', 'logo.png') self.localedir = os.path.join(base, 'baruwa', 'i18n') cache_dir = os.path.join(self.conf['cache_dir'], 'templates') self.mako_lookup = TemplateLookup( directories=[path], error_handler=handle_mako_error, module_directory=cache_dir, input_encoding='utf-8', default_filters=['escape'], output_encoding='utf-8', encoding_errors='replace', imports=['from webhelpers.html import escape'] ) self.mailer = Mailer(get_conf_options(self.conf)) self.mailer.start() if self.options.report_type == 'user': users = get_users() for user in users: self._process_user_report(user) else: period = REPORTS_MAP[self.options.report_period] domains = Session.query(Domain).filter(Domain.status == True)\ .filter(Domain.report_every == period).all() for domain in domains: admins = set() self.translator = set_lang(domain.language, PKGNAME, self.localedir) for org in domain.organizations: for admin in org.admins: admins.add(admin) pdf_file = self._process_domain_report(domain) for admin in admins: self._send_domain_report(pdf_file, domain.site_url, admin) self.mailer.stop()
def send_mail_via_smtp(payload): """ Send email via SMTP :param config: :param payload: :return: """ smtp_encryption = current_app.config['SMTP_ENCRYPTION'] if smtp_encryption == 'tls': smtp_encryption = 'required' elif smtp_encryption == 'ssl': smtp_encryption = 'ssl' elif smtp_encryption == 'tls_optional': smtp_encryption = 'optional' else: smtp_encryption = 'none' config = { 'host': current_app.config['SMTP_HOST'], 'username': current_app.config['SMTP_USERNAME'], 'password': current_app.config['SMTP_PASSWORD'], 'encryption': smtp_encryption, 'port': current_app.config['SMTP_PORT'], } mailer_config = { 'transport': { 'use': 'smtp', 'host': config['host'], 'username': config['username'], 'password': config['password'], 'tls': config['encryption'], 'port': config['port'] } } mailer = Mailer(mailer_config) mailer.start() message = Message(author=payload['from'], to=payload['to']) message.subject = payload['subject'] message.plain = strip_tags(payload['message']) message.rich = payload['message'] message.attach(payload['attachment']) mailer.send(message) mailer.stop()
def test_startup(self): # messages = logging.getLogger().handlers[0].buffer interface = Mailer(base_config) interface.start() # assert len(messages) == 5 # assert messages[0] == "Mail delivery service starting." # assert messages[-1] == "Mail delivery service started." interface.start() # assert len(messages) == 6 # assert messages[-1] == "Attempt made to start an already running Mailer service." interface.stop()
def __init__(self): from brave.mumble import util # Configure mail delivery services. util.mail = Mailer(config, 'mail') util.mail.start() # Load our keys into a usable form. config['api.private'] = SigningKey.from_string(unhexlify( config['api.private']), curve=NIST256p, hashfunc=sha256) config['api.public'] = VerifyingKey.from_string(unhexlify( config['api.public']), curve=NIST256p, hashfunc=sha256) super(StartupMixIn, self).__init__()
def send_mail_via_smtp_task(config, payload): mailer_config = { 'transport': { 'use': 'smtp', 'host': config['host'], 'username': config['username'], 'password': config['password'], 'tls': config['encryption'], 'port': config['port'] } } mailer = Mailer(mailer_config) mailer.start() message = Message(author=payload['from'], to=payload['to']) message.subject = payload['subject'] message.plain = strip_tags(payload['html']) message.rich = payload['html'] mailer.send(message) mailer.stop()
def send_spam_alert(number, calls_today, calls_per_minute, concurrent_calls): if not config.getboolean('email', 'enabled'): return mailer = Mailer({'transport.use': 'sendmail'}) message = Message(author=config.get('mail', 'from'), to=config.get('mail', 'to')) message.subject = config.get('mail', 'subject') message.plain = EMAIL_MESSAGE.format(number=number, calls_today=calls_today, calls_per_minute=calls_per_minute, concurrent_calls=concurrent_calls) mailer.start() mailer.send(message) mailer.stop()
def command(self): "command" self.init() if self.options.email is None: print "\nA valid email is required\n" print self.parser.print_help() sys.exit(2) starttime = arrow.utcnow().datetime if self.options.report_period == 'daily': endtime = starttime - datetime.timedelta(days=1) elif self.options.report_period == 'weekly': endtime = starttime - datetime.timedelta(weeks=1) else: endtime = starttime - datetime.timedelta(weeks=4) params = dict(spamscore=self.options.spamscore, num=self.options.num, starttime=starttime, endtime=endtime) sql = text("""SELECT clientip, COUNT(clientip) a FROM messages WHERE sascore >= :spamscore AND (timestamp BETWEEN :endtime AND :starttime) GROUP BY clientip HAVING COUNT(clientip) >= :num ORDER BY a DESC;""") results = Session.execute(sql, params=params) if results.rowcount: if self.options.include_count is False: records = [result.clientip for result in results] else: records = ["%s\t%d" % tuple(result) for result in results] content = "\n".join(records) if self.options.dry_run is True: print content else: mailer = Mailer(get_conf_options(self.conf)) mailer.start() email = Msg(author=self.conf['baruwa.reports.sender'], to=self.options.email, subject='TSL') email.plain = content try: mailer.send(email) except (TransportFailedException, MessageFailedException), err: print >> sys.stderr, err mailer.stop()
class SendEmail(object): def __init__(self, username="", password="", use="smtp", host="smtp.exmail.qq.com", port="25"): self.username = username self.mailer = Mailer( { "transport": {"use": use, "host": host, "port": port, "username": username, "password": password}, "manager": {}, } ) def send_email(self, to, subject, content, author=""): self.mailer.start() self.mailer.send(Message(author=author or self.username, to=to, subject=subject, plain=content)) self.mailer.stop()
def send_mail(subject, plain, html): """This function assumes that email is HTML formatted""" mailer = Mailer(dict( transport = dict( use = 'smtp', debug = config.EMAIL_DEBUG, host = config.EMAIL_HOST, port = config.EMAIL_PORT, username = config.EMAIL_FROM, password = config.EMAIL_PASS, tls = config.EMAIL_SSL), manager = dict()) ) mailer.start() message = mailer.new() message.subject = subject message.author = config.EMAIL_FROM message.to = config.EMAIL_TO message.plain = plain message.rich = html mailer.send(message) mailer.stop()
def send_email(to, subject, body): host = config.get('email', 'host') author = config.get('email', 'from') username = config.get('email', 'username') password = _get_email_password(username) mailer = Mailer({'manager': {'use': 'immediate'}, 'transport': {'use': 'smtp', 'host': host, 'local_hostname': '[192.168.32.254]', 'username': username, 'password': password, 'tls': 'optional'} }) message = Message(author=author, to=to, subject=subject, plain=body) puts("Sending email to {}".format(to)) mailer.start() mailer.send(message) mailer.stop()
def __init__(self, *args, **config): """Initialize the instance, optionally configuring TurboMail itself. If no additional arguments are supplied to the handler, re-use any existing running TurboMail configuration. To get around limitations of the INI parser, you can pass in a tuple of name, value pairs to populate the dictionary. (Use `{}` dict notation in produciton, though.) """ logging.Handler.__init__(self) self.config = dict() if args: config.update(dict(zip(*[iter(args)]*2))) self.mailer = Mailer(config).start() # If we get a configuration that doesn't explicitly start TurboMail # we use the configuration to populate the Message instance. self.config = config
def pwtokenreset(self, token): """Reset password using token""" try: token = Session.query(ResetToken)\ .filter(ResetToken.token == token)\ .filter(ResetToken.used == false()).one() threshold = token.timestamp + timedelta(minutes=20) if arrow.utcnow().datetime > threshold: Session.delete(token) Session.commit() raise NoResultFound user = self._get_user(token.user_id) if not user or user.is_superadmin: raise NoResultFound passwd = mkpasswd() user.set_password(passwd) Session.add(user) Session.delete(token) Session.commit() c.passwd = passwd c.firstname = user.firstname or user.username text = self.render('/email/pwchanged.txt') mailer = Mailer(get_conf_options(config)) mailer.start() sdrnme = config.get('baruwa.custom.name', 'Baruwa') email = Msg(author=[(sdrnme, config.get('baruwa.reports.sender'))], to=[('', user.email)], subject=_("[%s] Password reset") % sdrnme) email.plain = text mailer.send(email) mailer.stop() flash(_('The password has been reset, check your email for' ' the temporary password you should use to login.')) except NoResultFound: msg = _('The token used is invalid or does not exist') flash_alert(msg) log.info(msg) redirect(url('/accounts/login'))
class Mailer(object): def __init__(self): self.config = Config().config['mail'] self.mailer = MarrowMailer( dict( transport=dict(debug=True, **self.config), manager=dict(), ), ) def send(self, message): self.mailer.start() self.mailer.send(message) self.mailer.stop() pass def send_activation_message_to_mentor(self, mentor): message = ActivationMessage(mentor, Config().config['secret_key']) self.send(message)