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