utils.py 13 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382
  1. # Copyright (C) 2001-2010 Python Software Foundation
  2. # Author: Barry Warsaw
  3. # Contact: email-sig@python.org
  4. """Miscellaneous utilities."""
  5. __all__ = [
  6. 'collapse_rfc2231_value',
  7. 'decode_params',
  8. 'decode_rfc2231',
  9. 'encode_rfc2231',
  10. 'formataddr',
  11. 'formatdate',
  12. 'format_datetime',
  13. 'getaddresses',
  14. 'make_msgid',
  15. 'mktime_tz',
  16. 'parseaddr',
  17. 'parsedate',
  18. 'parsedate_tz',
  19. 'parsedate_to_datetime',
  20. 'unquote',
  21. ]
  22. import os
  23. import re
  24. import time
  25. import random
  26. import socket
  27. import datetime
  28. import urllib.parse
  29. from email._parseaddr import quote
  30. from email._parseaddr import AddressList as _AddressList
  31. from email._parseaddr import mktime_tz
  32. from email._parseaddr import parsedate, parsedate_tz, _parsedate_tz
  33. # Intrapackage imports
  34. from email.charset import Charset
  35. COMMASPACE = ', '
  36. EMPTYSTRING = ''
  37. UEMPTYSTRING = ''
  38. CRLF = '\r\n'
  39. TICK = "'"
  40. specialsre = re.compile(r'[][\\()<>@,:;".]')
  41. escapesre = re.compile(r'[\\"]')
  42. def _has_surrogates(s):
  43. """Return True if s contains surrogate-escaped binary data."""
  44. # This check is based on the fact that unless there are surrogates, utf8
  45. # (Python's default encoding) can encode any string. This is the fastest
  46. # way to check for surrogates, see issue 11454 for timings.
  47. try:
  48. s.encode()
  49. return False
  50. except UnicodeEncodeError:
  51. return True
  52. # How to deal with a string containing bytes before handing it to the
  53. # application through the 'normal' interface.
  54. def _sanitize(string):
  55. # Turn any escaped bytes into unicode 'unknown' char. If the escaped
  56. # bytes happen to be utf-8 they will instead get decoded, even if they
  57. # were invalid in the charset the source was supposed to be in. This
  58. # seems like it is not a bad thing; a defect was still registered.
  59. original_bytes = string.encode('utf-8', 'surrogateescape')
  60. return original_bytes.decode('utf-8', 'replace')
  61. # Helpers
  62. def formataddr(pair, charset='utf-8'):
  63. """The inverse of parseaddr(), this takes a 2-tuple of the form
  64. (realname, email_address) and returns the string value suitable
  65. for an RFC 2822 From, To or Cc header.
  66. If the first element of pair is false, then the second element is
  67. returned unmodified.
  68. Optional charset if given is the character set that is used to encode
  69. realname in case realname is not ASCII safe. Can be an instance of str or
  70. a Charset-like object which has a header_encode method. Default is
  71. 'utf-8'.
  72. """
  73. name, address = pair
  74. # The address MUST (per RFC) be ascii, so raise a UnicodeError if it isn't.
  75. address.encode('ascii')
  76. if name:
  77. try:
  78. name.encode('ascii')
  79. except UnicodeEncodeError:
  80. if isinstance(charset, str):
  81. charset = Charset(charset)
  82. encoded_name = charset.header_encode(name)
  83. return "%s <%s>" % (encoded_name, address)
  84. else:
  85. quotes = ''
  86. if specialsre.search(name):
  87. quotes = '"'
  88. name = escapesre.sub(r'\\\g<0>', name)
  89. return '%s%s%s <%s>' % (quotes, name, quotes, address)
  90. return address
  91. def getaddresses(fieldvalues):
  92. """Return a list of (REALNAME, EMAIL) for each fieldvalue."""
  93. all = COMMASPACE.join(fieldvalues)
  94. a = _AddressList(all)
  95. return a.addresslist
  96. ecre = re.compile(r'''
  97. =\? # literal =?
  98. (?P<charset>[^?]*?) # non-greedy up to the next ? is the charset
  99. \? # literal ?
  100. (?P<encoding>[qb]) # either a "q" or a "b", case insensitive
  101. \? # literal ?
  102. (?P<atom>.*?) # non-greedy up to the next ?= is the atom
  103. \?= # literal ?=
  104. ''', re.VERBOSE | re.IGNORECASE)
  105. def _format_timetuple_and_zone(timetuple, zone):
  106. return '%s, %02d %s %04d %02d:%02d:%02d %s' % (
  107. ['Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat', 'Sun'][timetuple[6]],
  108. timetuple[2],
  109. ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun',
  110. 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'][timetuple[1] - 1],
  111. timetuple[0], timetuple[3], timetuple[4], timetuple[5],
  112. zone)
  113. def formatdate(timeval=None, localtime=False, usegmt=False):
  114. """Returns a date string as specified by RFC 2822, e.g.:
  115. Fri, 09 Nov 2001 01:08:47 -0000
  116. Optional timeval if given is a floating point time value as accepted by
  117. gmtime() and localtime(), otherwise the current time is used.
  118. Optional localtime is a flag that when True, interprets timeval, and
  119. returns a date relative to the local timezone instead of UTC, properly
  120. taking daylight savings time into account.
  121. Optional argument usegmt means that the timezone is written out as
  122. an ascii string, not numeric one (so "GMT" instead of "+0000"). This
  123. is needed for HTTP, and is only used when localtime==False.
  124. """
  125. # Note: we cannot use strftime() because that honors the locale and RFC
  126. # 2822 requires that day and month names be the English abbreviations.
  127. if timeval is None:
  128. timeval = time.time()
  129. if localtime or usegmt:
  130. dt = datetime.datetime.fromtimestamp(timeval, datetime.timezone.utc)
  131. else:
  132. dt = datetime.datetime.utcfromtimestamp(timeval)
  133. if localtime:
  134. dt = dt.astimezone()
  135. usegmt = False
  136. return format_datetime(dt, usegmt)
  137. def format_datetime(dt, usegmt=False):
  138. """Turn a datetime into a date string as specified in RFC 2822.
  139. If usegmt is True, dt must be an aware datetime with an offset of zero. In
  140. this case 'GMT' will be rendered instead of the normal +0000 required by
  141. RFC2822. This is to support HTTP headers involving date stamps.
  142. """
  143. now = dt.timetuple()
  144. if usegmt:
  145. if dt.tzinfo is None or dt.tzinfo != datetime.timezone.utc:
  146. raise ValueError("usegmt option requires a UTC datetime")
  147. zone = 'GMT'
  148. elif dt.tzinfo is None:
  149. zone = '-0000'
  150. else:
  151. zone = dt.strftime("%z")
  152. return _format_timetuple_and_zone(now, zone)
  153. def make_msgid(idstring=None, domain=None):
  154. """Returns a string suitable for RFC 2822 compliant Message-ID, e.g:
  155. <142480216486.20800.16526388040877946887@nightshade.la.mastaler.com>
  156. Optional idstring if given is a string used to strengthen the
  157. uniqueness of the message id. Optional domain if given provides the
  158. portion of the message id after the '@'. It defaults to the locally
  159. defined hostname.
  160. """
  161. timeval = int(time.time()*100)
  162. pid = os.getpid()
  163. randint = random.getrandbits(64)
  164. if idstring is None:
  165. idstring = ''
  166. else:
  167. idstring = '.' + idstring
  168. if domain is None:
  169. domain = socket.getfqdn()
  170. msgid = '<%d.%d.%d%s@%s>' % (timeval, pid, randint, idstring, domain)
  171. return msgid
  172. def parsedate_to_datetime(data):
  173. *dtuple, tz = _parsedate_tz(data)
  174. if tz is None:
  175. return datetime.datetime(*dtuple[:6])
  176. return datetime.datetime(*dtuple[:6],
  177. tzinfo=datetime.timezone(datetime.timedelta(seconds=tz)))
  178. def parseaddr(addr):
  179. addrs = _AddressList(addr).addresslist
  180. if not addrs:
  181. return '', ''
  182. return addrs[0]
  183. # rfc822.unquote() doesn't properly de-backslash-ify in Python pre-2.3.
  184. def unquote(str):
  185. """Remove quotes from a string."""
  186. if len(str) > 1:
  187. if str.startswith('"') and str.endswith('"'):
  188. return str[1:-1].replace('\\\\', '\\').replace('\\"', '"')
  189. if str.startswith('<') and str.endswith('>'):
  190. return str[1:-1]
  191. return str
  192. # RFC2231-related functions - parameter encoding and decoding
  193. def decode_rfc2231(s):
  194. """Decode string according to RFC 2231"""
  195. parts = s.split(TICK, 2)
  196. if len(parts) <= 2:
  197. return None, None, s
  198. return parts
  199. def encode_rfc2231(s, charset=None, language=None):
  200. """Encode string according to RFC 2231.
  201. If neither charset nor language is given, then s is returned as-is. If
  202. charset is given but not language, the string is encoded using the empty
  203. string for language.
  204. """
  205. s = urllib.parse.quote(s, safe='', encoding=charset or 'ascii')
  206. if charset is None and language is None:
  207. return s
  208. if language is None:
  209. language = ''
  210. return "%s'%s'%s" % (charset, language, s)
  211. rfc2231_continuation = re.compile(r'^(?P<name>\w+)\*((?P<num>[0-9]+)\*?)?$',
  212. re.ASCII)
  213. def decode_params(params):
  214. """Decode parameters list according to RFC 2231.
  215. params is a sequence of 2-tuples containing (param name, string value).
  216. """
  217. # Copy params so we don't mess with the original
  218. params = params[:]
  219. new_params = []
  220. # Map parameter's name to a list of continuations. The values are a
  221. # 3-tuple of the continuation number, the string value, and a flag
  222. # specifying whether a particular segment is %-encoded.
  223. rfc2231_params = {}
  224. name, value = params.pop(0)
  225. new_params.append((name, value))
  226. while params:
  227. name, value = params.pop(0)
  228. if name.endswith('*'):
  229. encoded = True
  230. else:
  231. encoded = False
  232. value = unquote(value)
  233. mo = rfc2231_continuation.match(name)
  234. if mo:
  235. name, num = mo.group('name', 'num')
  236. if num is not None:
  237. num = int(num)
  238. rfc2231_params.setdefault(name, []).append((num, value, encoded))
  239. else:
  240. new_params.append((name, '"%s"' % quote(value)))
  241. if rfc2231_params:
  242. for name, continuations in rfc2231_params.items():
  243. value = []
  244. extended = False
  245. # Sort by number
  246. continuations.sort()
  247. # And now append all values in numerical order, converting
  248. # %-encodings for the encoded segments. If any of the
  249. # continuation names ends in a *, then the entire string, after
  250. # decoding segments and concatenating, must have the charset and
  251. # language specifiers at the beginning of the string.
  252. for num, s, encoded in continuations:
  253. if encoded:
  254. # Decode as "latin-1", so the characters in s directly
  255. # represent the percent-encoded octet values.
  256. # collapse_rfc2231_value treats this as an octet sequence.
  257. s = urllib.parse.unquote(s, encoding="latin-1")
  258. extended = True
  259. value.append(s)
  260. value = quote(EMPTYSTRING.join(value))
  261. if extended:
  262. charset, language, value = decode_rfc2231(value)
  263. new_params.append((name, (charset, language, '"%s"' % value)))
  264. else:
  265. new_params.append((name, '"%s"' % value))
  266. return new_params
  267. def collapse_rfc2231_value(value, errors='replace',
  268. fallback_charset='us-ascii'):
  269. if not isinstance(value, tuple) or len(value) != 3:
  270. return unquote(value)
  271. # While value comes to us as a unicode string, we need it to be a bytes
  272. # object. We do not want bytes() normal utf-8 decoder, we want a straight
  273. # interpretation of the string as character bytes.
  274. charset, language, text = value
  275. if charset is None:
  276. # Issue 17369: if charset/lang is None, decode_rfc2231 couldn't parse
  277. # the value, so use the fallback_charset.
  278. charset = fallback_charset
  279. rawbytes = bytes(text, 'raw-unicode-escape')
  280. try:
  281. return str(rawbytes, charset, errors)
  282. except LookupError:
  283. # charset is not a known codec.
  284. return unquote(text)
  285. #
  286. # datetime doesn't provide a localtime function yet, so provide one. Code
  287. # adapted from the patch in issue 9527. This may not be perfect, but it is
  288. # better than not having it.
  289. #
  290. def localtime(dt=None, isdst=-1):
  291. """Return local time as an aware datetime object.
  292. If called without arguments, return current time. Otherwise *dt*
  293. argument should be a datetime instance, and it is converted to the
  294. local time zone according to the system time zone database. If *dt* is
  295. naive (that is, dt.tzinfo is None), it is assumed to be in local time.
  296. In this case, a positive or zero value for *isdst* causes localtime to
  297. presume initially that summer time (for example, Daylight Saving Time)
  298. is or is not (respectively) in effect for the specified time. A
  299. negative value for *isdst* causes the localtime() function to attempt
  300. to divine whether summer time is in effect for the specified time.
  301. """
  302. if dt is None:
  303. return datetime.datetime.now(datetime.timezone.utc).astimezone()
  304. if dt.tzinfo is not None:
  305. return dt.astimezone()
  306. # We have a naive datetime. Convert to a (localtime) timetuple and pass to
  307. # system mktime together with the isdst hint. System mktime will return
  308. # seconds since epoch.
  309. tm = dt.timetuple()[:-1] + (isdst,)
  310. seconds = time.mktime(tm)
  311. localtm = time.localtime(seconds)
  312. try:
  313. delta = datetime.timedelta(seconds=localtm.tm_gmtoff)
  314. tz = datetime.timezone(delta, localtm.tm_zone)
  315. except AttributeError:
  316. # Compute UTC offset and compare with the value implied by tm_isdst.
  317. # If the values match, use the zone name implied by tm_isdst.
  318. delta = dt - datetime.datetime(*time.gmtime(seconds)[:6])
  319. dst = time.daylight and localtm.tm_isdst > 0
  320. gmtoff = -(time.altzone if dst else time.timezone)
  321. if delta == datetime.timedelta(seconds=gmtoff):
  322. tz = datetime.timezone(delta, time.tzname[dst])
  323. else:
  324. tz = datetime.timezone(delta)
  325. return dt.replace(tzinfo=tz)