Foundations of Python Network Programming 2nd edition phần 8 pps

36 467 0
Foundations of Python Network Programming 2nd edition phần 8 pps

Đang tải... (xem toàn văn)

Tài liệu hạn chế xem trước, để xem đầy đủ mời bạn chọn Tải xuống

Thông tin tài liệu

CHAPTER 13 ■ SMTP 232 else: » print "Message successfully sent to %d recipient(s)" % len(toaddrs) If you run this program and give it a server that understands TLS, the output will look like this: $ ./tls.py localhost jgoerzen@complete.org jgoerzen@complete.org Negotiating TLS Using TLS connection. Message successfully sent to 1 recipient(s) Notice that the call to sendmail() in these last few listings is the same, regardless of whether TLS is used. Once TLS is started, the system hides that layer of complexity from you, so you do not need to worry about it. Please note that this TLS example is not fully secure, because it does not perform certificate validation; again, see Chapter 6 for details. Authenticated SMTP Finally, we reach the topic of Authenticated SMTP, where your ISP, university, or company e-mail server needs you to log in with a username and password to prove that you are not a spammer before they allow you to send e-mail. For maximum security, TLS should be used in conjunction with authentication; otherwise your password (and username, for that matter) will be visible to anyone observing the connection. The proper way to do this is to establish the TLS connection first, and then send your authentication information only over the encrypted communications channel. But using authentication itself is simple; smtplib provides a login() function that takes a username and a password. Listing 13–6 shows an example. To avoid repeating code already shown in previous listings, this listing does not take the advice of the previous paragraph, and sends the username and password over an un-authenticated connection that will send them in the clear. Listing 13–6. Authenticating over SMTP #!/usr/bin/env python # SMTP transmission with authentication - Chapter 13 - login.py import sys, smtplib, socket from getpass import getpass if len(sys.argv) < 4: » print "Syntax: %s server fromaddr toaddr [toaddr ]" % sys.argv[0] » sys.exit(2) server, fromaddr, toaddrs = sys.argv[1], sys.argv[2], sys.argv[3:] message = """To: %s From: %s Subject: Test Message from simple.py Hello, This is a test message sent to you from the login.py program in Foundations of Python Network Programming. """ % (', '.join(toaddrs), fromaddr) sys.stdout.write("Enter username: ") CHAPTER 13 ■ SMTP 233 username = sys.stdin.readline().strip() password = getpass("Enter password: ") try: » s = smtplib.SMTP(server) » try: » » s.login(username, password) » except smtplib.SMTPException, e: » » print "Authentication failed:", e » » sys.exit(1) » s.sendmail(fromaddr, toaddrs, message) except (socket.gaierror, socket.error, socket.herror, » » smtplib.SMTPException), e: » print " *** Your message may not have been sent!" » print e » sys.exit(1) else: » print "Message successfully sent to %d recipient(s)" % len(toaddrs) Most outgoing e-mail servers on the Internet do not support authentication. If you are using a server that does not support authentication, you will receive an “Authentication failed” error message from the login() attempt. You can prevent that by checking s.has_extn('auth') after calling s.ehlo() if the remote server supports ESMTP. You can run this program just like the previous examples. If you run it with a server that does support authentication, you will be prompted for a username and password. If they are accepted, then the program will proceed to transmit your message. SMTP Tips Here are some tips to help you implement SMTP clients: • There is no way to guarantee that a message was delivered. You can sometimes know immediately that your attempt failed, but the lack of an error does not mean that something else will not go wrong before the message is safely delivered to the recipient. • The sendmail() function raises an exception if any of the recipients failed, though the message may still have been sent to other recipients. Check the exception you get back for more details. If it is very important for you to know specifics of which addresses failed—say, because you will want to try re-transmitting later without producing duplicate copies for the people who have already received the message—you may need to call sendmail() individually for each recipient. This is not generally recommended, however, since it will cause the message body to be transmitted multiple times. • SSL/TLS is insecure without certificate validation; until validation happens, you could be talking to any old server that has temporarily gotten control of the normal server’s IP address. To support certificate verification, the starttls() function takes some of the same arguments as socket.ssl(), which is described in Chapter 6. See the Standard Library documentation of starttls() for details. CHAPTER 13 ■ SMTP 234 • Python’s smtplib is not meant to be a general-purpose mail relay. Rather, you should use it to send messages to an SMTP server close to you that will handle the actual delivery of mail. Summary SMTP is used to transmit e-mail messages to mail servers. Python provides the smtplib module for SMTP clients to use. By calling the sendmail() method of SMTP objects, you can transmit messages. The sole way of specifying the actual recipients of a message is with parameters to sendmail(); the To, Cc, and Bcc message headers are separate from the actual list of recipients. Several different exceptions could be raised during an SMTP conversation. Interactive programs should check for and handle them appropriately. ESMTP is an extension to SMTP. It lets you discover the maximum message size supported by a remote SMTP server prior to transmitting a message. ESMTP also permits TLS, which is a way to encrypt your conversation with a remote server. Fundamentals of TLS are covered in Chapter 6. Some SMTP servers require authentication. You can authenticate with the login() method. SMTP does not provide functions for downloading messages from a mailbox to your own computer. To accomplish that, you will need the protocols discussed in the next two chapters. POP, discussed in Chapter 14, is a simple way to download messages. IMAP, discussed in Chapter 15, is a more capable and powerful protocol. C H A P T E R 14 ■ ■ ■ 235 POP POP, the Post Office Protocol, is a simple protocol that is used to download e-mail from a mail server, and is typically used through an e-mail client like Thunderbird or Outlook. You can read the first few sections of Chapter 13 if you want the big picture of where e-mail clients, and protocols like POP, fit into the history of Internet mail. The most common implementation of POP is version 3, and is commonly referred to as POP3. Because version 3 is so dominant, the terms POP and POP3 are practically interchangeable today. POP’s chief benefit—and also its biggest weakness—is its simplicity. If you simply need to access a remote mailbox, download any new mail that has appeared, and maybe delete the mail after the download, then POP will be perfect for you. You will be able to accomplish this task quickly, and without complex code. However, this whole scheme has important limitations. POP does not support multiple mailboxes on the remote side, nor does it provide any reliable, persistent message identification. This means that you cannot use POP as a protocol for mail synchronization, where you leave the original of each e-mail message on the server while making a copy to read locally, because when you return to the server later you cannot easily tell which messages you have already downloaded. If you need this feature, you should check out IMAP, which is covered in Chapter 15. The Python Standard Library provides the poplib module, which provides a convenient interface for using POP. In this chapter, you will learn how to use poplib to connect to a POP server, gather summary information about a mailbox, download messages, and delete the originals from the server. Once you know how to complete these four tasks, you will have covered all of the standard POP features! Compatibility Between POP Servers POP servers are often notoriously bad at correctly following standards. Standards also simply do not exist for some POP behaviors, so these details are left up to the authors of server software. So basic operations will generally work fine, but certain behaviors can vary from server to server. For instance, some servers will mark all of your messages as read whenever you connect to the server—whether you download any of them or not!—while other servers will mark a given message as read only when it is downloaded. Some servers, on the other hand, never mark any messages as read at all. The standard itself seems to assume the latter behavior, but is not clear either way. Keep these differences in mind as you read this chapter. Connecting and Authenticating POP supports several authentication methods. The two most common are basic username-password authentication, and APOP, which is an optional extension to POP that helps protect passwords from being sent in plain-text if you are using an ancient POP server that does not support SSL. CHAPTER 14 ■ POP 236 The process of connecting and authenticating to a remote server looks like this in Python: 1. Create a POP3_SSL or just a plain POP3 object, and pass the remote hostname and port to it. 2. Call user() and pass_() to send the username and password. Note the underscore in pass_()! It is present because pass is a keyword in Python and cannot be used for a method name. 3. If the exception poplib.error_proto is raised, it means that the login has failed and the string value of the exception contains the error explanation sent by the server. The choice between POP3 and POP3_SSL is governed by whether your e-mail provider offers—or, in this day and age, even requires—that you connect over an encrypted connection. Consult Chapter 6 for more information about SSL, but the general guideline should be to use it whenever it is at all feasible for you to do so. Listing 14–1 uses the foregoing steps to log in to a remote POP server. Once connected, it calls stat(), which returns a simple tuple giving the number of messages in the mailbox and the messages’ total size. Finally, the program calls quit(), which closes the POP connection. Listing 14–1. A Very Simple POP Session #!/usr/bin/env python # POP connection and authentication - Chapter 14 - popconn.py import getpass, poplib, sys if len(sys.argv) != 3: » print 'usage: %s hostname user' % sys.argv[0] » exit(2) hostname, user = sys.argv[1:] passwd = getpass.getpass() p = poplib.POP3_SSL(hostname) # or "POP3" if SSL is not supported try: » p.user(user) » p.pass_(passwd) except poplib.error_proto, e: » print "Login failed:", e else: » status = p.stat() » print "You have %d messages totaling %d bytes" % status finally: » p.quit() You can test this program if you have a POP account somewhere. Most people do—even large webmail services like GMail provide POP as an alternate means of checking your mailbox. Run the preceding program, giving it two command-line arguments: the hostname of your POP server, and your username. If you do not know this information, contact your Internet provider or network administrator; note that on some services your username will be a plain string (like guido), whereas on others it will be your full e-mail address (guido@example.com). The program will then prompt you for your password. Finally, it will display the mailbox status, without touching or altering any of your mail. CHAPTER 14 ■ POP 237 ■ Caution! While this program does not alter any messages, some POP servers will nonetheless alter mailbox flags simply because you connected. Running the examples in this chapter against a live mailbox could cause you to lose information about which messages are read, unread, new, or old. Unfortunately, that behavior is server- dependent, and beyond the control of POP clients. I strongly recommend running these examples against a test mailbox rather than your live mailbox! Here is how you might run the program: $ ./popconn.py pop.example.com guido Password: (type your password) You have 3 messages totaling 5675 bytes If you see output like this, then your first POP conversation has taken place successfully! When POP servers do not support SSL to protect your connection from snooping, they sometimes at least support an alternate authentication protocol called APOP, which uses a challenge-response scheme to assure that your password is not sent in the clear. (But all of your e-mail will still be visible to any third party watching the packets go by!) The Python Standard Library makes this very easy to attempt: just call the apop() method, then fall back to basic authentication if the POP server you are talking to does not understand. To use APOP but fall back to plain authentication, you could use a stanza like the one shown in Listing 14–2 inside your POP program (like Listing 14–1). Listing 14–2. Attempting APOP and Falling Back print "Attempting APOP authentication " try: » p.apop(user, passwd) except poplib.error_proto: » print "Attempting standard authentication " » try: » » p.user(user) » » p.pass_(passwd) » except poplib.error_proto, e: » » print "Login failed:", e » » sys.exit(1) CHAPTER 14 ■ POP 238 ■ Caution! As soon as a login succeeds by whatever method, some older POP servers will lock the mailbox. Locking might mean that no alterations to the mailbox may be made, or even that no more mail may be delivered until the lock is gone. The problem is that some POP servers do not properly detect errors, and will keep a box locked indefinitely if your connection gets hung up without your calling quit(). At one time, the world’s most popular POP server fell into this category! So it is vital to always call quit() in your Python programs when finishing up a POP session. You will note that all of the program listings shown here are careful to always quit() down in a finally block that Python is guaranteed to execute last. Obtaining Mailbox Information The preceding example showed you stat(), which returns the number of messages in the mailbox and their total size. Another useful POP command is list(), which returns more detailed information about each message. The most interesting part is the message number, which is required to retrieve messages later. Note that there may be gaps in message numbers: a mailbox may, for example, contain message numbers 1, 2, 5, 6, and 9. Also, the number assigned to a particular message may be different on each connection you make to the POP server. Listing 14–3 shows how to use the list() command to display information about each message. Listing 14–3. Using the POP list() Command #!/usr/bin/env python # POP mailbox scanning - Chapter 14 - mailbox.py import getpass, poplib, sys if len(sys.argv) != 3: » print 'usage: %s hostname user' % sys.argv[0] » exit(2) hostname, user = sys.argv[1:] passwd = getpass.getpass() p = poplib.POP3_SSL(hostname) try: » p.user(user) » p.pass_(passwd) except poplib.error_proto, e: » print "Login failed:", e else: » response, listings, octet_count = p.list() » for listing in listings: » » number, size = listing.split() » » print "Message %s has %s bytes" % (number, size) CHAPTER 14 ■ POP 239 finally: » p.quit() The list() function returns a tuple containing three items; you should generally pay attention to the second item. Here is its raw output for one of my POP mailboxes at the moment, which has three messages in it: ('+OK 3 messages (5675 bytes)', ['1 2395', '2 1626', '3 1654'], 24) The three strings inside the second item give the message number and size for each of the three messages in my in-box. The simple parsing performed by Listing 14–3 lets it present the output in a prettier format: $ ./mailbox.py popserver.example.com testuser Password: Message 1 has 2395 bytes Message 2 has 1626 bytes Message 3 has 1654 bytes Downloading and Deleting Messages You should now be getting the hang of POP: when using poplib you get to issue small atomic commands that always return a tuple inside which are various strings and lists of strings showing you the result. We are now ready to actually manipulate messages! The three relevant methods, which all identify messages using the same integer identifiers that are returned by list(), are these: • retr(num): This method downloads a single message and returns a tuple containing a result code and the message itself, delivered as a list of lines. This will cause most POP servers to set the “seen” flag for the message to “true,” barring you from ever seeing it from POP again (unless you have another way into your mailbox that lets you set messages back to “Unread”). • top(num, body_lines):This method returns its result in the same format as retr() without marking the message as “seen.” But instead of returning the whole message, it just returns the headers plus however many lines of the body you ask for in body_lines. This is useful for previewing messages if you want to let the user decide which ones to download. • dele(num): This method marks the message for deletion from the POP server, to take place when you quit this POP session. Typically you would do this only if the user directly requests irrevocable destruction of the message, or if you have stored the message to disk and used something like fsync() to assure the data’s safety. To put everything together, take a look at Listing 14–4, which is a fairly functional e-mail client that speaks POP! It checks your in-box to determine how many messages there are and to learn what their numbers are; then it uses top() to offer a preview of each one; and, at the user’s option, it can retrieve the whole message, and can also delete it from the mailbox. Listing 14–4. A Simple POP E-mail Reader #!/usr/bin/env python # POP mailbox downloader with deletion - Chapter 14 # download-and-delete.py import email, getpass, poplib, sys CHAPTER 14 ■ POP 240 if len(sys.argv) != 3: » print 'usage: %s hostname user' % sys.argv[0] » exit(2) hostname, user = sys.argv[1:] passwd = getpass.getpass() p = poplib.POP3_SSL(hostname) try: » p.user(user) » p.pass_(passwd) except poplib.error_proto, e: » print "Login failed:", e else: » response, listings, octets = p.list() » for listing in listings: » » number, size = listing.split() » » print 'Message', number, '(size is', size, 'bytes):' » » print » » response, lines, octets = p.top(number, 0) » » message = email.message_from_string('\n'.join(lines)) » » for header in 'From', 'To', 'Subject', 'Date': » » » if header in message: » » » » print header + ':', message[header] » » print » » print 'Read this message [ny]?' » » answer = raw_input() » » if answer.lower().startswith('y'): » » » response, lines, octets = p.retr(number) » » » message = email.message_from_string('\n'.join(lines)) » » » print '-' * 72 » » » for part in message.walk(): » » » » if part.get_content_type() == 'text/plain': » » » » » print part.get_payload() » » » » » print '-' * 72 » » print » » print 'Delete this message [ny]?' » » answer = raw_input() » » if answer.lower().startswith('y'): » » » p.dele(number) » » » print 'Deleted.' finally: » p.quit() You will note that the listing uses the email module, introduced in Chapter 12, to great advantage, since even fancy modern MIME e-mails with HTML and images usually have a text/plain section that a simple program like this can print to the screen. If you run this program, you’ll see output similar to this: $ ./download-and-delete.py pop.gmail.com my_gmail_acct Message 1 (size is 1847 bytes): From: root@server.example.com To: Brandon Rhodes <brandon.craig.rhodes@gmail.com> Download from Wow! eBook <www.wowebook.com> CHAPTER 14 ■ POP 241 Subject: Backup complete Date: Tue, 13 Apr 2010 16:56:43 -0700 (PDT) Read this message [ny]? n Delete this message [ny]? y Deleted. Summary POP, the Post Office Protocol, provides a simple way to download e-mail messages stored on a remote server. With Python’s poplib interface, you can obtain information about the number of messages in a mailbox and the size of each message. You can also retrieve or delete individual messages by number. Connecting to a POP server may lock a mailbox. Therefore, it’s important to try to keep POP sessions as brief as possible and always call quit() when done. POP should be used with SSL when possible to protect your passwords and e-mail message contents. In the absence of SSL, try to at least use APOP, and send your password in the clear only in dire circumstances where you desperately need to POP and none of the fancier options work. Although POP is a simple and widely deployed protocol, it has a number of drawbacks that make it unsuitable for some applications. For instance, it can access only one folder, and does not provide persistent tracking of individual messages. The next chapter discusses IMAP, a protocol that provides the features of POP with a number of new features as well. [...]... chapter! You can see that the client consists of three concentric loops that each take input from the user as he or she views the list of mail folders, then the list of messages within a particular mail folder, and finally the sections of a specific message 252 CHAPTER 15 ■ IMAP Listing 15–7 A Simple IMAP Client #!/usr/bin/env python # Foundations of Python Network Programming - Chapter 15 - simple_client.py... practical! Listing 15–6 downloads all of the messages from my INBOX folder into your computer’s memory in a Python data structure, and then displays a bit of summary information about each one Listing 15–6 Downloading All Messages in a Folder #!/usr/bin/env python # Foundations of Python Network Programming - Chapter 15 - mailbox_summary.py # Opening an IMAP connection with IMAPClient and retrieving... Listing 16–1 What Fabric Scripts Look Like #!/usr/bin/env python # Foundations of Python Network Programming - Chapter 16 - fabfile.py # A sample Fabric script # # # # # # # # Even though this chapter will not cover Fabric, you might want to try using Fabric to automate your SSH commands instead of re-inventing the wheel Here is a script that checks for Python on remote machines Fabric finds this "fabfile.py"... the set of flags for a particular message without figuring out the correct series of adds and removes, you can use set_flags() to unilaterally replace the whole list of message flags with a new one: c.set_flags(2703, ['\\Seen', '\\Answered']) Any of these operations can take a list of message UIDs instead of the single UID shown in these examples Deleting Messages One last interesting use of flags... IMAPClient, try installing it in a “virtualenv,” as described in Chapter 1 Once installed, you can use the python interpreter in the virtual environment to run the program shown in Listing 15–3 Listing 15–3 Listing IMAP Folders with IMAPClient #!/usr/bin/env python # Foundations of Python Network Programming - Chapter 15 - open_imap.py # Opening an IMAP connection with the powerful IMAPClient import... literally to the command 266 CHAPTER 16 ■ TELNET AND SSH Listing 16–2 Shell Supporting Whitespace-Separated Arguments #!/usr/bin/env python # Foundations of Python Network Programming - Chapter 16 - shell.py # A simple shell, so you can try running commands in the absence of # any special characters (except for whitespace, used for splitting) import subprocess while True: » args = raw_input('] ').split()... shows an example program that reads and displays the summary information of my INBOX mail folder 249 CHAPTER 15 ■ IMAP Listing 15–5 Displaying Folder Summary Information #!/usr/bin/env python # Foundations of Python Network Programming - Chapter 15 - folder_info.py # Opening an IMAP connection with IMAPClient and listing folder information import getpass, sys from imapclient import IMAPClient try: » hostname,... needed Adding a message is a simple process, though there are a couple of things to be aware of The primary concern is line endings Many Unix machines use a single ASCII line feed character (0x0a, or '\n' in Python) to designate the end of a line of text Windows machines use two characters: CR-LF, a carriage return (0x0D, or '\r' in Python) followed by a line feed Older Macs use just the carriage return... thorough reference—so that you can handle correctly all of the situations you might run into with different servers and their implementations of IMAP This chapter will teach just the basics, with a focus on how to best connect from Python Understanding IMAP in Python The Python Standard Library contains an IMAP client interface named imaplib, which does offer rudimentary access to the protocol Unfortunately,... library is offered as the list_folders() method instead of the list() method offered by imaplib—has already been parsed into Python data types for us Each line of data comes back as a tuple giving us the folder flags, folder name delimiter, and folder name, and the flags themselves are a sequence of strings Take a look at Listing 15–4 for what the output of this second script looks like Listing 15–4 Properly . Listing Folders #!/usr/bin/env python # Foundations of Python Network Programming - Chapter 15 - open_imaplib.py # Opening an IMAP connection with the pitiful Python Standard Library import. summary information of my INBOX mail folder. CHAPTER 15 ■ IMAP 250 Listing 15–5. Displaying Folder Summary Information #!/usr/bin/env python # Foundations of Python Network Programming - Chapter. and then displays a bit of summary information about each one. Listing 15–6. Downloading All Messages in a Folder #!/usr/bin/env python # Foundations of Python Network Programming - Chapter

Ngày đăng: 12/08/2014, 19:20

Từ khóa liên quan

Mục lục

  • SMTP

    • Authenticated SMTP

    • SMTP Tips

    • Summary

    • POP

      • Compatibility Between POP Servers

      • Connecting and Authenticating

      • Obtaining Mailbox Information

      • Downloading and Deleting Messages

      • Summary

      • IMAP

        • Understanding IMAP in Python

        • IMAPClient

        • Examining Folders

        • Message Numbers vs. UIDs

        • Message Ranges

        • Summary Information

        • Downloading an Entire Mailbox

        • Downloading Messages Individually

        • Flagging and Deleting Messages

        • Deleting Messages

        • Searching

        • Manipulating Folders and Messages

Tài liệu cùng người dùng

Tài liệu liên quan