]> git.ozlabs.org Git - patchwork/blob - apps/patchwork/bin/parsemail.py
[parser] Convert patch content to unicode before parsing
[patchwork] / apps / patchwork / bin / parsemail.py
1 #!/usr/bin/python
2 #
3 # Patchwork - automated patch tracking system
4 # Copyright (C) 2008 Jeremy Kerr <jk@ozlabs.org>
5 #
6 # This file is part of the Patchwork package.
7 #
8 # Patchwork is free software; you can redistribute it and/or modify
9 # it under the terms of the GNU General Public License as published by
10 # the Free Software Foundation; either version 2 of the License, or
11 # (at your option) any later version.
12 #
13 # Patchwork is distributed in the hope that it will be useful,
14 # but WITHOUT ANY WARRANTY; without even the implied warranty of
15 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
16 # GNU General Public License for more details.
17 #
18 # You should have received a copy of the GNU General Public License
19 # along with Patchwork; if not, write to the Free Software
20 # Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA  02111-1307  USA
21
22 import sys
23 import re
24 import datetime
25 import time
26 import operator
27 from email import message_from_file
28 try:
29     from email.header import Header, decode_header
30     from email.utils import parsedate_tz, mktime_tz
31 except ImportError:
32     # Python 2.4 compatibility
33     from email.Header import Header, decode_header
34     from email.Utils import parsedate_tz, mktime_tz
35
36 from patchwork.parser import parse_patch
37 from patchwork.models import Patch, Project, Person, Comment
38
39 list_id_headers = ['List-ID', 'X-Mailing-List']
40
41 whitespace_re = re.compile('\s+')
42 def normalise_space(str):
43     return whitespace_re.sub(' ', str).strip()
44
45 def clean_header(header):
46     """ Decode (possibly non-ascii) headers """
47
48     def decode(fragment):
49         (frag_str, frag_encoding) = fragment
50         if frag_encoding:
51             return frag_str.decode(frag_encoding)
52         return frag_str.decode()
53
54     fragments = map(decode, decode_header(header))
55
56     return normalise_space(u' '.join(fragments))
57
58 def find_project(mail):
59     project = None
60     listid_re = re.compile('.*<([^>]+)>.*', re.S)
61
62     for header in list_id_headers:
63         if header in mail:
64             match = listid_re.match(mail.get(header))
65             if not match:
66                 continue
67
68             listid = match.group(1)
69
70             try:
71                 project = Project.objects.get(listid = listid)
72                 break
73             except:
74                 pass
75
76     return project
77
78 def find_author(mail):
79
80     from_header = clean_header(mail.get('From'))
81     (name, email) = (None, None)
82
83     # tuple of (regex, fn)
84     #  - where fn returns a (name, email) tuple from the match groups resulting
85     #    from re.match().groups()
86     from_res = [
87         # for "Firstname Lastname" <example@example.com> style addresses
88        (re.compile('"?(.*?)"?\s*<([^>]+)>'), (lambda g: (g[0], g[1]))),
89
90        # for example@example.com (Firstname Lastname) style addresses
91        (re.compile('"?(.*?)"?\s*\(([^\)]+)\)'), (lambda g: (g[1], g[0]))),
92
93        # everything else
94        (re.compile('(.*)'), (lambda g: (None, g[0]))),
95     ]
96
97     for regex, fn in from_res:
98         match = regex.match(from_header)
99         if match:
100             (name, email) = fn(match.groups())
101             break
102
103     if email is None:
104         raise Exception("Could not parse From: header")
105
106     email = email.strip()
107     if name is not None:
108         name = name.strip()
109
110     new_person = False
111
112     try:
113         person = Person.objects.get(email__iexact = email)
114     except Person.DoesNotExist:
115         person = Person(name = name, email = email)
116         new_person = True
117
118     return (person, new_person)
119
120 def mail_date(mail):
121     t = parsedate_tz(mail.get('Date', ''))
122     if not t:
123         return datetime.datetime.utcnow()
124     return datetime.datetime.utcfromtimestamp(mktime_tz(t))
125
126 def mail_headers(mail):
127     return reduce(operator.__concat__,
128             ['%s: %s\n' % (k, Header(v, header_name = k, \
129                     continuation_ws = '\t').encode()) \
130                 for (k, v) in mail.items()])
131
132 def find_content(project, mail):
133     patchbuf = None
134     commentbuf = ''
135
136     for part in mail.walk():
137         if part.get_content_maintype() != 'text':
138             continue
139
140         payload = part.get_payload(decode=True)
141         if not isinstance(payload, unicode):
142             payload = unicode(payload, part.get_content_charset())
143         subtype = part.get_content_subtype()
144
145         if subtype in ['x-patch', 'x-diff']:
146             patchbuf = payload
147
148         elif subtype == 'plain':
149             if not patchbuf:
150                 (patchbuf, c) = parse_patch(payload)
151             else:
152                 c = payload
153
154             if c is not None:
155                 commentbuf += c.strip() + '\n'
156
157     patch = None
158     comment = None
159
160     if patchbuf:
161         mail_headers(mail)
162         name = clean_subject(mail.get('Subject'), [project.linkname])
163         patch = Patch(name = name, content = patchbuf,
164                     date = mail_date(mail), headers = mail_headers(mail))
165
166     if commentbuf:
167         if patch:
168             cpatch = patch
169         else:
170             cpatch = find_patch_for_comment(mail)
171             if not cpatch:
172                 return (None, None)
173         comment = Comment(patch = cpatch, date = mail_date(mail),
174                 content = clean_content(commentbuf),
175                 headers = mail_headers(mail))
176
177     return (patch, comment)
178
179 def find_patch_for_comment(mail):
180     # construct a list of possible reply message ids
181     refs = []
182     if 'In-Reply-To' in mail:
183         refs.append(mail.get('In-Reply-To'))
184
185     if 'References' in mail:
186         rs = mail.get('References').split()
187         rs.reverse()
188         for r in rs:
189             if r not in refs:
190                 refs.append(r)
191
192     for ref in refs:
193         patch = None
194
195         # first, check for a direct reply
196         try:
197             patch = Patch.objects.get(msgid = ref)
198             return patch
199         except Patch.DoesNotExist:
200             pass
201
202         # see if we have comments that refer to a patch
203         try:
204             comment = Comment.objects.get(msgid = ref)
205             return comment.patch
206         except Comment.DoesNotExist:
207             pass
208
209
210     return None
211
212 split_re = re.compile('[,\s]+')
213
214 def split_prefixes(prefix):
215     """ Turn a prefix string into a list of prefix tokens
216
217     >>> split_prefixes('PATCH')
218     ['PATCH']
219     >>> split_prefixes('PATCH,RFC')
220     ['PATCH', 'RFC']
221     >>> split_prefixes('')
222     []
223     >>> split_prefixes('PATCH,')
224     ['PATCH']
225     >>> split_prefixes('PATCH ')
226     ['PATCH']
227     >>> split_prefixes('PATCH,RFC')
228     ['PATCH', 'RFC']
229     >>> split_prefixes('PATCH 1/2')
230     ['PATCH', '1/2']
231     """
232     matches = split_re.split(prefix)
233     return [ s for s in matches if s != '' ]
234
235 re_re = re.compile('^(re|fwd?)[:\s]\s*', re.I)
236 prefix_re = re.compile('^\[([^\]]*)\]\s*(.*)$')
237
238 def clean_subject(subject, drop_prefixes = None):
239     """ Clean a Subject: header from an incoming patch.
240
241     Removes Re: and Fwd: strings, as well as [PATCH]-style prefixes. By
242     default, only [PATCH] is removed, and we keep any other bracketed data
243     in the subject. If drop_prefixes is provided, remove those too,
244     comparing case-insensitively.
245
246     >>> clean_subject('meep')
247     'meep'
248     >>> clean_subject('Re: meep')
249     'meep'
250     >>> clean_subject('[PATCH] meep')
251     'meep'
252     >>> clean_subject('[PATCH] meep \\n meep')
253     'meep meep'
254     >>> clean_subject('[PATCH RFC] meep')
255     '[RFC] meep'
256     >>> clean_subject('[PATCH,RFC] meep')
257     '[RFC] meep'
258     >>> clean_subject('[PATCH,1/2] meep')
259     '[1/2] meep'
260     >>> clean_subject('[PATCH RFC 1/2] meep')
261     '[RFC,1/2] meep'
262     >>> clean_subject('[PATCH] [RFC] meep')
263     '[RFC] meep'
264     >>> clean_subject('[PATCH] [RFC,1/2] meep')
265     '[RFC,1/2] meep'
266     >>> clean_subject('[PATCH] [RFC] [1/2] meep')
267     '[RFC,1/2] meep'
268     >>> clean_subject('[PATCH] rewrite [a-z] regexes')
269     'rewrite [a-z] regexes'
270     >>> clean_subject('[PATCH] [RFC] rewrite [a-z] regexes')
271     '[RFC] rewrite [a-z] regexes'
272     >>> clean_subject('[foo] [bar] meep', ['foo'])
273     '[bar] meep'
274     >>> clean_subject('[FOO] [bar] meep', ['foo'])
275     '[bar] meep'
276     """
277
278     if drop_prefixes is None:
279         drop_prefixes = []
280     else:
281         drop_prefixes = [ s.lower() for s in drop_prefixes ]
282
283     drop_prefixes.append('patch')
284
285     # remove Re:, Fwd:, etc
286     subject = re_re.sub(' ', subject)
287
288     subject = normalise_space(subject)
289
290     prefixes = []
291
292     match = prefix_re.match(subject)
293
294     while match:
295         prefix_str = match.group(1)
296         prefixes += [ p for p in split_prefixes(prefix_str) \
297                         if p.lower() not in drop_prefixes]
298
299         subject = match.group(2)
300         match = prefix_re.match(subject)
301
302     subject = normalise_space(subject)
303
304     subject = subject.strip()
305     if prefixes:
306         subject = '[%s] %s' % (','.join(prefixes), subject)
307
308     return subject
309
310 sig_re = re.compile('^(-- |_+)\n.*', re.S | re.M)
311 def clean_content(str):
312     """ Try to remove signature (-- ) and list footer (_____) cruft """
313     str = sig_re.sub('', str)
314     return str.strip()
315
316 def main(args):
317     mail = message_from_file(sys.stdin)
318
319     # some basic sanity checks
320     if 'From' not in mail:
321         return 0
322
323     if 'Subject' not in mail:
324         return 0
325
326     if 'Message-Id' not in mail:
327         return 0
328
329     hint = mail.get('X-Patchwork-Hint', '').lower()
330     if hint == 'ignore':
331         return 0;
332
333     project = find_project(mail)
334     if project is None:
335         print "no project found"
336         return 0
337
338     msgid = mail.get('Message-Id').strip()
339
340     (author, save_required) = find_author(mail)
341
342     (patch, comment) = find_content(project, mail)
343
344     if patch:
345         # we delay the saving until we know we have a patch.
346         if save_required:
347             author.save()
348             save_required = False
349         patch.submitter = author
350         patch.msgid = msgid
351         patch.project = project
352         try:
353             patch.save()
354         except Exception, ex:
355             print str(ex)
356
357     if comment:
358         if save_required:
359             author.save()
360         # looks like the original constructor for Comment takes the pk
361         # when the Comment is created. reset it here.
362         if patch:
363             comment.patch = patch
364         comment.submitter = author
365         comment.msgid = msgid
366         try:
367             comment.save()
368         except Exception, ex:
369             print str(ex)
370
371     return 0
372
373 if __name__ == '__main__':
374     sys.exit(main(sys.argv))