当前位置: 首页>>代码示例>>Python>>正文


Python Mailer.send方法代码示例

本文整理汇总了Python中mailer.Mailer.send方法的典型用法代码示例。如果您正苦于以下问题:Python Mailer.send方法的具体用法?Python Mailer.send怎么用?Python Mailer.send使用的例子?那么恭喜您, 这里精选的方法代码示例或许可以为您提供帮助。您也可以进一步了解该方法所在mailer.Mailer的用法示例。


在下文中一共展示了Mailer.send方法的15个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于系统推荐出更棒的Python代码示例。

示例1: turnOnLight

# 需要导入模块: from mailer import Mailer [as 别名]
# 或者: from mailer.Mailer import send [as 别名]
def turnOnLight(date, value):
  light(True)
  message = "lights is on at {}".format(datetime.datetime.now())
  user = credentials["email"]["username"]
  password = credentials["email"]["password"]
  mailer = Mailer(user, password)
  mailer.send("[email protected]", "Light is on", message)
开发者ID:yulrizka,项目名称:homeward-indicator,代码行数:9,代码来源:main.py

示例2: notify

# 需要导入模块: from mailer import Mailer [as 别名]
# 或者: from mailer.Mailer import send [as 别名]
def notify(args):
    config = parse_config(args.config)  
    db = database.WatchDb(db_path=DB_PATH)
    LOGGER.info("Notify if something is not working...")
    if db.get_status(config['notify']['track_last']):
        LOGGER.info("Everything seems to be ok.")
    else:
        LOGGER.warning("One of tests failed, generate report.")
        env = Environment(loader=FileSystemLoader(DIRECTORY))
        template = env.get_template('template.html')
        body = template.render(table=db.get_latest(config['notify']['track_last']))
        LOGGER.info("Sending email...")
        sender = Mailer(
            config['smtp']['host'],
            port=config['smtp']['port'],
            usr=config['smtp']['user'],
            pwd=config['smtp']['password'],
        )
        message = Message(
            From=config['smtp']['user'],
            To=config['notify']['email'],
        )
        message.Subject = config['notify']['subject']
        message.Html = body
        sender.send(message)
开发者ID:dawid1stanek,项目名称:guardian,代码行数:27,代码来源:__main__.py

示例3: sendmail

# 需要导入模块: from mailer import Mailer [as 别名]
# 或者: from mailer.Mailer import send [as 别名]
def sendmail(mailto, subject, html='', text='', textfile='', htmlfile='', attachments=''):
    '''send mail'''
    if not mailto:
        print 'Error: Empty mailto address.\n'
        return

    mailto = [sb.strip() for sb in mailto.split(',')]
    if attachments:
        attachments = [att.strip() for att in attachments.split(',')] 
    else:
        attachments = []
    
    #USERNAME = hostname()
    subject = "%s-[%s]" % ( subject, hostname())

    message = Message(From=USERNAME, To=mailto, Subject=subject, attachments=attachments)
    message.Body = text
    message.Html = html
    message.charset = 'utf8'
    try:
        if htmlfile:
            message.Html += open(htmlfile, 'r').read()
        if textfile:
            message.Body += open(textfile, 'r').read()
    except IOError:
        pass

    for att in attachments:
        message.attach(att)

    sender = Mailer(SERVER,port=465, use_tls=True, usr=USERNAME, pwd=PASSWD)
    #sender = Mailer(SERVER)
    #sender.login(USERNAME, PASSWD)
    sender.send(message)
开发者ID:cychenyin,项目名称:windmill,代码行数:36,代码来源:mailman.py

示例4: report_html

# 需要导入模块: from mailer import Mailer [as 别名]
# 或者: from mailer.Mailer import send [as 别名]
 def report_html(self, target):
     if not target:
         return
     view = report.HtmlView(self._table_list, self._title)
     view.set_encoding(self._options.encoding)
     if '@' in target:
         recp = []
         for mail_to in target.split(';'):
             mail_to = mail_to.strip()
             if not mail_to:
                 continue
             logger.info('send mail to %s', mail_to)
             recp.append(mail_to)
         msg = Message(
                 recp = recp,
                 subject = self._title,
                 html = view.show())
         mailer = Mailer()
         mailer.send(msg)
     else:
         path = os.path.abspath(target)
         logger.info('save html report in: %s', path)
         fp = open(path, 'wb')
         fp.write(view.show())
         fp.close()
     return
开发者ID:zhengxle,项目名称:python,代码行数:28,代码来源:sendreport.py

示例5: mail_manifest

# 需要导入模块: from mailer import Mailer [as 别名]
# 或者: from mailer.Mailer import send [as 别名]
 def mail_manifest(self, emailfrom, emailto):
     message = Message(From=emailfrom, To=emailto)
     message.Subject = "Manifest"
     message.Html = self.fetch_manifest()
     
     sender = Mailer('localhost')
     sender.send(message)
开发者ID:OdinsHat,项目名称:citylink-utils,代码行数:9,代码来源:citylink.py

示例6: send

# 需要导入模块: from mailer import Mailer [as 别名]
# 或者: from mailer.Mailer import send [as 别名]
    def send(self, from_address, to_address, subject, body=None, html=True):
        try:
            message = Message(
                From=from_address,
                To=to_address,
                charset=self.charset
            )

            if body is None:
                body = ''
            self.body = body

            message.Subject = "%s - %s" % (self.subject_prefix, subject)
            message.Html = self.body
            message.Body = self.body
        except Exception as e:
            log.exception('[scaffold_mailer] - Failed to create message object for mailer')
            return False

        try:
            sender = Mailer(
                host=self.config.get('host'),
                port=self.config.get('port'),
                use_tls=self.config.get('use_tls', False),
                use_ssl=True,
                usr=self.config.get('username'),
                pwd=self.config.get('password'))
            sender.send(message)
        except Exception as e:
            log.exception('[scaffold_mailer] - Failed to connect to smtp sever and send message with subject: %s' % message.Subject)
            return False
        return True
开发者ID:maidstone-hackspace,项目名称:maidstone-hackspace,代码行数:34,代码来源:mail.py

示例7: send_email

# 需要导入模块: from mailer import Mailer [as 别名]
# 或者: from mailer.Mailer import send [as 别名]
def send_email(user, pwd, recipient, subject, body):

    gmail_user = user
    gmail_pwd = pwd
    FROM = user
    TO = recipient if type(recipient) is list else [recipient]
    SUBJECT = subject
    TEXT = body

    message = Message(From=FROM,
                      To=TO)

    message.Subject = SUBJECT
    message.Html = """
                        <html>
                          <head></head>
                          <body>
                            <p>Hi! You've requested the UTNC practice schedule<br>
                               How are you?<br>
                               Here is the <a href="http://www.python.org">link</a> you wanted.
                            </p>
                          </body>
                        </html>
                        """

    sender = Mailer('smtp.gmail.com',port=587, use_tls=True, usr=gmail_user, pwd=gmail_pwd)
    sender.send(message)
开发者ID:Syanna,项目名称:UTNC_email,代码行数:29,代码来源:Email.py

示例8: alert_email

# 需要导入模块: from mailer import Mailer [as 别名]
# 或者: from mailer.Mailer import send [as 别名]
def alert_email(feed, cfg, entry):
    """Sends alert via email.

    Args:
        feed (:py:class:`Feed`): the feed
        cfg (dict):              output config
        entry (dict):            the feed entry
    """
    logger = logging.LoggerAdapter(log, extra = {
        'feed':  feed.name,
        'group': feed.group['name'],
    })

    logger.debug(f"[{feed.name}] Alerting email: {entry.title}")

    description = strip_html(entry.description)

    try:
        smtp = Mailer(host=cfg['server'])
        message = Message(charset="utf-8", From=cfg['from'], To=cfg['to'],
                          Subject = f"{feed.group['name']} Alert: ({feed.name}) {entry.title}")
        message.Body = f"Feed: {feed.name}\nDate: {entry.datestring}\n\n{description}"
        message.header('X-Mailer', 'rssalertbot')
        smtp.send(message)

    except Exception:
        logger.exception(f"[{feed.name}] Error sending mail")
开发者ID:jwplayer,项目名称:rssalertbot,代码行数:29,代码来源:alerts.py

示例9: send_reset_email

# 需要导入模块: from mailer import Mailer [as 别名]
# 或者: from mailer.Mailer import send [as 别名]
 def send_reset_email(self):
     self.token = os.urandom(32).encode('hex')
     sender = Mailer('localhost', port=25)
     msg = Message(From="[email protected]", To=[self.email],
                   charset="utf-8")
     msg.Subject = u'Accès trombinoscope ACR'
     msg.Body = _BODY % (unicode(self.token), unicode(self.login))
     sender.send([msg])
开发者ID:AcrDijon,项目名称:trombi,代码行数:10,代码来源:mappings.py

示例10: sendEmail

# 需要导入模块: from mailer import Mailer [as 别名]
# 或者: from mailer.Mailer import send [as 别名]
def sendEmail(toaddr, ccs, bccs, body, subject):
	""" 'sendEmail()' is called by 'feedConsumer()' when it is ready to
	send the e-mail to the specified recipient using SMTP; in case of
	failure to send, fallback gracefully to using the existing
	[email protected] account."""
	mailer = Mailer('smtp.gmail.com', port=587, use_tls=True, usr="[email protected]", pwd="mailerbot")
	msg = Message(From="[email protected]", To=toaddr, CC=ccs, BCC=bccs, Body=body)
	msg.Subject = subject
	mailer.send(msg)
开发者ID:acommitteeoflunatics,项目名称:artifacts,代码行数:11,代码来源:couch-express.py

示例11: send_email

# 需要导入模块: from mailer import Mailer [as 别名]
# 或者: from mailer.Mailer import send [as 别名]
def send_email(msg):
    from mailer import Mailer, Message
    mail_msg = Message(From="监听者<%s>"%(os.environ["MAIL_ADDR"]),
                    To=["[email protected]"],
                    charset="utf-8")
    mail_msg.Subject = "Watchpmc Report"
    mail_msg.Html = msg
    sender = Mailer(host="smtp.yeah.net", usr=os.environ["MAIL_ADDR"], pwd=os.environ["MAIL_PASS"])
    sender.send(mail_msg)
开发者ID:kuanghy,项目名称:pps,代码行数:11,代码来源:watchpmc.py

示例12: _send

# 需要导入模块: from mailer import Mailer [as 别名]
# 或者: from mailer.Mailer import send [as 别名]
 def _send(self, subject, htmlbody, textbody):
     for to in config().backupmailrecipients:
         logger().info("Sent backup report to [%s] via SMTP:%s" % (to, config().smtphost))
         message = Message(From=config().backupmailfrom, To=to, charset="utf-8")
         message.Subject = subject
         message.Html = htmlbody
         message.Body = textbody
         sender = Mailer(config().smtphost)
         sender.send(message)
开发者ID:Nextpertise,项目名称:autorsyncbackup,代码行数:11,代码来源:statusemail.py

示例13: _send

# 需要导入模块: from mailer import Mailer [as 别名]
# 或者: from mailer.Mailer import send [as 别名]
 def _send(self, subject, htmlbody):
     for to in config().backupmailrecipients:
         logger().info("INFO: Sent backup report to [%s] via SMTP:%s" % (to, config().smtphost))
         message = Message(From=config().backupmailfrom, To=to, charset="utf-8")
         message.Subject = subject
         message.Html = htmlbody
         message.Body = """This is an HTML e-mail with the backup overview, please use a HTML enabled e-mail client."""
         sender = Mailer(config().smtphost)
         sender.send(message)
开发者ID:WeszNL,项目名称:autorsyncbackup,代码行数:11,代码来源:statusemail.py

示例14: send

# 需要导入模块: from mailer import Mailer [as 别名]
# 或者: from mailer.Mailer import send [as 别名]
 def send(self):
     """Send the email described by this object."""
     message = Message(From=self.sender,
                       To=self.to,
                       charset="utf-8")
     message.Subject = self.subject
     message.Body = self.body
     mailer = Mailer(self.smtp_server)
     mailer.send(message)
开发者ID:JoseEspinosa,项目名称:bbcflib,代码行数:11,代码来源:email.py

示例15: verify_email

# 需要导入模块: from mailer import Mailer [as 别名]
# 或者: from mailer.Mailer import send [as 别名]
def verify_email(user):
#     logger.debug("Generated email verification link: " + user.reg_id)
#     if not user.active:
    message = Message(From="[email protected]",To="[email protected]",charset="utf-8")
    message.Subject = "Flotag Email Verification"
    message.Html = """This email uses <strong>Complete Flotag Registration</strong>!"""
    message.Body = """Flotag Registration"""
    
    sender = Mailer('127.0.0.1')
    sender.send(message)
开发者ID:CarbonComputed,项目名称:flotag,代码行数:12,代码来源:emailer.py


注:本文中的mailer.Mailer.send方法示例由纯净天空整理自Github/MSDocs等开源代码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。