Show More
@@ -1,759 +1,761 | |||
|
1 | 1 | # stringutil.py - utility for generic string formatting, parsing, etc. |
|
2 | 2 | # |
|
3 | 3 | # Copyright 2005 K. Thananchayan <thananck@yahoo.com> |
|
4 | 4 | # Copyright 2005-2007 Matt Mackall <mpm@selenic.com> |
|
5 | 5 | # Copyright 2006 Vadim Gelfer <vadim.gelfer@gmail.com> |
|
6 | 6 | # |
|
7 | 7 | # This software may be used and distributed according to the terms of the |
|
8 | 8 | # GNU General Public License version 2 or any later version. |
|
9 | 9 | |
|
10 | 10 | from __future__ import absolute_import |
|
11 | 11 | |
|
12 | 12 | import ast |
|
13 | 13 | import codecs |
|
14 | 14 | import re as remod |
|
15 | 15 | import textwrap |
|
16 | 16 | import types |
|
17 | 17 | |
|
18 | 18 | from ..i18n import _ |
|
19 | 19 | from ..thirdparty import attr |
|
20 | 20 | |
|
21 | 21 | from .. import ( |
|
22 | 22 | encoding, |
|
23 | 23 | error, |
|
24 | 24 | pycompat, |
|
25 | 25 | ) |
|
26 | 26 | |
|
27 | 27 | # regex special chars pulled from https://bugs.python.org/issue29995 |
|
28 | 28 | # which was part of Python 3.7. |
|
29 | 29 | _respecial = pycompat.bytestr(b'()[]{}?*+-|^$\\.&~# \t\n\r\v\f') |
|
30 | 30 | _regexescapemap = {ord(i): (b'\\' + i).decode('latin1') for i in _respecial} |
|
31 | 31 | |
|
32 | 32 | def reescape(pat): |
|
33 | 33 | """Drop-in replacement for re.escape.""" |
|
34 | 34 | # NOTE: it is intentional that this works on unicodes and not |
|
35 | 35 | # bytes, as it's only possible to do the escaping with |
|
36 | 36 | # unicode.translate, not bytes.translate. Sigh. |
|
37 | 37 | wantuni = True |
|
38 | 38 | if isinstance(pat, bytes): |
|
39 | 39 | wantuni = False |
|
40 | 40 | pat = pat.decode('latin1') |
|
41 | 41 | pat = pat.translate(_regexescapemap) |
|
42 | 42 | if wantuni: |
|
43 | 43 | return pat |
|
44 | 44 | return pat.encode('latin1') |
|
45 | 45 | |
|
46 | def pprint(o, bprefix=False, indent=0): | |
|
46 | def pprint(o, bprefix=False, indent=0, level=0): | |
|
47 | 47 | """Pretty print an object.""" |
|
48 | return b''.join(pprintgen(o, bprefix=bprefix, indent=indent)) | |
|
48 | return b''.join(pprintgen(o, bprefix=bprefix, indent=indent, level=level)) | |
|
49 | 49 | |
|
50 |
def pprintgen(o, bprefix=False, indent=0, |
|
|
50 | def pprintgen(o, bprefix=False, indent=0, level=0): | |
|
51 | 51 | """Pretty print an object to a generator of atoms. |
|
52 | 52 | |
|
53 | 53 | ``bprefix`` is a flag influencing whether bytestrings are preferred with |
|
54 | 54 | a ``b''`` prefix. |
|
55 | 55 | |
|
56 | 56 | ``indent`` controls whether collections and nested data structures |
|
57 | 57 | span multiple lines via the indentation amount in spaces. By default, |
|
58 | 58 | no newlines are emitted. |
|
59 | ||
|
60 | ``level`` specifies the initial indent level. Used if ``indent > 0``. | |
|
59 | 61 | """ |
|
60 | 62 | |
|
61 | 63 | if isinstance(o, bytes): |
|
62 | 64 | if bprefix: |
|
63 | 65 | yield "b'%s'" % escapestr(o) |
|
64 | 66 | else: |
|
65 | 67 | yield "'%s'" % escapestr(o) |
|
66 | 68 | elif isinstance(o, bytearray): |
|
67 | 69 | # codecs.escape_encode() can't handle bytearray, so escapestr fails |
|
68 | 70 | # without coercion. |
|
69 | 71 | yield "bytearray['%s']" % escapestr(bytes(o)) |
|
70 | 72 | elif isinstance(o, list): |
|
71 | 73 | if not o: |
|
72 | 74 | yield '[]' |
|
73 | 75 | return |
|
74 | 76 | |
|
75 | 77 | yield '[' |
|
76 | 78 | |
|
77 | 79 | if indent: |
|
78 |
|
|
|
80 | level += 1 | |
|
79 | 81 | yield '\n' |
|
80 |
yield ' ' * ( |
|
|
82 | yield ' ' * (level * indent) | |
|
81 | 83 | |
|
82 | 84 | for i, a in enumerate(o): |
|
83 | 85 | for chunk in pprintgen(a, bprefix=bprefix, indent=indent, |
|
84 |
|
|
|
86 | level=level): | |
|
85 | 87 | yield chunk |
|
86 | 88 | |
|
87 | 89 | if i + 1 < len(o): |
|
88 | 90 | if indent: |
|
89 | 91 | yield ',\n' |
|
90 |
yield ' ' * ( |
|
|
92 | yield ' ' * (level * indent) | |
|
91 | 93 | else: |
|
92 | 94 | yield ', ' |
|
93 | 95 | |
|
94 | 96 | if indent: |
|
95 |
|
|
|
97 | level -= 1 | |
|
96 | 98 | yield '\n' |
|
97 |
yield ' ' * ( |
|
|
99 | yield ' ' * (level * indent) | |
|
98 | 100 | |
|
99 | 101 | yield ']' |
|
100 | 102 | elif isinstance(o, dict): |
|
101 | 103 | if not o: |
|
102 | 104 | yield '{}' |
|
103 | 105 | return |
|
104 | 106 | |
|
105 | 107 | yield '{' |
|
106 | 108 | |
|
107 | 109 | if indent: |
|
108 |
|
|
|
110 | level += 1 | |
|
109 | 111 | yield '\n' |
|
110 |
yield ' ' * ( |
|
|
112 | yield ' ' * (level * indent) | |
|
111 | 113 | |
|
112 | 114 | for i, (k, v) in enumerate(sorted(o.items())): |
|
113 | 115 | for chunk in pprintgen(k, bprefix=bprefix, indent=indent, |
|
114 |
|
|
|
116 | level=level): | |
|
115 | 117 | yield chunk |
|
116 | 118 | |
|
117 | 119 | yield ': ' |
|
118 | 120 | |
|
119 | 121 | for chunk in pprintgen(v, bprefix=bprefix, indent=indent, |
|
120 |
|
|
|
122 | level=level): | |
|
121 | 123 | yield chunk |
|
122 | 124 | |
|
123 | 125 | if i + 1 < len(o): |
|
124 | 126 | if indent: |
|
125 | 127 | yield ',\n' |
|
126 |
yield ' ' * ( |
|
|
128 | yield ' ' * (level * indent) | |
|
127 | 129 | else: |
|
128 | 130 | yield ', ' |
|
129 | 131 | |
|
130 | 132 | if indent: |
|
131 |
|
|
|
133 | level -= 1 | |
|
132 | 134 | yield '\n' |
|
133 |
yield ' ' * ( |
|
|
135 | yield ' ' * (level * indent) | |
|
134 | 136 | |
|
135 | 137 | yield '}' |
|
136 | 138 | elif isinstance(o, set): |
|
137 | 139 | if not o: |
|
138 | 140 | yield 'set([])' |
|
139 | 141 | return |
|
140 | 142 | |
|
141 | 143 | yield 'set([' |
|
142 | 144 | |
|
143 | 145 | if indent: |
|
144 |
|
|
|
146 | level += 1 | |
|
145 | 147 | yield '\n' |
|
146 |
yield ' ' * ( |
|
|
148 | yield ' ' * (level * indent) | |
|
147 | 149 | |
|
148 | 150 | for i, k in enumerate(sorted(o)): |
|
149 | 151 | for chunk in pprintgen(k, bprefix=bprefix, indent=indent, |
|
150 |
|
|
|
152 | level=level): | |
|
151 | 153 | yield chunk |
|
152 | 154 | |
|
153 | 155 | if i + 1 < len(o): |
|
154 | 156 | if indent: |
|
155 | 157 | yield ',\n' |
|
156 |
yield ' ' * ( |
|
|
158 | yield ' ' * (level * indent) | |
|
157 | 159 | else: |
|
158 | 160 | yield ', ' |
|
159 | 161 | |
|
160 | 162 | if indent: |
|
161 |
|
|
|
163 | level -= 1 | |
|
162 | 164 | yield '\n' |
|
163 |
yield ' ' * ( |
|
|
165 | yield ' ' * (level * indent) | |
|
164 | 166 | |
|
165 | 167 | yield '])' |
|
166 | 168 | elif isinstance(o, tuple): |
|
167 | 169 | if not o: |
|
168 | 170 | yield '()' |
|
169 | 171 | return |
|
170 | 172 | |
|
171 | 173 | yield '(' |
|
172 | 174 | |
|
173 | 175 | if indent: |
|
174 |
|
|
|
176 | level += 1 | |
|
175 | 177 | yield '\n' |
|
176 |
yield ' ' * ( |
|
|
178 | yield ' ' * (level * indent) | |
|
177 | 179 | |
|
178 | 180 | for i, a in enumerate(o): |
|
179 | 181 | for chunk in pprintgen(a, bprefix=bprefix, indent=indent, |
|
180 |
|
|
|
182 | level=level): | |
|
181 | 183 | yield chunk |
|
182 | 184 | |
|
183 | 185 | if i + 1 < len(o): |
|
184 | 186 | if indent: |
|
185 | 187 | yield ',\n' |
|
186 |
yield ' ' * ( |
|
|
188 | yield ' ' * (level * indent) | |
|
187 | 189 | else: |
|
188 | 190 | yield ', ' |
|
189 | 191 | |
|
190 | 192 | if indent: |
|
191 |
|
|
|
193 | level -= 1 | |
|
192 | 194 | yield '\n' |
|
193 |
yield ' ' * ( |
|
|
195 | yield ' ' * (level * indent) | |
|
194 | 196 | |
|
195 | 197 | yield ')' |
|
196 | 198 | elif isinstance(o, types.GeneratorType): |
|
197 | 199 | # Special case of empty generator. |
|
198 | 200 | try: |
|
199 | 201 | nextitem = next(o) |
|
200 | 202 | except StopIteration: |
|
201 | 203 | yield 'gen[]' |
|
202 | 204 | return |
|
203 | 205 | |
|
204 | 206 | yield 'gen[' |
|
205 | 207 | |
|
206 | 208 | if indent: |
|
207 |
|
|
|
209 | level += 1 | |
|
208 | 210 | yield '\n' |
|
209 |
yield ' ' * ( |
|
|
211 | yield ' ' * (level * indent) | |
|
210 | 212 | |
|
211 | 213 | last = False |
|
212 | 214 | |
|
213 | 215 | while not last: |
|
214 | 216 | current = nextitem |
|
215 | 217 | |
|
216 | 218 | try: |
|
217 | 219 | nextitem = next(o) |
|
218 | 220 | except StopIteration: |
|
219 | 221 | last = True |
|
220 | 222 | |
|
221 | 223 | for chunk in pprintgen(current, bprefix=bprefix, indent=indent, |
|
222 |
|
|
|
224 | level=level): | |
|
223 | 225 | yield chunk |
|
224 | 226 | |
|
225 | 227 | if not last: |
|
226 | 228 | if indent: |
|
227 | 229 | yield ',\n' |
|
228 |
yield ' ' * ( |
|
|
230 | yield ' ' * (level * indent) | |
|
229 | 231 | else: |
|
230 | 232 | yield ', ' |
|
231 | 233 | |
|
232 | 234 | if indent: |
|
233 |
|
|
|
235 | level -= 1 | |
|
234 | 236 | yield '\n' |
|
235 |
yield ' ' * ( |
|
|
237 | yield ' ' * (level * indent) | |
|
236 | 238 | |
|
237 | 239 | yield ']' |
|
238 | 240 | else: |
|
239 | 241 | yield pycompat.byterepr(o) |
|
240 | 242 | |
|
241 | 243 | def prettyrepr(o): |
|
242 | 244 | """Pretty print a representation of a possibly-nested object""" |
|
243 | 245 | lines = [] |
|
244 | 246 | rs = pycompat.byterepr(o) |
|
245 | 247 | p0 = p1 = 0 |
|
246 | 248 | while p0 < len(rs): |
|
247 | 249 | # '... field=<type ... field=<type ...' |
|
248 | 250 | # ~~~~~~~~~~~~~~~~ |
|
249 | 251 | # p0 p1 q0 q1 |
|
250 | 252 | q0 = -1 |
|
251 | 253 | q1 = rs.find('<', p1 + 1) |
|
252 | 254 | if q1 < 0: |
|
253 | 255 | q1 = len(rs) |
|
254 | 256 | elif q1 > p1 + 1 and rs.startswith('=', q1 - 1): |
|
255 | 257 | # backtrack for ' field=<' |
|
256 | 258 | q0 = rs.rfind(' ', p1 + 1, q1 - 1) |
|
257 | 259 | if q0 < 0: |
|
258 | 260 | q0 = q1 |
|
259 | 261 | else: |
|
260 | 262 | q0 += 1 # skip ' ' |
|
261 | 263 | l = rs.count('<', 0, p0) - rs.count('>', 0, p0) |
|
262 | 264 | assert l >= 0 |
|
263 | 265 | lines.append((l, rs[p0:q0].rstrip())) |
|
264 | 266 | p0, p1 = q0, q1 |
|
265 | 267 | return '\n'.join(' ' * l + s for l, s in lines) |
|
266 | 268 | |
|
267 | 269 | def buildrepr(r): |
|
268 | 270 | """Format an optional printable representation from unexpanded bits |
|
269 | 271 | |
|
270 | 272 | ======== ================================= |
|
271 | 273 | type(r) example |
|
272 | 274 | ======== ================================= |
|
273 | 275 | tuple ('<not %r>', other) |
|
274 | 276 | bytes '<branch closed>' |
|
275 | 277 | callable lambda: '<branch %r>' % sorted(b) |
|
276 | 278 | object other |
|
277 | 279 | ======== ================================= |
|
278 | 280 | """ |
|
279 | 281 | if r is None: |
|
280 | 282 | return '' |
|
281 | 283 | elif isinstance(r, tuple): |
|
282 | 284 | return r[0] % pycompat.rapply(pycompat.maybebytestr, r[1:]) |
|
283 | 285 | elif isinstance(r, bytes): |
|
284 | 286 | return r |
|
285 | 287 | elif callable(r): |
|
286 | 288 | return r() |
|
287 | 289 | else: |
|
288 | 290 | return pprint(r) |
|
289 | 291 | |
|
290 | 292 | def binary(s): |
|
291 | 293 | """return true if a string is binary data""" |
|
292 | 294 | return bool(s and '\0' in s) |
|
293 | 295 | |
|
294 | 296 | def stringmatcher(pattern, casesensitive=True): |
|
295 | 297 | """ |
|
296 | 298 | accepts a string, possibly starting with 're:' or 'literal:' prefix. |
|
297 | 299 | returns the matcher name, pattern, and matcher function. |
|
298 | 300 | missing or unknown prefixes are treated as literal matches. |
|
299 | 301 | |
|
300 | 302 | helper for tests: |
|
301 | 303 | >>> def test(pattern, *tests): |
|
302 | 304 | ... kind, pattern, matcher = stringmatcher(pattern) |
|
303 | 305 | ... return (kind, pattern, [bool(matcher(t)) for t in tests]) |
|
304 | 306 | >>> def itest(pattern, *tests): |
|
305 | 307 | ... kind, pattern, matcher = stringmatcher(pattern, casesensitive=False) |
|
306 | 308 | ... return (kind, pattern, [bool(matcher(t)) for t in tests]) |
|
307 | 309 | |
|
308 | 310 | exact matching (no prefix): |
|
309 | 311 | >>> test(b'abcdefg', b'abc', b'def', b'abcdefg') |
|
310 | 312 | ('literal', 'abcdefg', [False, False, True]) |
|
311 | 313 | |
|
312 | 314 | regex matching ('re:' prefix) |
|
313 | 315 | >>> test(b're:a.+b', b'nomatch', b'fooadef', b'fooadefbar') |
|
314 | 316 | ('re', 'a.+b', [False, False, True]) |
|
315 | 317 | |
|
316 | 318 | force exact matches ('literal:' prefix) |
|
317 | 319 | >>> test(b'literal:re:foobar', b'foobar', b're:foobar') |
|
318 | 320 | ('literal', 're:foobar', [False, True]) |
|
319 | 321 | |
|
320 | 322 | unknown prefixes are ignored and treated as literals |
|
321 | 323 | >>> test(b'foo:bar', b'foo', b'bar', b'foo:bar') |
|
322 | 324 | ('literal', 'foo:bar', [False, False, True]) |
|
323 | 325 | |
|
324 | 326 | case insensitive regex matches |
|
325 | 327 | >>> itest(b're:A.+b', b'nomatch', b'fooadef', b'fooadefBar') |
|
326 | 328 | ('re', 'A.+b', [False, False, True]) |
|
327 | 329 | |
|
328 | 330 | case insensitive literal matches |
|
329 | 331 | >>> itest(b'ABCDEFG', b'abc', b'def', b'abcdefg') |
|
330 | 332 | ('literal', 'ABCDEFG', [False, False, True]) |
|
331 | 333 | """ |
|
332 | 334 | if pattern.startswith('re:'): |
|
333 | 335 | pattern = pattern[3:] |
|
334 | 336 | try: |
|
335 | 337 | flags = 0 |
|
336 | 338 | if not casesensitive: |
|
337 | 339 | flags = remod.I |
|
338 | 340 | regex = remod.compile(pattern, flags) |
|
339 | 341 | except remod.error as e: |
|
340 | 342 | raise error.ParseError(_('invalid regular expression: %s') |
|
341 | 343 | % e) |
|
342 | 344 | return 're', pattern, regex.search |
|
343 | 345 | elif pattern.startswith('literal:'): |
|
344 | 346 | pattern = pattern[8:] |
|
345 | 347 | |
|
346 | 348 | match = pattern.__eq__ |
|
347 | 349 | |
|
348 | 350 | if not casesensitive: |
|
349 | 351 | ipat = encoding.lower(pattern) |
|
350 | 352 | match = lambda s: ipat == encoding.lower(s) |
|
351 | 353 | return 'literal', pattern, match |
|
352 | 354 | |
|
353 | 355 | def shortuser(user): |
|
354 | 356 | """Return a short representation of a user name or email address.""" |
|
355 | 357 | f = user.find('@') |
|
356 | 358 | if f >= 0: |
|
357 | 359 | user = user[:f] |
|
358 | 360 | f = user.find('<') |
|
359 | 361 | if f >= 0: |
|
360 | 362 | user = user[f + 1:] |
|
361 | 363 | f = user.find(' ') |
|
362 | 364 | if f >= 0: |
|
363 | 365 | user = user[:f] |
|
364 | 366 | f = user.find('.') |
|
365 | 367 | if f >= 0: |
|
366 | 368 | user = user[:f] |
|
367 | 369 | return user |
|
368 | 370 | |
|
369 | 371 | def emailuser(user): |
|
370 | 372 | """Return the user portion of an email address.""" |
|
371 | 373 | f = user.find('@') |
|
372 | 374 | if f >= 0: |
|
373 | 375 | user = user[:f] |
|
374 | 376 | f = user.find('<') |
|
375 | 377 | if f >= 0: |
|
376 | 378 | user = user[f + 1:] |
|
377 | 379 | return user |
|
378 | 380 | |
|
379 | 381 | def email(author): |
|
380 | 382 | '''get email of author.''' |
|
381 | 383 | r = author.find('>') |
|
382 | 384 | if r == -1: |
|
383 | 385 | r = None |
|
384 | 386 | return author[author.find('<') + 1:r] |
|
385 | 387 | |
|
386 | 388 | def person(author): |
|
387 | 389 | """Returns the name before an email address, |
|
388 | 390 | interpreting it as per RFC 5322 |
|
389 | 391 | |
|
390 | 392 | >>> person(b'foo@bar') |
|
391 | 393 | 'foo' |
|
392 | 394 | >>> person(b'Foo Bar <foo@bar>') |
|
393 | 395 | 'Foo Bar' |
|
394 | 396 | >>> person(b'"Foo Bar" <foo@bar>') |
|
395 | 397 | 'Foo Bar' |
|
396 | 398 | >>> person(b'"Foo \"buz\" Bar" <foo@bar>') |
|
397 | 399 | 'Foo "buz" Bar' |
|
398 | 400 | >>> # The following are invalid, but do exist in real-life |
|
399 | 401 | ... |
|
400 | 402 | >>> person(b'Foo "buz" Bar <foo@bar>') |
|
401 | 403 | 'Foo "buz" Bar' |
|
402 | 404 | >>> person(b'"Foo Bar <foo@bar>') |
|
403 | 405 | 'Foo Bar' |
|
404 | 406 | """ |
|
405 | 407 | if '@' not in author: |
|
406 | 408 | return author |
|
407 | 409 | f = author.find('<') |
|
408 | 410 | if f != -1: |
|
409 | 411 | return author[:f].strip(' "').replace('\\"', '"') |
|
410 | 412 | f = author.find('@') |
|
411 | 413 | return author[:f].replace('.', ' ') |
|
412 | 414 | |
|
413 | 415 | @attr.s(hash=True) |
|
414 | 416 | class mailmapping(object): |
|
415 | 417 | '''Represents a username/email key or value in |
|
416 | 418 | a mailmap file''' |
|
417 | 419 | email = attr.ib() |
|
418 | 420 | name = attr.ib(default=None) |
|
419 | 421 | |
|
420 | 422 | def _ismailmaplineinvalid(names, emails): |
|
421 | 423 | '''Returns True if the parsed names and emails |
|
422 | 424 | in a mailmap entry are invalid. |
|
423 | 425 | |
|
424 | 426 | >>> # No names or emails fails |
|
425 | 427 | >>> names, emails = [], [] |
|
426 | 428 | >>> _ismailmaplineinvalid(names, emails) |
|
427 | 429 | True |
|
428 | 430 | >>> # Only one email fails |
|
429 | 431 | >>> emails = [b'email@email.com'] |
|
430 | 432 | >>> _ismailmaplineinvalid(names, emails) |
|
431 | 433 | True |
|
432 | 434 | >>> # One email and one name passes |
|
433 | 435 | >>> names = [b'Test Name'] |
|
434 | 436 | >>> _ismailmaplineinvalid(names, emails) |
|
435 | 437 | False |
|
436 | 438 | >>> # No names but two emails passes |
|
437 | 439 | >>> names = [] |
|
438 | 440 | >>> emails = [b'proper@email.com', b'commit@email.com'] |
|
439 | 441 | >>> _ismailmaplineinvalid(names, emails) |
|
440 | 442 | False |
|
441 | 443 | ''' |
|
442 | 444 | return not emails or not names and len(emails) < 2 |
|
443 | 445 | |
|
444 | 446 | def parsemailmap(mailmapcontent): |
|
445 | 447 | """Parses data in the .mailmap format |
|
446 | 448 | |
|
447 | 449 | >>> mmdata = b"\\n".join([ |
|
448 | 450 | ... b'# Comment', |
|
449 | 451 | ... b'Name <commit1@email.xx>', |
|
450 | 452 | ... b'<name@email.xx> <commit2@email.xx>', |
|
451 | 453 | ... b'Name <proper@email.xx> <commit3@email.xx>', |
|
452 | 454 | ... b'Name <proper@email.xx> Commit <commit4@email.xx>', |
|
453 | 455 | ... ]) |
|
454 | 456 | >>> mm = parsemailmap(mmdata) |
|
455 | 457 | >>> for key in sorted(mm.keys()): |
|
456 | 458 | ... print(key) |
|
457 | 459 | mailmapping(email='commit1@email.xx', name=None) |
|
458 | 460 | mailmapping(email='commit2@email.xx', name=None) |
|
459 | 461 | mailmapping(email='commit3@email.xx', name=None) |
|
460 | 462 | mailmapping(email='commit4@email.xx', name='Commit') |
|
461 | 463 | >>> for val in sorted(mm.values()): |
|
462 | 464 | ... print(val) |
|
463 | 465 | mailmapping(email='commit1@email.xx', name='Name') |
|
464 | 466 | mailmapping(email='name@email.xx', name=None) |
|
465 | 467 | mailmapping(email='proper@email.xx', name='Name') |
|
466 | 468 | mailmapping(email='proper@email.xx', name='Name') |
|
467 | 469 | """ |
|
468 | 470 | mailmap = {} |
|
469 | 471 | |
|
470 | 472 | if mailmapcontent is None: |
|
471 | 473 | return mailmap |
|
472 | 474 | |
|
473 | 475 | for line in mailmapcontent.splitlines(): |
|
474 | 476 | |
|
475 | 477 | # Don't bother checking the line if it is a comment or |
|
476 | 478 | # is an improperly formed author field |
|
477 | 479 | if line.lstrip().startswith('#'): |
|
478 | 480 | continue |
|
479 | 481 | |
|
480 | 482 | # names, emails hold the parsed emails and names for each line |
|
481 | 483 | # name_builder holds the words in a persons name |
|
482 | 484 | names, emails = [], [] |
|
483 | 485 | namebuilder = [] |
|
484 | 486 | |
|
485 | 487 | for element in line.split(): |
|
486 | 488 | if element.startswith('#'): |
|
487 | 489 | # If we reach a comment in the mailmap file, move on |
|
488 | 490 | break |
|
489 | 491 | |
|
490 | 492 | elif element.startswith('<') and element.endswith('>'): |
|
491 | 493 | # We have found an email. |
|
492 | 494 | # Parse it, and finalize any names from earlier |
|
493 | 495 | emails.append(element[1:-1]) # Slice off the "<>" |
|
494 | 496 | |
|
495 | 497 | if namebuilder: |
|
496 | 498 | names.append(' '.join(namebuilder)) |
|
497 | 499 | namebuilder = [] |
|
498 | 500 | |
|
499 | 501 | # Break if we have found a second email, any other |
|
500 | 502 | # data does not fit the spec for .mailmap |
|
501 | 503 | if len(emails) > 1: |
|
502 | 504 | break |
|
503 | 505 | |
|
504 | 506 | else: |
|
505 | 507 | # We have found another word in the committers name |
|
506 | 508 | namebuilder.append(element) |
|
507 | 509 | |
|
508 | 510 | # Check to see if we have parsed the line into a valid form |
|
509 | 511 | # We require at least one email, and either at least one |
|
510 | 512 | # name or a second email |
|
511 | 513 | if _ismailmaplineinvalid(names, emails): |
|
512 | 514 | continue |
|
513 | 515 | |
|
514 | 516 | mailmapkey = mailmapping( |
|
515 | 517 | email=emails[-1], |
|
516 | 518 | name=names[-1] if len(names) == 2 else None, |
|
517 | 519 | ) |
|
518 | 520 | |
|
519 | 521 | mailmap[mailmapkey] = mailmapping( |
|
520 | 522 | email=emails[0], |
|
521 | 523 | name=names[0] if names else None, |
|
522 | 524 | ) |
|
523 | 525 | |
|
524 | 526 | return mailmap |
|
525 | 527 | |
|
526 | 528 | def mapname(mailmap, author): |
|
527 | 529 | """Returns the author field according to the mailmap cache, or |
|
528 | 530 | the original author field. |
|
529 | 531 | |
|
530 | 532 | >>> mmdata = b"\\n".join([ |
|
531 | 533 | ... b'# Comment', |
|
532 | 534 | ... b'Name <commit1@email.xx>', |
|
533 | 535 | ... b'<name@email.xx> <commit2@email.xx>', |
|
534 | 536 | ... b'Name <proper@email.xx> <commit3@email.xx>', |
|
535 | 537 | ... b'Name <proper@email.xx> Commit <commit4@email.xx>', |
|
536 | 538 | ... ]) |
|
537 | 539 | >>> m = parsemailmap(mmdata) |
|
538 | 540 | >>> mapname(m, b'Commit <commit1@email.xx>') |
|
539 | 541 | 'Name <commit1@email.xx>' |
|
540 | 542 | >>> mapname(m, b'Name <commit2@email.xx>') |
|
541 | 543 | 'Name <name@email.xx>' |
|
542 | 544 | >>> mapname(m, b'Commit <commit3@email.xx>') |
|
543 | 545 | 'Name <proper@email.xx>' |
|
544 | 546 | >>> mapname(m, b'Commit <commit4@email.xx>') |
|
545 | 547 | 'Name <proper@email.xx>' |
|
546 | 548 | >>> mapname(m, b'Unknown Name <unknown@email.com>') |
|
547 | 549 | 'Unknown Name <unknown@email.com>' |
|
548 | 550 | """ |
|
549 | 551 | # If the author field coming in isn't in the correct format, |
|
550 | 552 | # or the mailmap is empty just return the original author field |
|
551 | 553 | if not isauthorwellformed(author) or not mailmap: |
|
552 | 554 | return author |
|
553 | 555 | |
|
554 | 556 | # Turn the user name into a mailmapping |
|
555 | 557 | commit = mailmapping(name=person(author), email=email(author)) |
|
556 | 558 | |
|
557 | 559 | try: |
|
558 | 560 | # Try and use both the commit email and name as the key |
|
559 | 561 | proper = mailmap[commit] |
|
560 | 562 | |
|
561 | 563 | except KeyError: |
|
562 | 564 | # If the lookup fails, use just the email as the key instead |
|
563 | 565 | # We call this commit2 as not to erase original commit fields |
|
564 | 566 | commit2 = mailmapping(email=commit.email) |
|
565 | 567 | proper = mailmap.get(commit2, mailmapping(None, None)) |
|
566 | 568 | |
|
567 | 569 | # Return the author field with proper values filled in |
|
568 | 570 | return '%s <%s>' % ( |
|
569 | 571 | proper.name if proper.name else commit.name, |
|
570 | 572 | proper.email if proper.email else commit.email, |
|
571 | 573 | ) |
|
572 | 574 | |
|
573 | 575 | _correctauthorformat = remod.compile(br'^[^<]+\s\<[^<>]+@[^<>]+\>$') |
|
574 | 576 | |
|
575 | 577 | def isauthorwellformed(author): |
|
576 | 578 | '''Return True if the author field is well formed |
|
577 | 579 | (ie "Contributor Name <contrib@email.dom>") |
|
578 | 580 | |
|
579 | 581 | >>> isauthorwellformed(b'Good Author <good@author.com>') |
|
580 | 582 | True |
|
581 | 583 | >>> isauthorwellformed(b'Author <good@author.com>') |
|
582 | 584 | True |
|
583 | 585 | >>> isauthorwellformed(b'Bad Author') |
|
584 | 586 | False |
|
585 | 587 | >>> isauthorwellformed(b'Bad Author <author@author.com') |
|
586 | 588 | False |
|
587 | 589 | >>> isauthorwellformed(b'Bad Author author@author.com') |
|
588 | 590 | False |
|
589 | 591 | >>> isauthorwellformed(b'<author@author.com>') |
|
590 | 592 | False |
|
591 | 593 | >>> isauthorwellformed(b'Bad Author <author>') |
|
592 | 594 | False |
|
593 | 595 | ''' |
|
594 | 596 | return _correctauthorformat.match(author) is not None |
|
595 | 597 | |
|
596 | 598 | def ellipsis(text, maxlength=400): |
|
597 | 599 | """Trim string to at most maxlength (default: 400) columns in display.""" |
|
598 | 600 | return encoding.trim(text, maxlength, ellipsis='...') |
|
599 | 601 | |
|
600 | 602 | def escapestr(s): |
|
601 | 603 | if isinstance(s, memoryview): |
|
602 | 604 | s = bytes(s) |
|
603 | 605 | # call underlying function of s.encode('string_escape') directly for |
|
604 | 606 | # Python 3 compatibility |
|
605 | 607 | return codecs.escape_encode(s)[0] |
|
606 | 608 | |
|
607 | 609 | def unescapestr(s): |
|
608 | 610 | return codecs.escape_decode(s)[0] |
|
609 | 611 | |
|
610 | 612 | def forcebytestr(obj): |
|
611 | 613 | """Portably format an arbitrary object (e.g. exception) into a byte |
|
612 | 614 | string.""" |
|
613 | 615 | try: |
|
614 | 616 | return pycompat.bytestr(obj) |
|
615 | 617 | except UnicodeEncodeError: |
|
616 | 618 | # non-ascii string, may be lossy |
|
617 | 619 | return pycompat.bytestr(encoding.strtolocal(str(obj))) |
|
618 | 620 | |
|
619 | 621 | def uirepr(s): |
|
620 | 622 | # Avoid double backslash in Windows path repr() |
|
621 | 623 | return pycompat.byterepr(pycompat.bytestr(s)).replace(b'\\\\', b'\\') |
|
622 | 624 | |
|
623 | 625 | # delay import of textwrap |
|
624 | 626 | def _MBTextWrapper(**kwargs): |
|
625 | 627 | class tw(textwrap.TextWrapper): |
|
626 | 628 | """ |
|
627 | 629 | Extend TextWrapper for width-awareness. |
|
628 | 630 | |
|
629 | 631 | Neither number of 'bytes' in any encoding nor 'characters' is |
|
630 | 632 | appropriate to calculate terminal columns for specified string. |
|
631 | 633 | |
|
632 | 634 | Original TextWrapper implementation uses built-in 'len()' directly, |
|
633 | 635 | so overriding is needed to use width information of each characters. |
|
634 | 636 | |
|
635 | 637 | In addition, characters classified into 'ambiguous' width are |
|
636 | 638 | treated as wide in East Asian area, but as narrow in other. |
|
637 | 639 | |
|
638 | 640 | This requires use decision to determine width of such characters. |
|
639 | 641 | """ |
|
640 | 642 | def _cutdown(self, ucstr, space_left): |
|
641 | 643 | l = 0 |
|
642 | 644 | colwidth = encoding.ucolwidth |
|
643 | 645 | for i in pycompat.xrange(len(ucstr)): |
|
644 | 646 | l += colwidth(ucstr[i]) |
|
645 | 647 | if space_left < l: |
|
646 | 648 | return (ucstr[:i], ucstr[i:]) |
|
647 | 649 | return ucstr, '' |
|
648 | 650 | |
|
649 | 651 | # overriding of base class |
|
650 | 652 | def _handle_long_word(self, reversed_chunks, cur_line, cur_len, width): |
|
651 | 653 | space_left = max(width - cur_len, 1) |
|
652 | 654 | |
|
653 | 655 | if self.break_long_words: |
|
654 | 656 | cut, res = self._cutdown(reversed_chunks[-1], space_left) |
|
655 | 657 | cur_line.append(cut) |
|
656 | 658 | reversed_chunks[-1] = res |
|
657 | 659 | elif not cur_line: |
|
658 | 660 | cur_line.append(reversed_chunks.pop()) |
|
659 | 661 | |
|
660 | 662 | # this overriding code is imported from TextWrapper of Python 2.6 |
|
661 | 663 | # to calculate columns of string by 'encoding.ucolwidth()' |
|
662 | 664 | def _wrap_chunks(self, chunks): |
|
663 | 665 | colwidth = encoding.ucolwidth |
|
664 | 666 | |
|
665 | 667 | lines = [] |
|
666 | 668 | if self.width <= 0: |
|
667 | 669 | raise ValueError("invalid width %r (must be > 0)" % self.width) |
|
668 | 670 | |
|
669 | 671 | # Arrange in reverse order so items can be efficiently popped |
|
670 | 672 | # from a stack of chucks. |
|
671 | 673 | chunks.reverse() |
|
672 | 674 | |
|
673 | 675 | while chunks: |
|
674 | 676 | |
|
675 | 677 | # Start the list of chunks that will make up the current line. |
|
676 | 678 | # cur_len is just the length of all the chunks in cur_line. |
|
677 | 679 | cur_line = [] |
|
678 | 680 | cur_len = 0 |
|
679 | 681 | |
|
680 | 682 | # Figure out which static string will prefix this line. |
|
681 | 683 | if lines: |
|
682 | 684 | indent = self.subsequent_indent |
|
683 | 685 | else: |
|
684 | 686 | indent = self.initial_indent |
|
685 | 687 | |
|
686 | 688 | # Maximum width for this line. |
|
687 | 689 | width = self.width - len(indent) |
|
688 | 690 | |
|
689 | 691 | # First chunk on line is whitespace -- drop it, unless this |
|
690 | 692 | # is the very beginning of the text (i.e. no lines started yet). |
|
691 | 693 | if self.drop_whitespace and chunks[-1].strip() == r'' and lines: |
|
692 | 694 | del chunks[-1] |
|
693 | 695 | |
|
694 | 696 | while chunks: |
|
695 | 697 | l = colwidth(chunks[-1]) |
|
696 | 698 | |
|
697 | 699 | # Can at least squeeze this chunk onto the current line. |
|
698 | 700 | if cur_len + l <= width: |
|
699 | 701 | cur_line.append(chunks.pop()) |
|
700 | 702 | cur_len += l |
|
701 | 703 | |
|
702 | 704 | # Nope, this line is full. |
|
703 | 705 | else: |
|
704 | 706 | break |
|
705 | 707 | |
|
706 | 708 | # The current line is full, and the next chunk is too big to |
|
707 | 709 | # fit on *any* line (not just this one). |
|
708 | 710 | if chunks and colwidth(chunks[-1]) > width: |
|
709 | 711 | self._handle_long_word(chunks, cur_line, cur_len, width) |
|
710 | 712 | |
|
711 | 713 | # If the last chunk on this line is all whitespace, drop it. |
|
712 | 714 | if (self.drop_whitespace and |
|
713 | 715 | cur_line and cur_line[-1].strip() == r''): |
|
714 | 716 | del cur_line[-1] |
|
715 | 717 | |
|
716 | 718 | # Convert current line back to a string and store it in list |
|
717 | 719 | # of all lines (return value). |
|
718 | 720 | if cur_line: |
|
719 | 721 | lines.append(indent + r''.join(cur_line)) |
|
720 | 722 | |
|
721 | 723 | return lines |
|
722 | 724 | |
|
723 | 725 | global _MBTextWrapper |
|
724 | 726 | _MBTextWrapper = tw |
|
725 | 727 | return tw(**kwargs) |
|
726 | 728 | |
|
727 | 729 | def wrap(line, width, initindent='', hangindent=''): |
|
728 | 730 | maxindent = max(len(hangindent), len(initindent)) |
|
729 | 731 | if width <= maxindent: |
|
730 | 732 | # adjust for weird terminal size |
|
731 | 733 | width = max(78, maxindent + 1) |
|
732 | 734 | line = line.decode(pycompat.sysstr(encoding.encoding), |
|
733 | 735 | pycompat.sysstr(encoding.encodingmode)) |
|
734 | 736 | initindent = initindent.decode(pycompat.sysstr(encoding.encoding), |
|
735 | 737 | pycompat.sysstr(encoding.encodingmode)) |
|
736 | 738 | hangindent = hangindent.decode(pycompat.sysstr(encoding.encoding), |
|
737 | 739 | pycompat.sysstr(encoding.encodingmode)) |
|
738 | 740 | wrapper = _MBTextWrapper(width=width, |
|
739 | 741 | initial_indent=initindent, |
|
740 | 742 | subsequent_indent=hangindent) |
|
741 | 743 | return wrapper.fill(line).encode(pycompat.sysstr(encoding.encoding)) |
|
742 | 744 | |
|
743 | 745 | _booleans = {'1': True, 'yes': True, 'true': True, 'on': True, 'always': True, |
|
744 | 746 | '0': False, 'no': False, 'false': False, 'off': False, |
|
745 | 747 | 'never': False} |
|
746 | 748 | |
|
747 | 749 | def parsebool(s): |
|
748 | 750 | """Parse s into a boolean. |
|
749 | 751 | |
|
750 | 752 | If s is not a valid boolean, returns None. |
|
751 | 753 | """ |
|
752 | 754 | return _booleans.get(s.lower(), None) |
|
753 | 755 | |
|
754 | 756 | def evalpythonliteral(s): |
|
755 | 757 | """Evaluate a string containing a Python literal expression""" |
|
756 | 758 | # We could backport our tokenizer hack to rewrite '' to u'' if we want |
|
757 | 759 | if pycompat.ispy3: |
|
758 | 760 | return ast.literal_eval(s.decode('latin1')) |
|
759 | 761 | return ast.literal_eval(s) |
General Comments 0
You need to be logged in to leave comments.
Login now