message.py 45 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182838485868788899091929394959697989910010110210310410510610710810911011111211311411511611711811912012112212312412512612712812913013113213313413513613713813914014114214314414514614714814915015115215315415515615715815916016116216316416516616716816917017117217317417517617717817918018118218318418518618718818919019119219319419519619719819920020120220320420520620720820921021121221321421521621721821922022122222322422522622722822923023123223323423523623723823924024124224324424524624724824925025125225325425525625725825926026126226326426526626726826927027127227327427527627727827928028128228328428528628728828929029129229329429529629729829930030130230330430530630730830931031131231331431531631731831932032132232332432532632732832933033133233333433533633733833934034134234334434534634734834935035135235335435535635735835936036136236336436536636736836937037137237337437537637737837938038138238338438538638738838939039139239339439539639739839940040140240340440540640740840941041141241341441541641741841942042142242342442542642742842943043143243343443543643743843944044144244344444544644744844945045145245345445545645745845946046146246346446546646746846947047147247347447547647747847948048148248348448548648748848949049149249349449549649749849950050150250350450550650750850951051151251351451551651751851952052152252352452552652752852953053153253353453553653753853954054154254354454554654754854955055155255355455555655755855956056156256356456556656756856957057157257357457557657757857958058158258358458558658758858959059159259359459559659759859960060160260360460560660760860961061161261361461561661761861962062162262362462562662762862963063163263363463563663763863964064164264364464564664764864965065165265365465565665765865966066166266366466566666766866967067167267367467567667767867968068168268368468568668768868969069169269369469569669769869970070170270370470570670770870971071171271371471571671771871972072172272372472572672772872973073173273373473573673773873974074174274374474574674774874975075175275375475575675775875976076176276376476576676776876977077177277377477577677777877978078178278378478578678778878979079179279379479579679779879980080180280380480580680780880981081181281381481581681781881982082182282382482582682782882983083183283383483583683783883984084184284384484584684784884985085185285385485585685785885986086186286386486586686786886987087187287387487587687787887988088188288388488588688788888989089189289389489589689789889990090190290390490590690790890991091191291391491591691791891992092192292392492592692792892993093193293393493593693793893994094194294394494594694794894995095195295395495595695795895996096196296396496596696796896997097197297397497597697797897998098198298398498598698798898999099199299399499599699799899910001001100210031004100510061007100810091010101110121013101410151016101710181019102010211022102310241025102610271028102910301031103210331034103510361037103810391040104110421043104410451046104710481049105010511052105310541055105610571058105910601061106210631064106510661067106810691070107110721073107410751076107710781079108010811082108310841085108610871088108910901091109210931094109510961097109810991100110111021103110411051106110711081109111011111112111311141115111611171118111911201121112211231124112511261127112811291130113111321133113411351136113711381139114011411142114311441145
  1. # Copyright (C) 2001-2007 Python Software Foundation
  2. # Author: Barry Warsaw
  3. # Contact: email-sig@python.org
  4. """Basic message object for the email package object model."""
  5. __all__ = ['Message']
  6. import re
  7. import uu
  8. import quopri
  9. import warnings
  10. from io import BytesIO, StringIO
  11. # Intrapackage imports
  12. from email import utils
  13. from email import errors
  14. from email._policybase import compat32
  15. from email import charset as _charset
  16. from email._encoded_words import decode_b
  17. Charset = _charset.Charset
  18. SEMISPACE = '; '
  19. # Regular expression that matches `special' characters in parameters, the
  20. # existence of which force quoting of the parameter value.
  21. tspecials = re.compile(r'[ \(\)<>@,;:\\"/\[\]\?=]')
  22. def _splitparam(param):
  23. # Split header parameters. BAW: this may be too simple. It isn't
  24. # strictly RFC 2045 (section 5.1) compliant, but it catches most headers
  25. # found in the wild. We may eventually need a full fledged parser.
  26. # RDM: we might have a Header here; for now just stringify it.
  27. a, sep, b = str(param).partition(';')
  28. if not sep:
  29. return a.strip(), None
  30. return a.strip(), b.strip()
  31. def _formatparam(param, value=None, quote=True):
  32. """Convenience function to format and return a key=value pair.
  33. This will quote the value if needed or if quote is true. If value is a
  34. three tuple (charset, language, value), it will be encoded according
  35. to RFC2231 rules. If it contains non-ascii characters it will likewise
  36. be encoded according to RFC2231 rules, using the utf-8 charset and
  37. a null language.
  38. """
  39. if value is not None and len(value) > 0:
  40. # A tuple is used for RFC 2231 encoded parameter values where items
  41. # are (charset, language, value). charset is a string, not a Charset
  42. # instance. RFC 2231 encoded values are never quoted, per RFC.
  43. if isinstance(value, tuple):
  44. # Encode as per RFC 2231
  45. param += '*'
  46. value = utils.encode_rfc2231(value[2], value[0], value[1])
  47. return '%s=%s' % (param, value)
  48. else:
  49. try:
  50. value.encode('ascii')
  51. except UnicodeEncodeError:
  52. param += '*'
  53. value = utils.encode_rfc2231(value, 'utf-8', '')
  54. return '%s=%s' % (param, value)
  55. # BAW: Please check this. I think that if quote is set it should
  56. # force quoting even if not necessary.
  57. if quote or tspecials.search(value):
  58. return '%s="%s"' % (param, utils.quote(value))
  59. else:
  60. return '%s=%s' % (param, value)
  61. else:
  62. return param
  63. def _parseparam(s):
  64. # RDM This might be a Header, so for now stringify it.
  65. s = ';' + str(s)
  66. plist = []
  67. while s[:1] == ';':
  68. s = s[1:]
  69. end = s.find(';')
  70. while end > 0 and (s.count('"', 0, end) - s.count('\\"', 0, end)) % 2:
  71. end = s.find(';', end + 1)
  72. if end < 0:
  73. end = len(s)
  74. f = s[:end]
  75. if '=' in f:
  76. i = f.index('=')
  77. f = f[:i].strip().lower() + '=' + f[i+1:].strip()
  78. plist.append(f.strip())
  79. s = s[end:]
  80. return plist
  81. def _unquotevalue(value):
  82. # This is different than utils.collapse_rfc2231_value() because it doesn't
  83. # try to convert the value to a unicode. Message.get_param() and
  84. # Message.get_params() are both currently defined to return the tuple in
  85. # the face of RFC 2231 parameters.
  86. if isinstance(value, tuple):
  87. return value[0], value[1], utils.unquote(value[2])
  88. else:
  89. return utils.unquote(value)
  90. class Message:
  91. """Basic message object.
  92. A message object is defined as something that has a bunch of RFC 2822
  93. headers and a payload. It may optionally have an envelope header
  94. (a.k.a. Unix-From or From_ header). If the message is a container (i.e. a
  95. multipart or a message/rfc822), then the payload is a list of Message
  96. objects, otherwise it is a string.
  97. Message objects implement part of the `mapping' interface, which assumes
  98. there is exactly one occurrence of the header per message. Some headers
  99. do in fact appear multiple times (e.g. Received) and for those headers,
  100. you must use the explicit API to set or get all the headers. Not all of
  101. the mapping methods are implemented.
  102. """
  103. def __init__(self, policy=compat32):
  104. self.policy = policy
  105. self._headers = []
  106. self._unixfrom = None
  107. self._payload = None
  108. self._charset = None
  109. # Defaults for multipart messages
  110. self.preamble = self.epilogue = None
  111. self.defects = []
  112. # Default content type
  113. self._default_type = 'text/plain'
  114. def __str__(self):
  115. """Return the entire formatted message as a string.
  116. """
  117. return self.as_string()
  118. def as_string(self, unixfrom=False, maxheaderlen=0, policy=None):
  119. """Return the entire formatted message as a string.
  120. Optional 'unixfrom', when true, means include the Unix From_ envelope
  121. header. For backward compatibility reasons, if maxheaderlen is
  122. not specified it defaults to 0, so you must override it explicitly
  123. if you want a different maxheaderlen. 'policy' is passed to the
  124. Generator instance used to serialize the mesasge; if it is not
  125. specified the policy associated with the message instance is used.
  126. If the message object contains binary data that is not encoded
  127. according to RFC standards, the non-compliant data will be replaced by
  128. unicode "unknown character" code points.
  129. """
  130. from email.generator import Generator
  131. policy = self.policy if policy is None else policy
  132. fp = StringIO()
  133. g = Generator(fp,
  134. mangle_from_=False,
  135. maxheaderlen=maxheaderlen,
  136. policy=policy)
  137. g.flatten(self, unixfrom=unixfrom)
  138. return fp.getvalue()
  139. def __bytes__(self):
  140. """Return the entire formatted message as a bytes object.
  141. """
  142. return self.as_bytes()
  143. def as_bytes(self, unixfrom=False, policy=None):
  144. """Return the entire formatted message as a bytes object.
  145. Optional 'unixfrom', when true, means include the Unix From_ envelope
  146. header. 'policy' is passed to the BytesGenerator instance used to
  147. serialize the message; if not specified the policy associated with
  148. the message instance is used.
  149. """
  150. from email.generator import BytesGenerator
  151. policy = self.policy if policy is None else policy
  152. fp = BytesIO()
  153. g = BytesGenerator(fp, mangle_from_=False, policy=policy)
  154. g.flatten(self, unixfrom=unixfrom)
  155. return fp.getvalue()
  156. def is_multipart(self):
  157. """Return True if the message consists of multiple parts."""
  158. return isinstance(self._payload, list)
  159. #
  160. # Unix From_ line
  161. #
  162. def set_unixfrom(self, unixfrom):
  163. self._unixfrom = unixfrom
  164. def get_unixfrom(self):
  165. return self._unixfrom
  166. #
  167. # Payload manipulation.
  168. #
  169. def attach(self, payload):
  170. """Add the given payload to the current payload.
  171. The current payload will always be a list of objects after this method
  172. is called. If you want to set the payload to a scalar object, use
  173. set_payload() instead.
  174. """
  175. if self._payload is None:
  176. self._payload = [payload]
  177. else:
  178. try:
  179. self._payload.append(payload)
  180. except AttributeError:
  181. raise TypeError("Attach is not valid on a message with a"
  182. " non-multipart payload")
  183. def get_payload(self, i=None, decode=False):
  184. """Return a reference to the payload.
  185. The payload will either be a list object or a string. If you mutate
  186. the list object, you modify the message's payload in place. Optional
  187. i returns that index into the payload.
  188. Optional decode is a flag indicating whether the payload should be
  189. decoded or not, according to the Content-Transfer-Encoding header
  190. (default is False).
  191. When True and the message is not a multipart, the payload will be
  192. decoded if this header's value is `quoted-printable' or `base64'. If
  193. some other encoding is used, or the header is missing, or if the
  194. payload has bogus data (i.e. bogus base64 or uuencoded data), the
  195. payload is returned as-is.
  196. If the message is a multipart and the decode flag is True, then None
  197. is returned.
  198. """
  199. # Here is the logic table for this code, based on the email5.0.0 code:
  200. # i decode is_multipart result
  201. # ------ ------ ------------ ------------------------------
  202. # None True True None
  203. # i True True None
  204. # None False True _payload (a list)
  205. # i False True _payload element i (a Message)
  206. # i False False error (not a list)
  207. # i True False error (not a list)
  208. # None False False _payload
  209. # None True False _payload decoded (bytes)
  210. # Note that Barry planned to factor out the 'decode' case, but that
  211. # isn't so easy now that we handle the 8 bit data, which needs to be
  212. # converted in both the decode and non-decode path.
  213. if self.is_multipart():
  214. if decode:
  215. return None
  216. if i is None:
  217. return self._payload
  218. else:
  219. return self._payload[i]
  220. # For backward compatibility, Use isinstance and this error message
  221. # instead of the more logical is_multipart test.
  222. if i is not None and not isinstance(self._payload, list):
  223. raise TypeError('Expected list, got %s' % type(self._payload))
  224. payload = self._payload
  225. # cte might be a Header, so for now stringify it.
  226. cte = str(self.get('content-transfer-encoding', '')).lower()
  227. # payload may be bytes here.
  228. if isinstance(payload, str):
  229. if utils._has_surrogates(payload):
  230. bpayload = payload.encode('ascii', 'surrogateescape')
  231. if not decode:
  232. try:
  233. payload = bpayload.decode(self.get_param('charset', 'ascii'), 'replace')
  234. except LookupError:
  235. payload = bpayload.decode('ascii', 'replace')
  236. elif decode:
  237. try:
  238. bpayload = payload.encode('ascii')
  239. except UnicodeError:
  240. # This won't happen for RFC compliant messages (messages
  241. # containing only ASCII code points in the unicode input).
  242. # If it does happen, turn the string into bytes in a way
  243. # guaranteed not to fail.
  244. bpayload = payload.encode('raw-unicode-escape')
  245. if not decode:
  246. return payload
  247. if cte == 'quoted-printable':
  248. return quopri.decodestring(bpayload)
  249. elif cte == 'base64':
  250. # XXX: this is a bit of a hack; decode_b should probably be factored
  251. # out somewhere, but I haven't figured out where yet.
  252. value, defects = decode_b(b''.join(bpayload.splitlines()))
  253. for defect in defects:
  254. self.policy.handle_defect(self, defect)
  255. return value
  256. elif cte in ('x-uuencode', 'uuencode', 'uue', 'x-uue'):
  257. in_file = BytesIO(bpayload)
  258. out_file = BytesIO()
  259. try:
  260. uu.decode(in_file, out_file, quiet=True)
  261. return out_file.getvalue()
  262. except uu.Error:
  263. # Some decoding problem
  264. return bpayload
  265. if isinstance(payload, str):
  266. return bpayload
  267. return payload
  268. def set_payload(self, payload, charset=None):
  269. """Set the payload to the given value.
  270. Optional charset sets the message's default character set. See
  271. set_charset() for details.
  272. """
  273. if hasattr(payload, 'encode'):
  274. if charset is None:
  275. self._payload = payload
  276. return
  277. if not isinstance(charset, Charset):
  278. charset = Charset(charset)
  279. payload = payload.encode(charset.output_charset)
  280. if hasattr(payload, 'decode'):
  281. self._payload = payload.decode('ascii', 'surrogateescape')
  282. else:
  283. self._payload = payload
  284. if charset is not None:
  285. self.set_charset(charset)
  286. def set_charset(self, charset):
  287. """Set the charset of the payload to a given character set.
  288. charset can be a Charset instance, a string naming a character set, or
  289. None. If it is a string it will be converted to a Charset instance.
  290. If charset is None, the charset parameter will be removed from the
  291. Content-Type field. Anything else will generate a TypeError.
  292. The message will be assumed to be of type text/* encoded with
  293. charset.input_charset. It will be converted to charset.output_charset
  294. and encoded properly, if needed, when generating the plain text
  295. representation of the message. MIME headers (MIME-Version,
  296. Content-Type, Content-Transfer-Encoding) will be added as needed.
  297. """
  298. if charset is None:
  299. self.del_param('charset')
  300. self._charset = None
  301. return
  302. if not isinstance(charset, Charset):
  303. charset = Charset(charset)
  304. self._charset = charset
  305. if 'MIME-Version' not in self:
  306. self.add_header('MIME-Version', '1.0')
  307. if 'Content-Type' not in self:
  308. self.add_header('Content-Type', 'text/plain',
  309. charset=charset.get_output_charset())
  310. else:
  311. self.set_param('charset', charset.get_output_charset())
  312. if charset != charset.get_output_charset():
  313. self._payload = charset.body_encode(self._payload)
  314. if 'Content-Transfer-Encoding' not in self:
  315. cte = charset.get_body_encoding()
  316. try:
  317. cte(self)
  318. except TypeError:
  319. # This 'if' is for backward compatibility, it allows unicode
  320. # through even though that won't work correctly if the
  321. # message is serialized.
  322. payload = self._payload
  323. if payload:
  324. try:
  325. payload = payload.encode('ascii', 'surrogateescape')
  326. except UnicodeError:
  327. payload = payload.encode(charset.output_charset)
  328. self._payload = charset.body_encode(payload)
  329. self.add_header('Content-Transfer-Encoding', cte)
  330. def get_charset(self):
  331. """Return the Charset instance associated with the message's payload.
  332. """
  333. return self._charset
  334. #
  335. # MAPPING INTERFACE (partial)
  336. #
  337. def __len__(self):
  338. """Return the total number of headers, including duplicates."""
  339. return len(self._headers)
  340. def __getitem__(self, name):
  341. """Get a header value.
  342. Return None if the header is missing instead of raising an exception.
  343. Note that if the header appeared multiple times, exactly which
  344. occurrence gets returned is undefined. Use get_all() to get all
  345. the values matching a header field name.
  346. """
  347. return self.get(name)
  348. def __setitem__(self, name, val):
  349. """Set the value of a header.
  350. Note: this does not overwrite an existing header with the same field
  351. name. Use __delitem__() first to delete any existing headers.
  352. """
  353. max_count = self.policy.header_max_count(name)
  354. if max_count:
  355. lname = name.lower()
  356. found = 0
  357. for k, v in self._headers:
  358. if k.lower() == lname:
  359. found += 1
  360. if found >= max_count:
  361. raise ValueError("There may be at most {} {} headers "
  362. "in a message".format(max_count, name))
  363. self._headers.append(self.policy.header_store_parse(name, val))
  364. def __delitem__(self, name):
  365. """Delete all occurrences of a header, if present.
  366. Does not raise an exception if the header is missing.
  367. """
  368. name = name.lower()
  369. newheaders = []
  370. for k, v in self._headers:
  371. if k.lower() != name:
  372. newheaders.append((k, v))
  373. self._headers = newheaders
  374. def __contains__(self, name):
  375. return name.lower() in [k.lower() for k, v in self._headers]
  376. def __iter__(self):
  377. for field, value in self._headers:
  378. yield field
  379. def keys(self):
  380. """Return a list of all the message's header field names.
  381. These will be sorted in the order they appeared in the original
  382. message, or were added to the message, and may contain duplicates.
  383. Any fields deleted and re-inserted are always appended to the header
  384. list.
  385. """
  386. return [k for k, v in self._headers]
  387. def values(self):
  388. """Return a list of all the message's header values.
  389. These will be sorted in the order they appeared in the original
  390. message, or were added to the message, and may contain duplicates.
  391. Any fields deleted and re-inserted are always appended to the header
  392. list.
  393. """
  394. return [self.policy.header_fetch_parse(k, v)
  395. for k, v in self._headers]
  396. def items(self):
  397. """Get all the message's header fields and values.
  398. These will be sorted in the order they appeared in the original
  399. message, or were added to the message, and may contain duplicates.
  400. Any fields deleted and re-inserted are always appended to the header
  401. list.
  402. """
  403. return [(k, self.policy.header_fetch_parse(k, v))
  404. for k, v in self._headers]
  405. def get(self, name, failobj=None):
  406. """Get a header value.
  407. Like __getitem__() but return failobj instead of None when the field
  408. is missing.
  409. """
  410. name = name.lower()
  411. for k, v in self._headers:
  412. if k.lower() == name:
  413. return self.policy.header_fetch_parse(k, v)
  414. return failobj
  415. #
  416. # "Internal" methods (public API, but only intended for use by a parser
  417. # or generator, not normal application code.
  418. #
  419. def set_raw(self, name, value):
  420. """Store name and value in the model without modification.
  421. This is an "internal" API, intended only for use by a parser.
  422. """
  423. self._headers.append((name, value))
  424. def raw_items(self):
  425. """Return the (name, value) header pairs without modification.
  426. This is an "internal" API, intended only for use by a generator.
  427. """
  428. return iter(self._headers.copy())
  429. #
  430. # Additional useful stuff
  431. #
  432. def get_all(self, name, failobj=None):
  433. """Return a list of all the values for the named field.
  434. These will be sorted in the order they appeared in the original
  435. message, and may contain duplicates. Any fields deleted and
  436. re-inserted are always appended to the header list.
  437. If no such fields exist, failobj is returned (defaults to None).
  438. """
  439. values = []
  440. name = name.lower()
  441. for k, v in self._headers:
  442. if k.lower() == name:
  443. values.append(self.policy.header_fetch_parse(k, v))
  444. if not values:
  445. return failobj
  446. return values
  447. def add_header(self, _name, _value, **_params):
  448. """Extended header setting.
  449. name is the header field to add. keyword arguments can be used to set
  450. additional parameters for the header field, with underscores converted
  451. to dashes. Normally the parameter will be added as key="value" unless
  452. value is None, in which case only the key will be added. If a
  453. parameter value contains non-ASCII characters it can be specified as a
  454. three-tuple of (charset, language, value), in which case it will be
  455. encoded according to RFC2231 rules. Otherwise it will be encoded using
  456. the utf-8 charset and a language of ''.
  457. Examples:
  458. msg.add_header('content-disposition', 'attachment', filename='bud.gif')
  459. msg.add_header('content-disposition', 'attachment',
  460. filename=('utf-8', '', Fußballer.ppt'))
  461. msg.add_header('content-disposition', 'attachment',
  462. filename='Fußballer.ppt'))
  463. """
  464. parts = []
  465. for k, v in _params.items():
  466. if v is None:
  467. parts.append(k.replace('_', '-'))
  468. else:
  469. parts.append(_formatparam(k.replace('_', '-'), v))
  470. if _value is not None:
  471. parts.insert(0, _value)
  472. self[_name] = SEMISPACE.join(parts)
  473. def replace_header(self, _name, _value):
  474. """Replace a header.
  475. Replace the first matching header found in the message, retaining
  476. header order and case. If no matching header was found, a KeyError is
  477. raised.
  478. """
  479. _name = _name.lower()
  480. for i, (k, v) in zip(range(len(self._headers)), self._headers):
  481. if k.lower() == _name:
  482. self._headers[i] = self.policy.header_store_parse(k, _value)
  483. break
  484. else:
  485. raise KeyError(_name)
  486. #
  487. # Use these three methods instead of the three above.
  488. #
  489. def get_content_type(self):
  490. """Return the message's content type.
  491. The returned string is coerced to lower case of the form
  492. `maintype/subtype'. If there was no Content-Type header in the
  493. message, the default type as given by get_default_type() will be
  494. returned. Since according to RFC 2045, messages always have a default
  495. type this will always return a value.
  496. RFC 2045 defines a message's default type to be text/plain unless it
  497. appears inside a multipart/digest container, in which case it would be
  498. message/rfc822.
  499. """
  500. missing = object()
  501. value = self.get('content-type', missing)
  502. if value is missing:
  503. # This should have no parameters
  504. return self.get_default_type()
  505. ctype = _splitparam(value)[0].lower()
  506. # RFC 2045, section 5.2 says if its invalid, use text/plain
  507. if ctype.count('/') != 1:
  508. return 'text/plain'
  509. return ctype
  510. def get_content_maintype(self):
  511. """Return the message's main content type.
  512. This is the `maintype' part of the string returned by
  513. get_content_type().
  514. """
  515. ctype = self.get_content_type()
  516. return ctype.split('/')[0]
  517. def get_content_subtype(self):
  518. """Returns the message's sub-content type.
  519. This is the `subtype' part of the string returned by
  520. get_content_type().
  521. """
  522. ctype = self.get_content_type()
  523. return ctype.split('/')[1]
  524. def get_default_type(self):
  525. """Return the `default' content type.
  526. Most messages have a default content type of text/plain, except for
  527. messages that are subparts of multipart/digest containers. Such
  528. subparts have a default content type of message/rfc822.
  529. """
  530. return self._default_type
  531. def set_default_type(self, ctype):
  532. """Set the `default' content type.
  533. ctype should be either "text/plain" or "message/rfc822", although this
  534. is not enforced. The default content type is not stored in the
  535. Content-Type header.
  536. """
  537. self._default_type = ctype
  538. def _get_params_preserve(self, failobj, header):
  539. # Like get_params() but preserves the quoting of values. BAW:
  540. # should this be part of the public interface?
  541. missing = object()
  542. value = self.get(header, missing)
  543. if value is missing:
  544. return failobj
  545. params = []
  546. for p in _parseparam(value):
  547. try:
  548. name, val = p.split('=', 1)
  549. name = name.strip()
  550. val = val.strip()
  551. except ValueError:
  552. # Must have been a bare attribute
  553. name = p.strip()
  554. val = ''
  555. params.append((name, val))
  556. params = utils.decode_params(params)
  557. return params
  558. def get_params(self, failobj=None, header='content-type', unquote=True):
  559. """Return the message's Content-Type parameters, as a list.
  560. The elements of the returned list are 2-tuples of key/value pairs, as
  561. split on the `=' sign. The left hand side of the `=' is the key,
  562. while the right hand side is the value. If there is no `=' sign in
  563. the parameter the value is the empty string. The value is as
  564. described in the get_param() method.
  565. Optional failobj is the object to return if there is no Content-Type
  566. header. Optional header is the header to search instead of
  567. Content-Type. If unquote is True, the value is unquoted.
  568. """
  569. missing = object()
  570. params = self._get_params_preserve(missing, header)
  571. if params is missing:
  572. return failobj
  573. if unquote:
  574. return [(k, _unquotevalue(v)) for k, v in params]
  575. else:
  576. return params
  577. def get_param(self, param, failobj=None, header='content-type',
  578. unquote=True):
  579. """Return the parameter value if found in the Content-Type header.
  580. Optional failobj is the object to return if there is no Content-Type
  581. header, or the Content-Type header has no such parameter. Optional
  582. header is the header to search instead of Content-Type.
  583. Parameter keys are always compared case insensitively. The return
  584. value can either be a string, or a 3-tuple if the parameter was RFC
  585. 2231 encoded. When it's a 3-tuple, the elements of the value are of
  586. the form (CHARSET, LANGUAGE, VALUE). Note that both CHARSET and
  587. LANGUAGE can be None, in which case you should consider VALUE to be
  588. encoded in the us-ascii charset. You can usually ignore LANGUAGE.
  589. The parameter value (either the returned string, or the VALUE item in
  590. the 3-tuple) is always unquoted, unless unquote is set to False.
  591. If your application doesn't care whether the parameter was RFC 2231
  592. encoded, it can turn the return value into a string as follows:
  593. rawparam = msg.get_param('foo')
  594. param = email.utils.collapse_rfc2231_value(rawparam)
  595. """
  596. if header not in self:
  597. return failobj
  598. for k, v in self._get_params_preserve(failobj, header):
  599. if k.lower() == param.lower():
  600. if unquote:
  601. return _unquotevalue(v)
  602. else:
  603. return v
  604. return failobj
  605. def set_param(self, param, value, header='Content-Type', requote=True,
  606. charset=None, language='', replace=False):
  607. """Set a parameter in the Content-Type header.
  608. If the parameter already exists in the header, its value will be
  609. replaced with the new value.
  610. If header is Content-Type and has not yet been defined for this
  611. message, it will be set to "text/plain" and the new parameter and
  612. value will be appended as per RFC 2045.
  613. An alternate header can be specified in the header argument, and all
  614. parameters will be quoted as necessary unless requote is False.
  615. If charset is specified, the parameter will be encoded according to RFC
  616. 2231. Optional language specifies the RFC 2231 language, defaulting
  617. to the empty string. Both charset and language should be strings.
  618. """
  619. if not isinstance(value, tuple) and charset:
  620. value = (charset, language, value)
  621. if header not in self and header.lower() == 'content-type':
  622. ctype = 'text/plain'
  623. else:
  624. ctype = self.get(header)
  625. if not self.get_param(param, header=header):
  626. if not ctype:
  627. ctype = _formatparam(param, value, requote)
  628. else:
  629. ctype = SEMISPACE.join(
  630. [ctype, _formatparam(param, value, requote)])
  631. else:
  632. ctype = ''
  633. for old_param, old_value in self.get_params(header=header,
  634. unquote=requote):
  635. append_param = ''
  636. if old_param.lower() == param.lower():
  637. append_param = _formatparam(param, value, requote)
  638. else:
  639. append_param = _formatparam(old_param, old_value, requote)
  640. if not ctype:
  641. ctype = append_param
  642. else:
  643. ctype = SEMISPACE.join([ctype, append_param])
  644. if ctype != self.get(header):
  645. if replace:
  646. self.replace_header(header, ctype)
  647. else:
  648. del self[header]
  649. self[header] = ctype
  650. def del_param(self, param, header='content-type', requote=True):
  651. """Remove the given parameter completely from the Content-Type header.
  652. The header will be re-written in place without the parameter or its
  653. value. All values will be quoted as necessary unless requote is
  654. False. Optional header specifies an alternative to the Content-Type
  655. header.
  656. """
  657. if header not in self:
  658. return
  659. new_ctype = ''
  660. for p, v in self.get_params(header=header, unquote=requote):
  661. if p.lower() != param.lower():
  662. if not new_ctype:
  663. new_ctype = _formatparam(p, v, requote)
  664. else:
  665. new_ctype = SEMISPACE.join([new_ctype,
  666. _formatparam(p, v, requote)])
  667. if new_ctype != self.get(header):
  668. del self[header]
  669. self[header] = new_ctype
  670. def set_type(self, type, header='Content-Type', requote=True):
  671. """Set the main type and subtype for the Content-Type header.
  672. type must be a string in the form "maintype/subtype", otherwise a
  673. ValueError is raised.
  674. This method replaces the Content-Type header, keeping all the
  675. parameters in place. If requote is False, this leaves the existing
  676. header's quoting as is. Otherwise, the parameters will be quoted (the
  677. default).
  678. An alternative header can be specified in the header argument. When
  679. the Content-Type header is set, we'll always also add a MIME-Version
  680. header.
  681. """
  682. # BAW: should we be strict?
  683. if not type.count('/') == 1:
  684. raise ValueError
  685. # Set the Content-Type, you get a MIME-Version
  686. if header.lower() == 'content-type':
  687. del self['mime-version']
  688. self['MIME-Version'] = '1.0'
  689. if header not in self:
  690. self[header] = type
  691. return
  692. params = self.get_params(header=header, unquote=requote)
  693. del self[header]
  694. self[header] = type
  695. # Skip the first param; it's the old type.
  696. for p, v in params[1:]:
  697. self.set_param(p, v, header, requote)
  698. def get_filename(self, failobj=None):
  699. """Return the filename associated with the payload if present.
  700. The filename is extracted from the Content-Disposition header's
  701. `filename' parameter, and it is unquoted. If that header is missing
  702. the `filename' parameter, this method falls back to looking for the
  703. `name' parameter.
  704. """
  705. missing = object()
  706. filename = self.get_param('filename', missing, 'content-disposition')
  707. if filename is missing:
  708. filename = self.get_param('name', missing, 'content-type')
  709. if filename is missing:
  710. return failobj
  711. return utils.collapse_rfc2231_value(filename).strip()
  712. def get_boundary(self, failobj=None):
  713. """Return the boundary associated with the payload if present.
  714. The boundary is extracted from the Content-Type header's `boundary'
  715. parameter, and it is unquoted.
  716. """
  717. missing = object()
  718. boundary = self.get_param('boundary', missing)
  719. if boundary is missing:
  720. return failobj
  721. # RFC 2046 says that boundaries may begin but not end in w/s
  722. return utils.collapse_rfc2231_value(boundary).rstrip()
  723. def set_boundary(self, boundary):
  724. """Set the boundary parameter in Content-Type to 'boundary'.
  725. This is subtly different than deleting the Content-Type header and
  726. adding a new one with a new boundary parameter via add_header(). The
  727. main difference is that using the set_boundary() method preserves the
  728. order of the Content-Type header in the original message.
  729. HeaderParseError is raised if the message has no Content-Type header.
  730. """
  731. missing = object()
  732. params = self._get_params_preserve(missing, 'content-type')
  733. if params is missing:
  734. # There was no Content-Type header, and we don't know what type
  735. # to set it to, so raise an exception.
  736. raise errors.HeaderParseError('No Content-Type header found')
  737. newparams = []
  738. foundp = False
  739. for pk, pv in params:
  740. if pk.lower() == 'boundary':
  741. newparams.append(('boundary', '"%s"' % boundary))
  742. foundp = True
  743. else:
  744. newparams.append((pk, pv))
  745. if not foundp:
  746. # The original Content-Type header had no boundary attribute.
  747. # Tack one on the end. BAW: should we raise an exception
  748. # instead???
  749. newparams.append(('boundary', '"%s"' % boundary))
  750. # Replace the existing Content-Type header with the new value
  751. newheaders = []
  752. for h, v in self._headers:
  753. if h.lower() == 'content-type':
  754. parts = []
  755. for k, v in newparams:
  756. if v == '':
  757. parts.append(k)
  758. else:
  759. parts.append('%s=%s' % (k, v))
  760. val = SEMISPACE.join(parts)
  761. newheaders.append(self.policy.header_store_parse(h, val))
  762. else:
  763. newheaders.append((h, v))
  764. self._headers = newheaders
  765. def get_content_charset(self, failobj=None):
  766. """Return the charset parameter of the Content-Type header.
  767. The returned string is always coerced to lower case. If there is no
  768. Content-Type header, or if that header has no charset parameter,
  769. failobj is returned.
  770. """
  771. missing = object()
  772. charset = self.get_param('charset', missing)
  773. if charset is missing:
  774. return failobj
  775. if isinstance(charset, tuple):
  776. # RFC 2231 encoded, so decode it, and it better end up as ascii.
  777. pcharset = charset[0] or 'us-ascii'
  778. try:
  779. # LookupError will be raised if the charset isn't known to
  780. # Python. UnicodeError will be raised if the encoded text
  781. # contains a character not in the charset.
  782. as_bytes = charset[2].encode('raw-unicode-escape')
  783. charset = str(as_bytes, pcharset)
  784. except (LookupError, UnicodeError):
  785. charset = charset[2]
  786. # charset characters must be in us-ascii range
  787. try:
  788. charset.encode('us-ascii')
  789. except UnicodeError:
  790. return failobj
  791. # RFC 2046, $4.1.2 says charsets are not case sensitive
  792. return charset.lower()
  793. def get_charsets(self, failobj=None):
  794. """Return a list containing the charset(s) used in this message.
  795. The returned list of items describes the Content-Type headers'
  796. charset parameter for this message and all the subparts in its
  797. payload.
  798. Each item will either be a string (the value of the charset parameter
  799. in the Content-Type header of that part) or the value of the
  800. 'failobj' parameter (defaults to None), if the part does not have a
  801. main MIME type of "text", or the charset is not defined.
  802. The list will contain one string for each part of the message, plus
  803. one for the container message (i.e. self), so that a non-multipart
  804. message will still return a list of length 1.
  805. """
  806. return [part.get_content_charset(failobj) for part in self.walk()]
  807. def get_content_disposition(self):
  808. """Return the message's content-disposition if it exists, or None.
  809. The return values can be either 'inline', 'attachment' or None
  810. according to the rfc2183.
  811. """
  812. value = self.get('content-disposition')
  813. if value is None:
  814. return None
  815. c_d = _splitparam(value)[0].lower()
  816. return c_d
  817. # I.e. def walk(self): ...
  818. from email.iterators import walk
  819. class MIMEPart(Message):
  820. def __init__(self, policy=None):
  821. if policy is None:
  822. from email.policy import default
  823. policy = default
  824. Message.__init__(self, policy)
  825. def is_attachment(self):
  826. c_d = self.get('content-disposition')
  827. return False if c_d is None else c_d.content_disposition == 'attachment'
  828. def _find_body(self, part, preferencelist):
  829. if part.is_attachment():
  830. return
  831. maintype, subtype = part.get_content_type().split('/')
  832. if maintype == 'text':
  833. if subtype in preferencelist:
  834. yield (preferencelist.index(subtype), part)
  835. return
  836. if maintype != 'multipart':
  837. return
  838. if subtype != 'related':
  839. for subpart in part.iter_parts():
  840. yield from self._find_body(subpart, preferencelist)
  841. return
  842. if 'related' in preferencelist:
  843. yield (preferencelist.index('related'), part)
  844. candidate = None
  845. start = part.get_param('start')
  846. if start:
  847. for subpart in part.iter_parts():
  848. if subpart['content-id'] == start:
  849. candidate = subpart
  850. break
  851. if candidate is None:
  852. subparts = part.get_payload()
  853. candidate = subparts[0] if subparts else None
  854. if candidate is not None:
  855. yield from self._find_body(candidate, preferencelist)
  856. def get_body(self, preferencelist=('related', 'html', 'plain')):
  857. """Return best candidate mime part for display as 'body' of message.
  858. Do a depth first search, starting with self, looking for the first part
  859. matching each of the items in preferencelist, and return the part
  860. corresponding to the first item that has a match, or None if no items
  861. have a match. If 'related' is not included in preferencelist, consider
  862. the root part of any multipart/related encountered as a candidate
  863. match. Ignore parts with 'Content-Disposition: attachment'.
  864. """
  865. best_prio = len(preferencelist)
  866. body = None
  867. for prio, part in self._find_body(self, preferencelist):
  868. if prio < best_prio:
  869. best_prio = prio
  870. body = part
  871. if prio == 0:
  872. break
  873. return body
  874. _body_types = {('text', 'plain'),
  875. ('text', 'html'),
  876. ('multipart', 'related'),
  877. ('multipart', 'alternative')}
  878. def iter_attachments(self):
  879. """Return an iterator over the non-main parts of a multipart.
  880. Skip the first of each occurrence of text/plain, text/html,
  881. multipart/related, or multipart/alternative in the multipart (unless
  882. they have a 'Content-Disposition: attachment' header) and include all
  883. remaining subparts in the returned iterator. When applied to a
  884. multipart/related, return all parts except the root part. Return an
  885. empty iterator when applied to a multipart/alternative or a
  886. non-multipart.
  887. """
  888. maintype, subtype = self.get_content_type().split('/')
  889. if maintype != 'multipart' or subtype == 'alternative':
  890. return
  891. parts = self.get_payload()
  892. if maintype == 'multipart' and subtype == 'related':
  893. # For related, we treat everything but the root as an attachment.
  894. # The root may be indicated by 'start'; if there's no start or we
  895. # can't find the named start, treat the first subpart as the root.
  896. start = self.get_param('start')
  897. if start:
  898. found = False
  899. attachments = []
  900. for part in parts:
  901. if part.get('content-id') == start:
  902. found = True
  903. else:
  904. attachments.append(part)
  905. if found:
  906. yield from attachments
  907. return
  908. parts.pop(0)
  909. yield from parts
  910. return
  911. # Otherwise we more or less invert the remaining logic in get_body.
  912. # This only really works in edge cases (ex: non-text relateds or
  913. # alternatives) if the sending agent sets content-disposition.
  914. seen = [] # Only skip the first example of each candidate type.
  915. for part in parts:
  916. maintype, subtype = part.get_content_type().split('/')
  917. if ((maintype, subtype) in self._body_types and
  918. not part.is_attachment() and subtype not in seen):
  919. seen.append(subtype)
  920. continue
  921. yield part
  922. def iter_parts(self):
  923. """Return an iterator over all immediate subparts of a multipart.
  924. Return an empty iterator for a non-multipart.
  925. """
  926. if self.get_content_maintype() == 'multipart':
  927. yield from self.get_payload()
  928. def get_content(self, *args, content_manager=None, **kw):
  929. if content_manager is None:
  930. content_manager = self.policy.content_manager
  931. return content_manager.get_content(self, *args, **kw)
  932. def set_content(self, *args, content_manager=None, **kw):
  933. if content_manager is None:
  934. content_manager = self.policy.content_manager
  935. content_manager.set_content(self, *args, **kw)
  936. def _make_multipart(self, subtype, disallowed_subtypes, boundary):
  937. if self.get_content_maintype() == 'multipart':
  938. existing_subtype = self.get_content_subtype()
  939. disallowed_subtypes = disallowed_subtypes + (subtype,)
  940. if existing_subtype in disallowed_subtypes:
  941. raise ValueError("Cannot convert {} to {}".format(
  942. existing_subtype, subtype))
  943. keep_headers = []
  944. part_headers = []
  945. for name, value in self._headers:
  946. if name.lower().startswith('content-'):
  947. part_headers.append((name, value))
  948. else:
  949. keep_headers.append((name, value))
  950. if part_headers:
  951. # There is existing content, move it to the first subpart.
  952. part = type(self)(policy=self.policy)
  953. part._headers = part_headers
  954. part._payload = self._payload
  955. self._payload = [part]
  956. else:
  957. self._payload = []
  958. self._headers = keep_headers
  959. self['Content-Type'] = 'multipart/' + subtype
  960. if boundary is not None:
  961. self.set_param('boundary', boundary)
  962. def make_related(self, boundary=None):
  963. self._make_multipart('related', ('alternative', 'mixed'), boundary)
  964. def make_alternative(self, boundary=None):
  965. self._make_multipart('alternative', ('mixed',), boundary)
  966. def make_mixed(self, boundary=None):
  967. self._make_multipart('mixed', (), boundary)
  968. def _add_multipart(self, _subtype, *args, _disp=None, **kw):
  969. if (self.get_content_maintype() != 'multipart' or
  970. self.get_content_subtype() != _subtype):
  971. getattr(self, 'make_' + _subtype)()
  972. part = type(self)(policy=self.policy)
  973. part.set_content(*args, **kw)
  974. if _disp and 'content-disposition' not in part:
  975. part['Content-Disposition'] = _disp
  976. self.attach(part)
  977. def add_related(self, *args, **kw):
  978. self._add_multipart('related', *args, _disp='inline', **kw)
  979. def add_alternative(self, *args, **kw):
  980. self._add_multipart('alternative', *args, **kw)
  981. def add_attachment(self, *args, **kw):
  982. self._add_multipart('mixed', *args, _disp='attachment', **kw)
  983. def clear(self):
  984. self._headers = []
  985. self._payload = None
  986. def clear_content(self):
  987. self._headers = [(n, v) for n, v in self._headers
  988. if not n.lower().startswith('content-')]
  989. self._payload = None
  990. class EmailMessage(MIMEPart):
  991. def set_content(self, *args, **kw):
  992. super().set_content(*args, **kw)
  993. if 'MIME-Version' not in self:
  994. self['MIME-Version'] = '1.0'