##// END OF EJS Templates
subrepo: use subprocess.Popen without the shell...
Eric Eisner -
r13108:dcaad69c default
parent child Browse files
Show More
@@ -1,883 +1,876 b''
1 1 # subrepo.py - sub-repository handling for Mercurial
2 2 #
3 3 # Copyright 2009-2010 Matt Mackall <mpm@selenic.com>
4 4 #
5 5 # This software may be used and distributed according to the terms of the
6 6 # GNU General Public License version 2 or any later version.
7 7
8 8 import errno, os, re, xml.dom.minidom, shutil, urlparse, posixpath
9 9 import stat, subprocess, tarfile
10 10 from i18n import _
11 11 import config, util, node, error, cmdutil
12 12 hg = None
13 13
14 14 nullstate = ('', '', 'empty')
15 15
16 16 def state(ctx, ui):
17 17 """return a state dict, mapping subrepo paths configured in .hgsub
18 18 to tuple: (source from .hgsub, revision from .hgsubstate, kind
19 19 (key in types dict))
20 20 """
21 21 p = config.config()
22 22 def read(f, sections=None, remap=None):
23 23 if f in ctx:
24 24 try:
25 25 data = ctx[f].data()
26 26 except IOError, err:
27 27 if err.errno != errno.ENOENT:
28 28 raise
29 29 # handle missing subrepo spec files as removed
30 30 ui.warn(_("warning: subrepo spec file %s not found\n") % f)
31 31 return
32 32 p.parse(f, data, sections, remap, read)
33 33 else:
34 34 raise util.Abort(_("subrepo spec file %s not found") % f)
35 35
36 36 if '.hgsub' in ctx:
37 37 read('.hgsub')
38 38
39 39 for path, src in ui.configitems('subpaths'):
40 40 p.set('subpaths', path, src, ui.configsource('subpaths', path))
41 41
42 42 rev = {}
43 43 if '.hgsubstate' in ctx:
44 44 try:
45 45 for l in ctx['.hgsubstate'].data().splitlines():
46 46 revision, path = l.split(" ", 1)
47 47 rev[path] = revision
48 48 except IOError, err:
49 49 if err.errno != errno.ENOENT:
50 50 raise
51 51
52 52 state = {}
53 53 for path, src in p[''].items():
54 54 kind = 'hg'
55 55 if src.startswith('['):
56 56 if ']' not in src:
57 57 raise util.Abort(_('missing ] in subrepo source'))
58 58 kind, src = src.split(']', 1)
59 59 kind = kind[1:]
60 60
61 61 for pattern, repl in p.items('subpaths'):
62 62 # Turn r'C:\foo\bar' into r'C:\\foo\\bar' since re.sub
63 63 # does a string decode.
64 64 repl = repl.encode('string-escape')
65 65 # However, we still want to allow back references to go
66 66 # through unharmed, so we turn r'\\1' into r'\1'. Again,
67 67 # extra escapes are needed because re.sub string decodes.
68 68 repl = re.sub(r'\\\\([0-9]+)', r'\\\1', repl)
69 69 try:
70 70 src = re.sub(pattern, repl, src, 1)
71 71 except re.error, e:
72 72 raise util.Abort(_("bad subrepository pattern in %s: %s")
73 73 % (p.source('subpaths', pattern), e))
74 74
75 75 state[path] = (src.strip(), rev.get(path, ''), kind)
76 76
77 77 return state
78 78
79 79 def writestate(repo, state):
80 80 """rewrite .hgsubstate in (outer) repo with these subrepo states"""
81 81 repo.wwrite('.hgsubstate',
82 82 ''.join(['%s %s\n' % (state[s][1], s)
83 83 for s in sorted(state)]), '')
84 84
85 85 def submerge(repo, wctx, mctx, actx):
86 86 """delegated from merge.applyupdates: merging of .hgsubstate file
87 87 in working context, merging context and ancestor context"""
88 88 if mctx == actx: # backwards?
89 89 actx = wctx.p1()
90 90 s1 = wctx.substate
91 91 s2 = mctx.substate
92 92 sa = actx.substate
93 93 sm = {}
94 94
95 95 repo.ui.debug("subrepo merge %s %s %s\n" % (wctx, mctx, actx))
96 96
97 97 def debug(s, msg, r=""):
98 98 if r:
99 99 r = "%s:%s:%s" % r
100 100 repo.ui.debug(" subrepo %s: %s %s\n" % (s, msg, r))
101 101
102 102 for s, l in s1.items():
103 103 a = sa.get(s, nullstate)
104 104 ld = l # local state with possible dirty flag for compares
105 105 if wctx.sub(s).dirty():
106 106 ld = (l[0], l[1] + "+")
107 107 if wctx == actx: # overwrite
108 108 a = ld
109 109
110 110 if s in s2:
111 111 r = s2[s]
112 112 if ld == r or r == a: # no change or local is newer
113 113 sm[s] = l
114 114 continue
115 115 elif ld == a: # other side changed
116 116 debug(s, "other changed, get", r)
117 117 wctx.sub(s).get(r)
118 118 sm[s] = r
119 119 elif ld[0] != r[0]: # sources differ
120 120 if repo.ui.promptchoice(
121 121 _(' subrepository sources for %s differ\n'
122 122 'use (l)ocal source (%s) or (r)emote source (%s)?')
123 123 % (s, l[0], r[0]),
124 124 (_('&Local'), _('&Remote')), 0):
125 125 debug(s, "prompt changed, get", r)
126 126 wctx.sub(s).get(r)
127 127 sm[s] = r
128 128 elif ld[1] == a[1]: # local side is unchanged
129 129 debug(s, "other side changed, get", r)
130 130 wctx.sub(s).get(r)
131 131 sm[s] = r
132 132 else:
133 133 debug(s, "both sides changed, merge with", r)
134 134 wctx.sub(s).merge(r)
135 135 sm[s] = l
136 136 elif ld == a: # remote removed, local unchanged
137 137 debug(s, "remote removed, remove")
138 138 wctx.sub(s).remove()
139 139 else:
140 140 if repo.ui.promptchoice(
141 141 _(' local changed subrepository %s which remote removed\n'
142 142 'use (c)hanged version or (d)elete?') % s,
143 143 (_('&Changed'), _('&Delete')), 0):
144 144 debug(s, "prompt remove")
145 145 wctx.sub(s).remove()
146 146
147 147 for s, r in s2.items():
148 148 if s in s1:
149 149 continue
150 150 elif s not in sa:
151 151 debug(s, "remote added, get", r)
152 152 mctx.sub(s).get(r)
153 153 sm[s] = r
154 154 elif r != sa[s]:
155 155 if repo.ui.promptchoice(
156 156 _(' remote changed subrepository %s which local removed\n'
157 157 'use (c)hanged version or (d)elete?') % s,
158 158 (_('&Changed'), _('&Delete')), 0) == 0:
159 159 debug(s, "prompt recreate", r)
160 160 wctx.sub(s).get(r)
161 161 sm[s] = r
162 162
163 163 # record merged .hgsubstate
164 164 writestate(repo, sm)
165 165
166 166 def reporelpath(repo):
167 167 """return path to this (sub)repo as seen from outermost repo"""
168 168 parent = repo
169 169 while hasattr(parent, '_subparent'):
170 170 parent = parent._subparent
171 171 return repo.root[len(parent.root)+1:]
172 172
173 173 def subrelpath(sub):
174 174 """return path to this subrepo as seen from outermost repo"""
175 175 if not hasattr(sub, '_repo'):
176 176 return sub._path
177 177 return reporelpath(sub._repo)
178 178
179 179 def _abssource(repo, push=False, abort=True):
180 180 """return pull/push path of repo - either based on parent repo .hgsub info
181 181 or on the top repo config. Abort or return None if no source found."""
182 182 if hasattr(repo, '_subparent'):
183 183 source = repo._subsource
184 184 if source.startswith('/') or '://' in source:
185 185 return source
186 186 parent = _abssource(repo._subparent, push, abort=False)
187 187 if parent:
188 188 if '://' in parent:
189 189 if parent[-1] == '/':
190 190 parent = parent[:-1]
191 191 r = urlparse.urlparse(parent + '/' + source)
192 192 r = urlparse.urlunparse((r[0], r[1],
193 193 posixpath.normpath(r[2]),
194 194 r[3], r[4], r[5]))
195 195 return r
196 196 else: # plain file system path
197 197 return posixpath.normpath(os.path.join(parent, repo._subsource))
198 198 else: # recursion reached top repo
199 199 if hasattr(repo, '_subtoppath'):
200 200 return repo._subtoppath
201 201 if push and repo.ui.config('paths', 'default-push'):
202 202 return repo.ui.config('paths', 'default-push')
203 203 if repo.ui.config('paths', 'default'):
204 204 return repo.ui.config('paths', 'default')
205 205 if abort:
206 206 raise util.Abort(_("default path for subrepository %s not found") %
207 207 reporelpath(repo))
208 208
209 209 def itersubrepos(ctx1, ctx2):
210 210 """find subrepos in ctx1 or ctx2"""
211 211 # Create a (subpath, ctx) mapping where we prefer subpaths from
212 212 # ctx1. The subpaths from ctx2 are important when the .hgsub file
213 213 # has been modified (in ctx2) but not yet committed (in ctx1).
214 214 subpaths = dict.fromkeys(ctx2.substate, ctx2)
215 215 subpaths.update(dict.fromkeys(ctx1.substate, ctx1))
216 216 for subpath, ctx in sorted(subpaths.iteritems()):
217 217 yield subpath, ctx.sub(subpath)
218 218
219 219 def subrepo(ctx, path):
220 220 """return instance of the right subrepo class for subrepo in path"""
221 221 # subrepo inherently violates our import layering rules
222 222 # because it wants to make repo objects from deep inside the stack
223 223 # so we manually delay the circular imports to not break
224 224 # scripts that don't use our demand-loading
225 225 global hg
226 226 import hg as h
227 227 hg = h
228 228
229 229 util.path_auditor(ctx._repo.root)(path)
230 230 state = ctx.substate.get(path, nullstate)
231 231 if state[2] not in types:
232 232 raise util.Abort(_('unknown subrepo type %s') % state[2])
233 233 return types[state[2]](ctx, path, state[:2])
234 234
235 235 # subrepo classes need to implement the following abstract class:
236 236
237 237 class abstractsubrepo(object):
238 238
239 239 def dirty(self):
240 240 """returns true if the dirstate of the subrepo does not match
241 241 current stored state
242 242 """
243 243 raise NotImplementedError
244 244
245 245 def checknested(self, path):
246 246 """check if path is a subrepository within this repository"""
247 247 return False
248 248
249 249 def commit(self, text, user, date):
250 250 """commit the current changes to the subrepo with the given
251 251 log message. Use given user and date if possible. Return the
252 252 new state of the subrepo.
253 253 """
254 254 raise NotImplementedError
255 255
256 256 def remove(self):
257 257 """remove the subrepo
258 258
259 259 (should verify the dirstate is not dirty first)
260 260 """
261 261 raise NotImplementedError
262 262
263 263 def get(self, state):
264 264 """run whatever commands are needed to put the subrepo into
265 265 this state
266 266 """
267 267 raise NotImplementedError
268 268
269 269 def merge(self, state):
270 270 """merge currently-saved state with the new state."""
271 271 raise NotImplementedError
272 272
273 273 def push(self, force):
274 274 """perform whatever action is analogous to 'hg push'
275 275
276 276 This may be a no-op on some systems.
277 277 """
278 278 raise NotImplementedError
279 279
280 280 def add(self, ui, match, dryrun, prefix):
281 281 return []
282 282
283 283 def status(self, rev2, **opts):
284 284 return [], [], [], [], [], [], []
285 285
286 286 def diff(self, diffopts, node2, match, prefix, **opts):
287 287 pass
288 288
289 289 def outgoing(self, ui, dest, opts):
290 290 return 1
291 291
292 292 def incoming(self, ui, source, opts):
293 293 return 1
294 294
295 295 def files(self):
296 296 """return filename iterator"""
297 297 raise NotImplementedError
298 298
299 299 def filedata(self, name):
300 300 """return file data"""
301 301 raise NotImplementedError
302 302
303 303 def fileflags(self, name):
304 304 """return file flags"""
305 305 return ''
306 306
307 307 def archive(self, archiver, prefix):
308 308 for name in self.files():
309 309 flags = self.fileflags(name)
310 310 mode = 'x' in flags and 0755 or 0644
311 311 symlink = 'l' in flags
312 312 archiver.addfile(os.path.join(prefix, self._path, name),
313 313 mode, symlink, self.filedata(name))
314 314
315 315
316 316 class hgsubrepo(abstractsubrepo):
317 317 def __init__(self, ctx, path, state):
318 318 self._path = path
319 319 self._state = state
320 320 r = ctx._repo
321 321 root = r.wjoin(path)
322 322 create = False
323 323 if not os.path.exists(os.path.join(root, '.hg')):
324 324 create = True
325 325 util.makedirs(root)
326 326 self._repo = hg.repository(r.ui, root, create=create)
327 327 self._repo._subparent = r
328 328 self._repo._subsource = state[0]
329 329
330 330 if create:
331 331 fp = self._repo.opener("hgrc", "w", text=True)
332 332 fp.write('[paths]\n')
333 333
334 334 def addpathconfig(key, value):
335 335 if value:
336 336 fp.write('%s = %s\n' % (key, value))
337 337 self._repo.ui.setconfig('paths', key, value)
338 338
339 339 defpath = _abssource(self._repo, abort=False)
340 340 defpushpath = _abssource(self._repo, True, abort=False)
341 341 addpathconfig('default', defpath)
342 342 if defpath != defpushpath:
343 343 addpathconfig('default-push', defpushpath)
344 344 fp.close()
345 345
346 346 def add(self, ui, match, dryrun, prefix):
347 347 return cmdutil.add(ui, self._repo, match, dryrun, True,
348 348 os.path.join(prefix, self._path))
349 349
350 350 def status(self, rev2, **opts):
351 351 try:
352 352 rev1 = self._state[1]
353 353 ctx1 = self._repo[rev1]
354 354 ctx2 = self._repo[rev2]
355 355 return self._repo.status(ctx1, ctx2, **opts)
356 356 except error.RepoLookupError, inst:
357 357 self._repo.ui.warn(_('warning: error "%s" in subrepository "%s"\n')
358 358 % (inst, subrelpath(self)))
359 359 return [], [], [], [], [], [], []
360 360
361 361 def diff(self, diffopts, node2, match, prefix, **opts):
362 362 try:
363 363 node1 = node.bin(self._state[1])
364 364 # We currently expect node2 to come from substate and be
365 365 # in hex format
366 366 if node2 is not None:
367 367 node2 = node.bin(node2)
368 368 cmdutil.diffordiffstat(self._repo.ui, self._repo, diffopts,
369 369 node1, node2, match,
370 370 prefix=os.path.join(prefix, self._path),
371 371 listsubrepos=True, **opts)
372 372 except error.RepoLookupError, inst:
373 373 self._repo.ui.warn(_('warning: error "%s" in subrepository "%s"\n')
374 374 % (inst, subrelpath(self)))
375 375
376 376 def archive(self, archiver, prefix):
377 377 abstractsubrepo.archive(self, archiver, prefix)
378 378
379 379 rev = self._state[1]
380 380 ctx = self._repo[rev]
381 381 for subpath in ctx.substate:
382 382 s = subrepo(ctx, subpath)
383 383 s.archive(archiver, os.path.join(prefix, self._path))
384 384
385 385 def dirty(self):
386 386 r = self._state[1]
387 387 if r == '':
388 388 return True
389 389 w = self._repo[None]
390 390 if w.p1() != self._repo[r]: # version checked out change
391 391 return True
392 392 return w.dirty() # working directory changed
393 393
394 394 def checknested(self, path):
395 395 return self._repo._checknested(self._repo.wjoin(path))
396 396
397 397 def commit(self, text, user, date):
398 398 self._repo.ui.debug("committing subrepo %s\n" % subrelpath(self))
399 399 n = self._repo.commit(text, user, date)
400 400 if not n:
401 401 return self._repo['.'].hex() # different version checked out
402 402 return node.hex(n)
403 403
404 404 def remove(self):
405 405 # we can't fully delete the repository as it may contain
406 406 # local-only history
407 407 self._repo.ui.note(_('removing subrepo %s\n') % subrelpath(self))
408 408 hg.clean(self._repo, node.nullid, False)
409 409
410 410 def _get(self, state):
411 411 source, revision, kind = state
412 412 try:
413 413 self._repo.lookup(revision)
414 414 except error.RepoError:
415 415 self._repo._subsource = source
416 416 srcurl = _abssource(self._repo)
417 417 self._repo.ui.status(_('pulling subrepo %s from %s\n')
418 418 % (subrelpath(self), srcurl))
419 419 other = hg.repository(self._repo.ui, srcurl)
420 420 self._repo.pull(other)
421 421
422 422 def get(self, state):
423 423 self._get(state)
424 424 source, revision, kind = state
425 425 self._repo.ui.debug("getting subrepo %s\n" % self._path)
426 426 hg.clean(self._repo, revision, False)
427 427
428 428 def merge(self, state):
429 429 self._get(state)
430 430 cur = self._repo['.']
431 431 dst = self._repo[state[1]]
432 432 anc = dst.ancestor(cur)
433 433 if anc == cur:
434 434 self._repo.ui.debug("updating subrepo %s\n" % subrelpath(self))
435 435 hg.update(self._repo, state[1])
436 436 elif anc == dst:
437 437 self._repo.ui.debug("skipping subrepo %s\n" % subrelpath(self))
438 438 else:
439 439 self._repo.ui.debug("merging subrepo %s\n" % subrelpath(self))
440 440 hg.merge(self._repo, state[1], remind=False)
441 441
442 442 def push(self, force):
443 443 # push subrepos depth-first for coherent ordering
444 444 c = self._repo['']
445 445 subs = c.substate # only repos that are committed
446 446 for s in sorted(subs):
447 447 if not c.sub(s).push(force):
448 448 return False
449 449
450 450 dsturl = _abssource(self._repo, True)
451 451 self._repo.ui.status(_('pushing subrepo %s to %s\n') %
452 452 (subrelpath(self), dsturl))
453 453 other = hg.repository(self._repo.ui, dsturl)
454 454 return self._repo.push(other, force)
455 455
456 456 def outgoing(self, ui, dest, opts):
457 457 return hg.outgoing(ui, self._repo, _abssource(self._repo, True), opts)
458 458
459 459 def incoming(self, ui, source, opts):
460 460 return hg.incoming(ui, self._repo, _abssource(self._repo, False), opts)
461 461
462 462 def files(self):
463 463 rev = self._state[1]
464 464 ctx = self._repo[rev]
465 465 return ctx.manifest()
466 466
467 467 def filedata(self, name):
468 468 rev = self._state[1]
469 469 return self._repo[rev][name].data()
470 470
471 471 def fileflags(self, name):
472 472 rev = self._state[1]
473 473 ctx = self._repo[rev]
474 474 return ctx.flags(name)
475 475
476 476
477 477 class svnsubrepo(abstractsubrepo):
478 478 def __init__(self, ctx, path, state):
479 479 self._path = path
480 480 self._state = state
481 481 self._ctx = ctx
482 482 self._ui = ctx._repo.ui
483 483
484 484 def _svncommand(self, commands, filename=''):
485 485 path = os.path.join(self._ctx._repo.origroot, self._path, filename)
486 486 cmd = ['svn'] + commands + [path]
487 cmd = [util.shellquote(arg) for arg in cmd]
488 cmd = util.quotecommand(' '.join(cmd))
489 487 env = dict(os.environ)
490 488 # Avoid localized output, preserve current locale for everything else.
491 489 env['LC_MESSAGES'] = 'C'
492 p = subprocess.Popen(cmd, shell=True, bufsize=-1,
493 close_fds=util.closefds,
490 p = subprocess.Popen(cmd, bufsize=-1, close_fds=util.closefds,
494 491 stdout=subprocess.PIPE, stderr=subprocess.PIPE,
495 492 universal_newlines=True, env=env)
496 493 stdout, stderr = p.communicate()
497 494 stderr = stderr.strip()
498 495 if stderr:
499 496 raise util.Abort(stderr)
500 497 return stdout
501 498
502 499 def _wcrev(self):
503 500 output = self._svncommand(['info', '--xml'])
504 501 doc = xml.dom.minidom.parseString(output)
505 502 entries = doc.getElementsByTagName('entry')
506 503 if not entries:
507 504 return '0'
508 505 return str(entries[0].getAttribute('revision')) or '0'
509 506
510 507 def _wcchanged(self):
511 508 """Return (changes, extchanges) where changes is True
512 509 if the working directory was changed, and extchanges is
513 510 True if any of these changes concern an external entry.
514 511 """
515 512 output = self._svncommand(['status', '--xml'])
516 513 externals, changes = [], []
517 514 doc = xml.dom.minidom.parseString(output)
518 515 for e in doc.getElementsByTagName('entry'):
519 516 s = e.getElementsByTagName('wc-status')
520 517 if not s:
521 518 continue
522 519 item = s[0].getAttribute('item')
523 520 props = s[0].getAttribute('props')
524 521 path = e.getAttribute('path')
525 522 if item == 'external':
526 523 externals.append(path)
527 524 if (item not in ('', 'normal', 'unversioned', 'external')
528 525 or props not in ('', 'none')):
529 526 changes.append(path)
530 527 for path in changes:
531 528 for ext in externals:
532 529 if path == ext or path.startswith(ext + os.sep):
533 530 return True, True
534 531 return bool(changes), False
535 532
536 533 def dirty(self):
537 534 if self._wcrev() == self._state[1] and not self._wcchanged()[0]:
538 535 return False
539 536 return True
540 537
541 538 def commit(self, text, user, date):
542 539 # user and date are out of our hands since svn is centralized
543 540 changed, extchanged = self._wcchanged()
544 541 if not changed:
545 542 return self._wcrev()
546 543 if extchanged:
547 544 # Do not try to commit externals
548 545 raise util.Abort(_('cannot commit svn externals'))
549 546 commitinfo = self._svncommand(['commit', '-m', text])
550 547 self._ui.status(commitinfo)
551 548 newrev = re.search('Committed revision ([0-9]+).', commitinfo)
552 549 if not newrev:
553 550 raise util.Abort(commitinfo.splitlines()[-1])
554 551 newrev = newrev.groups()[0]
555 552 self._ui.status(self._svncommand(['update', '-r', newrev]))
556 553 return newrev
557 554
558 555 def remove(self):
559 556 if self.dirty():
560 557 self._ui.warn(_('not removing repo %s because '
561 558 'it has changes.\n' % self._path))
562 559 return
563 560 self._ui.note(_('removing subrepo %s\n') % self._path)
564 561
565 562 def onerror(function, path, excinfo):
566 563 if function is not os.remove:
567 564 raise
568 565 # read-only files cannot be unlinked under Windows
569 566 s = os.stat(path)
570 567 if (s.st_mode & stat.S_IWRITE) != 0:
571 568 raise
572 569 os.chmod(path, stat.S_IMODE(s.st_mode) | stat.S_IWRITE)
573 570 os.remove(path)
574 571
575 572 path = self._ctx._repo.wjoin(self._path)
576 573 shutil.rmtree(path, onerror=onerror)
577 574 try:
578 575 os.removedirs(os.path.dirname(path))
579 576 except OSError:
580 577 pass
581 578
582 579 def get(self, state):
583 580 status = self._svncommand(['checkout', state[0], '--revision', state[1]])
584 581 if not re.search('Checked out revision [0-9]+.', status):
585 582 raise util.Abort(status.splitlines()[-1])
586 583 self._ui.status(status)
587 584
588 585 def merge(self, state):
589 586 old = int(self._state[1])
590 587 new = int(state[1])
591 588 if new > old:
592 589 self.get(state)
593 590
594 591 def push(self, force):
595 592 # push is a no-op for SVN
596 593 return True
597 594
598 595 def files(self):
599 596 output = self._svncommand(['list'])
600 597 # This works because svn forbids \n in filenames.
601 598 return output.splitlines()
602 599
603 600 def filedata(self, name):
604 601 return self._svncommand(['cat'], name)
605 602
606 603
607 604 class gitsubrepo(abstractsubrepo):
608 605 def __init__(self, ctx, path, state):
609 606 # TODO add git version check.
610 607 self._state = state
611 608 self._ctx = ctx
612 609 self._relpath = path
613 610 self._path = ctx._repo.wjoin(path)
614 611 self._ui = ctx._repo.ui
615 612
616 613 def _gitcommand(self, commands, env=None, stream=False):
617 614 return self._gitdir(commands, env=env, stream=stream)[0]
618 615
619 616 def _gitdir(self, commands, env=None, stream=False):
620 617 commands = ['--no-pager'] + commands
621 618 return self._gitnodir(commands, env=env, stream=stream, cwd=self._path)
622 619
623 620 def _gitnodir(self, commands, env=None, stream=False, cwd=None):
624 621 """Calls the git command
625 622
626 623 The methods tries to call the git command. versions previor to 1.6.0
627 624 are not supported and very probably fail.
628 625 """
629 cmd = ['git'] + commands
630 cmd = [util.shellquote(arg) for arg in cmd]
631 cmd = util.quotecommand(' '.join(cmd))
632
633 626 # print git's stderr, which is mostly progress and useful info
634 p = subprocess.Popen(cmd, shell=True, bufsize=-1, cwd=cwd, env=env,
627 p = subprocess.Popen(['git'] + commands, bufsize=-1, cwd=cwd, env=env,
635 628 close_fds=util.closefds,
636 629 stdout=subprocess.PIPE)
637 630 if stream:
638 631 return p.stdout, None
639 632
640 633 retdata = p.stdout.read().strip()
641 634 # wait for the child to exit to avoid race condition.
642 635 p.wait()
643 636
644 637 if p.returncode != 0 and p.returncode != 1:
645 638 # there are certain error codes that are ok
646 639 command = None
647 640 for arg in commands:
648 641 if not arg.startswith('-'):
649 642 command = arg
650 643 break
651 644 if command == 'cat-file':
652 645 return retdata, p.returncode
653 646 # for all others, abort
654 647 raise util.Abort('git %s error %d' % (command, p.returncode))
655 648
656 649 return retdata, p.returncode
657 650
658 651 def _gitstate(self):
659 652 return self._gitcommand(['rev-parse', 'HEAD'])
660 653
661 654 def _githavelocally(self, revision):
662 655 out, code = self._gitdir(['cat-file', '-e', revision])
663 656 return code == 0
664 657
665 658 def _gitisancestor(self, r1, r2):
666 659 base = self._gitcommand(['merge-base', r1, r2])
667 660 return base == r1
668 661
669 662 def _gitbranchmap(self):
670 663 '''returns 3 things:
671 664 the current branch,
672 665 a map from git branch to revision
673 666 a map from revision to branches'''
674 667 branch2rev = {}
675 668 rev2branch = {}
676 669 current = None
677 670 out = self._gitcommand(['branch', '-a', '--no-color',
678 671 '--verbose', '--no-abbrev'])
679 672 for line in out.split('\n'):
680 673 if line[2:].startswith('(no branch)'):
681 674 continue
682 675 branch, revision = line[2:].split()[:2]
683 676 if revision == '->' or branch.endswith('/HEAD'):
684 677 continue # ignore remote/HEAD redirects
685 678 if '/' in branch and not branch.startswith('remotes/'):
686 679 # old git compatability
687 680 branch = 'remotes/' + branch
688 681 if line[0] == '*':
689 682 current = branch
690 683 branch2rev[branch] = revision
691 684 rev2branch.setdefault(revision, []).append(branch)
692 685 return current, branch2rev, rev2branch
693 686
694 687 def _gittracking(self, branches):
695 688 'return map of remote branch to local tracking branch'
696 689 # assumes no more than one local tracking branch for each remote
697 690 tracking = {}
698 691 for b in branches:
699 692 if b.startswith('remotes/'):
700 693 continue
701 694 remote = self._gitcommand(['config', 'branch.%s.remote' % b])
702 695 if remote:
703 696 ref = self._gitcommand(['config', 'branch.%s.merge' % b])
704 697 tracking['remotes/%s/%s' % (remote, ref.split('/')[-1])] = b
705 698 return tracking
706 699
707 700 def _fetch(self, source, revision):
708 701 if not os.path.exists('%s/.git' % self._path):
709 702 self._ui.status(_('cloning subrepo %s\n') % self._relpath)
710 703 self._gitnodir(['clone', source, self._path])
711 704 if self._githavelocally(revision):
712 705 return
713 706 self._ui.status(_('pulling subrepo %s\n') % self._relpath)
714 707 # first try from origin
715 708 self._gitcommand(['fetch'])
716 709 if self._githavelocally(revision):
717 710 return
718 711 # then try from known subrepo source
719 712 self._gitcommand(['fetch', source])
720 713 if not self._githavelocally(revision):
721 714 raise util.Abort(_("revision %s does not exist in subrepo %s\n") %
722 715 (revision, self._path))
723 716
724 717 def dirty(self):
725 718 if self._state[1] != self._gitstate(): # version checked out changed?
726 719 return True
727 720 # check for staged changes or modified files; ignore untracked files
728 721 status = self._gitcommand(['status'])
729 722 return ('\n# Changed but not updated:' in status or
730 723 '\n# Changes to be committed:' in status)
731 724
732 725 def get(self, state):
733 726 source, revision, kind = state
734 727 self._fetch(source, revision)
735 728 # if the repo was set to be bare, unbare it
736 729 if self._gitcommand(['config', '--bool', 'core.bare']) == 'true':
737 730 self._gitcommand(['config', 'core.bare', 'false'])
738 731 if self._gitstate() == revision:
739 732 self._gitcommand(['reset', '--hard', 'HEAD'])
740 733 return
741 734 elif self._gitstate() == revision:
742 735 return
743 736 current, branch2rev, rev2branch = self._gitbranchmap()
744 737
745 738 def rawcheckout():
746 739 # no branch to checkout, check it out with no branch
747 740 self._ui.warn(_('checking out detached HEAD in subrepo %s\n') %
748 741 self._relpath)
749 742 self._ui.warn(_('check out a git branch if you intend '
750 743 'to make changes\n'))
751 744 self._gitcommand(['checkout', '-q', revision])
752 745
753 746 if revision not in rev2branch:
754 747 rawcheckout()
755 748 return
756 749 branches = rev2branch[revision]
757 750 firstlocalbranch = None
758 751 for b in branches:
759 752 if b == 'master':
760 753 # master trumps all other branches
761 754 self._gitcommand(['checkout', 'master'])
762 755 return
763 756 if not firstlocalbranch and not b.startswith('remotes/'):
764 757 firstlocalbranch = b
765 758 if firstlocalbranch:
766 759 self._gitcommand(['checkout', firstlocalbranch])
767 760 return
768 761
769 762 tracking = self._gittracking(branch2rev.keys())
770 763 # choose a remote branch already tracked if possible
771 764 remote = branches[0]
772 765 if remote not in tracking:
773 766 for b in branches:
774 767 if b in tracking:
775 768 remote = b
776 769 break
777 770
778 771 if remote not in tracking:
779 772 # create a new local tracking branch
780 773 local = remote.split('/')[-1]
781 774 self._gitcommand(['checkout', '-b', local, remote])
782 775 elif self._gitisancestor(branch2rev[tracking[remote]], remote):
783 776 # When updating to a tracked remote branch,
784 777 # if the local tracking branch is downstream of it,
785 778 # a normal `git pull` would have performed a "fast-forward merge"
786 779 # which is equivalent to updating the local branch to the remote.
787 780 # Since we are only looking at branching at update, we need to
788 781 # detect this situation and perform this action lazily.
789 782 if tracking[remote] != current:
790 783 self._gitcommand(['checkout', tracking[remote]])
791 784 self._gitcommand(['merge', '--ff', remote])
792 785 else:
793 786 # a real merge would be required, just checkout the revision
794 787 rawcheckout()
795 788
796 789 def commit(self, text, user, date):
797 790 cmd = ['commit', '-a', '-m', text]
798 791 env = os.environ.copy()
799 792 if user:
800 793 cmd += ['--author', user]
801 794 if date:
802 795 # git's date parser silently ignores when seconds < 1e9
803 796 # convert to ISO8601
804 797 env['GIT_AUTHOR_DATE'] = util.datestr(date,
805 798 '%Y-%m-%dT%H:%M:%S %1%2')
806 799 self._gitcommand(cmd, env=env)
807 800 # make sure commit works otherwise HEAD might not exist under certain
808 801 # circumstances
809 802 return self._gitstate()
810 803
811 804 def merge(self, state):
812 805 source, revision, kind = state
813 806 self._fetch(source, revision)
814 807 base = self._gitcommand(['merge-base', revision, self._state[1]])
815 808 if base == revision:
816 809 self.get(state) # fast forward merge
817 810 elif base != self._state[1]:
818 811 self._gitcommand(['merge', '--no-commit', revision])
819 812
820 813 def push(self, force):
821 814 # if a branch in origin contains the revision, nothing to do
822 815 current, branch2rev, rev2branch = self._gitbranchmap()
823 816 for b, revision in branch2rev.iteritems():
824 817 if b.startswith('remotes/origin'):
825 818 if self._gitisancestor(self._state[1], revision):
826 819 return True
827 820 # otherwise, try to push the currently checked out branch
828 821 cmd = ['push']
829 822 if force:
830 823 cmd.append('--force')
831 824 if current:
832 825 # determine if the current branch is even useful
833 826 if not self._gitisancestor(self._state[1], current):
834 827 self._ui.warn(_('unrelated git branch checked out '
835 828 'in subrepo %s\n') % self._relpath)
836 829 return False
837 830 self._ui.status(_('pushing branch %s of subrepo %s\n') %
838 831 (current, self._relpath))
839 832 self._gitcommand(cmd + ['origin', current])
840 833 return True
841 834 else:
842 835 self._ui.warn(_('no branch checked out in subrepo %s\n'
843 836 'cannot push revision %s') %
844 837 (self._relpath, self._state[1]))
845 838 return False
846 839
847 840 def remove(self):
848 841 if self.dirty():
849 842 self._ui.warn(_('not removing repo %s because '
850 843 'it has changes.\n') % self._path)
851 844 return
852 845 # we can't fully delete the repository as it may contain
853 846 # local-only history
854 847 self._ui.note(_('removing subrepo %s\n') % self._path)
855 848 self._gitcommand(['config', 'core.bare', 'true'])
856 849 for f in os.listdir(self._path):
857 850 if f == '.git':
858 851 continue
859 852 path = os.path.join(self._path, f)
860 853 if os.path.isdir(path) and not os.path.islink(path):
861 854 shutil.rmtree(path)
862 855 else:
863 856 os.remove(path)
864 857
865 858 def archive(self, archiver, prefix):
866 859 source, revision = self._state
867 860 self._fetch(source, revision)
868 861
869 862 # Parse git's native archive command.
870 863 # This should be much faster than manually traversing the trees
871 864 # and objects with many subprocess calls.
872 865 tarstream = self._gitcommand(['archive', revision], stream=True)
873 866 tar = tarfile.open(fileobj=tarstream, mode='r|')
874 867 for info in tar:
875 868 archiver.addfile(os.path.join(prefix, self._relpath, info.name),
876 869 info.mode, info.issym(),
877 870 tar.extractfile(info).read())
878 871
879 872 types = {
880 873 'hg': hgsubrepo,
881 874 'svn': svnsubrepo,
882 875 'git': gitsubrepo,
883 876 }
General Comments 0
You need to be logged in to leave comments. Login now