/brz/remove-bazaar

To get this branch, use:
bzr branch http://gegoxaren.bato24.eu/bzr/brz/remove-bazaar
2625.6.1 by Adeodato Simó
New EmailMessage class, façade around email.Message and MIMEMultipart.
1
# Copyright (C) 2007 Canonical Ltd
2
#
3
# This program is free software; you can redistribute it and/or modify
4
# it under the terms of the GNU General Public License as published by
5
# the Free Software Foundation; either version 2 of the License, or
6
# (at your option) any later version.
7
#
8
# This program is distributed in the hope that it will be useful,
9
# but WITHOUT ANY WARRANTY; without even the implied warranty of
10
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
11
# GNU General Public License for more details.
12
#
13
# You should have received a copy of the GNU General Public License
14
# along with this program; if not, write to the Free Software
4183.7.1 by Sabin Iacob
update FSF mailing address
15
# Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA
2625.6.1 by Adeodato Simó
New EmailMessage class, façade around email.Message and MIMEMultipart.
16
6379.6.7 by Jelmer Vernooij
Move importing from future until after doc string, otherwise the doc string will disappear.
17
"""A convenience class around email.Message and email.MIMEMultipart."""
18
6379.6.3 by Jelmer Vernooij
Use absolute_import.
19
from __future__ import absolute_import
20
6791.2.3 by Jelmer Vernooij
Fix more imports.
21
try:
22
    from email.message import Message
23
    from email.header import Header
24
    from email.mime.multipart import MIMEMultipart
25
    from email.mime.text import MIMEText
26
    from email.utils import formataddr, parseaddr
27
except ImportError:   # python < 3
28
    from email import (
29
        Header,
30
        Message,
31
        MIMEMultipart,
32
        MIMEText,
33
        )
34
    from email.Utils import formataddr, parseaddr
6624 by Jelmer Vernooij
Merge Python3 porting work ('py3 pokes')
35
from . import __version__ as _breezy_version
7078.11.1 by Jelmer Vernooij
Fix email tests on Python 3.
36
from .errors import BzrBadParameterNotUnicode
6624 by Jelmer Vernooij
Merge Python3 porting work ('py3 pokes')
37
from .osutils import safe_unicode
6695.3.1 by Martin
Remove remaining uses of basestring from the codebase
38
from .sixish import (
39
    text_type,
40
    )
6624 by Jelmer Vernooij
Merge Python3 porting work ('py3 pokes')
41
from .smtp_connection import SMTPConnection
2625.6.1 by Adeodato Simó
New EmailMessage class, façade around email.Message and MIMEMultipart.
42
43
2625.6.3 by Adeodato Simó
Changes after review by John.
44
class EmailMessage(object):
2625.6.1 by Adeodato Simó
New EmailMessage class, façade around email.Message and MIMEMultipart.
45
    """An email message.
3943.8.1 by Marius Kruger
remove all trailing whitespace from bzr source
46
2625.6.1 by Adeodato Simó
New EmailMessage class, façade around email.Message and MIMEMultipart.
47
    The constructor needs an origin address, a destination address or addresses
48
    and a subject, and accepts a body as well. Add additional parts to the
49
    message with add_inline_attachment(). Retrieve the entire formatted message
50
    with as_string().
51
52
    Headers can be accessed with get() and msg[], and modified with msg[] =.
53
    """
54
55
    def __init__(self, from_address, to_address, subject, body=None):
56
        """Create an email message.
57
58
        :param from_address: The origin address, to be put on the From header.
59
        :param to_address: The destination address of the message, to be put in
60
            the To header. Can also be a list of addresses.
61
        :param subject: The subject of the message.
62
        :param body: If given, the body of the message.
63
64
        All four parameters can be unicode strings or byte strings, but for the
65
        addresses and subject byte strings must be encoded in UTF-8. For the
66
        body any byte string will be accepted; if it's not ASCII or UTF-8,
67
        it'll be sent with charset=8-bit.
68
        """
69
        self._headers = {}
70
        self._body = body
71
        self._parts = []
72
6973.6.2 by Jelmer Vernooij
Fix more tests.
73
        if isinstance(to_address, (bytes, text_type)):
7143.15.2 by Jelmer Vernooij
Run autopep8.
74
            to_address = [to_address]
2625.6.1 by Adeodato Simó
New EmailMessage class, façade around email.Message and MIMEMultipart.
75
76
        to_addresses = []
77
78
        for addr in to_address:
79
            to_addresses.append(self.address_to_encoded_header(addr))
80
81
        self._headers['To'] = ', '.join(to_addresses)
82
        self._headers['From'] = self.address_to_encoded_header(from_address)
6797 by Jelmer Vernooij
Merge lp:~jelmer/brz/fix-imports.
83
        self._headers['Subject'] = Header(safe_unicode(subject))
6622.1.34 by Jelmer Vernooij
Rename brzlib => breezy.
84
        self._headers['User-Agent'] = 'Bazaar (%s)' % _breezy_version
2625.6.1 by Adeodato Simó
New EmailMessage class, façade around email.Message and MIMEMultipart.
85
86
    def add_inline_attachment(self, body, filename=None, mime_subtype='plain'):
87
        """Add an inline attachment to the message.
88
89
        :param body: A text to attach. Can be an unicode string or a byte
90
            string, and it'll be sent as ascii, utf-8, or 8-bit, in that
91
            preferred order.
92
        :param filename: The name for the attachment. This will give a default
93
            name for email programs to save the attachment.
94
        :param mime_subtype: MIME subtype of the attachment (eg. 'plain' for
95
            text/plain [default]).
96
97
        The attachment body will be displayed inline, so do not use this
98
        function to attach binary attachments.
99
        """
100
        # add_inline_attachment() has been called, so the message will be a
101
        # MIMEMultipart; add the provided body, if any, as the first attachment
102
        if self._body is not None:
103
            self._parts.append((self._body, None, 'plain'))
104
            self._body = None
105
106
        self._parts.append((body, filename, mime_subtype))
107
108
    def as_string(self, boundary=None):
109
        """Return the entire formatted message as a string.
3943.8.1 by Marius Kruger
remove all trailing whitespace from bzr source
110
2625.6.1 by Adeodato Simó
New EmailMessage class, façade around email.Message and MIMEMultipart.
111
        :param boundary: The boundary to use between MIME parts, if applicable.
112
            Used for tests.
113
        """
114
        if not self._parts:
6797 by Jelmer Vernooij
Merge lp:~jelmer/brz/fix-imports.
115
            msgobj = Message()
2625.6.1 by Adeodato Simó
New EmailMessage class, façade around email.Message and MIMEMultipart.
116
            if self._body is not None:
2625.6.3 by Adeodato Simó
Changes after review by John.
117
                body, encoding = self.string_with_encoding(self._body)
2639.1.2 by John Arbash Meinel
Some cleanups for the EmailMessage class.
118
                msgobj.set_payload(body, encoding)
2625.6.1 by Adeodato Simó
New EmailMessage class, façade around email.Message and MIMEMultipart.
119
        else:
6797 by Jelmer Vernooij
Merge lp:~jelmer/brz/fix-imports.
120
            msgobj = MIMEMultipart()
2625.6.1 by Adeodato Simó
New EmailMessage class, façade around email.Message and MIMEMultipart.
121
122
            if boundary is not None:
2639.1.2 by John Arbash Meinel
Some cleanups for the EmailMessage class.
123
                msgobj.set_boundary(boundary)
2625.6.1 by Adeodato Simó
New EmailMessage class, façade around email.Message and MIMEMultipart.
124
125
            for body, filename, mime_subtype in self._parts:
2625.6.3 by Adeodato Simó
Changes after review by John.
126
                body, encoding = self.string_with_encoding(body)
6797 by Jelmer Vernooij
Merge lp:~jelmer/brz/fix-imports.
127
                payload = MIMEText(body, mime_subtype, encoding)
2625.6.1 by Adeodato Simó
New EmailMessage class, façade around email.Message and MIMEMultipart.
128
129
                if filename is not None:
130
                    content_type = payload['Content-Type']
131
                    content_type += '; name="%s"' % filename
132
                    payload.replace_header('Content-Type', content_type)
133
134
                payload['Content-Disposition'] = 'inline'
2639.1.2 by John Arbash Meinel
Some cleanups for the EmailMessage class.
135
                msgobj.attach(payload)
2625.6.1 by Adeodato Simó
New EmailMessage class, façade around email.Message and MIMEMultipart.
136
137
        # sort headers here to ease testing
138
        for header, value in sorted(self._headers.items()):
2639.1.2 by John Arbash Meinel
Some cleanups for the EmailMessage class.
139
            msgobj[header] = value
2625.6.1 by Adeodato Simó
New EmailMessage class, façade around email.Message and MIMEMultipart.
140
2639.1.2 by John Arbash Meinel
Some cleanups for the EmailMessage class.
141
        return msgobj.as_string()
2625.6.1 by Adeodato Simó
New EmailMessage class, façade around email.Message and MIMEMultipart.
142
143
    __str__ = as_string
144
145
    def get(self, header, failobj=None):
146
        """Get a header from the message, returning failobj if not present."""
147
        return self._headers.get(header, failobj)
148
149
    def __getitem__(self, header):
150
        """Get a header from the message, returning None if not present.
3943.8.1 by Marius Kruger
remove all trailing whitespace from bzr source
151
2625.6.3 by Adeodato Simó
Changes after review by John.
152
        This method intentionally does not raise KeyError to mimic the behavior
2625.6.1 by Adeodato Simó
New EmailMessage class, façade around email.Message and MIMEMultipart.
153
        of __getitem__ in email.Message.
154
        """
155
        return self._headers.get(header, None)
156
157
    def __setitem__(self, header, value):
158
        return self._headers.__setitem__(header, value)
159
160
    @staticmethod
161
    def send(config, from_address, to_address, subject, body, attachment=None,
6592.1.1 by Vincent Ladeuil
Fix minor incompatible change in email python 2.7.6 module.
162
             attachment_filename=None, attachment_mime_subtype='plain'):
2625.6.1 by Adeodato Simó
New EmailMessage class, façade around email.Message and MIMEMultipart.
163
        """Create an email message and send it with SMTPConnection.
164
165
        :param config: config object to pass to SMTPConnection constructor.
166
167
        See EmailMessage.__init__() and EmailMessage.add_inline_attachment()
168
        for an explanation of the rest of parameters.
169
        """
170
        msg = EmailMessage(from_address, to_address, subject, body)
171
        if attachment is not None:
172
            msg.add_inline_attachment(attachment, attachment_filename,
7143.15.2 by Jelmer Vernooij
Run autopep8.
173
                                      attachment_mime_subtype)
2625.6.1 by Adeodato Simó
New EmailMessage class, façade around email.Message and MIMEMultipart.
174
        SMTPConnection(config).send_email(msg)
175
176
    @staticmethod
177
    def address_to_encoded_header(address):
178
        """RFC2047-encode an address if necessary.
179
180
        :param address: An unicode string, or UTF-8 byte string.
181
        :return: A possibly RFC2047-encoded string.
182
        """
7143.15.2 by Jelmer Vernooij
Run autopep8.
183
        if not isinstance(address, (str, text_type)):
7078.11.1 by Jelmer Vernooij
Fix email tests on Python 3.
184
            raise BzrBadParameterNotUnicode(address)
2625.6.1 by Adeodato Simó
New EmailMessage class, façade around email.Message and MIMEMultipart.
185
        # Can't call Header over all the address, because that encodes both the
186
        # name and the email address, which is not permitted by RFCs.
6791.2.3 by Jelmer Vernooij
Fix more imports.
187
        user, email = parseaddr(address)
2625.6.1 by Adeodato Simó
New EmailMessage class, façade around email.Message and MIMEMultipart.
188
        if not user:
189
            return email
190
        else:
6797 by Jelmer Vernooij
Merge lp:~jelmer/brz/fix-imports.
191
            return formataddr((str(Header(safe_unicode(user))),
7143.15.2 by Jelmer Vernooij
Run autopep8.
192
                               email))
2625.6.1 by Adeodato Simó
New EmailMessage class, façade around email.Message and MIMEMultipart.
193
194
    @staticmethod
2625.6.3 by Adeodato Simó
Changes after review by John.
195
    def string_with_encoding(string_):
2625.6.1 by Adeodato Simó
New EmailMessage class, façade around email.Message and MIMEMultipart.
196
        """Return a str object together with an encoding.
197
5891.1.3 by Andrew Bennetts
Move docstring formatting fixes.
198
        :param string\\_: A str or unicode object.
2625.6.1 by Adeodato Simó
New EmailMessage class, façade around email.Message and MIMEMultipart.
199
        :return: A tuple (str, encoding), where encoding is one of 'ascii',
200
            'utf-8', or '8-bit', in that preferred order.
201
        """
202
        # Python's email module base64-encodes the body whenever the charset is
203
        # not explicitly set to ascii. Because of this, and because we want to
204
        # avoid base64 when it's not necessary in order to be most compatible
205
        # with the capabilities of the receiving side, we check with encode()
206
        # and decode() whether the body is actually ascii-only.
6973.6.2 by Jelmer Vernooij
Fix more tests.
207
        if isinstance(string_, text_type):
2625.6.1 by Adeodato Simó
New EmailMessage class, façade around email.Message and MIMEMultipart.
208
            try:
2625.6.3 by Adeodato Simó
Changes after review by John.
209
                return (string_.encode('ascii'), 'ascii')
2625.6.1 by Adeodato Simó
New EmailMessage class, façade around email.Message and MIMEMultipart.
210
            except UnicodeEncodeError:
2625.6.3 by Adeodato Simó
Changes after review by John.
211
                return (string_.encode('utf-8'), 'utf-8')
2625.6.1 by Adeodato Simó
New EmailMessage class, façade around email.Message and MIMEMultipart.
212
        else:
213
            try:
2625.6.3 by Adeodato Simó
Changes after review by John.
214
                string_.decode('ascii')
215
                return (string_, 'ascii')
2625.6.1 by Adeodato Simó
New EmailMessage class, façade around email.Message and MIMEMultipart.
216
            except UnicodeDecodeError:
217
                try:
2625.6.3 by Adeodato Simó
Changes after review by John.
218
                    string_.decode('utf-8')
219
                    return (string_, 'utf-8')
2625.6.1 by Adeodato Simó
New EmailMessage class, façade around email.Message and MIMEMultipart.
220
                except UnicodeDecodeError:
2625.6.3 by Adeodato Simó
Changes after review by John.
221
                    return (string_, '8-bit')