flask-mail Documentation
|
|
|
- Brianna Nelson
- 9 years ago
- Views:
Transcription
1 flask-mail Documentation Release Dan Jacob February 16, 2016
2
3 Contents 1 Links 3 2 Installing Flask-Mail 5 3 Configuring Flask-Mail 7 4 Sending messages 9 5 Bulk s 11 6 Attachments 13 7 Unit tests and suppressing s 15 8 Header injection 17 9 Signalling support API 21 Python Module Index 23 i
4 ii
5 flask-mail Documentation, Release One of the most basic functions in a web application is the ability to send s to your users. The Flask-Mail extension provides a simple interface to set up SMTP with your Flask application and to send messages from your views and scripts. Contents 1
6 flask-mail Documentation, Release Contents
7 CHAPTER 1 Links documentation source changelog 3
8 flask-mail Documentation, Release Chapter 1. Links
9 CHAPTER 2 Installing Flask-Mail Install with pip and easy_install: pip install Flask-Mail or download the latest version from version control: git clone cd flask-mail python setup.py install If you are using virtualenv, it is assumed that you are installing flask-mail in the same virtualenv as your Flask application(s). 5
10 flask-mail Documentation, Release Chapter 2. Installing Flask-Mail
11 CHAPTER 3 Configuring Flask-Mail Flask-Mail is configured through the standard Flask config API. These are the available options (each is explained later in the documentation): MAIL_SERVER : default localhost MAIL_PORT : default 25 MAIL_USE_TLS : default False MAIL_USE_SSL : default False MAIL_DEBUG : default app.debug MAIL_USERNAME : default None MAIL_PASSWORD : default None MAIL_DEFAULT_SENDER : default None MAIL_MAX_ S : default None MAIL_SUPPRESS_SEND : default app.testing MAIL_ASCII_ATTACHMENTS : default False In addition the standard Flask TESTING configuration option is used by Flask-Mail in unit tests (see below). s are managed through a Mail instance: from flask import Flask from flask_mail import Mail app = Flask( name ) mail = Mail(app) In this case all s are sent using the configuration values of the application that was passed to the Mail class constructor. Alternatively you can set up your Mail instance later at configuration time, using the init_app method: mail = Mail() app = Flask( name ) mail.init_app(app) In this case s will be sent using the configuration values from Flask s current_app context global. This is useful if you have multiple applications running in the same process but with different configuration options. 7
12 flask-mail Documentation, Release Chapter 3. Configuring Flask-Mail
13 CHAPTER 4 Sending messages To send a message first create a Message instance: from flask_mail import def index(): msg = Message("Hello", sender="[email protected]", recipients=["[email protected]"]) You can set the recipient s immediately, or individually: msg.recipients = ["[email protected]"] msg.add_recipient("[email protected]") If you have set MAIL_DEFAULT_SENDER you don t need to set the message sender explicity, as it will use this configuration value by default: msg = Message("Hello", recipients=["[email protected]"]) If the sender is a two-element tuple, this will be split into name and address: msg = Message("Hello", sender=("me", "[email protected]")) assert msg.sender == "Me <[email protected]>" The message can contain a body and/or HTML: msg.body = "testing" msg.html = "<b>testing</b>" Finally, to send the message, you use the Mail instance configured with your Flask application: mail.send(msg) 9
14 flask-mail Documentation, Release Chapter 4. Sending messages
15 CHAPTER 5 Bulk s Usually in a web application you will be sending one or two s per request. In certain situations you might want to be able to send perhaps dozens or hundreds of s in a single batch - probably in an external process such as a command-line script or cronjob. In that case you do things slightly differently: with mail.connect() as conn: for user in users: message = '...' subject = "hello, %s" % user.name msg = Message(recipients=[user. ], body=message, subject=subject) conn.send(msg) The connection to your host is kept alive and closed automatically once all the messages have been sent. Some mail servers set a limit on the number of s sent in a single connection. You can set the max amount of s to send before reconnecting by specifying the MAIL_MAX_ S setting. 11
16 flask-mail Documentation, Release Chapter 5. Bulk s
17 CHAPTER 6 Attachments Adding attachments is straightforward: with app.open_resource("image.png") as fp: msg.attach("image.png", "image/png", fp.read()) See the API for details. If MAIL_ASCII_ATTACHMENTS is set to True, filenames will be converted to an ASCII equivalent. This can be useful when using a mail relay that modify mail content and mess up Content-Disposition specification when filenames are UTF-8 encoded. The conversion to ASCII is a basic removal of non-ascii characters. It should be fine for any unicode character that can be decomposed by NFKD into one or more ASCII characters. If you need romanization/transliteration (i.e ß ss) then your application should do it and pass a proper ASCII string. 13
18 flask-mail Documentation, Release Chapter 6. Attachments
19 CHAPTER 7 Unit tests and suppressing s When you are sending messages inside of unit tests, or in a development environment, it s useful to be able to suppress sending. If the setting TESTING is set to True, s will be suppressed. Calling send() on your messages will not result in any messages being actually sent. Alternatively outside a testing environment you can set MAIL_SUPPRESS_SEND to True. This will have the same effect. However, it s still useful to keep track of s that would have been sent when you are writing unit tests. In order to keep track of dispatched s, use the record_messages method: with mail.record_messages() as outbox: mail.send_message(subject='testing', body='test', recipients= s) assert len(outbox) == 1 assert outbox[0].subject == "testing" The outbox is a list of Message instances sent. The blinker package must be installed for this method to work. Note that the older way of doing things, appending the outbox to the g object, is now deprecated. 15
20 flask-mail Documentation, Release Chapter 7. Unit tests and suppressing s
21 CHAPTER 8 Header injection To prevent header injection attempts to send a message with newlines in the subject, sender or recipient addresses will result in a BadHeaderError. 17
22 flask-mail Documentation, Release Chapter 8. Header injection
23 CHAPTER 9 Signalling support New in version 0.4. Flask-Mail now provides signalling support through a _dispatched signal. This is sent whenever an is dispatched (even if the is not actually sent, i.e. in a testing environment). A function connecting to the _dispatched signal takes a Message instance as a first argument, and the Flask app instance as an optional argument: def log_message(message, app): app.logger.debug(message.subject) _dispatched.connect(log_message) 19
24 flask-mail Documentation, Release Chapter 9. Signalling support
25 CHAPTER 10 API class flask_mail.mail(app=none) Manages messaging Parameters app Flask instance connect() Opens a connection to the mail host. send(message) Sends a single message instance. If TESTING is True the message will not actually be sent. Parameters message a Message instance. send_message(*args, **kwargs) Shortcut for send(msg). Takes same arguments as Message constructor. Versionadded class flask_mail.attachment(filename=none, content_type=none, data=none, disposition=none, headers=none) Encapsulates file attachment information. Versionadded Parameters filename filename of attachment content_type file mimetype data the raw file data disposition content-disposition (if any) class flask_mail.connection(mail) Handles connection to host. send(message, envelope_from=none) Verifies and sends message. Parameters message Message instance. envelope_from address to be used in MAIL FROM command. 21
26 flask-mail Documentation, Release send_message(*args, **kwargs) Shortcut for send(msg). Takes same arguments as Message constructor. Versionadded class flask_mail.message(subject=, recipients=none, body=none, html=none, alts=none, sender=none, cc=none, bcc=none, attachments=none, reply_to=none, date=none, charset=none, extra_headers=none, mail_options=none, rcpt_options=none) Encapsulates an message. Parameters subject subject header recipients list of addresses body plain text message html HTML message alts A dict or an iterable to go through dict() that contains multipart alternatives sender sender address, or MAIL_DEFAULT_SENDER by default cc CC list bcc BCC list attachments list of Attachment instances reply_to reply-to address date send date charset message character set extra_headers A dictionary of additional headers for the message mail_options A list of ESMTP options to be used in MAIL FROM command rcpt_options A list of ESMTP options to be used in RCPT commands add_recipient(recipient) Adds another recipient to the message. Parameters recipient address of recipient. attach(filename=none, content_type=none, data=none, disposition=none, headers=none) Adds an attachment to the message. Parameters filename filename of attachment content_type file mimetype data the raw file data disposition content-disposition (if any) 22 Chapter 10. API
27 Python Module Index f flask-mail, 3 flask_mail, 21 23
28 flask-mail Documentation, Release Python Module Index
29 Index A add_recipient() (flask_mail.message method), 22 attach() (flask_mail.message method), 22 Attachment (class in flask_mail), 21 C connect() (flask_mail.mail method), 21 Connection (class in flask_mail), 21 F flask-mail (module), 1 flask_mail (module), 21 M Mail (class in flask_mail), 21 Message (class in flask_mail), 22 S send() (flask_mail.connection method), 21 send() (flask_mail.mail method), 21 send_message() (flask_mail.connection method), 21 send_message() (flask_mail.mail method), 21 25
Flask-SSO Documentation
Flask-SSO Documentation Release 0.3.0 CERN July 30, 2015 Contents 1 Contents 3 1.1 Installation................................................ 3 1.2 Quickstart................................................
20.12. smtplib SMTP protocol client
20.12. smtplib SMTP protocol client The smtplib module defines an SMTP client session object that can be used to send mail to any Internet machine with an SMTP or ESMTP listener daemon. For details of
socketio Documentation
socketio Documentation Release 0.1 Miguel Grinberg January 17, 2016 Contents 1 What is Socket.IO? 3 2 Getting Started 5 3 Rooms 7 4 Responses 9 5 Callbacks 11 6 Namespaces 13 7 Using a Message Queue 15
Network Services. Email SMTP, Internet Message Format. Johann Oberleitner SS 2006
Network Services Email SMTP, Internet Message Format Johann Oberleitner SS 2006 Agenda Email SMTP Internet Message Format Email Protocols SMTP Send emails POP3/IMAPv4 Read Emails Administrate mailboxes
Using Caché Internet Utilities
Using Caché Internet Utilities Version 2013.1 24 April 2013 InterSystems Corporation 1 Memorial Drive Cambridge MA 02142 www.intersystems.com Using Caché Internet Utilities Caché Version 2013.1 24 April
Result: Adds an X-header named "X-Company" with the value of "Your Company Name"
SMTPit Pro SMTPit_AddEmailHeader SMTPit_Clear SMTPit_Configure SMTPit_Connect SMTPit_Disconnect SMTPit_File_Copy SMTPit_File_Delete SMTPit_File_Exists SMTPit_File_Export SMTPit_File_GetPath SMTPit_File_Move
Interactive Reporting Emailer Manual
Brief Overview of the IR Emailer The Interactive Reporting Emailer allows a user to schedule their favorites to be emailed to them on a regular basis. It accomplishes this by running once per day and sending
Server-side Development using Python and SQL
Lab 2 Server-side Development using Python and SQL Authors: Sahand Sadjadee Alexander Kazen Gustav Bylund Per Jonsson Tobias Jansson Spring 2015 TDDD97 Web Programming http://www.ida.liu.se/~tddd97/ Department
E-mail Settings 1 September 2015
Training Notes 1 September 2015 PrintBoss can be configured to e-mail the documents it processes as PDF attachments. There are limitations to embedding documents in standard e-mails. PrintBoss solves these
CS43: Computer Networks Email. Kevin Webb Swarthmore College September 24, 2015
CS43: Computer Networks Email Kevin Webb Swarthmore College September 24, 2015 Three major components: mail (MUA) mail transfer (MTA) simple mail transfer protocol: SMTP User Agent a.k.a. mail reader composing,
Flask Documentation. Release 0.10.1-20151216
Flask Documentation Release 0.10.1-20151216 December 16, 2015 CONTENTS I User s Guide 1 1 Foreword 3 1.1 What does micro mean?........................... 3 1.2 Configuration and Conventions.......................
Pyak47 - Performance Test Framework. Release 1.2.1
Pyak47 - Performance Test Framework Release 1.2.1 November 07, 2015 Contents 1 Performance & Load Tests in Python 3 2 Site Menu 5 2.1 Detailed Install and Setup........................................
Mail User Agent Project
Mail User Agent Project Tom Kelliher, CS 325 100 points, due May 4, 2011 Introduction (From Kurose & Ross, 4th ed.) In this project you will implement a mail user agent (MUA) that sends mail to other users.
Emails sent to the FaxFinder fax server must meet the following criteria to be processed for sending as a fax:
FaxFinder FFx30 T.37 Store & Forward Fax (T.37) Introduction The FaxFinder implements T.37 Store and Forward Fax (RFC2304) to convert emails into facsimile transmissions. The FaxFinder fax server accepts
Email Management CSCU9B2 CSCU9B2 1
Email Management CSCU9B2 CSCU9B2 1 Contents Email clients choosing and using Email message header and content Emailing to lists of people In and out message management Mime attachments and HTML email SMTP,
Sending MIME Messages in LISTSERV DISTRIBUTE Jobs
Whitepaper Sending MIME Messages in LISTSERV DISTRIBUTE Jobs August 25, 2010 Copyright 2010 L-Soft international, Inc. Information in this document is subject to change without notice. Companies, names,
Internet Technology 2/13/2013
Internet Technology 03r. Application layer protocols: email Email: Paul Krzyzanowski Rutgers University Spring 2013 1 2 Simple Mail Transfer Protocol () Defined in RFC 2821 (April 2001) Original definition
FTP and email. Computer Networks. FTP: the file transfer protocol
Computer Networks and email Based on Computer Networking, 4 th Edition by Kurose and Ross : the file transfer protocol transfer file to/from remote host client/ model client: side that initiates transfer
Networking Applications
Networking Dr. Ayman A. Abdel-Hamid College of Computing and Information Technology Arab Academy for Science & Technology and Maritime Transport Electronic Mail 1 Outline Introduction SMTP MIME Mail Access
Email. MIME is the protocol that was devised to allow non-ascii encoded content in an email and attached files to an email.
Email Basics: Email protocols were developed even before there was an Internet, at a time when no one was anticipating widespread use of digital graphics or even rich text format (fonts, colors, etc.),
SerialMailer Manual. For SerialMailer 7.2. Copyright 2010-2011 Falko Axmann. All rights reserved.
1 SerialMailer Manual For SerialMailer 7.2 Copyright 2010-2011 Falko Axmann. All rights reserved. 2 Contents 1 Getting Started 4 1.1 Configuring SerialMailer 4 1.2 Your First Serial Mail 7 1.2.1 Database
SendMIME Pro Installation & Users Guide
www.sendmime.com SendMIME Pro Installation & Users Guide Copyright 2002 SendMIME Software, All Rights Reserved. 6 Greer Street, Stittsville, Ontario Canada K2S 1H8 Phone: 613-831-4023 System Requirements
Dove User Guide Copyright 2010-2011 Virgil Trasca
Dove User Guide Dove User Guide Copyright 2010-2011 Virgil Trasca Table of Contents 1. Introduction... 1 2. Distribute reports and documents... 3 Email... 3 Messages and templates... 3 Which message is
Utility Classes - Overview. Version 14 service pack 9. Dalestech Ltd. Page 1 of 23
Utility Classes - Overview Version 14 service pack 9 Page 1 of 23 3 Revision History...4 3.1 Changes since SPS8...4 5 Transport contents...6 5.1 Overview...6 5.2 Example and demo programs...6 5.3 Classes...7
Lab 9. Spam, Spam, Spam. Handout 11 CSCI 134: Spring, 2015. To gain experience with Strings. Objective
Lab 9 Handout 11 CSCI 134: Spring, 2015 Spam, Spam, Spam Objective To gain experience with Strings. Before the mid-90s, Spam was a canned meat product. These days, the term spam means just one thing unwanted
DaimlerChrysler EBMX HTTP/s Quick Start Guide
DaimlerChrysler EBMX HTTP/s Quick Start Guide Document Version 2.1, August 28, 2003 Copyright 2003 Cleo Communications In this document Process Map Overview Configuration Activate the DaimlerChrysler HTTP/s
# Constructors $smtp = Net::SMTP->new('mailhost'); $smtp = Net::SMTP->new('mailhost', Timeout => 60);
NAME Net::SMTP - Simple Mail Transfer Protocol Client SYNOPSIS DESCRIPTION EXAMPLES # Constructors $smtp = Net::SMTP->new('mailhost', Timeout => 60); This module implements a client interface to the SMTP
Administration Guide. BlackBerry Resource Kit for BES12. Version 12.1
Administration Guide BlackBerry Resource Kit for BES12 Version 12.1 Published: 2015-03-26 SWD-20150326090858999 Contents Introduction... 4 What is BES12?...4 Key features of BES12... 4 What is the BlackBerry
Bitrix Site Manager 4.0. Quick Start Guide to Newsletters and Subscriptions
Bitrix Site Manager 4.0 Quick Start Guide to Newsletters and Subscriptions Contents PREFACE...3 CONFIGURING THE MODULE...4 SETTING UP FOR MANUAL SENDING E-MAIL MESSAGES...6 Creating a newsletter...6 Providing
latest Release 0.2.6
latest Release 0.2.6 August 19, 2015 Contents 1 Installation 3 2 Configuration 5 3 Django Integration 7 4 Stand-Alone Web Client 9 5 Daemon Mode 11 6 IRC Bots 13 7 Bot Events 15 8 Channel Events 17 9
Protocolo FTP. FTP: Active Mode. FTP: Active Mode. FTP: Active Mode. FTP: the file transfer protocol. Separate control, data connections
: the file transfer protocol Protocolo at host interface local file system file transfer remote file system utilizes two ports: - a 'data' port (usually port 20...) - a 'command' port (port 21) SISTEMAS
Evolution of the WWW. Communication in the WWW. WWW, HTML, URL and HTTP. HTTP Abstract Message Format. The Client/Server model is used:
Evolution of the WWW Communication in the WWW World Wide Web (WWW) Access to linked documents, which are distributed over several computers in the History of the WWW Origin 1989 in the nuclear research
Emailing from The E2 Shop System EMail address Server Name Server Port, Encryption Protocol, Encryption Type, SMTP User ID SMTP Password
Emailing from The E2 Shop System With recent releases of E2SS (at least 7.2.7.23), we will be allowing two protocols for EMail delivery. A new protocol for EMail delivery Simple Mail Transfer Protocol
CPSC 360 - Network Programming. Email, FTP, and NAT. http://www.cs.clemson.edu/~mweigle/courses/cpsc360
CPSC 360 - Network Programming E, FTP, and NAT Michele Weigle Department of Computer Science Clemson University [email protected] April 18, 2005 http://www.cs.clemson.edu/~mweigle/courses/cpsc360
Administrator s and Developer s Guide
E-Mail Campaign Manager Administrator s and Developer s Guide Rev: 2013-11-22 E-Mail Campaign Manager for Sitecore CMS 6.5 Administrator s and Developer s Guide A Quick Start Guide and Configuration Reference
SpamPanel Reseller Level Manual 1 Last update: September 26, 2014 SpamPanel
SpamPanel Reseller Level Manual 1 Last update: September 26, 2014 SpamPanel Table of Contents Domains... 1 Add Domain... 2 MX verification Tool... 4 Overview... 5 Incoming... 6 Incoming Bandwidth Overview...
Python DNS Failover Documentation
Python DNS Failover Documentation Release 0.1.0 Marc Cerrato April 07, 2016 Contents 1 Python DNS Failover 3 1.1 DNS Backends.............................................. 3 1.2 TODO..................................................
1. Seam Mail Introduction 2. Configuration 3. Core Usage 4. Templating 5. Advanced Features
Seam Mail 1. Seam Mail Introduction... 1 1.1. Getting Started... 1 2. Configuration... 3 2.1. Minimal Configuration... 3 3. Core Usage... 5 3.1. Intro... 5 3.2. Contacts... 5 3.2.1. String Based... 5
Batch Email Processor INSTALL & USER GUIDELINES
Batch Email Processor INSTALL & USER GUIDELINES IntelliClick Batch Email Processor For GoldMine Application Purpose...3 GoldMine Consideration...4 GM Batch Mailer System Requirements...5 GM Batch Mailer
DevKey Documentation. Release 0.1. Colm O Connor
DevKey Documentation Release 0.1 Colm O Connor March 23, 2015 Contents 1 Quickstart 3 2 FAQ 5 3 Release Notes 7 i ii DevKey Documentation, Release 0.1 Github PyPI Contents 1 DevKey Documentation, Release
Chapter 2 Application Layer. Lecture 5 FTP, Mail. Computer Networking: A Top Down Approach
Chapter 2 Application Layer Lecture 5 FTP, Mail Computer Networking: A Top Down Approach 6 th edition Jim Kurose, Keith Ross Addison-Wesley March 2012 Application Layer 2-1 Chapter 2: outline 2.1 principles
Collax Mail Server. Howto. This howto describes the setup of a Collax server as mail server.
Collax Mail Server Howto This howto describes the setup of a Collax server as mail server. Requirements Collax Business Server Collax Groupware Suite Collax Platform Server including Collax Communication
# Constructors $smtp = Net::SMTP->new('mailhost'); $smtp = Net::SMTP->new('mailhost', Timeout => 60);
NAME Net::SMTP - Simple Mail Transfer Protocol Client SYNOPSIS use Net::SMTP; DESCRIPTION EXAMPLES # Constructors $smtp = Net::SMTP->new('mailhost'); $smtp = Net::SMTP->new('mailhost', Timeout => 60);
Ipswitch Client Installation Guide
IPSWITCH TECHNICAL BRIEF Ipswitch Client Installation Guide In This Document Installing on a Single Computer... 1 Installing to Multiple End User Computers... 5 Silent Install... 5 Active Directory Group
Installation and Administration Guide
Installation and Administration Guide BlackBerry Enterprise Transporter for BlackBerry Enterprise Service 12 Version 12.0 Published: 2014-11-06 SWD-20141106165936643 Contents What is BES12?... 6 Key features
Pulse Secure Client. Customization Developer Guide. Product Release 5.1. Document Revision 1.0. Published: 2015-02-10
Pulse Secure Client Customization Developer Guide Product Release 5.1 Document Revision 1.0 Published: 2015-02-10 Pulse Secure, LLC 2700 Zanker Road, Suite 200 San Jose, CA 95134 http://www.pulsesecure.net
Open source framework for interactive data exploration in server based architecture
Open source framework for interactive data exploration in server based architecture D5.5 v1.0 WP5 Visual Analytics: D5.5 Open source framework for interactive data exploration in server based architecture
Advanced Tornado TWENTYONE. 21.1 Advanced Tornado. 21.2 Accessing MySQL from Python LAB
21.1 Advanced Tornado Advanced Tornado One of the main reasons we might want to use a web framework like Tornado is that they hide a lot of the boilerplate stuff that we don t really care about, like escaping
Setting up and Automating a MS Dynamics AX Job in JAMS
Setting up and Automating a MS Dynamics AX Job in JAMS Introduction... 1 Creating a User for the AX Job Execution... 2 Setting up the AX Job... 4 Create a New folder... 4 Adding a new Dynamics AX Job using
StreamServe Persuasion SP4 Connectors
StreamServe Persuasion SP4 Connectors User Guide Rev A StreamServe Persuasion SP4 Connectors User Guide Rev A 2001-2009 STREAMSERVE, INC. ALL RIGHTS RESERVED United States patent #7,127,520 No part of
MPP Manager Users Guide
MPP Manager Users Guide Spam Quarantine and Email Archive Administration \ August, 2008 MPP Mable of Contents 1 About This Guide 4 1.1 MPP Manager Overview 4 1.2 Other Documentation 4 2 Mppserver MPP Manager
Using Your New Webmail
Using Your New Webmail Table of Contents Composing a New Message... 2 Adding Attachments to a Message... 4 Inserting a Hyperlink... 6 Searching For Messages... 8 Downloading Email from a POP3 Account...
128 CERT Exercises Toolset Document for students
128 CERT Exercises Toolset 14. Exercise: Proactive incident detection 14.1 What will you learn? In this exercise you will learn how to set up and work with AbuseHelper. AbuseHelper is an open source software
Email Electronic Mail
Email Electronic Mail Electronic mail paradigm Most heavily used application on any network Electronic version of paper-based office memo Quick, low-overhead written communication Dates back to time-sharing
versasrs HelpDesk quality of service
versacat v2.1.0 Date: 24 June 2010 Copyright 2002-2010 VersaDev Pty. Ltd. All Rights Reserved. *************************************************************** Contents ***************************************************************
Grinder Webtest Documentation
Grinder Webtest Documentation Release 0.1 Automation Excellence March 15, 2012 CONTENTS i ii You are reading the documentation for Grinder Webtest, a custom module for the Grinder load test framework
Oracle Java CAPS Email Binding Component User's Guide
Oracle Java CAPS Email Binding Component User's Guide Part No: 821 2638 March 2011 Copyright 2010, 2011, Oracle and/or its affiliates. All rights reserved. License Restrictions Warranty/Consequential Damages
CAPIX Job Scheduler User Guide
CAPIX Job Scheduler User Guide Version 1.1 December 2009 Table of Contents Table of Contents... 2 Introduction... 3 CJS Installation... 5 Writing CJS VBA Functions... 7 CJS.EXE Command Line Parameters...
Nokia for Business. Nokia and Nokia Connecting People are registered trademarks of Nokia Corporation
Nokia for Business Nokia and Nokia Connecting People are registered trademarks of Nokia Corporation Nokia E50 Legal Notice Copyright Nokia 2006. All rights reserved. Reproduction, transfer, distribution
9236245 Issue 2EN. Nokia and Nokia Connecting People are registered trademarks of Nokia Corporation
9236245 Issue 2EN Nokia and Nokia Connecting People are registered trademarks of Nokia Corporation Nokia 9300 Configuring connection settings Legal Notice Copyright Nokia 2005. All rights reserved. Reproduction,
Enterprise Vault.cloud. Microsoft Exchange Managed Folder Archiving Guide
Enterprise Vault.cloud Microsoft Exchange Managed Folder Archiving Guide Enterprise Vault.cloud: Microsoft Exchange Managed Folder Archiving Guide The software described in this book is furnished under
2- Electronic Mail (SMTP), File Transfer (FTP), & Remote Logging (TELNET)
2- Electronic Mail (SMTP), File Transfer (FTP), & Remote Logging (TELNET) There are three popular applications for exchanging information. Electronic mail exchanges information between people and file
Bitrix Site Manager ASP.NET. Installation Guide
Bitrix Site Manager ASP.NET Installation Guide Contents Introduction... 4 Chapter 1. Checking for IIS Installation... 5 Chapter 2. Using An Archive File to Install Bitrix Site Manager ASP.NET... 7 Preliminary
Send Email TLM. Table of contents
Table of contents 1 Overview... 3 1.1 Overview...3 1.1.1 Introduction...3 1.1.2 Definitions... 3 1.1.3 Concepts... 3 1.1.4 Features...4 1.1.5 Requirements... 4 2 Warranty... 5 2.1 Terms of Use... 5 3 Configuration...6
What browsers can I use to view my mail?
How to use webmail. This tutorial is our how-to guide for using Webmail. It does not cover every aspect of Webmail; What browsers can I use to view my mail? Webmail supports the following browsers: Microsoft
Email. Introduction. Set Up Sumac To Send Email
Introduction Email This lesson explains how to set up Sumac and use it to send bulk email. It also explains how to use an HTML editor to create a nicely formatted newsletter. Before viewing this video,
Slides from INF3331 lectures - web programming in Python
Slides from INF3331 lectures - web programming in Python Joakim Sundnes & Hans Petter Langtangen Dept. of Informatics, Univ. of Oslo & Simula Research Laboratory October 2013 Programming web applications
ETSI TS 102 640-5 V2.1.1 (2010-01) Technical Specification
TS 102 640-5 V2.1.1 (2010-01) Technical Specification Electronic Signatures and Infrastructures (ESI); Registered Electronic Mail (REM); Part 5: REM-MD Interoperability Profiles 2 TS 102 640-5 V2.1.1 (2010-01)
APACHE WEB SERVER. Andri Mirzal, PhD N28-439-03
APACHE WEB SERVER Andri Mirzal, PhD N28-439-03 Introduction The Apache is an open source web server software program notable for playing a key role in the initial growth of the World Wide Web Typically
Sending an Email Message from a Process
Adobe Enterprise Technical Enablement Sending an Email Message from a Process In this topic, you will learn how the Email service can be used to send email messages from a process. Objectives After completing
requests_toolbelt Documentation
requests_toolbelt Documentation Release 0.1.0 Ian Cordasco, Cory Benfield March 14, 2015 Contents 1 User Guide 3 1.1 Streaming Multipart Data Encoder.................................... 3 1.2 User-Agent
WS_FTP Professional 12
WS_FTP Professional 12 Tools Guide Contents CHAPTER 1 Introduction Ways to Automate Regular File Transfers...5 Check Transfer Status and Logs...6 Building a List of Files for Transfer...6 Transfer Files
Listserv Mailing List Owner Quick Start Guide
Listserv Mailing List Owner Quick Start Guide 1. Sending Mass Mail to Subscribers Authorised sender can send mass mail to all subscribers in the mailing list by following these steps: a. Compose your email
SMTP Servers. Determine if an email message should be sent to another machine and automatically send it to that machine using SMTP.
SMTP Servers SMTP: Simple Mail Transfer Protocol (TCP Port 25) The Simple Mail Transfer Protocol (SMTP) is an Internet standard for transferring electronic mail between computers. UNIX systems implement
THE CHALLENGE OF ADMINISTERING WEBSITES OR APPLICATIONS THAT REQUIRE 24/7 ACCESSIBILITY
THE CHALLENGE OF ADMINISTERING WEBSITES OR APPLICATIONS THAT REQUIRE 24/7 ACCESSIBILITY As the constantly growing demands of businesses and organizations operating in a global economy cause an increased
wce Outlook Contact Manager Documentation
wce Outlook Contact Manager Documentation Current version: 5.3.0 as of 12/1/2007 Website: http://www.crmbusinessapps.com Client download: http://www.crmbusinessapps.com/downloads/wce/wceoutlookcm.msi Server
citools Documentation
citools Documentation Release 0.1 Centrum Holdings September 20, 2015 Contents 1 On (continuous) versioning 3 2 Meta packages 5 3 (Django) web environment 7 4 Build process 9 5 Testing 11 6 Working with
Virtual Fax API User Guide
Virtual Fax API User Guide Introduction 2 Single Fax Job Submission (XML) 2 Protus XML Submission Services 2 Input: Job Request 2 Output: Status Response 2 Single Fax Job Submission XML Element Hierarchy
SmarterMail Email User Guide
SmarterMail Email User Guide Page 1 of 16 What is SmarterMail? SmarterMail gives email administrators and users and more power and control than ever before with the most flexible email server currently
Configuration Manual. Version 3.5 - October 2012 File Transfer Daemon. Archive Digitization & Exploitation
Configuration Manual Version 3.5 - October 2012 File Transfer Daemon Archive Digitization & Exploitation IP2Archive - Configuration Manual - File Transfer Daemon Version 3.5 Copyright EVS Broadcast Equipment
1. Stem. Configuration and Use of Stem
Configuration and Use of Stem 1. Stem 2. Why use Stem? 3. What is Stem? 4. Stem Architecture 5. Stem Hubs 6. Stem Messages 7. Stem Addresses 8. Message Types and Fields 9. Message Delivery 10. Stem::Portal
Chapter 7: Configuring ScanMail emanager
Chapter 7: Configuring ScanMail emanager Chapter 7: Configuring ScanMail emanager Chapter Objectives After completing this chapter, you should be able to achieve the following objectives: Describe the
POP3 Connector for Exchange - Configuration
Eclarsys PopGrabber POP3 Connector for Exchange - Configuration PopGrabber is an excellent replacement for the POP3 connector included in Windows SBS 2000 and 2003. It also works, of course, with Exchange
Saruman Documentation
Saruman Documentation Release 0.3.0 Tycho Tatitscheff January 05, 2016 Contents 1 Saruman 3 1.1 Most important Urls.................................... 3 1.2 Technologies used.....................................
WESTERNACHER OUTLOOK E-MAIL-MANAGER OPERATING MANUAL
TABLE OF CONTENTS 1 Summary 3 2 Software requirements 3 3 Installing the Outlook E-Mail Manager Client 3 3.1 Requirements 3 3.1.1 Installation for trial customers for cloud-based testing 3 3.1.2 Installing
django-cron Documentation
django-cron Documentation Release 0.3.5 Tivix Inc. September 28, 2015 Contents 1 Introduction 3 2 Installation 5 3 Configuration 7 4 Sample Cron Configurations 9 4.1 Retry after failure feature........................................
990-4584. APC by Schneider Electric www.apc.com Release Notes AP9537 Network Management Card. APC part number: 990-4584. Released: 26 October 2012
APC by Schneider Electric www.apc.com Release Notes AP9537 Network Management Card 990-4584 APC part number: 990-4584 Released: 26 October 2012 Affected Revision Levels: apc_hw05_aos_519.bin apc_hw05_x84p_510.bin
ALERT installation setup
ALERT installation setup In order to automate the installation process of the ALERT system, the ALERT installation setup is developed. It represents the main starting point in installing the ALERT system.
Customization & Enhancement Guide. Table of Contents. Index Page. Using This Document
Customization & Enhancement Guide Table of Contents Using This Document This document provides information about using, installing and configuring FTP Attachments applications provided by Enzigma. It also
Outlook Express 6.0 Tutorial I
This tutorial was adapted from a tutorial by see its complete version at http://www.nbcs.rutgers.edu/education/outlook/ Outlook Express 6.0 Tutorial I Topics covered in the workshop E-mail Delivery How
Administration Guide. BlackBerry Resource Kit for BES12. Version 12.3
Administration Guide BlackBerry Resource Kit for BES12 Version 12.3 Published: 2015-10-30 SWD-20151022151109848 Contents Compatibility with other releases...4 BES12 Log Monitoring Tool... 5 Specifying
Tuskar UI Documentation
Tuskar UI Documentation Release Juno Tuskar Team May 05, 2015 Contents 1 Tuskar UI 3 1.1 High-Level Overview.......................................... 3 1.2 Installation Guide............................................
