/usr/lib/python2.7/dist-packages/lamson/mail.py is in python-lamson 1.0pre11-1.3.
This file is owned by root:root, with mode 0o644.
The actual contents of the file can be viewed below.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 | """
The lamson.mail module contains nothing more than wrappers around the big work
done in lamson.encoding. These are the actual APIs that you'll interact with
when doing email, and they mostly replicate the lamson.encoding.MailBase
functionality.
The main design criteria is that MailRequest is mostly for reading email
that you've received, so it doesn't have functions for attaching files and such.
MailResponse is used when you are going to write an email, so it has the
APIs for doing attachments and such.
"""
import mimetypes
from lamson import encoding, bounce
from email.utils import parseaddr
import os
import warnings
# You can change this to 'Delivered-To' on servers that support it like Postfix
ROUTABLE_TO_HEADER='to'
def _decode_header_randomness(addr):
"""
This fixes the given address so that it is *always* a set() of
just email addresses suitable for routing.
"""
if not addr:
return set()
elif isinstance(addr, list):
return set(parseaddr(a.lower())[1] for a in addr)
elif isinstance(addr, basestring):
return set([parseaddr(addr.lower())[1]])
else:
raise encoding.EncodingError("Address must be a string or a list not: %r", type(addr))
class MailRequest(object):
"""
This is what's handed to your handlers for you to process. The information
you get out of this is *ALWAYS* in Python unicode and should be usable
by any API. Modifying this object will cause other handlers that deal
with it to get your modifications, but in general you don't want to do
more than maybe tag a few headers.
"""
def __init__(self, Peer, From, To, Data):
"""
Peer is the remote peer making the connection (sometimes the queue
name). From and To are what you think they are. Data is the raw
full email as received by the server.
NOTE: It does not handle multiple From headers, if that's even
possible. It will parse the From into a list and take the first
one.
"""
self.original = Data
self.base = encoding.from_string(Data)
self.Peer = Peer
self.From = From or self.base['from']
self.To = To or self.base[ROUTABLE_TO_HEADER]
if 'from' not in self.base:
self.base['from'] = self.From
if 'to' not in self.base:
# do NOT use ROUTABLE_TO here
self.base['to'] = self.To
self.route_to = _decode_header_randomness(self.To)
self.route_from = _decode_header_randomness(self.From)
if self.route_from:
self.route_from = self.route_from.pop()
else:
self.route_from = None
self.bounce = None
def all_parts(self):
"""Returns all multipart mime parts. This could be an empty list."""
return self.base.parts
def body(self):
"""
Always returns a body if there is one. If the message
is multipart then it returns the first part's body, if
it's not then it just returns the body. If returns
None then this message has nothing for a body.
"""
if self.base.parts:
return self.base.parts[0].body
else:
return self.base.body
def __contains__(self, key):
return self.base.__contains__(key)
def __getitem__(self, name):
return self.base.__getitem__(name)
def __setitem__(self, name, val):
self.base.__setitem__(name, val)
def __delitem__(self, name):
del self.base[name]
def __str__(self):
"""
Converts this to a string usable for storage into a queue or
transmission.
"""
return encoding.to_string(self.base)
def __repr__(self):
return "From: %r" % [self.Peer, self.From, self.To]
def keys(self):
return self.base.keys()
def to_message(self):
"""
Converts this to a Python email message you can use to
interact with the python mail APIs.
"""
return encoding.to_message(self.base)
def walk(self):
"""Recursively walks all attached parts and their children."""
for x in self.base.walk():
yield x
def is_bounce(self, threshold=0.3):
"""
Determines whether the message is a bounce message based on
lamson.bounce.BounceAnalzyer given threshold. 0.3 is a good
conservative base.
"""
if not self.bounce:
self.bounce = bounce.detect(self)
if self.bounce.score > threshold:
return True
else:
return False
@property
def msg(self):
warnings.warn("The .msg attribute is deprecated, use .base instead. This will be gone in Lamson 1.0",
category=DeprecationWarning, stacklevel=2)
return self.base
class MailResponse(object):
"""
You are given MailResponse objects from the lamson.view methods, and
whenever you want to generate an email to send to someone. It has
the same basic functionality as MailRequest, but it is designed to
be written to, rather than read from (although you can do both).
You can easily set a Body or Html during creation or after by
passing it as __init__ parameters, or by setting those attributes.
You can initially set the From, To, and Subject, but they are headers so
use the dict notation to change them: msg['From'] = 'joe@test.com'.
The message is not fully crafted until right when you convert it with
MailResponse.to_message. This lets you change it and work with it, then
send it out when it's ready.
"""
def __init__(self, To=None, From=None, Subject=None, Body=None, Html=None):
self.Body = Body
self.Html = Html
self.base = encoding.MailBase([('To', To), ('From', From), ('Subject', Subject)])
self.multipart = self.Body and self.Html
self.attachments = []
def __contains__(self, key):
return self.base.__contains__(key)
def __getitem__(self, key):
return self.base.__getitem__(key)
def __setitem__(self, key, val):
return self.base.__setitem__(key, val)
def __delitem__(self, name):
del self.base[name]
def attach(self, filename=None, content_type=None, data=None, disposition=None):
"""
Simplifies attaching files from disk or data as files. To attach simple
text simple give data and a content_type. To attach a file, give the
data/content_type/filename/disposition combination.
For convenience, if you don't give data and only a filename, then it
will read that file's contents when you call to_message() later. If you
give data and filename then it will assume you've filled data with what
the file's contents are and filename is just the name to use.
"""
assert filename or data, "You must give a filename or some data to attach."
assert data or os.path.exists(filename), "File doesn't exist, and no data given."
self.multipart = True
if filename and not content_type:
content_type, encoding = mimetypes.guess_type(filename)
assert content_type, "No content type given, and couldn't guess from the filename: %r" % filename
self.attachments.append({'filename': filename,
'content_type': content_type,
'data': data,
'disposition': disposition,})
def attach_part(self, part):
"""
Attaches a raw MailBase part from a MailRequest (or anywhere)
so that you can copy it over.
"""
self.multipart = True
self.attachments.append({'filename': None,
'content_type': None,
'data': None,
'disposition': None,
'part': part,
})
def attach_all_parts(self, mail_request):
"""
Used for copying the attachment parts of a mail.MailRequest
object for mailing lists that need to maintain attachments.
"""
for part in mail_request.all_parts():
self.attach_part(part)
self.base.content_encoding = mail_request.base.content_encoding.copy()
def clear(self):
"""
Clears out the attachments so you can redo them. Use this to keep the
headers for a series of different messages with different attachments.
"""
del self.attachments[:]
del self.base.parts[:]
self.multipart = False
def update(self, message):
"""
Used to easily set a bunch of heading from another dict
like object.
"""
for k in message.keys():
self.base[k] = message[k]
def __str__(self):
"""
Converts to a string.
"""
return self.to_message().as_string()
def _encode_attachment(self, filename=None, content_type=None, data=None, disposition=None, part=None):
"""
Used internally to take the attachments mentioned in self.attachments
and do the actual encoding in a lazy way when you call to_message.
"""
if part:
self.base.parts.append(part)
elif filename:
if not data:
data = open(filename).read()
self.base.attach_file(filename, data, content_type, disposition or 'attachment')
else:
self.base.attach_text(data, content_type)
ctype = self.base.content_encoding['Content-Type'][0]
if ctype and not ctype.startswith('multipart'):
self.base.content_encoding['Content-Type'] = ('multipart/mixed', {})
def to_message(self):
"""
Figures out all the required steps to finally craft the
message you need and return it. The resulting message
is also available as a self.base attribute.
What is returned is a Python email API message you can
use with those APIs. The self.base attribute is the raw
lamson.encoding.MailBase.
"""
del self.base.parts[:]
if self.Body and self.Html:
self.multipart = True
self.base.content_encoding['Content-Type'] = ('multipart/alternative', {})
if self.multipart:
self.base.body = None
if self.Body:
self.base.attach_text(self.Body, 'text/plain')
if self.Html:
self.base.attach_text(self.Html, 'text/html')
for args in self.attachments:
self._encode_attachment(**args)
elif self.Body:
self.base.body = self.Body
self.base.content_encoding['Content-Type'] = ('text/plain', {})
elif self.Html:
self.base.body = self.Html
self.base.content_encoding['Content-Type'] = ('text/html', {})
return encoding.to_message(self.base)
def all_parts(self):
"""
Returns all the encoded parts. Only useful for debugging
or inspecting after calling to_message().
"""
return self.base.parts
def keys(self):
return self.base.keys()
@property
def msg(self):
warnings.warn("The .msg attribute is deprecated, use .base instead. This will be gone in Lamson 1.0",
category=DeprecationWarning, stacklevel=2)
return self.base
|