_parseaddr.py 17 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540
  1. # Copyright (C) 2002-2007 Python Software Foundation
  2. # Contact: email-sig@python.org
  3. """Email address parsing code.
  4. Lifted directly from rfc822.py. This should eventually be rewritten.
  5. """
  6. __all__ = [
  7. 'mktime_tz',
  8. 'parsedate',
  9. 'parsedate_tz',
  10. 'quote',
  11. ]
  12. import time, calendar
  13. SPACE = ' '
  14. EMPTYSTRING = ''
  15. COMMASPACE = ', '
  16. # Parse a date field
  17. _monthnames = ['jan', 'feb', 'mar', 'apr', 'may', 'jun', 'jul',
  18. 'aug', 'sep', 'oct', 'nov', 'dec',
  19. 'january', 'february', 'march', 'april', 'may', 'june', 'july',
  20. 'august', 'september', 'october', 'november', 'december']
  21. _daynames = ['mon', 'tue', 'wed', 'thu', 'fri', 'sat', 'sun']
  22. # The timezone table does not include the military time zones defined
  23. # in RFC822, other than Z. According to RFC1123, the description in
  24. # RFC822 gets the signs wrong, so we can't rely on any such time
  25. # zones. RFC1123 recommends that numeric timezone indicators be used
  26. # instead of timezone names.
  27. _timezones = {'UT':0, 'UTC':0, 'GMT':0, 'Z':0,
  28. 'AST': -400, 'ADT': -300, # Atlantic (used in Canada)
  29. 'EST': -500, 'EDT': -400, # Eastern
  30. 'CST': -600, 'CDT': -500, # Central
  31. 'MST': -700, 'MDT': -600, # Mountain
  32. 'PST': -800, 'PDT': -700 # Pacific
  33. }
  34. def parsedate_tz(data):
  35. """Convert a date string to a time tuple.
  36. Accounts for military timezones.
  37. """
  38. res = _parsedate_tz(data)
  39. if not res:
  40. return
  41. if res[9] is None:
  42. res[9] = 0
  43. return tuple(res)
  44. def _parsedate_tz(data):
  45. """Convert date to extended time tuple.
  46. The last (additional) element is the time zone offset in seconds, except if
  47. the timezone was specified as -0000. In that case the last element is
  48. None. This indicates a UTC timestamp that explicitly declaims knowledge of
  49. the source timezone, as opposed to a +0000 timestamp that indicates the
  50. source timezone really was UTC.
  51. """
  52. if not data:
  53. return
  54. data = data.split()
  55. # The FWS after the comma after the day-of-week is optional, so search and
  56. # adjust for this.
  57. if data[0].endswith(',') or data[0].lower() in _daynames:
  58. # There's a dayname here. Skip it
  59. del data[0]
  60. else:
  61. i = data[0].rfind(',')
  62. if i >= 0:
  63. data[0] = data[0][i+1:]
  64. if len(data) == 3: # RFC 850 date, deprecated
  65. stuff = data[0].split('-')
  66. if len(stuff) == 3:
  67. data = stuff + data[1:]
  68. if len(data) == 4:
  69. s = data[3]
  70. i = s.find('+')
  71. if i == -1:
  72. i = s.find('-')
  73. if i > 0:
  74. data[3:] = [s[:i], s[i:]]
  75. else:
  76. data.append('') # Dummy tz
  77. if len(data) < 5:
  78. return None
  79. data = data[:5]
  80. [dd, mm, yy, tm, tz] = data
  81. mm = mm.lower()
  82. if mm not in _monthnames:
  83. dd, mm = mm, dd.lower()
  84. if mm not in _monthnames:
  85. return None
  86. mm = _monthnames.index(mm) + 1
  87. if mm > 12:
  88. mm -= 12
  89. if dd[-1] == ',':
  90. dd = dd[:-1]
  91. i = yy.find(':')
  92. if i > 0:
  93. yy, tm = tm, yy
  94. if yy[-1] == ',':
  95. yy = yy[:-1]
  96. if not yy[0].isdigit():
  97. yy, tz = tz, yy
  98. if tm[-1] == ',':
  99. tm = tm[:-1]
  100. tm = tm.split(':')
  101. if len(tm) == 2:
  102. [thh, tmm] = tm
  103. tss = '0'
  104. elif len(tm) == 3:
  105. [thh, tmm, tss] = tm
  106. elif len(tm) == 1 and '.' in tm[0]:
  107. # Some non-compliant MUAs use '.' to separate time elements.
  108. tm = tm[0].split('.')
  109. if len(tm) == 2:
  110. [thh, tmm] = tm
  111. tss = 0
  112. elif len(tm) == 3:
  113. [thh, tmm, tss] = tm
  114. else:
  115. return None
  116. try:
  117. yy = int(yy)
  118. dd = int(dd)
  119. thh = int(thh)
  120. tmm = int(tmm)
  121. tss = int(tss)
  122. except ValueError:
  123. return None
  124. # Check for a yy specified in two-digit format, then convert it to the
  125. # appropriate four-digit format, according to the POSIX standard. RFC 822
  126. # calls for a two-digit yy, but RFC 2822 (which obsoletes RFC 822)
  127. # mandates a 4-digit yy. For more information, see the documentation for
  128. # the time module.
  129. if yy < 100:
  130. # The year is between 1969 and 1999 (inclusive).
  131. if yy > 68:
  132. yy += 1900
  133. # The year is between 2000 and 2068 (inclusive).
  134. else:
  135. yy += 2000
  136. tzoffset = None
  137. tz = tz.upper()
  138. if tz in _timezones:
  139. tzoffset = _timezones[tz]
  140. else:
  141. try:
  142. tzoffset = int(tz)
  143. except ValueError:
  144. pass
  145. if tzoffset==0 and tz.startswith('-'):
  146. tzoffset = None
  147. # Convert a timezone offset into seconds ; -0500 -> -18000
  148. if tzoffset:
  149. if tzoffset < 0:
  150. tzsign = -1
  151. tzoffset = -tzoffset
  152. else:
  153. tzsign = 1
  154. tzoffset = tzsign * ( (tzoffset//100)*3600 + (tzoffset % 100)*60)
  155. # Daylight Saving Time flag is set to -1, since DST is unknown.
  156. return [yy, mm, dd, thh, tmm, tss, 0, 1, -1, tzoffset]
  157. def parsedate(data):
  158. """Convert a time string to a time tuple."""
  159. t = parsedate_tz(data)
  160. if isinstance(t, tuple):
  161. return t[:9]
  162. else:
  163. return t
  164. def mktime_tz(data):
  165. """Turn a 10-tuple as returned by parsedate_tz() into a POSIX timestamp."""
  166. if data[9] is None:
  167. # No zone info, so localtime is better assumption than GMT
  168. return time.mktime(data[:8] + (-1,))
  169. else:
  170. t = calendar.timegm(data)
  171. return t - data[9]
  172. def quote(str):
  173. """Prepare string to be used in a quoted string.
  174. Turns backslash and double quote characters into quoted pairs. These
  175. are the only characters that need to be quoted inside a quoted string.
  176. Does not add the surrounding double quotes.
  177. """
  178. return str.replace('\\', '\\\\').replace('"', '\\"')
  179. class AddrlistClass:
  180. """Address parser class by Ben Escoto.
  181. To understand what this class does, it helps to have a copy of RFC 2822 in
  182. front of you.
  183. Note: this class interface is deprecated and may be removed in the future.
  184. Use email.utils.AddressList instead.
  185. """
  186. def __init__(self, field):
  187. """Initialize a new instance.
  188. `field' is an unparsed address header field, containing
  189. one or more addresses.
  190. """
  191. self.specials = '()<>@,:;.\"[]'
  192. self.pos = 0
  193. self.LWS = ' \t'
  194. self.CR = '\r\n'
  195. self.FWS = self.LWS + self.CR
  196. self.atomends = self.specials + self.LWS + self.CR
  197. # Note that RFC 2822 now specifies `.' as obs-phrase, meaning that it
  198. # is obsolete syntax. RFC 2822 requires that we recognize obsolete
  199. # syntax, so allow dots in phrases.
  200. self.phraseends = self.atomends.replace('.', '')
  201. self.field = field
  202. self.commentlist = []
  203. def gotonext(self):
  204. """Skip white space and extract comments."""
  205. wslist = []
  206. while self.pos < len(self.field):
  207. if self.field[self.pos] in self.LWS + '\n\r':
  208. if self.field[self.pos] not in '\n\r':
  209. wslist.append(self.field[self.pos])
  210. self.pos += 1
  211. elif self.field[self.pos] == '(':
  212. self.commentlist.append(self.getcomment())
  213. else:
  214. break
  215. return EMPTYSTRING.join(wslist)
  216. def getaddrlist(self):
  217. """Parse all addresses.
  218. Returns a list containing all of the addresses.
  219. """
  220. result = []
  221. while self.pos < len(self.field):
  222. ad = self.getaddress()
  223. if ad:
  224. result += ad
  225. else:
  226. result.append(('', ''))
  227. return result
  228. def getaddress(self):
  229. """Parse the next address."""
  230. self.commentlist = []
  231. self.gotonext()
  232. oldpos = self.pos
  233. oldcl = self.commentlist
  234. plist = self.getphraselist()
  235. self.gotonext()
  236. returnlist = []
  237. if self.pos >= len(self.field):
  238. # Bad email address technically, no domain.
  239. if plist:
  240. returnlist = [(SPACE.join(self.commentlist), plist[0])]
  241. elif self.field[self.pos] in '.@':
  242. # email address is just an addrspec
  243. # this isn't very efficient since we start over
  244. self.pos = oldpos
  245. self.commentlist = oldcl
  246. addrspec = self.getaddrspec()
  247. returnlist = [(SPACE.join(self.commentlist), addrspec)]
  248. elif self.field[self.pos] == ':':
  249. # address is a group
  250. returnlist = []
  251. fieldlen = len(self.field)
  252. self.pos += 1
  253. while self.pos < len(self.field):
  254. self.gotonext()
  255. if self.pos < fieldlen and self.field[self.pos] == ';':
  256. self.pos += 1
  257. break
  258. returnlist = returnlist + self.getaddress()
  259. elif self.field[self.pos] == '<':
  260. # Address is a phrase then a route addr
  261. routeaddr = self.getrouteaddr()
  262. if self.commentlist:
  263. returnlist = [(SPACE.join(plist) + ' (' +
  264. ' '.join(self.commentlist) + ')', routeaddr)]
  265. else:
  266. returnlist = [(SPACE.join(plist), routeaddr)]
  267. else:
  268. if plist:
  269. returnlist = [(SPACE.join(self.commentlist), plist[0])]
  270. elif self.field[self.pos] in self.specials:
  271. self.pos += 1
  272. self.gotonext()
  273. if self.pos < len(self.field) and self.field[self.pos] == ',':
  274. self.pos += 1
  275. return returnlist
  276. def getrouteaddr(self):
  277. """Parse a route address (Return-path value).
  278. This method just skips all the route stuff and returns the addrspec.
  279. """
  280. if self.field[self.pos] != '<':
  281. return
  282. expectroute = False
  283. self.pos += 1
  284. self.gotonext()
  285. adlist = ''
  286. while self.pos < len(self.field):
  287. if expectroute:
  288. self.getdomain()
  289. expectroute = False
  290. elif self.field[self.pos] == '>':
  291. self.pos += 1
  292. break
  293. elif self.field[self.pos] == '@':
  294. self.pos += 1
  295. expectroute = True
  296. elif self.field[self.pos] == ':':
  297. self.pos += 1
  298. else:
  299. adlist = self.getaddrspec()
  300. self.pos += 1
  301. break
  302. self.gotonext()
  303. return adlist
  304. def getaddrspec(self):
  305. """Parse an RFC 2822 addr-spec."""
  306. aslist = []
  307. self.gotonext()
  308. while self.pos < len(self.field):
  309. preserve_ws = True
  310. if self.field[self.pos] == '.':
  311. if aslist and not aslist[-1].strip():
  312. aslist.pop()
  313. aslist.append('.')
  314. self.pos += 1
  315. preserve_ws = False
  316. elif self.field[self.pos] == '"':
  317. aslist.append('"%s"' % quote(self.getquote()))
  318. elif self.field[self.pos] in self.atomends:
  319. if aslist and not aslist[-1].strip():
  320. aslist.pop()
  321. break
  322. else:
  323. aslist.append(self.getatom())
  324. ws = self.gotonext()
  325. if preserve_ws and ws:
  326. aslist.append(ws)
  327. if self.pos >= len(self.field) or self.field[self.pos] != '@':
  328. return EMPTYSTRING.join(aslist)
  329. aslist.append('@')
  330. self.pos += 1
  331. self.gotonext()
  332. return EMPTYSTRING.join(aslist) + self.getdomain()
  333. def getdomain(self):
  334. """Get the complete domain name from an address."""
  335. sdlist = []
  336. while self.pos < len(self.field):
  337. if self.field[self.pos] in self.LWS:
  338. self.pos += 1
  339. elif self.field[self.pos] == '(':
  340. self.commentlist.append(self.getcomment())
  341. elif self.field[self.pos] == '[':
  342. sdlist.append(self.getdomainliteral())
  343. elif self.field[self.pos] == '.':
  344. self.pos += 1
  345. sdlist.append('.')
  346. elif self.field[self.pos] in self.atomends:
  347. break
  348. else:
  349. sdlist.append(self.getatom())
  350. return EMPTYSTRING.join(sdlist)
  351. def getdelimited(self, beginchar, endchars, allowcomments=True):
  352. """Parse a header fragment delimited by special characters.
  353. `beginchar' is the start character for the fragment.
  354. If self is not looking at an instance of `beginchar' then
  355. getdelimited returns the empty string.
  356. `endchars' is a sequence of allowable end-delimiting characters.
  357. Parsing stops when one of these is encountered.
  358. If `allowcomments' is non-zero, embedded RFC 2822 comments are allowed
  359. within the parsed fragment.
  360. """
  361. if self.field[self.pos] != beginchar:
  362. return ''
  363. slist = ['']
  364. quote = False
  365. self.pos += 1
  366. while self.pos < len(self.field):
  367. if quote:
  368. slist.append(self.field[self.pos])
  369. quote = False
  370. elif self.field[self.pos] in endchars:
  371. self.pos += 1
  372. break
  373. elif allowcomments and self.field[self.pos] == '(':
  374. slist.append(self.getcomment())
  375. continue # have already advanced pos from getcomment
  376. elif self.field[self.pos] == '\\':
  377. quote = True
  378. else:
  379. slist.append(self.field[self.pos])
  380. self.pos += 1
  381. return EMPTYSTRING.join(slist)
  382. def getquote(self):
  383. """Get a quote-delimited fragment from self's field."""
  384. return self.getdelimited('"', '"\r', False)
  385. def getcomment(self):
  386. """Get a parenthesis-delimited fragment from self's field."""
  387. return self.getdelimited('(', ')\r', True)
  388. def getdomainliteral(self):
  389. """Parse an RFC 2822 domain-literal."""
  390. return '[%s]' % self.getdelimited('[', ']\r', False)
  391. def getatom(self, atomends=None):
  392. """Parse an RFC 2822 atom.
  393. Optional atomends specifies a different set of end token delimiters
  394. (the default is to use self.atomends). This is used e.g. in
  395. getphraselist() since phrase endings must not include the `.' (which
  396. is legal in phrases)."""
  397. atomlist = ['']
  398. if atomends is None:
  399. atomends = self.atomends
  400. while self.pos < len(self.field):
  401. if self.field[self.pos] in atomends:
  402. break
  403. else:
  404. atomlist.append(self.field[self.pos])
  405. self.pos += 1
  406. return EMPTYSTRING.join(atomlist)
  407. def getphraselist(self):
  408. """Parse a sequence of RFC 2822 phrases.
  409. A phrase is a sequence of words, which are in turn either RFC 2822
  410. atoms or quoted-strings. Phrases are canonicalized by squeezing all
  411. runs of continuous whitespace into one space.
  412. """
  413. plist = []
  414. while self.pos < len(self.field):
  415. if self.field[self.pos] in self.FWS:
  416. self.pos += 1
  417. elif self.field[self.pos] == '"':
  418. plist.append(self.getquote())
  419. elif self.field[self.pos] == '(':
  420. self.commentlist.append(self.getcomment())
  421. elif self.field[self.pos] in self.phraseends:
  422. break
  423. else:
  424. plist.append(self.getatom(self.phraseends))
  425. return plist
  426. class AddressList(AddrlistClass):
  427. """An AddressList encapsulates a list of parsed RFC 2822 addresses."""
  428. def __init__(self, field):
  429. AddrlistClass.__init__(self, field)
  430. if field:
  431. self.addresslist = self.getaddrlist()
  432. else:
  433. self.addresslist = []
  434. def __len__(self):
  435. return len(self.addresslist)
  436. def __add__(self, other):
  437. # Set union
  438. newaddr = AddressList(None)
  439. newaddr.addresslist = self.addresslist[:]
  440. for x in other.addresslist:
  441. if not x in self.addresslist:
  442. newaddr.addresslist.append(x)
  443. return newaddr
  444. def __iadd__(self, other):
  445. # Set union, in-place
  446. for x in other.addresslist:
  447. if not x in self.addresslist:
  448. self.addresslist.append(x)
  449. return self
  450. def __sub__(self, other):
  451. # Set difference
  452. newaddr = AddressList(None)
  453. for x in self.addresslist:
  454. if not x in other.addresslist:
  455. newaddr.addresslist.append(x)
  456. return newaddr
  457. def __isub__(self, other):
  458. # Set difference, in-place
  459. for x in other.addresslist:
  460. if x in self.addresslist:
  461. self.addresslist.remove(x)
  462. return self
  463. def __getitem__(self, index):
  464. # Make indexing, slices, and 'in' work
  465. return self.addresslist[index]