##// END OF EJS Templates
util: add an optional timestamp parameter to makedate...
Bryan O'Sullivan -
r19287:8b04e134 default
parent child Browse files
Show More
@@ -1,1966 +1,1967 b''
1 1 # util.py - Mercurial utility functions and platform specific implementations
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 """Mercurial utility functions and platform specific implementations.
11 11
12 12 This contains helper routines that are independent of the SCM core and
13 13 hide platform-specific details from the core.
14 14 """
15 15
16 16 from i18n import _
17 17 import error, osutil, encoding, collections
18 18 import errno, re, shutil, sys, tempfile, traceback
19 19 import os, time, datetime, calendar, textwrap, signal
20 20 import imp, socket, urllib
21 21
22 22 if os.name == 'nt':
23 23 import windows as platform
24 24 else:
25 25 import posix as platform
26 26
27 27 cachestat = platform.cachestat
28 28 checkexec = platform.checkexec
29 29 checklink = platform.checklink
30 30 copymode = platform.copymode
31 31 executablepath = platform.executablepath
32 32 expandglobs = platform.expandglobs
33 33 explainexit = platform.explainexit
34 34 findexe = platform.findexe
35 35 gethgcmd = platform.gethgcmd
36 36 getuser = platform.getuser
37 37 groupmembers = platform.groupmembers
38 38 groupname = platform.groupname
39 39 hidewindow = platform.hidewindow
40 40 isexec = platform.isexec
41 41 isowner = platform.isowner
42 42 localpath = platform.localpath
43 43 lookupreg = platform.lookupreg
44 44 makedir = platform.makedir
45 45 nlinks = platform.nlinks
46 46 normpath = platform.normpath
47 47 normcase = platform.normcase
48 48 openhardlinks = platform.openhardlinks
49 49 oslink = platform.oslink
50 50 parsepatchoutput = platform.parsepatchoutput
51 51 pconvert = platform.pconvert
52 52 popen = platform.popen
53 53 posixfile = platform.posixfile
54 54 quotecommand = platform.quotecommand
55 55 realpath = platform.realpath
56 56 rename = platform.rename
57 57 samedevice = platform.samedevice
58 58 samefile = platform.samefile
59 59 samestat = platform.samestat
60 60 setbinary = platform.setbinary
61 61 setflags = platform.setflags
62 62 setsignalhandler = platform.setsignalhandler
63 63 shellquote = platform.shellquote
64 64 spawndetached = platform.spawndetached
65 65 split = platform.split
66 66 sshargs = platform.sshargs
67 67 statfiles = getattr(osutil, 'statfiles', platform.statfiles)
68 68 statisexec = platform.statisexec
69 69 statislink = platform.statislink
70 70 termwidth = platform.termwidth
71 71 testpid = platform.testpid
72 72 umask = platform.umask
73 73 unlink = platform.unlink
74 74 unlinkpath = platform.unlinkpath
75 75 username = platform.username
76 76
77 77 # Python compatibility
78 78
79 79 _notset = object()
80 80
81 81 def safehasattr(thing, attr):
82 82 return getattr(thing, attr, _notset) is not _notset
83 83
84 84 def sha1(s=''):
85 85 '''
86 86 Low-overhead wrapper around Python's SHA support
87 87
88 88 >>> f = _fastsha1
89 89 >>> a = sha1()
90 90 >>> a = f()
91 91 >>> a.hexdigest()
92 92 'da39a3ee5e6b4b0d3255bfef95601890afd80709'
93 93 '''
94 94
95 95 return _fastsha1(s)
96 96
97 97 def _fastsha1(s=''):
98 98 # This function will import sha1 from hashlib or sha (whichever is
99 99 # available) and overwrite itself with it on the first call.
100 100 # Subsequent calls will go directly to the imported function.
101 101 if sys.version_info >= (2, 5):
102 102 from hashlib import sha1 as _sha1
103 103 else:
104 104 from sha import sha as _sha1
105 105 global _fastsha1, sha1
106 106 _fastsha1 = sha1 = _sha1
107 107 return _sha1(s)
108 108
109 109 try:
110 110 buffer = buffer
111 111 except NameError:
112 112 if sys.version_info[0] < 3:
113 113 def buffer(sliceable, offset=0):
114 114 return sliceable[offset:]
115 115 else:
116 116 def buffer(sliceable, offset=0):
117 117 return memoryview(sliceable)[offset:]
118 118
119 119 import subprocess
120 120 closefds = os.name == 'posix'
121 121
122 122 def popen2(cmd, env=None, newlines=False):
123 123 # Setting bufsize to -1 lets the system decide the buffer size.
124 124 # The default for bufsize is 0, meaning unbuffered. This leads to
125 125 # poor performance on Mac OS X: http://bugs.python.org/issue4194
126 126 p = subprocess.Popen(cmd, shell=True, bufsize=-1,
127 127 close_fds=closefds,
128 128 stdin=subprocess.PIPE, stdout=subprocess.PIPE,
129 129 universal_newlines=newlines,
130 130 env=env)
131 131 return p.stdin, p.stdout
132 132
133 133 def popen3(cmd, env=None, newlines=False):
134 134 stdin, stdout, stderr, p = popen4(cmd, env, newlines)
135 135 return stdin, stdout, stderr
136 136
137 137 def popen4(cmd, env=None, newlines=False):
138 138 p = subprocess.Popen(cmd, shell=True, bufsize=-1,
139 139 close_fds=closefds,
140 140 stdin=subprocess.PIPE, stdout=subprocess.PIPE,
141 141 stderr=subprocess.PIPE,
142 142 universal_newlines=newlines,
143 143 env=env)
144 144 return p.stdin, p.stdout, p.stderr, p
145 145
146 146 def version():
147 147 """Return version information if available."""
148 148 try:
149 149 import __version__
150 150 return __version__.version
151 151 except ImportError:
152 152 return 'unknown'
153 153
154 154 # used by parsedate
155 155 defaultdateformats = (
156 156 '%Y-%m-%d %H:%M:%S',
157 157 '%Y-%m-%d %I:%M:%S%p',
158 158 '%Y-%m-%d %H:%M',
159 159 '%Y-%m-%d %I:%M%p',
160 160 '%Y-%m-%d',
161 161 '%m-%d',
162 162 '%m/%d',
163 163 '%m/%d/%y',
164 164 '%m/%d/%Y',
165 165 '%a %b %d %H:%M:%S %Y',
166 166 '%a %b %d %I:%M:%S%p %Y',
167 167 '%a, %d %b %Y %H:%M:%S', # GNU coreutils "/bin/date --rfc-2822"
168 168 '%b %d %H:%M:%S %Y',
169 169 '%b %d %I:%M:%S%p %Y',
170 170 '%b %d %H:%M:%S',
171 171 '%b %d %I:%M:%S%p',
172 172 '%b %d %H:%M',
173 173 '%b %d %I:%M%p',
174 174 '%b %d %Y',
175 175 '%b %d',
176 176 '%H:%M:%S',
177 177 '%I:%M:%S%p',
178 178 '%H:%M',
179 179 '%I:%M%p',
180 180 )
181 181
182 182 extendeddateformats = defaultdateformats + (
183 183 "%Y",
184 184 "%Y-%m",
185 185 "%b",
186 186 "%b %Y",
187 187 )
188 188
189 189 def cachefunc(func):
190 190 '''cache the result of function calls'''
191 191 # XXX doesn't handle keywords args
192 192 cache = {}
193 193 if func.func_code.co_argcount == 1:
194 194 # we gain a small amount of time because
195 195 # we don't need to pack/unpack the list
196 196 def f(arg):
197 197 if arg not in cache:
198 198 cache[arg] = func(arg)
199 199 return cache[arg]
200 200 else:
201 201 def f(*args):
202 202 if args not in cache:
203 203 cache[args] = func(*args)
204 204 return cache[args]
205 205
206 206 return f
207 207
208 208 try:
209 209 collections.deque.remove
210 210 deque = collections.deque
211 211 except AttributeError:
212 212 # python 2.4 lacks deque.remove
213 213 class deque(collections.deque):
214 214 def remove(self, val):
215 215 for i, v in enumerate(self):
216 216 if v == val:
217 217 del self[i]
218 218 break
219 219
220 220 class lrucachedict(object):
221 221 '''cache most recent gets from or sets to this dictionary'''
222 222 def __init__(self, maxsize):
223 223 self._cache = {}
224 224 self._maxsize = maxsize
225 225 self._order = deque()
226 226
227 227 def __getitem__(self, key):
228 228 value = self._cache[key]
229 229 self._order.remove(key)
230 230 self._order.append(key)
231 231 return value
232 232
233 233 def __setitem__(self, key, value):
234 234 if key not in self._cache:
235 235 if len(self._cache) >= self._maxsize:
236 236 del self._cache[self._order.popleft()]
237 237 else:
238 238 self._order.remove(key)
239 239 self._cache[key] = value
240 240 self._order.append(key)
241 241
242 242 def __contains__(self, key):
243 243 return key in self._cache
244 244
245 245 def lrucachefunc(func):
246 246 '''cache most recent results of function calls'''
247 247 cache = {}
248 248 order = deque()
249 249 if func.func_code.co_argcount == 1:
250 250 def f(arg):
251 251 if arg not in cache:
252 252 if len(cache) > 20:
253 253 del cache[order.popleft()]
254 254 cache[arg] = func(arg)
255 255 else:
256 256 order.remove(arg)
257 257 order.append(arg)
258 258 return cache[arg]
259 259 else:
260 260 def f(*args):
261 261 if args not in cache:
262 262 if len(cache) > 20:
263 263 del cache[order.popleft()]
264 264 cache[args] = func(*args)
265 265 else:
266 266 order.remove(args)
267 267 order.append(args)
268 268 return cache[args]
269 269
270 270 return f
271 271
272 272 class propertycache(object):
273 273 def __init__(self, func):
274 274 self.func = func
275 275 self.name = func.__name__
276 276 def __get__(self, obj, type=None):
277 277 result = self.func(obj)
278 278 self.cachevalue(obj, result)
279 279 return result
280 280
281 281 def cachevalue(self, obj, value):
282 282 setattr(obj, self.name, value)
283 283
284 284 def pipefilter(s, cmd):
285 285 '''filter string S through command CMD, returning its output'''
286 286 p = subprocess.Popen(cmd, shell=True, close_fds=closefds,
287 287 stdin=subprocess.PIPE, stdout=subprocess.PIPE)
288 288 pout, perr = p.communicate(s)
289 289 return pout
290 290
291 291 def tempfilter(s, cmd):
292 292 '''filter string S through a pair of temporary files with CMD.
293 293 CMD is used as a template to create the real command to be run,
294 294 with the strings INFILE and OUTFILE replaced by the real names of
295 295 the temporary files generated.'''
296 296 inname, outname = None, None
297 297 try:
298 298 infd, inname = tempfile.mkstemp(prefix='hg-filter-in-')
299 299 fp = os.fdopen(infd, 'wb')
300 300 fp.write(s)
301 301 fp.close()
302 302 outfd, outname = tempfile.mkstemp(prefix='hg-filter-out-')
303 303 os.close(outfd)
304 304 cmd = cmd.replace('INFILE', inname)
305 305 cmd = cmd.replace('OUTFILE', outname)
306 306 code = os.system(cmd)
307 307 if sys.platform == 'OpenVMS' and code & 1:
308 308 code = 0
309 309 if code:
310 310 raise Abort(_("command '%s' failed: %s") %
311 311 (cmd, explainexit(code)))
312 312 fp = open(outname, 'rb')
313 313 r = fp.read()
314 314 fp.close()
315 315 return r
316 316 finally:
317 317 try:
318 318 if inname:
319 319 os.unlink(inname)
320 320 except OSError:
321 321 pass
322 322 try:
323 323 if outname:
324 324 os.unlink(outname)
325 325 except OSError:
326 326 pass
327 327
328 328 filtertable = {
329 329 'tempfile:': tempfilter,
330 330 'pipe:': pipefilter,
331 331 }
332 332
333 333 def filter(s, cmd):
334 334 "filter a string through a command that transforms its input to its output"
335 335 for name, fn in filtertable.iteritems():
336 336 if cmd.startswith(name):
337 337 return fn(s, cmd[len(name):].lstrip())
338 338 return pipefilter(s, cmd)
339 339
340 340 def binary(s):
341 341 """return true if a string is binary data"""
342 342 return bool(s and '\0' in s)
343 343
344 344 def increasingchunks(source, min=1024, max=65536):
345 345 '''return no less than min bytes per chunk while data remains,
346 346 doubling min after each chunk until it reaches max'''
347 347 def log2(x):
348 348 if not x:
349 349 return 0
350 350 i = 0
351 351 while x:
352 352 x >>= 1
353 353 i += 1
354 354 return i - 1
355 355
356 356 buf = []
357 357 blen = 0
358 358 for chunk in source:
359 359 buf.append(chunk)
360 360 blen += len(chunk)
361 361 if blen >= min:
362 362 if min < max:
363 363 min = min << 1
364 364 nmin = 1 << log2(blen)
365 365 if nmin > min:
366 366 min = nmin
367 367 if min > max:
368 368 min = max
369 369 yield ''.join(buf)
370 370 blen = 0
371 371 buf = []
372 372 if buf:
373 373 yield ''.join(buf)
374 374
375 375 Abort = error.Abort
376 376
377 377 def always(fn):
378 378 return True
379 379
380 380 def never(fn):
381 381 return False
382 382
383 383 def pathto(root, n1, n2):
384 384 '''return the relative path from one place to another.
385 385 root should use os.sep to separate directories
386 386 n1 should use os.sep to separate directories
387 387 n2 should use "/" to separate directories
388 388 returns an os.sep-separated path.
389 389
390 390 If n1 is a relative path, it's assumed it's
391 391 relative to root.
392 392 n2 should always be relative to root.
393 393 '''
394 394 if not n1:
395 395 return localpath(n2)
396 396 if os.path.isabs(n1):
397 397 if os.path.splitdrive(root)[0] != os.path.splitdrive(n1)[0]:
398 398 return os.path.join(root, localpath(n2))
399 399 n2 = '/'.join((pconvert(root), n2))
400 400 a, b = splitpath(n1), n2.split('/')
401 401 a.reverse()
402 402 b.reverse()
403 403 while a and b and a[-1] == b[-1]:
404 404 a.pop()
405 405 b.pop()
406 406 b.reverse()
407 407 return os.sep.join((['..'] * len(a)) + b) or '.'
408 408
409 409 _hgexecutable = None
410 410
411 411 def mainfrozen():
412 412 """return True if we are a frozen executable.
413 413
414 414 The code supports py2exe (most common, Windows only) and tools/freeze
415 415 (portable, not much used).
416 416 """
417 417 return (safehasattr(sys, "frozen") or # new py2exe
418 418 safehasattr(sys, "importers") or # old py2exe
419 419 imp.is_frozen("__main__")) # tools/freeze
420 420
421 421 def hgexecutable():
422 422 """return location of the 'hg' executable.
423 423
424 424 Defaults to $HG or 'hg' in the search path.
425 425 """
426 426 if _hgexecutable is None:
427 427 hg = os.environ.get('HG')
428 428 mainmod = sys.modules['__main__']
429 429 if hg:
430 430 _sethgexecutable(hg)
431 431 elif mainfrozen():
432 432 _sethgexecutable(sys.executable)
433 433 elif os.path.basename(getattr(mainmod, '__file__', '')) == 'hg':
434 434 _sethgexecutable(mainmod.__file__)
435 435 else:
436 436 exe = findexe('hg') or os.path.basename(sys.argv[0])
437 437 _sethgexecutable(exe)
438 438 return _hgexecutable
439 439
440 440 def _sethgexecutable(path):
441 441 """set location of the 'hg' executable"""
442 442 global _hgexecutable
443 443 _hgexecutable = path
444 444
445 445 def system(cmd, environ={}, cwd=None, onerr=None, errprefix=None, out=None):
446 446 '''enhanced shell command execution.
447 447 run with environment maybe modified, maybe in different dir.
448 448
449 449 if command fails and onerr is None, return status. if ui object,
450 450 print error message and return status, else raise onerr object as
451 451 exception.
452 452
453 453 if out is specified, it is assumed to be a file-like object that has a
454 454 write() method. stdout and stderr will be redirected to out.'''
455 455 try:
456 456 sys.stdout.flush()
457 457 except Exception:
458 458 pass
459 459 def py2shell(val):
460 460 'convert python object into string that is useful to shell'
461 461 if val is None or val is False:
462 462 return '0'
463 463 if val is True:
464 464 return '1'
465 465 return str(val)
466 466 origcmd = cmd
467 467 cmd = quotecommand(cmd)
468 468 if sys.platform == 'plan9':
469 469 # subprocess kludge to work around issues in half-baked Python
470 470 # ports, notably bichued/python:
471 471 if not cwd is None:
472 472 os.chdir(cwd)
473 473 rc = os.system(cmd)
474 474 else:
475 475 env = dict(os.environ)
476 476 env.update((k, py2shell(v)) for k, v in environ.iteritems())
477 477 env['HG'] = hgexecutable()
478 478 if out is None or out == sys.__stdout__:
479 479 rc = subprocess.call(cmd, shell=True, close_fds=closefds,
480 480 env=env, cwd=cwd)
481 481 else:
482 482 proc = subprocess.Popen(cmd, shell=True, close_fds=closefds,
483 483 env=env, cwd=cwd, stdout=subprocess.PIPE,
484 484 stderr=subprocess.STDOUT)
485 485 for line in proc.stdout:
486 486 out.write(line)
487 487 proc.wait()
488 488 rc = proc.returncode
489 489 if sys.platform == 'OpenVMS' and rc & 1:
490 490 rc = 0
491 491 if rc and onerr:
492 492 errmsg = '%s %s' % (os.path.basename(origcmd.split(None, 1)[0]),
493 493 explainexit(rc)[0])
494 494 if errprefix:
495 495 errmsg = '%s: %s' % (errprefix, errmsg)
496 496 try:
497 497 onerr.warn(errmsg + '\n')
498 498 except AttributeError:
499 499 raise onerr(errmsg)
500 500 return rc
501 501
502 502 def checksignature(func):
503 503 '''wrap a function with code to check for calling errors'''
504 504 def check(*args, **kwargs):
505 505 try:
506 506 return func(*args, **kwargs)
507 507 except TypeError:
508 508 if len(traceback.extract_tb(sys.exc_info()[2])) == 1:
509 509 raise error.SignatureError
510 510 raise
511 511
512 512 return check
513 513
514 514 def copyfile(src, dest):
515 515 "copy a file, preserving mode and atime/mtime"
516 516 if os.path.lexists(dest):
517 517 unlink(dest)
518 518 if os.path.islink(src):
519 519 os.symlink(os.readlink(src), dest)
520 520 else:
521 521 try:
522 522 shutil.copyfile(src, dest)
523 523 shutil.copymode(src, dest)
524 524 except shutil.Error, inst:
525 525 raise Abort(str(inst))
526 526
527 527 def copyfiles(src, dst, hardlink=None):
528 528 """Copy a directory tree using hardlinks if possible"""
529 529
530 530 if hardlink is None:
531 531 hardlink = (os.stat(src).st_dev ==
532 532 os.stat(os.path.dirname(dst)).st_dev)
533 533
534 534 num = 0
535 535 if os.path.isdir(src):
536 536 os.mkdir(dst)
537 537 for name, kind in osutil.listdir(src):
538 538 srcname = os.path.join(src, name)
539 539 dstname = os.path.join(dst, name)
540 540 hardlink, n = copyfiles(srcname, dstname, hardlink)
541 541 num += n
542 542 else:
543 543 if hardlink:
544 544 try:
545 545 oslink(src, dst)
546 546 except (IOError, OSError):
547 547 hardlink = False
548 548 shutil.copy(src, dst)
549 549 else:
550 550 shutil.copy(src, dst)
551 551 num += 1
552 552
553 553 return hardlink, num
554 554
555 555 _winreservednames = '''con prn aux nul
556 556 com1 com2 com3 com4 com5 com6 com7 com8 com9
557 557 lpt1 lpt2 lpt3 lpt4 lpt5 lpt6 lpt7 lpt8 lpt9'''.split()
558 558 _winreservedchars = ':*?"<>|'
559 559 def checkwinfilename(path):
560 560 '''Check that the base-relative path is a valid filename on Windows.
561 561 Returns None if the path is ok, or a UI string describing the problem.
562 562
563 563 >>> checkwinfilename("just/a/normal/path")
564 564 >>> checkwinfilename("foo/bar/con.xml")
565 565 "filename contains 'con', which is reserved on Windows"
566 566 >>> checkwinfilename("foo/con.xml/bar")
567 567 "filename contains 'con', which is reserved on Windows"
568 568 >>> checkwinfilename("foo/bar/xml.con")
569 569 >>> checkwinfilename("foo/bar/AUX/bla.txt")
570 570 "filename contains 'AUX', which is reserved on Windows"
571 571 >>> checkwinfilename("foo/bar/bla:.txt")
572 572 "filename contains ':', which is reserved on Windows"
573 573 >>> checkwinfilename("foo/bar/b\07la.txt")
574 574 "filename contains '\\\\x07', which is invalid on Windows"
575 575 >>> checkwinfilename("foo/bar/bla ")
576 576 "filename ends with ' ', which is not allowed on Windows"
577 577 >>> checkwinfilename("../bar")
578 578 '''
579 579 for n in path.replace('\\', '/').split('/'):
580 580 if not n:
581 581 continue
582 582 for c in n:
583 583 if c in _winreservedchars:
584 584 return _("filename contains '%s', which is reserved "
585 585 "on Windows") % c
586 586 if ord(c) <= 31:
587 587 return _("filename contains %r, which is invalid "
588 588 "on Windows") % c
589 589 base = n.split('.')[0]
590 590 if base and base.lower() in _winreservednames:
591 591 return _("filename contains '%s', which is reserved "
592 592 "on Windows") % base
593 593 t = n[-1]
594 594 if t in '. ' and n not in '..':
595 595 return _("filename ends with '%s', which is not allowed "
596 596 "on Windows") % t
597 597
598 598 if os.name == 'nt':
599 599 checkosfilename = checkwinfilename
600 600 else:
601 601 checkosfilename = platform.checkosfilename
602 602
603 603 def makelock(info, pathname):
604 604 try:
605 605 return os.symlink(info, pathname)
606 606 except OSError, why:
607 607 if why.errno == errno.EEXIST:
608 608 raise
609 609 except AttributeError: # no symlink in os
610 610 pass
611 611
612 612 ld = os.open(pathname, os.O_CREAT | os.O_WRONLY | os.O_EXCL)
613 613 os.write(ld, info)
614 614 os.close(ld)
615 615
616 616 def readlock(pathname):
617 617 try:
618 618 return os.readlink(pathname)
619 619 except OSError, why:
620 620 if why.errno not in (errno.EINVAL, errno.ENOSYS):
621 621 raise
622 622 except AttributeError: # no symlink in os
623 623 pass
624 624 fp = posixfile(pathname)
625 625 r = fp.read()
626 626 fp.close()
627 627 return r
628 628
629 629 def fstat(fp):
630 630 '''stat file object that may not have fileno method.'''
631 631 try:
632 632 return os.fstat(fp.fileno())
633 633 except AttributeError:
634 634 return os.stat(fp.name)
635 635
636 636 # File system features
637 637
638 638 def checkcase(path):
639 639 """
640 640 Return true if the given path is on a case-sensitive filesystem
641 641
642 642 Requires a path (like /foo/.hg) ending with a foldable final
643 643 directory component.
644 644 """
645 645 s1 = os.stat(path)
646 646 d, b = os.path.split(path)
647 647 b2 = b.upper()
648 648 if b == b2:
649 649 b2 = b.lower()
650 650 if b == b2:
651 651 return True # no evidence against case sensitivity
652 652 p2 = os.path.join(d, b2)
653 653 try:
654 654 s2 = os.stat(p2)
655 655 if s2 == s1:
656 656 return False
657 657 return True
658 658 except OSError:
659 659 return True
660 660
661 661 try:
662 662 import re2
663 663 _re2 = None
664 664 except ImportError:
665 665 _re2 = False
666 666
667 667 def compilere(pat, flags=0):
668 668 '''Compile a regular expression, using re2 if possible
669 669
670 670 For best performance, use only re2-compatible regexp features. The
671 671 only flags from the re module that are re2-compatible are
672 672 IGNORECASE and MULTILINE.'''
673 673 global _re2
674 674 if _re2 is None:
675 675 try:
676 676 re2.compile
677 677 _re2 = True
678 678 except ImportError:
679 679 _re2 = False
680 680 if _re2 and (flags & ~(re.IGNORECASE | re.MULTILINE)) == 0:
681 681 if flags & re.IGNORECASE:
682 682 pat = '(?i)' + pat
683 683 if flags & re.MULTILINE:
684 684 pat = '(?m)' + pat
685 685 try:
686 686 return re2.compile(pat)
687 687 except re2.error:
688 688 pass
689 689 return re.compile(pat, flags)
690 690
691 691 _fspathcache = {}
692 692 def fspath(name, root):
693 693 '''Get name in the case stored in the filesystem
694 694
695 695 The name should be relative to root, and be normcase-ed for efficiency.
696 696
697 697 Note that this function is unnecessary, and should not be
698 698 called, for case-sensitive filesystems (simply because it's expensive).
699 699
700 700 The root should be normcase-ed, too.
701 701 '''
702 702 def find(p, contents):
703 703 for n in contents:
704 704 if normcase(n) == p:
705 705 return n
706 706 return None
707 707
708 708 seps = os.sep
709 709 if os.altsep:
710 710 seps = seps + os.altsep
711 711 # Protect backslashes. This gets silly very quickly.
712 712 seps.replace('\\','\\\\')
713 713 pattern = re.compile(r'([^%s]+)|([%s]+)' % (seps, seps))
714 714 dir = os.path.normpath(root)
715 715 result = []
716 716 for part, sep in pattern.findall(name):
717 717 if sep:
718 718 result.append(sep)
719 719 continue
720 720
721 721 if dir not in _fspathcache:
722 722 _fspathcache[dir] = os.listdir(dir)
723 723 contents = _fspathcache[dir]
724 724
725 725 found = find(part, contents)
726 726 if not found:
727 727 # retry "once per directory" per "dirstate.walk" which
728 728 # may take place for each patches of "hg qpush", for example
729 729 contents = os.listdir(dir)
730 730 _fspathcache[dir] = contents
731 731 found = find(part, contents)
732 732
733 733 result.append(found or part)
734 734 dir = os.path.join(dir, part)
735 735
736 736 return ''.join(result)
737 737
738 738 def checknlink(testfile):
739 739 '''check whether hardlink count reporting works properly'''
740 740
741 741 # testfile may be open, so we need a separate file for checking to
742 742 # work around issue2543 (or testfile may get lost on Samba shares)
743 743 f1 = testfile + ".hgtmp1"
744 744 if os.path.lexists(f1):
745 745 return False
746 746 try:
747 747 posixfile(f1, 'w').close()
748 748 except IOError:
749 749 return False
750 750
751 751 f2 = testfile + ".hgtmp2"
752 752 fd = None
753 753 try:
754 754 try:
755 755 oslink(f1, f2)
756 756 except OSError:
757 757 return False
758 758
759 759 # nlinks() may behave differently for files on Windows shares if
760 760 # the file is open.
761 761 fd = posixfile(f2)
762 762 return nlinks(f2) > 1
763 763 finally:
764 764 if fd is not None:
765 765 fd.close()
766 766 for f in (f1, f2):
767 767 try:
768 768 os.unlink(f)
769 769 except OSError:
770 770 pass
771 771
772 772 def endswithsep(path):
773 773 '''Check path ends with os.sep or os.altsep.'''
774 774 return path.endswith(os.sep) or os.altsep and path.endswith(os.altsep)
775 775
776 776 def splitpath(path):
777 777 '''Split path by os.sep.
778 778 Note that this function does not use os.altsep because this is
779 779 an alternative of simple "xxx.split(os.sep)".
780 780 It is recommended to use os.path.normpath() before using this
781 781 function if need.'''
782 782 return path.split(os.sep)
783 783
784 784 def gui():
785 785 '''Are we running in a GUI?'''
786 786 if sys.platform == 'darwin':
787 787 if 'SSH_CONNECTION' in os.environ:
788 788 # handle SSH access to a box where the user is logged in
789 789 return False
790 790 elif getattr(osutil, 'isgui', None):
791 791 # check if a CoreGraphics session is available
792 792 return osutil.isgui()
793 793 else:
794 794 # pure build; use a safe default
795 795 return True
796 796 else:
797 797 return os.name == "nt" or os.environ.get("DISPLAY")
798 798
799 799 def mktempcopy(name, emptyok=False, createmode=None):
800 800 """Create a temporary file with the same contents from name
801 801
802 802 The permission bits are copied from the original file.
803 803
804 804 If the temporary file is going to be truncated immediately, you
805 805 can use emptyok=True as an optimization.
806 806
807 807 Returns the name of the temporary file.
808 808 """
809 809 d, fn = os.path.split(name)
810 810 fd, temp = tempfile.mkstemp(prefix='.%s-' % fn, dir=d)
811 811 os.close(fd)
812 812 # Temporary files are created with mode 0600, which is usually not
813 813 # what we want. If the original file already exists, just copy
814 814 # its mode. Otherwise, manually obey umask.
815 815 copymode(name, temp, createmode)
816 816 if emptyok:
817 817 return temp
818 818 try:
819 819 try:
820 820 ifp = posixfile(name, "rb")
821 821 except IOError, inst:
822 822 if inst.errno == errno.ENOENT:
823 823 return temp
824 824 if not getattr(inst, 'filename', None):
825 825 inst.filename = name
826 826 raise
827 827 ofp = posixfile(temp, "wb")
828 828 for chunk in filechunkiter(ifp):
829 829 ofp.write(chunk)
830 830 ifp.close()
831 831 ofp.close()
832 832 except: # re-raises
833 833 try: os.unlink(temp)
834 834 except OSError: pass
835 835 raise
836 836 return temp
837 837
838 838 class atomictempfile(object):
839 839 '''writable file object that atomically updates a file
840 840
841 841 All writes will go to a temporary copy of the original file. Call
842 842 close() when you are done writing, and atomictempfile will rename
843 843 the temporary copy to the original name, making the changes
844 844 visible. If the object is destroyed without being closed, all your
845 845 writes are discarded.
846 846 '''
847 847 def __init__(self, name, mode='w+b', createmode=None):
848 848 self.__name = name # permanent name
849 849 self._tempname = mktempcopy(name, emptyok=('w' in mode),
850 850 createmode=createmode)
851 851 self._fp = posixfile(self._tempname, mode)
852 852
853 853 # delegated methods
854 854 self.write = self._fp.write
855 855 self.seek = self._fp.seek
856 856 self.tell = self._fp.tell
857 857 self.fileno = self._fp.fileno
858 858
859 859 def close(self):
860 860 if not self._fp.closed:
861 861 self._fp.close()
862 862 rename(self._tempname, localpath(self.__name))
863 863
864 864 def discard(self):
865 865 if not self._fp.closed:
866 866 try:
867 867 os.unlink(self._tempname)
868 868 except OSError:
869 869 pass
870 870 self._fp.close()
871 871
872 872 def __del__(self):
873 873 if safehasattr(self, '_fp'): # constructor actually did something
874 874 self.discard()
875 875
876 876 def makedirs(name, mode=None, notindexed=False):
877 877 """recursive directory creation with parent mode inheritance"""
878 878 try:
879 879 makedir(name, notindexed)
880 880 except OSError, err:
881 881 if err.errno == errno.EEXIST:
882 882 return
883 883 if err.errno != errno.ENOENT or not name:
884 884 raise
885 885 parent = os.path.dirname(os.path.abspath(name))
886 886 if parent == name:
887 887 raise
888 888 makedirs(parent, mode, notindexed)
889 889 makedir(name, notindexed)
890 890 if mode is not None:
891 891 os.chmod(name, mode)
892 892
893 893 def ensuredirs(name, mode=None):
894 894 """race-safe recursive directory creation"""
895 895 if os.path.isdir(name):
896 896 return
897 897 parent = os.path.dirname(os.path.abspath(name))
898 898 if parent != name:
899 899 ensuredirs(parent, mode)
900 900 try:
901 901 os.mkdir(name)
902 902 except OSError, err:
903 903 if err.errno == errno.EEXIST and os.path.isdir(name):
904 904 # someone else seems to have won a directory creation race
905 905 return
906 906 raise
907 907 if mode is not None:
908 908 os.chmod(name, mode)
909 909
910 910 def readfile(path):
911 911 fp = open(path, 'rb')
912 912 try:
913 913 return fp.read()
914 914 finally:
915 915 fp.close()
916 916
917 917 def writefile(path, text):
918 918 fp = open(path, 'wb')
919 919 try:
920 920 fp.write(text)
921 921 finally:
922 922 fp.close()
923 923
924 924 def appendfile(path, text):
925 925 fp = open(path, 'ab')
926 926 try:
927 927 fp.write(text)
928 928 finally:
929 929 fp.close()
930 930
931 931 class chunkbuffer(object):
932 932 """Allow arbitrary sized chunks of data to be efficiently read from an
933 933 iterator over chunks of arbitrary size."""
934 934
935 935 def __init__(self, in_iter):
936 936 """in_iter is the iterator that's iterating over the input chunks.
937 937 targetsize is how big a buffer to try to maintain."""
938 938 def splitbig(chunks):
939 939 for chunk in chunks:
940 940 if len(chunk) > 2**20:
941 941 pos = 0
942 942 while pos < len(chunk):
943 943 end = pos + 2 ** 18
944 944 yield chunk[pos:end]
945 945 pos = end
946 946 else:
947 947 yield chunk
948 948 self.iter = splitbig(in_iter)
949 949 self._queue = deque()
950 950
951 951 def read(self, l):
952 952 """Read L bytes of data from the iterator of chunks of data.
953 953 Returns less than L bytes if the iterator runs dry."""
954 954 left = l
955 955 buf = []
956 956 queue = self._queue
957 957 while left > 0:
958 958 # refill the queue
959 959 if not queue:
960 960 target = 2**18
961 961 for chunk in self.iter:
962 962 queue.append(chunk)
963 963 target -= len(chunk)
964 964 if target <= 0:
965 965 break
966 966 if not queue:
967 967 break
968 968
969 969 chunk = queue.popleft()
970 970 left -= len(chunk)
971 971 if left < 0:
972 972 queue.appendleft(chunk[left:])
973 973 buf.append(chunk[:left])
974 974 else:
975 975 buf.append(chunk)
976 976
977 977 return ''.join(buf)
978 978
979 979 def filechunkiter(f, size=65536, limit=None):
980 980 """Create a generator that produces the data in the file size
981 981 (default 65536) bytes at a time, up to optional limit (default is
982 982 to read all data). Chunks may be less than size bytes if the
983 983 chunk is the last chunk in the file, or the file is a socket or
984 984 some other type of file that sometimes reads less data than is
985 985 requested."""
986 986 assert size >= 0
987 987 assert limit is None or limit >= 0
988 988 while True:
989 989 if limit is None:
990 990 nbytes = size
991 991 else:
992 992 nbytes = min(limit, size)
993 993 s = nbytes and f.read(nbytes)
994 994 if not s:
995 995 break
996 996 if limit:
997 997 limit -= len(s)
998 998 yield s
999 999
1000 def makedate():
1001 '''Return the current time as a (unixtime, offset) tuple based off
1002 the local timezone.'''
1000 def makedate(timestamp=None):
1001 '''Return a unix timestamp (or the current time) as a (unixtime,
1002 offset) tuple based off the local timezone.'''
1003 if timestamp is None:
1003 1004 timestamp = time.time()
1004 1005 if timestamp < 0:
1005 1006 hint = _("check your clock")
1006 1007 raise Abort(_("negative timestamp: %d") % timestamp, hint=hint)
1007 1008 delta = (datetime.datetime.utcfromtimestamp(timestamp) -
1008 1009 datetime.datetime.fromtimestamp(timestamp))
1009 1010 tz = delta.days * 86400 + delta.seconds
1010 1011 return timestamp, tz
1011 1012
1012 1013 def datestr(date=None, format='%a %b %d %H:%M:%S %Y %1%2'):
1013 1014 """represent a (unixtime, offset) tuple as a localized time.
1014 1015 unixtime is seconds since the epoch, and offset is the time zone's
1015 1016 number of seconds away from UTC. if timezone is false, do not
1016 1017 append time zone to string."""
1017 1018 t, tz = date or makedate()
1018 1019 if t < 0:
1019 1020 t = 0 # time.gmtime(lt) fails on Windows for lt < -43200
1020 1021 tz = 0
1021 1022 if "%1" in format or "%2" in format:
1022 1023 sign = (tz > 0) and "-" or "+"
1023 1024 minutes = abs(tz) // 60
1024 1025 format = format.replace("%1", "%c%02d" % (sign, minutes // 60))
1025 1026 format = format.replace("%2", "%02d" % (minutes % 60))
1026 1027 try:
1027 1028 t = time.gmtime(float(t) - tz)
1028 1029 except ValueError:
1029 1030 # time was out of range
1030 1031 t = time.gmtime(sys.maxint)
1031 1032 s = time.strftime(format, t)
1032 1033 return s
1033 1034
1034 1035 def shortdate(date=None):
1035 1036 """turn (timestamp, tzoff) tuple into iso 8631 date."""
1036 1037 return datestr(date, format='%Y-%m-%d')
1037 1038
1038 1039 def strdate(string, format, defaults=[]):
1039 1040 """parse a localized time string and return a (unixtime, offset) tuple.
1040 1041 if the string cannot be parsed, ValueError is raised."""
1041 1042 def timezone(string):
1042 1043 tz = string.split()[-1]
1043 1044 if tz[0] in "+-" and len(tz) == 5 and tz[1:].isdigit():
1044 1045 sign = (tz[0] == "+") and 1 or -1
1045 1046 hours = int(tz[1:3])
1046 1047 minutes = int(tz[3:5])
1047 1048 return -sign * (hours * 60 + minutes) * 60
1048 1049 if tz == "GMT" or tz == "UTC":
1049 1050 return 0
1050 1051 return None
1051 1052
1052 1053 # NOTE: unixtime = localunixtime + offset
1053 1054 offset, date = timezone(string), string
1054 1055 if offset is not None:
1055 1056 date = " ".join(string.split()[:-1])
1056 1057
1057 1058 # add missing elements from defaults
1058 1059 usenow = False # default to using biased defaults
1059 1060 for part in ("S", "M", "HI", "d", "mb", "yY"): # decreasing specificity
1060 1061 found = [True for p in part if ("%"+p) in format]
1061 1062 if not found:
1062 1063 date += "@" + defaults[part][usenow]
1063 1064 format += "@%" + part[0]
1064 1065 else:
1065 1066 # We've found a specific time element, less specific time
1066 1067 # elements are relative to today
1067 1068 usenow = True
1068 1069
1069 1070 timetuple = time.strptime(date, format)
1070 1071 localunixtime = int(calendar.timegm(timetuple))
1071 1072 if offset is None:
1072 1073 # local timezone
1073 1074 unixtime = int(time.mktime(timetuple))
1074 1075 offset = unixtime - localunixtime
1075 1076 else:
1076 1077 unixtime = localunixtime + offset
1077 1078 return unixtime, offset
1078 1079
1079 1080 def parsedate(date, formats=None, bias={}):
1080 1081 """parse a localized date/time and return a (unixtime, offset) tuple.
1081 1082
1082 1083 The date may be a "unixtime offset" string or in one of the specified
1083 1084 formats. If the date already is a (unixtime, offset) tuple, it is returned.
1084 1085
1085 1086 >>> parsedate(' today ') == parsedate(\
1086 1087 datetime.date.today().strftime('%b %d'))
1087 1088 True
1088 1089 >>> parsedate( 'yesterday ') == parsedate((datetime.date.today() -\
1089 1090 datetime.timedelta(days=1)\
1090 1091 ).strftime('%b %d'))
1091 1092 True
1092 1093 >>> now, tz = makedate()
1093 1094 >>> strnow, strtz = parsedate('now')
1094 1095 >>> (strnow - now) < 1
1095 1096 True
1096 1097 >>> tz == strtz
1097 1098 True
1098 1099 """
1099 1100 if not date:
1100 1101 return 0, 0
1101 1102 if isinstance(date, tuple) and len(date) == 2:
1102 1103 return date
1103 1104 if not formats:
1104 1105 formats = defaultdateformats
1105 1106 date = date.strip()
1106 1107
1107 1108 if date == _('now'):
1108 1109 return makedate()
1109 1110 if date == _('today'):
1110 1111 date = datetime.date.today().strftime('%b %d')
1111 1112 elif date == _('yesterday'):
1112 1113 date = (datetime.date.today() -
1113 1114 datetime.timedelta(days=1)).strftime('%b %d')
1114 1115
1115 1116 try:
1116 1117 when, offset = map(int, date.split(' '))
1117 1118 except ValueError:
1118 1119 # fill out defaults
1119 1120 now = makedate()
1120 1121 defaults = {}
1121 1122 for part in ("d", "mb", "yY", "HI", "M", "S"):
1122 1123 # this piece is for rounding the specific end of unknowns
1123 1124 b = bias.get(part)
1124 1125 if b is None:
1125 1126 if part[0] in "HMS":
1126 1127 b = "00"
1127 1128 else:
1128 1129 b = "0"
1129 1130
1130 1131 # this piece is for matching the generic end to today's date
1131 1132 n = datestr(now, "%" + part[0])
1132 1133
1133 1134 defaults[part] = (b, n)
1134 1135
1135 1136 for format in formats:
1136 1137 try:
1137 1138 when, offset = strdate(date, format, defaults)
1138 1139 except (ValueError, OverflowError):
1139 1140 pass
1140 1141 else:
1141 1142 break
1142 1143 else:
1143 1144 raise Abort(_('invalid date: %r') % date)
1144 1145 # validate explicit (probably user-specified) date and
1145 1146 # time zone offset. values must fit in signed 32 bits for
1146 1147 # current 32-bit linux runtimes. timezones go from UTC-12
1147 1148 # to UTC+14
1148 1149 if abs(when) > 0x7fffffff:
1149 1150 raise Abort(_('date exceeds 32 bits: %d') % when)
1150 1151 if when < 0:
1151 1152 raise Abort(_('negative date value: %d') % when)
1152 1153 if offset < -50400 or offset > 43200:
1153 1154 raise Abort(_('impossible time zone offset: %d') % offset)
1154 1155 return when, offset
1155 1156
1156 1157 def matchdate(date):
1157 1158 """Return a function that matches a given date match specifier
1158 1159
1159 1160 Formats include:
1160 1161
1161 1162 '{date}' match a given date to the accuracy provided
1162 1163
1163 1164 '<{date}' on or before a given date
1164 1165
1165 1166 '>{date}' on or after a given date
1166 1167
1167 1168 >>> p1 = parsedate("10:29:59")
1168 1169 >>> p2 = parsedate("10:30:00")
1169 1170 >>> p3 = parsedate("10:30:59")
1170 1171 >>> p4 = parsedate("10:31:00")
1171 1172 >>> p5 = parsedate("Sep 15 10:30:00 1999")
1172 1173 >>> f = matchdate("10:30")
1173 1174 >>> f(p1[0])
1174 1175 False
1175 1176 >>> f(p2[0])
1176 1177 True
1177 1178 >>> f(p3[0])
1178 1179 True
1179 1180 >>> f(p4[0])
1180 1181 False
1181 1182 >>> f(p5[0])
1182 1183 False
1183 1184 """
1184 1185
1185 1186 def lower(date):
1186 1187 d = dict(mb="1", d="1")
1187 1188 return parsedate(date, extendeddateformats, d)[0]
1188 1189
1189 1190 def upper(date):
1190 1191 d = dict(mb="12", HI="23", M="59", S="59")
1191 1192 for days in ("31", "30", "29"):
1192 1193 try:
1193 1194 d["d"] = days
1194 1195 return parsedate(date, extendeddateformats, d)[0]
1195 1196 except Abort:
1196 1197 pass
1197 1198 d["d"] = "28"
1198 1199 return parsedate(date, extendeddateformats, d)[0]
1199 1200
1200 1201 date = date.strip()
1201 1202
1202 1203 if not date:
1203 1204 raise Abort(_("dates cannot consist entirely of whitespace"))
1204 1205 elif date[0] == "<":
1205 1206 if not date[1:]:
1206 1207 raise Abort(_("invalid day spec, use '<DATE'"))
1207 1208 when = upper(date[1:])
1208 1209 return lambda x: x <= when
1209 1210 elif date[0] == ">":
1210 1211 if not date[1:]:
1211 1212 raise Abort(_("invalid day spec, use '>DATE'"))
1212 1213 when = lower(date[1:])
1213 1214 return lambda x: x >= when
1214 1215 elif date[0] == "-":
1215 1216 try:
1216 1217 days = int(date[1:])
1217 1218 except ValueError:
1218 1219 raise Abort(_("invalid day spec: %s") % date[1:])
1219 1220 if days < 0:
1220 1221 raise Abort(_("%s must be nonnegative (see 'hg help dates')")
1221 1222 % date[1:])
1222 1223 when = makedate()[0] - days * 3600 * 24
1223 1224 return lambda x: x >= when
1224 1225 elif " to " in date:
1225 1226 a, b = date.split(" to ")
1226 1227 start, stop = lower(a), upper(b)
1227 1228 return lambda x: x >= start and x <= stop
1228 1229 else:
1229 1230 start, stop = lower(date), upper(date)
1230 1231 return lambda x: x >= start and x <= stop
1231 1232
1232 1233 def shortuser(user):
1233 1234 """Return a short representation of a user name or email address."""
1234 1235 f = user.find('@')
1235 1236 if f >= 0:
1236 1237 user = user[:f]
1237 1238 f = user.find('<')
1238 1239 if f >= 0:
1239 1240 user = user[f + 1:]
1240 1241 f = user.find(' ')
1241 1242 if f >= 0:
1242 1243 user = user[:f]
1243 1244 f = user.find('.')
1244 1245 if f >= 0:
1245 1246 user = user[:f]
1246 1247 return user
1247 1248
1248 1249 def emailuser(user):
1249 1250 """Return the user portion of an email address."""
1250 1251 f = user.find('@')
1251 1252 if f >= 0:
1252 1253 user = user[:f]
1253 1254 f = user.find('<')
1254 1255 if f >= 0:
1255 1256 user = user[f + 1:]
1256 1257 return user
1257 1258
1258 1259 def email(author):
1259 1260 '''get email of author.'''
1260 1261 r = author.find('>')
1261 1262 if r == -1:
1262 1263 r = None
1263 1264 return author[author.find('<') + 1:r]
1264 1265
1265 1266 def _ellipsis(text, maxlength):
1266 1267 if len(text) <= maxlength:
1267 1268 return text, False
1268 1269 else:
1269 1270 return "%s..." % (text[:maxlength - 3]), True
1270 1271
1271 1272 def ellipsis(text, maxlength=400):
1272 1273 """Trim string to at most maxlength (default: 400) characters."""
1273 1274 try:
1274 1275 # use unicode not to split at intermediate multi-byte sequence
1275 1276 utext, truncated = _ellipsis(text.decode(encoding.encoding),
1276 1277 maxlength)
1277 1278 if not truncated:
1278 1279 return text
1279 1280 return utext.encode(encoding.encoding)
1280 1281 except (UnicodeDecodeError, UnicodeEncodeError):
1281 1282 return _ellipsis(text, maxlength)[0]
1282 1283
1283 1284 def unitcountfn(*unittable):
1284 1285 '''return a function that renders a readable count of some quantity'''
1285 1286
1286 1287 def go(count):
1287 1288 for multiplier, divisor, format in unittable:
1288 1289 if count >= divisor * multiplier:
1289 1290 return format % (count / float(divisor))
1290 1291 return unittable[-1][2] % count
1291 1292
1292 1293 return go
1293 1294
1294 1295 bytecount = unitcountfn(
1295 1296 (100, 1 << 30, _('%.0f GB')),
1296 1297 (10, 1 << 30, _('%.1f GB')),
1297 1298 (1, 1 << 30, _('%.2f GB')),
1298 1299 (100, 1 << 20, _('%.0f MB')),
1299 1300 (10, 1 << 20, _('%.1f MB')),
1300 1301 (1, 1 << 20, _('%.2f MB')),
1301 1302 (100, 1 << 10, _('%.0f KB')),
1302 1303 (10, 1 << 10, _('%.1f KB')),
1303 1304 (1, 1 << 10, _('%.2f KB')),
1304 1305 (1, 1, _('%.0f bytes')),
1305 1306 )
1306 1307
1307 1308 def uirepr(s):
1308 1309 # Avoid double backslash in Windows path repr()
1309 1310 return repr(s).replace('\\\\', '\\')
1310 1311
1311 1312 # delay import of textwrap
1312 1313 def MBTextWrapper(**kwargs):
1313 1314 class tw(textwrap.TextWrapper):
1314 1315 """
1315 1316 Extend TextWrapper for width-awareness.
1316 1317
1317 1318 Neither number of 'bytes' in any encoding nor 'characters' is
1318 1319 appropriate to calculate terminal columns for specified string.
1319 1320
1320 1321 Original TextWrapper implementation uses built-in 'len()' directly,
1321 1322 so overriding is needed to use width information of each characters.
1322 1323
1323 1324 In addition, characters classified into 'ambiguous' width are
1324 1325 treated as wide in East Asian area, but as narrow in other.
1325 1326
1326 1327 This requires use decision to determine width of such characters.
1327 1328 """
1328 1329 def __init__(self, **kwargs):
1329 1330 textwrap.TextWrapper.__init__(self, **kwargs)
1330 1331
1331 1332 # for compatibility between 2.4 and 2.6
1332 1333 if getattr(self, 'drop_whitespace', None) is None:
1333 1334 self.drop_whitespace = kwargs.get('drop_whitespace', True)
1334 1335
1335 1336 def _cutdown(self, ucstr, space_left):
1336 1337 l = 0
1337 1338 colwidth = encoding.ucolwidth
1338 1339 for i in xrange(len(ucstr)):
1339 1340 l += colwidth(ucstr[i])
1340 1341 if space_left < l:
1341 1342 return (ucstr[:i], ucstr[i:])
1342 1343 return ucstr, ''
1343 1344
1344 1345 # overriding of base class
1345 1346 def _handle_long_word(self, reversed_chunks, cur_line, cur_len, width):
1346 1347 space_left = max(width - cur_len, 1)
1347 1348
1348 1349 if self.break_long_words:
1349 1350 cut, res = self._cutdown(reversed_chunks[-1], space_left)
1350 1351 cur_line.append(cut)
1351 1352 reversed_chunks[-1] = res
1352 1353 elif not cur_line:
1353 1354 cur_line.append(reversed_chunks.pop())
1354 1355
1355 1356 # this overriding code is imported from TextWrapper of python 2.6
1356 1357 # to calculate columns of string by 'encoding.ucolwidth()'
1357 1358 def _wrap_chunks(self, chunks):
1358 1359 colwidth = encoding.ucolwidth
1359 1360
1360 1361 lines = []
1361 1362 if self.width <= 0:
1362 1363 raise ValueError("invalid width %r (must be > 0)" % self.width)
1363 1364
1364 1365 # Arrange in reverse order so items can be efficiently popped
1365 1366 # from a stack of chucks.
1366 1367 chunks.reverse()
1367 1368
1368 1369 while chunks:
1369 1370
1370 1371 # Start the list of chunks that will make up the current line.
1371 1372 # cur_len is just the length of all the chunks in cur_line.
1372 1373 cur_line = []
1373 1374 cur_len = 0
1374 1375
1375 1376 # Figure out which static string will prefix this line.
1376 1377 if lines:
1377 1378 indent = self.subsequent_indent
1378 1379 else:
1379 1380 indent = self.initial_indent
1380 1381
1381 1382 # Maximum width for this line.
1382 1383 width = self.width - len(indent)
1383 1384
1384 1385 # First chunk on line is whitespace -- drop it, unless this
1385 1386 # is the very beginning of the text (i.e. no lines started yet).
1386 1387 if self.drop_whitespace and chunks[-1].strip() == '' and lines:
1387 1388 del chunks[-1]
1388 1389
1389 1390 while chunks:
1390 1391 l = colwidth(chunks[-1])
1391 1392
1392 1393 # Can at least squeeze this chunk onto the current line.
1393 1394 if cur_len + l <= width:
1394 1395 cur_line.append(chunks.pop())
1395 1396 cur_len += l
1396 1397
1397 1398 # Nope, this line is full.
1398 1399 else:
1399 1400 break
1400 1401
1401 1402 # The current line is full, and the next chunk is too big to
1402 1403 # fit on *any* line (not just this one).
1403 1404 if chunks and colwidth(chunks[-1]) > width:
1404 1405 self._handle_long_word(chunks, cur_line, cur_len, width)
1405 1406
1406 1407 # If the last chunk on this line is all whitespace, drop it.
1407 1408 if (self.drop_whitespace and
1408 1409 cur_line and cur_line[-1].strip() == ''):
1409 1410 del cur_line[-1]
1410 1411
1411 1412 # Convert current line back to a string and store it in list
1412 1413 # of all lines (return value).
1413 1414 if cur_line:
1414 1415 lines.append(indent + ''.join(cur_line))
1415 1416
1416 1417 return lines
1417 1418
1418 1419 global MBTextWrapper
1419 1420 MBTextWrapper = tw
1420 1421 return tw(**kwargs)
1421 1422
1422 1423 def wrap(line, width, initindent='', hangindent=''):
1423 1424 maxindent = max(len(hangindent), len(initindent))
1424 1425 if width <= maxindent:
1425 1426 # adjust for weird terminal size
1426 1427 width = max(78, maxindent + 1)
1427 1428 line = line.decode(encoding.encoding, encoding.encodingmode)
1428 1429 initindent = initindent.decode(encoding.encoding, encoding.encodingmode)
1429 1430 hangindent = hangindent.decode(encoding.encoding, encoding.encodingmode)
1430 1431 wrapper = MBTextWrapper(width=width,
1431 1432 initial_indent=initindent,
1432 1433 subsequent_indent=hangindent)
1433 1434 return wrapper.fill(line).encode(encoding.encoding)
1434 1435
1435 1436 def iterlines(iterator):
1436 1437 for chunk in iterator:
1437 1438 for line in chunk.splitlines():
1438 1439 yield line
1439 1440
1440 1441 def expandpath(path):
1441 1442 return os.path.expanduser(os.path.expandvars(path))
1442 1443
1443 1444 def hgcmd():
1444 1445 """Return the command used to execute current hg
1445 1446
1446 1447 This is different from hgexecutable() because on Windows we want
1447 1448 to avoid things opening new shell windows like batch files, so we
1448 1449 get either the python call or current executable.
1449 1450 """
1450 1451 if mainfrozen():
1451 1452 return [sys.executable]
1452 1453 return gethgcmd()
1453 1454
1454 1455 def rundetached(args, condfn):
1455 1456 """Execute the argument list in a detached process.
1456 1457
1457 1458 condfn is a callable which is called repeatedly and should return
1458 1459 True once the child process is known to have started successfully.
1459 1460 At this point, the child process PID is returned. If the child
1460 1461 process fails to start or finishes before condfn() evaluates to
1461 1462 True, return -1.
1462 1463 """
1463 1464 # Windows case is easier because the child process is either
1464 1465 # successfully starting and validating the condition or exiting
1465 1466 # on failure. We just poll on its PID. On Unix, if the child
1466 1467 # process fails to start, it will be left in a zombie state until
1467 1468 # the parent wait on it, which we cannot do since we expect a long
1468 1469 # running process on success. Instead we listen for SIGCHLD telling
1469 1470 # us our child process terminated.
1470 1471 terminated = set()
1471 1472 def handler(signum, frame):
1472 1473 terminated.add(os.wait())
1473 1474 prevhandler = None
1474 1475 SIGCHLD = getattr(signal, 'SIGCHLD', None)
1475 1476 if SIGCHLD is not None:
1476 1477 prevhandler = signal.signal(SIGCHLD, handler)
1477 1478 try:
1478 1479 pid = spawndetached(args)
1479 1480 while not condfn():
1480 1481 if ((pid in terminated or not testpid(pid))
1481 1482 and not condfn()):
1482 1483 return -1
1483 1484 time.sleep(0.1)
1484 1485 return pid
1485 1486 finally:
1486 1487 if prevhandler is not None:
1487 1488 signal.signal(signal.SIGCHLD, prevhandler)
1488 1489
1489 1490 try:
1490 1491 any, all = any, all
1491 1492 except NameError:
1492 1493 def any(iterable):
1493 1494 for i in iterable:
1494 1495 if i:
1495 1496 return True
1496 1497 return False
1497 1498
1498 1499 def all(iterable):
1499 1500 for i in iterable:
1500 1501 if not i:
1501 1502 return False
1502 1503 return True
1503 1504
1504 1505 def interpolate(prefix, mapping, s, fn=None, escape_prefix=False):
1505 1506 """Return the result of interpolating items in the mapping into string s.
1506 1507
1507 1508 prefix is a single character string, or a two character string with
1508 1509 a backslash as the first character if the prefix needs to be escaped in
1509 1510 a regular expression.
1510 1511
1511 1512 fn is an optional function that will be applied to the replacement text
1512 1513 just before replacement.
1513 1514
1514 1515 escape_prefix is an optional flag that allows using doubled prefix for
1515 1516 its escaping.
1516 1517 """
1517 1518 fn = fn or (lambda s: s)
1518 1519 patterns = '|'.join(mapping.keys())
1519 1520 if escape_prefix:
1520 1521 patterns += '|' + prefix
1521 1522 if len(prefix) > 1:
1522 1523 prefix_char = prefix[1:]
1523 1524 else:
1524 1525 prefix_char = prefix
1525 1526 mapping[prefix_char] = prefix_char
1526 1527 r = re.compile(r'%s(%s)' % (prefix, patterns))
1527 1528 return r.sub(lambda x: fn(mapping[x.group()[1:]]), s)
1528 1529
1529 1530 def getport(port):
1530 1531 """Return the port for a given network service.
1531 1532
1532 1533 If port is an integer, it's returned as is. If it's a string, it's
1533 1534 looked up using socket.getservbyname(). If there's no matching
1534 1535 service, util.Abort is raised.
1535 1536 """
1536 1537 try:
1537 1538 return int(port)
1538 1539 except ValueError:
1539 1540 pass
1540 1541
1541 1542 try:
1542 1543 return socket.getservbyname(port)
1543 1544 except socket.error:
1544 1545 raise Abort(_("no port number associated with service '%s'") % port)
1545 1546
1546 1547 _booleans = {'1': True, 'yes': True, 'true': True, 'on': True, 'always': True,
1547 1548 '0': False, 'no': False, 'false': False, 'off': False,
1548 1549 'never': False}
1549 1550
1550 1551 def parsebool(s):
1551 1552 """Parse s into a boolean.
1552 1553
1553 1554 If s is not a valid boolean, returns None.
1554 1555 """
1555 1556 return _booleans.get(s.lower(), None)
1556 1557
1557 1558 _hexdig = '0123456789ABCDEFabcdef'
1558 1559 _hextochr = dict((a + b, chr(int(a + b, 16)))
1559 1560 for a in _hexdig for b in _hexdig)
1560 1561
1561 1562 def _urlunquote(s):
1562 1563 """Decode HTTP/HTML % encoding.
1563 1564
1564 1565 >>> _urlunquote('abc%20def')
1565 1566 'abc def'
1566 1567 """
1567 1568 res = s.split('%')
1568 1569 # fastpath
1569 1570 if len(res) == 1:
1570 1571 return s
1571 1572 s = res[0]
1572 1573 for item in res[1:]:
1573 1574 try:
1574 1575 s += _hextochr[item[:2]] + item[2:]
1575 1576 except KeyError:
1576 1577 s += '%' + item
1577 1578 except UnicodeDecodeError:
1578 1579 s += unichr(int(item[:2], 16)) + item[2:]
1579 1580 return s
1580 1581
1581 1582 class url(object):
1582 1583 r"""Reliable URL parser.
1583 1584
1584 1585 This parses URLs and provides attributes for the following
1585 1586 components:
1586 1587
1587 1588 <scheme>://<user>:<passwd>@<host>:<port>/<path>?<query>#<fragment>
1588 1589
1589 1590 Missing components are set to None. The only exception is
1590 1591 fragment, which is set to '' if present but empty.
1591 1592
1592 1593 If parsefragment is False, fragment is included in query. If
1593 1594 parsequery is False, query is included in path. If both are
1594 1595 False, both fragment and query are included in path.
1595 1596
1596 1597 See http://www.ietf.org/rfc/rfc2396.txt for more information.
1597 1598
1598 1599 Note that for backward compatibility reasons, bundle URLs do not
1599 1600 take host names. That means 'bundle://../' has a path of '../'.
1600 1601
1601 1602 Examples:
1602 1603
1603 1604 >>> url('http://www.ietf.org/rfc/rfc2396.txt')
1604 1605 <url scheme: 'http', host: 'www.ietf.org', path: 'rfc/rfc2396.txt'>
1605 1606 >>> url('ssh://[::1]:2200//home/joe/repo')
1606 1607 <url scheme: 'ssh', host: '[::1]', port: '2200', path: '/home/joe/repo'>
1607 1608 >>> url('file:///home/joe/repo')
1608 1609 <url scheme: 'file', path: '/home/joe/repo'>
1609 1610 >>> url('file:///c:/temp/foo/')
1610 1611 <url scheme: 'file', path: 'c:/temp/foo/'>
1611 1612 >>> url('bundle:foo')
1612 1613 <url scheme: 'bundle', path: 'foo'>
1613 1614 >>> url('bundle://../foo')
1614 1615 <url scheme: 'bundle', path: '../foo'>
1615 1616 >>> url(r'c:\foo\bar')
1616 1617 <url path: 'c:\\foo\\bar'>
1617 1618 >>> url(r'\\blah\blah\blah')
1618 1619 <url path: '\\\\blah\\blah\\blah'>
1619 1620 >>> url(r'\\blah\blah\blah#baz')
1620 1621 <url path: '\\\\blah\\blah\\blah', fragment: 'baz'>
1621 1622
1622 1623 Authentication credentials:
1623 1624
1624 1625 >>> url('ssh://joe:xyz@x/repo')
1625 1626 <url scheme: 'ssh', user: 'joe', passwd: 'xyz', host: 'x', path: 'repo'>
1626 1627 >>> url('ssh://joe@x/repo')
1627 1628 <url scheme: 'ssh', user: 'joe', host: 'x', path: 'repo'>
1628 1629
1629 1630 Query strings and fragments:
1630 1631
1631 1632 >>> url('http://host/a?b#c')
1632 1633 <url scheme: 'http', host: 'host', path: 'a', query: 'b', fragment: 'c'>
1633 1634 >>> url('http://host/a?b#c', parsequery=False, parsefragment=False)
1634 1635 <url scheme: 'http', host: 'host', path: 'a?b#c'>
1635 1636 """
1636 1637
1637 1638 _safechars = "!~*'()+"
1638 1639 _safepchars = "/!~*'()+:"
1639 1640 _matchscheme = re.compile(r'^[a-zA-Z0-9+.\-]+:').match
1640 1641
1641 1642 def __init__(self, path, parsequery=True, parsefragment=True):
1642 1643 # We slowly chomp away at path until we have only the path left
1643 1644 self.scheme = self.user = self.passwd = self.host = None
1644 1645 self.port = self.path = self.query = self.fragment = None
1645 1646 self._localpath = True
1646 1647 self._hostport = ''
1647 1648 self._origpath = path
1648 1649
1649 1650 if parsefragment and '#' in path:
1650 1651 path, self.fragment = path.split('#', 1)
1651 1652 if not path:
1652 1653 path = None
1653 1654
1654 1655 # special case for Windows drive letters and UNC paths
1655 1656 if hasdriveletter(path) or path.startswith(r'\\'):
1656 1657 self.path = path
1657 1658 return
1658 1659
1659 1660 # For compatibility reasons, we can't handle bundle paths as
1660 1661 # normal URLS
1661 1662 if path.startswith('bundle:'):
1662 1663 self.scheme = 'bundle'
1663 1664 path = path[7:]
1664 1665 if path.startswith('//'):
1665 1666 path = path[2:]
1666 1667 self.path = path
1667 1668 return
1668 1669
1669 1670 if self._matchscheme(path):
1670 1671 parts = path.split(':', 1)
1671 1672 if parts[0]:
1672 1673 self.scheme, path = parts
1673 1674 self._localpath = False
1674 1675
1675 1676 if not path:
1676 1677 path = None
1677 1678 if self._localpath:
1678 1679 self.path = ''
1679 1680 return
1680 1681 else:
1681 1682 if self._localpath:
1682 1683 self.path = path
1683 1684 return
1684 1685
1685 1686 if parsequery and '?' in path:
1686 1687 path, self.query = path.split('?', 1)
1687 1688 if not path:
1688 1689 path = None
1689 1690 if not self.query:
1690 1691 self.query = None
1691 1692
1692 1693 # // is required to specify a host/authority
1693 1694 if path and path.startswith('//'):
1694 1695 parts = path[2:].split('/', 1)
1695 1696 if len(parts) > 1:
1696 1697 self.host, path = parts
1697 1698 else:
1698 1699 self.host = parts[0]
1699 1700 path = None
1700 1701 if not self.host:
1701 1702 self.host = None
1702 1703 # path of file:///d is /d
1703 1704 # path of file:///d:/ is d:/, not /d:/
1704 1705 if path and not hasdriveletter(path):
1705 1706 path = '/' + path
1706 1707
1707 1708 if self.host and '@' in self.host:
1708 1709 self.user, self.host = self.host.rsplit('@', 1)
1709 1710 if ':' in self.user:
1710 1711 self.user, self.passwd = self.user.split(':', 1)
1711 1712 if not self.host:
1712 1713 self.host = None
1713 1714
1714 1715 # Don't split on colons in IPv6 addresses without ports
1715 1716 if (self.host and ':' in self.host and
1716 1717 not (self.host.startswith('[') and self.host.endswith(']'))):
1717 1718 self._hostport = self.host
1718 1719 self.host, self.port = self.host.rsplit(':', 1)
1719 1720 if not self.host:
1720 1721 self.host = None
1721 1722
1722 1723 if (self.host and self.scheme == 'file' and
1723 1724 self.host not in ('localhost', '127.0.0.1', '[::1]')):
1724 1725 raise Abort(_('file:// URLs can only refer to localhost'))
1725 1726
1726 1727 self.path = path
1727 1728
1728 1729 # leave the query string escaped
1729 1730 for a in ('user', 'passwd', 'host', 'port',
1730 1731 'path', 'fragment'):
1731 1732 v = getattr(self, a)
1732 1733 if v is not None:
1733 1734 setattr(self, a, _urlunquote(v))
1734 1735
1735 1736 def __repr__(self):
1736 1737 attrs = []
1737 1738 for a in ('scheme', 'user', 'passwd', 'host', 'port', 'path',
1738 1739 'query', 'fragment'):
1739 1740 v = getattr(self, a)
1740 1741 if v is not None:
1741 1742 attrs.append('%s: %r' % (a, v))
1742 1743 return '<url %s>' % ', '.join(attrs)
1743 1744
1744 1745 def __str__(self):
1745 1746 r"""Join the URL's components back into a URL string.
1746 1747
1747 1748 Examples:
1748 1749
1749 1750 >>> str(url('http://user:pw@host:80/c:/bob?fo:oo#ba:ar'))
1750 1751 'http://user:pw@host:80/c:/bob?fo:oo#ba:ar'
1751 1752 >>> str(url('http://user:pw@host:80/?foo=bar&baz=42'))
1752 1753 'http://user:pw@host:80/?foo=bar&baz=42'
1753 1754 >>> str(url('http://user:pw@host:80/?foo=bar%3dbaz'))
1754 1755 'http://user:pw@host:80/?foo=bar%3dbaz'
1755 1756 >>> str(url('ssh://user:pw@[::1]:2200//home/joe#'))
1756 1757 'ssh://user:pw@[::1]:2200//home/joe#'
1757 1758 >>> str(url('http://localhost:80//'))
1758 1759 'http://localhost:80//'
1759 1760 >>> str(url('http://localhost:80/'))
1760 1761 'http://localhost:80/'
1761 1762 >>> str(url('http://localhost:80'))
1762 1763 'http://localhost:80/'
1763 1764 >>> str(url('bundle:foo'))
1764 1765 'bundle:foo'
1765 1766 >>> str(url('bundle://../foo'))
1766 1767 'bundle:../foo'
1767 1768 >>> str(url('path'))
1768 1769 'path'
1769 1770 >>> str(url('file:///tmp/foo/bar'))
1770 1771 'file:///tmp/foo/bar'
1771 1772 >>> str(url('file:///c:/tmp/foo/bar'))
1772 1773 'file:///c:/tmp/foo/bar'
1773 1774 >>> print url(r'bundle:foo\bar')
1774 1775 bundle:foo\bar
1775 1776 """
1776 1777 if self._localpath:
1777 1778 s = self.path
1778 1779 if self.scheme == 'bundle':
1779 1780 s = 'bundle:' + s
1780 1781 if self.fragment:
1781 1782 s += '#' + self.fragment
1782 1783 return s
1783 1784
1784 1785 s = self.scheme + ':'
1785 1786 if self.user or self.passwd or self.host:
1786 1787 s += '//'
1787 1788 elif self.scheme and (not self.path or self.path.startswith('/')
1788 1789 or hasdriveletter(self.path)):
1789 1790 s += '//'
1790 1791 if hasdriveletter(self.path):
1791 1792 s += '/'
1792 1793 if self.user:
1793 1794 s += urllib.quote(self.user, safe=self._safechars)
1794 1795 if self.passwd:
1795 1796 s += ':' + urllib.quote(self.passwd, safe=self._safechars)
1796 1797 if self.user or self.passwd:
1797 1798 s += '@'
1798 1799 if self.host:
1799 1800 if not (self.host.startswith('[') and self.host.endswith(']')):
1800 1801 s += urllib.quote(self.host)
1801 1802 else:
1802 1803 s += self.host
1803 1804 if self.port:
1804 1805 s += ':' + urllib.quote(self.port)
1805 1806 if self.host:
1806 1807 s += '/'
1807 1808 if self.path:
1808 1809 # TODO: similar to the query string, we should not unescape the
1809 1810 # path when we store it, the path might contain '%2f' = '/',
1810 1811 # which we should *not* escape.
1811 1812 s += urllib.quote(self.path, safe=self._safepchars)
1812 1813 if self.query:
1813 1814 # we store the query in escaped form.
1814 1815 s += '?' + self.query
1815 1816 if self.fragment is not None:
1816 1817 s += '#' + urllib.quote(self.fragment, safe=self._safepchars)
1817 1818 return s
1818 1819
1819 1820 def authinfo(self):
1820 1821 user, passwd = self.user, self.passwd
1821 1822 try:
1822 1823 self.user, self.passwd = None, None
1823 1824 s = str(self)
1824 1825 finally:
1825 1826 self.user, self.passwd = user, passwd
1826 1827 if not self.user:
1827 1828 return (s, None)
1828 1829 # authinfo[1] is passed to urllib2 password manager, and its
1829 1830 # URIs must not contain credentials. The host is passed in the
1830 1831 # URIs list because Python < 2.4.3 uses only that to search for
1831 1832 # a password.
1832 1833 return (s, (None, (s, self.host),
1833 1834 self.user, self.passwd or ''))
1834 1835
1835 1836 def isabs(self):
1836 1837 if self.scheme and self.scheme != 'file':
1837 1838 return True # remote URL
1838 1839 if hasdriveletter(self.path):
1839 1840 return True # absolute for our purposes - can't be joined()
1840 1841 if self.path.startswith(r'\\'):
1841 1842 return True # Windows UNC path
1842 1843 if self.path.startswith('/'):
1843 1844 return True # POSIX-style
1844 1845 return False
1845 1846
1846 1847 def localpath(self):
1847 1848 if self.scheme == 'file' or self.scheme == 'bundle':
1848 1849 path = self.path or '/'
1849 1850 # For Windows, we need to promote hosts containing drive
1850 1851 # letters to paths with drive letters.
1851 1852 if hasdriveletter(self._hostport):
1852 1853 path = self._hostport + '/' + self.path
1853 1854 elif (self.host is not None and self.path
1854 1855 and not hasdriveletter(path)):
1855 1856 path = '/' + path
1856 1857 return path
1857 1858 return self._origpath
1858 1859
1859 1860 def hasscheme(path):
1860 1861 return bool(url(path).scheme)
1861 1862
1862 1863 def hasdriveletter(path):
1863 1864 return path and path[1:2] == ':' and path[0:1].isalpha()
1864 1865
1865 1866 def urllocalpath(path):
1866 1867 return url(path, parsequery=False, parsefragment=False).localpath()
1867 1868
1868 1869 def hidepassword(u):
1869 1870 '''hide user credential in a url string'''
1870 1871 u = url(u)
1871 1872 if u.passwd:
1872 1873 u.passwd = '***'
1873 1874 return str(u)
1874 1875
1875 1876 def removeauth(u):
1876 1877 '''remove all authentication information from a url string'''
1877 1878 u = url(u)
1878 1879 u.user = u.passwd = None
1879 1880 return str(u)
1880 1881
1881 1882 def isatty(fd):
1882 1883 try:
1883 1884 return fd.isatty()
1884 1885 except AttributeError:
1885 1886 return False
1886 1887
1887 1888 timecount = unitcountfn(
1888 1889 (1, 1e3, _('%.0f s')),
1889 1890 (100, 1, _('%.1f s')),
1890 1891 (10, 1, _('%.2f s')),
1891 1892 (1, 1, _('%.3f s')),
1892 1893 (100, 0.001, _('%.1f ms')),
1893 1894 (10, 0.001, _('%.2f ms')),
1894 1895 (1, 0.001, _('%.3f ms')),
1895 1896 (100, 0.000001, _('%.1f us')),
1896 1897 (10, 0.000001, _('%.2f us')),
1897 1898 (1, 0.000001, _('%.3f us')),
1898 1899 (100, 0.000000001, _('%.1f ns')),
1899 1900 (10, 0.000000001, _('%.2f ns')),
1900 1901 (1, 0.000000001, _('%.3f ns')),
1901 1902 )
1902 1903
1903 1904 _timenesting = [0]
1904 1905
1905 1906 def timed(func):
1906 1907 '''Report the execution time of a function call to stderr.
1907 1908
1908 1909 During development, use as a decorator when you need to measure
1909 1910 the cost of a function, e.g. as follows:
1910 1911
1911 1912 @util.timed
1912 1913 def foo(a, b, c):
1913 1914 pass
1914 1915 '''
1915 1916
1916 1917 def wrapper(*args, **kwargs):
1917 1918 start = time.time()
1918 1919 indent = 2
1919 1920 _timenesting[0] += indent
1920 1921 try:
1921 1922 return func(*args, **kwargs)
1922 1923 finally:
1923 1924 elapsed = time.time() - start
1924 1925 _timenesting[0] -= indent
1925 1926 sys.stderr.write('%s%s: %s\n' %
1926 1927 (' ' * _timenesting[0], func.__name__,
1927 1928 timecount(elapsed)))
1928 1929 return wrapper
1929 1930
1930 1931 _sizeunits = (('m', 2**20), ('k', 2**10), ('g', 2**30),
1931 1932 ('kb', 2**10), ('mb', 2**20), ('gb', 2**30), ('b', 1))
1932 1933
1933 1934 def sizetoint(s):
1934 1935 '''Convert a space specifier to a byte count.
1935 1936
1936 1937 >>> sizetoint('30')
1937 1938 30
1938 1939 >>> sizetoint('2.2kb')
1939 1940 2252
1940 1941 >>> sizetoint('6M')
1941 1942 6291456
1942 1943 '''
1943 1944 t = s.strip().lower()
1944 1945 try:
1945 1946 for k, u in _sizeunits:
1946 1947 if t.endswith(k):
1947 1948 return int(float(t[:-len(k)]) * u)
1948 1949 return int(t)
1949 1950 except ValueError:
1950 1951 raise error.ParseError(_("couldn't parse size: %s") % s)
1951 1952
1952 1953 class hooks(object):
1953 1954 '''A collection of hook functions that can be used to extend a
1954 1955 function's behaviour. Hooks are called in lexicographic order,
1955 1956 based on the names of their sources.'''
1956 1957
1957 1958 def __init__(self):
1958 1959 self._hooks = []
1959 1960
1960 1961 def add(self, source, hook):
1961 1962 self._hooks.append((source, hook))
1962 1963
1963 1964 def __call__(self, *args):
1964 1965 self._hooks.sort(key=lambda x: x[0])
1965 1966 for source, hook in self._hooks:
1966 1967 hook(*args)
General Comments 0
You need to be logged in to leave comments. Login now