##// END OF EJS Templates
merge.mergestate: only check for merge driver when property is accessed...
Siddharth Agarwal -
r26768:ac68769a default
parent child Browse files
Show More
@@ -1,1292 +1,1299
1 1 # merge.py - directory-level update/merge handling for Mercurial
2 2 #
3 3 # Copyright 2006, 2007 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 from __future__ import absolute_import
9 9
10 10 import errno
11 11 import os
12 12 import shutil
13 13 import struct
14 14
15 15 from .i18n import _
16 16 from .node import (
17 17 bin,
18 18 hex,
19 19 nullid,
20 20 nullrev,
21 21 )
22 22 from . import (
23 23 copies,
24 24 destutil,
25 25 error,
26 26 filemerge,
27 27 obsolete,
28 28 subrepo,
29 29 util,
30 30 worker,
31 31 )
32 32
33 33 _pack = struct.pack
34 34 _unpack = struct.unpack
35 35
36 36 def _droponode(data):
37 37 # used for compatibility for v1
38 38 bits = data.split('\0')
39 39 bits = bits[:-2] + bits[-1:]
40 40 return '\0'.join(bits)
41 41
42 42 class mergestate(object):
43 43 '''track 3-way merge state of individual files
44 44
45 45 it is stored on disk when needed. Two file are used, one with an old
46 46 format, one with a new format. Both contains similar data, but the new
47 47 format can store new kinds of field.
48 48
49 49 Current new format is a list of arbitrary record of the form:
50 50
51 51 [type][length][content]
52 52
53 53 Type is a single character, length is a 4 bytes integer, content is an
54 54 arbitrary suites of bytes of length `length`.
55 55
56 56 Type should be a letter. Capital letter are mandatory record, Mercurial
57 57 should abort if they are unknown. lower case record can be safely ignored.
58 58
59 59 Currently known record:
60 60
61 61 L: the node of the "local" part of the merge (hexified version)
62 62 O: the node of the "other" part of the merge (hexified version)
63 63 F: a file to be merged entry
64 64 D: a file that the external merge driver will merge internally
65 65 (experimental)
66 66 m: the external merge driver defined for this merge plus its run state
67 67 (experimental)
68 68
69 69 Merge driver run states (experimental):
70 70 u: driver-resolved files unmarked -- needs to be run next time we're about
71 71 to resolve or commit
72 72 m: driver-resolved files marked -- only needs to be run before commit
73 73 s: success/skipped -- does not need to be run any more
74 74 '''
75 75 statepathv1 = 'merge/state'
76 76 statepathv2 = 'merge/state2'
77 77
78 78 def __init__(self, repo):
79 79 self._repo = repo
80 80 self._dirty = False
81 81 self._read()
82 82
83 83 def reset(self, node=None, other=None):
84 84 self._state = {}
85 85 self._local = None
86 86 self._other = None
87 87 if 'otherctx' in vars(self):
88 88 del self.otherctx
89 89 if node:
90 90 self._local = node
91 91 self._other = other
92 92 self._mdstate = 'u'
93 self._readmergedriver = None
93 94 shutil.rmtree(self._repo.join('merge'), True)
94 95 self._dirty = False
95 96
96 97 def _read(self):
97 98 """Analyse each record content to restore a serialized state from disk
98 99
99 100 This function process "record" entry produced by the de-serialization
100 101 of on disk file.
101 102 """
102 103 self._state = {}
103 104 self._local = None
104 105 self._other = None
105 106 self._mdstate = 'u'
106 107 if 'otherctx' in vars(self):
107 108 del self.otherctx
109 self._readmergedriver = None
108 110 records = self._readrecords()
109 111 for rtype, record in records:
110 112 if rtype == 'L':
111 113 self._local = bin(record)
112 114 elif rtype == 'O':
113 115 self._other = bin(record)
114 116 elif rtype == 'm':
115 117 bits = record.split('\0', 1)
116 118 mdstate = bits[1]
117 119 if len(mdstate) != 1 or mdstate not in 'ums':
118 120 # the merge driver should be idempotent, so just rerun it
119 121 mdstate = 'u'
120 122
121 # protect against the following:
122 # - A configures a malicious merge driver in their hgrc, then
123 # pauses the merge
124 # - A edits their hgrc to remove references to the merge driver
125 # - A gives a copy of their entire repo, including .hg, to B
126 # - B inspects .hgrc and finds it to be clean
127 # - B then continues the merge and the malicious merge driver
128 # gets invoked
129 if self.mergedriver != bits[0]:
130 raise error.ConfigError(
131 _("merge driver changed since merge started"),
132 hint=_("revert merge driver change or abort merge"))
123 self._readmergedriver = bits[0]
133 124 self._mdstate = mdstate
134 125 elif rtype in 'FD':
135 126 bits = record.split('\0')
136 127 self._state[bits[0]] = bits[1:]
137 128 elif not rtype.islower():
138 129 raise error.Abort(_('unsupported merge state record: %s')
139 130 % rtype)
140 131 self._dirty = False
141 132
142 133 def _readrecords(self):
143 134 """Read merge state from disk and return a list of record (TYPE, data)
144 135
145 136 We read data from both v1 and v2 files and decide which one to use.
146 137
147 138 V1 has been used by version prior to 2.9.1 and contains less data than
148 139 v2. We read both versions and check if no data in v2 contradicts
149 140 v1. If there is not contradiction we can safely assume that both v1
150 141 and v2 were written at the same time and use the extract data in v2. If
151 142 there is contradiction we ignore v2 content as we assume an old version
152 143 of Mercurial has overwritten the mergestate file and left an old v2
153 144 file around.
154 145
155 146 returns list of record [(TYPE, data), ...]"""
156 147 v1records = self._readrecordsv1()
157 148 v2records = self._readrecordsv2()
158 149 if self._v1v2match(v1records, v2records):
159 150 return v2records
160 151 else:
161 152 # v1 file is newer than v2 file, use it
162 153 # we have to infer the "other" changeset of the merge
163 154 # we cannot do better than that with v1 of the format
164 155 mctx = self._repo[None].parents()[-1]
165 156 v1records.append(('O', mctx.hex()))
166 157 # add place holder "other" file node information
167 158 # nobody is using it yet so we do no need to fetch the data
168 159 # if mctx was wrong `mctx[bits[-2]]` may fails.
169 160 for idx, r in enumerate(v1records):
170 161 if r[0] == 'F':
171 162 bits = r[1].split('\0')
172 163 bits.insert(-2, '')
173 164 v1records[idx] = (r[0], '\0'.join(bits))
174 165 return v1records
175 166
176 167 def _v1v2match(self, v1records, v2records):
177 168 oldv2 = set() # old format version of v2 record
178 169 for rec in v2records:
179 170 if rec[0] == 'L':
180 171 oldv2.add(rec)
181 172 elif rec[0] == 'F':
182 173 # drop the onode data (not contained in v1)
183 174 oldv2.add(('F', _droponode(rec[1])))
184 175 for rec in v1records:
185 176 if rec not in oldv2:
186 177 return False
187 178 else:
188 179 return True
189 180
190 181 def _readrecordsv1(self):
191 182 """read on disk merge state for version 1 file
192 183
193 184 returns list of record [(TYPE, data), ...]
194 185
195 186 Note: the "F" data from this file are one entry short
196 187 (no "other file node" entry)
197 188 """
198 189 records = []
199 190 try:
200 191 f = self._repo.vfs(self.statepathv1)
201 192 for i, l in enumerate(f):
202 193 if i == 0:
203 194 records.append(('L', l[:-1]))
204 195 else:
205 196 records.append(('F', l[:-1]))
206 197 f.close()
207 198 except IOError as err:
208 199 if err.errno != errno.ENOENT:
209 200 raise
210 201 return records
211 202
212 203 def _readrecordsv2(self):
213 204 """read on disk merge state for version 2 file
214 205
215 206 returns list of record [(TYPE, data), ...]
216 207 """
217 208 records = []
218 209 try:
219 210 f = self._repo.vfs(self.statepathv2)
220 211 data = f.read()
221 212 off = 0
222 213 end = len(data)
223 214 while off < end:
224 215 rtype = data[off]
225 216 off += 1
226 217 length = _unpack('>I', data[off:(off + 4)])[0]
227 218 off += 4
228 219 record = data[off:(off + length)]
229 220 off += length
230 221 records.append((rtype, record))
231 222 f.close()
232 223 except IOError as err:
233 224 if err.errno != errno.ENOENT:
234 225 raise
235 226 return records
236 227
237 228 @util.propertycache
238 229 def mergedriver(self):
239 return self._repo.ui.config('experimental', 'mergedriver')
230 # protect against the following:
231 # - A configures a malicious merge driver in their hgrc, then
232 # pauses the merge
233 # - A edits their hgrc to remove references to the merge driver
234 # - A gives a copy of their entire repo, including .hg, to B
235 # - B inspects .hgrc and finds it to be clean
236 # - B then continues the merge and the malicious merge driver
237 # gets invoked
238 configmergedriver = self._repo.ui.config('experimental', 'mergedriver')
239 if (self._readmergedriver is not None
240 and self._readmergedriver != configmergedriver):
241 raise error.ConfigError(
242 _("merge driver changed since merge started"),
243 hint=_("revert merge driver change or abort merge"))
244
245 return configmergedriver
246
240 247 @util.propertycache
241 248 def otherctx(self):
242 249 return self._repo[self._other]
243 250
244 251 def active(self):
245 252 """Whether mergestate is active.
246 253
247 254 Returns True if there appears to be mergestate. This is a rough proxy
248 255 for "is a merge in progress."
249 256 """
250 257 # Check local variables before looking at filesystem for performance
251 258 # reasons.
252 259 return bool(self._local) or bool(self._state) or \
253 260 self._repo.vfs.exists(self.statepathv1) or \
254 261 self._repo.vfs.exists(self.statepathv2)
255 262
256 263 def commit(self):
257 264 """Write current state on disk (if necessary)"""
258 265 if self._dirty:
259 266 records = []
260 267 records.append(('L', hex(self._local)))
261 268 records.append(('O', hex(self._other)))
262 269 if self.mergedriver:
263 270 records.append(('m', '\0'.join([
264 271 self.mergedriver, self._mdstate])))
265 272 for d, v in self._state.iteritems():
266 273 if v[0] == 'd':
267 274 records.append(('D', '\0'.join([d] + v)))
268 275 else:
269 276 records.append(('F', '\0'.join([d] + v)))
270 277 self._writerecords(records)
271 278 self._dirty = False
272 279
273 280 def _writerecords(self, records):
274 281 """Write current state on disk (both v1 and v2)"""
275 282 self._writerecordsv1(records)
276 283 self._writerecordsv2(records)
277 284
278 285 def _writerecordsv1(self, records):
279 286 """Write current state on disk in a version 1 file"""
280 287 f = self._repo.vfs(self.statepathv1, 'w')
281 288 irecords = iter(records)
282 289 lrecords = irecords.next()
283 290 assert lrecords[0] == 'L'
284 291 f.write(hex(self._local) + '\n')
285 292 for rtype, data in irecords:
286 293 if rtype == 'F':
287 294 f.write('%s\n' % _droponode(data))
288 295 f.close()
289 296
290 297 def _writerecordsv2(self, records):
291 298 """Write current state on disk in a version 2 file"""
292 299 f = self._repo.vfs(self.statepathv2, 'w')
293 300 for key, data in records:
294 301 assert len(key) == 1
295 302 format = '>sI%is' % len(data)
296 303 f.write(_pack(format, key, len(data), data))
297 304 f.close()
298 305
299 306 def add(self, fcl, fco, fca, fd):
300 307 """add a new (potentially?) conflicting file the merge state
301 308 fcl: file context for local,
302 309 fco: file context for remote,
303 310 fca: file context for ancestors,
304 311 fd: file path of the resulting merge.
305 312
306 313 note: also write the local version to the `.hg/merge` directory.
307 314 """
308 315 hash = util.sha1(fcl.path()).hexdigest()
309 316 self._repo.vfs.write('merge/' + hash, fcl.data())
310 317 self._state[fd] = ['u', hash, fcl.path(),
311 318 fca.path(), hex(fca.filenode()),
312 319 fco.path(), hex(fco.filenode()),
313 320 fcl.flags()]
314 321 self._dirty = True
315 322
316 323 def __contains__(self, dfile):
317 324 return dfile in self._state
318 325
319 326 def __getitem__(self, dfile):
320 327 return self._state[dfile][0]
321 328
322 329 def __iter__(self):
323 330 return iter(sorted(self._state))
324 331
325 332 def files(self):
326 333 return self._state.keys()
327 334
328 335 def mark(self, dfile, state):
329 336 self._state[dfile][0] = state
330 337 self._dirty = True
331 338
332 339 def mdstate(self):
333 340 return self._mdstate
334 341
335 342 def unresolved(self):
336 343 """Obtain the paths of unresolved files."""
337 344
338 345 for f, entry in self._state.items():
339 346 if entry[0] == 'u':
340 347 yield f
341 348
342 349 def driverresolved(self):
343 350 """Obtain the paths of driver-resolved files."""
344 351
345 352 for f, entry in self._state.items():
346 353 if entry[0] == 'd':
347 354 yield f
348 355
349 356 def _resolve(self, preresolve, dfile, wctx, labels=None):
350 357 """rerun merge process for file path `dfile`"""
351 358 if self[dfile] in 'rd':
352 359 return True, 0
353 360 stateentry = self._state[dfile]
354 361 state, hash, lfile, afile, anode, ofile, onode, flags = stateentry
355 362 octx = self._repo[self._other]
356 363 fcd = wctx[dfile]
357 364 fco = octx[ofile]
358 365 fca = self._repo.filectx(afile, fileid=anode)
359 366 # "premerge" x flags
360 367 flo = fco.flags()
361 368 fla = fca.flags()
362 369 if 'x' in flags + flo + fla and 'l' not in flags + flo + fla:
363 370 if fca.node() == nullid:
364 371 if preresolve:
365 372 self._repo.ui.warn(
366 373 _('warning: cannot merge flags for %s\n') % afile)
367 374 elif flags == fla:
368 375 flags = flo
369 376 if preresolve:
370 377 # restore local
371 378 f = self._repo.vfs('merge/' + hash)
372 379 self._repo.wwrite(dfile, f.read(), flags)
373 380 f.close()
374 381 complete, r = filemerge.premerge(self._repo, self._local, lfile,
375 382 fcd, fco, fca, labels=labels)
376 383 else:
377 384 complete, r = filemerge.filemerge(self._repo, self._local, lfile,
378 385 fcd, fco, fca, labels=labels)
379 386 if r is None:
380 387 # no real conflict
381 388 del self._state[dfile]
382 389 self._dirty = True
383 390 elif not r:
384 391 self.mark(dfile, 'r')
385 392 return complete, r
386 393
387 394 def preresolve(self, dfile, wctx, labels=None):
388 395 return self._resolve(True, dfile, wctx, labels=labels)
389 396
390 397 def resolve(self, dfile, wctx, labels=None):
391 398 """rerun merge process for file path `dfile`"""
392 399 return self._resolve(False, dfile, wctx, labels=labels)[1]
393 400
394 401 def _checkunknownfile(repo, wctx, mctx, f, f2=None):
395 402 if f2 is None:
396 403 f2 = f
397 404 return (os.path.isfile(repo.wjoin(f))
398 405 and repo.wvfs.audit.check(f)
399 406 and repo.dirstate.normalize(f) not in repo.dirstate
400 407 and mctx[f2].cmp(wctx[f]))
401 408
402 409 def _checkunknownfiles(repo, wctx, mctx, force, actions):
403 410 """
404 411 Considers any actions that care about the presence of conflicting unknown
405 412 files. For some actions, the result is to abort; for others, it is to
406 413 choose a different action.
407 414 """
408 415 aborts = []
409 416 if not force:
410 417 for f, (m, args, msg) in actions.iteritems():
411 418 if m in ('c', 'dc'):
412 419 if _checkunknownfile(repo, wctx, mctx, f):
413 420 aborts.append(f)
414 421 elif m == 'dg':
415 422 if _checkunknownfile(repo, wctx, mctx, f, args[0]):
416 423 aborts.append(f)
417 424
418 425 for f in sorted(aborts):
419 426 repo.ui.warn(_("%s: untracked file differs\n") % f)
420 427 if aborts:
421 428 raise error.Abort(_("untracked files in working directory differ "
422 429 "from files in requested revision"))
423 430
424 431 for f, (m, args, msg) in actions.iteritems():
425 432 if m == 'c':
426 433 actions[f] = ('g', args, msg)
427 434 elif m == 'cm':
428 435 fl2, anc = args
429 436 different = _checkunknownfile(repo, wctx, mctx, f)
430 437 if different:
431 438 actions[f] = ('m', (f, f, None, False, anc),
432 439 "remote differs from untracked local")
433 440 else:
434 441 actions[f] = ('g', (fl2,), "remote created")
435 442
436 443 def _forgetremoved(wctx, mctx, branchmerge):
437 444 """
438 445 Forget removed files
439 446
440 447 If we're jumping between revisions (as opposed to merging), and if
441 448 neither the working directory nor the target rev has the file,
442 449 then we need to remove it from the dirstate, to prevent the
443 450 dirstate from listing the file when it is no longer in the
444 451 manifest.
445 452
446 453 If we're merging, and the other revision has removed a file
447 454 that is not present in the working directory, we need to mark it
448 455 as removed.
449 456 """
450 457
451 458 actions = {}
452 459 m = 'f'
453 460 if branchmerge:
454 461 m = 'r'
455 462 for f in wctx.deleted():
456 463 if f not in mctx:
457 464 actions[f] = m, None, "forget deleted"
458 465
459 466 if not branchmerge:
460 467 for f in wctx.removed():
461 468 if f not in mctx:
462 469 actions[f] = 'f', None, "forget removed"
463 470
464 471 return actions
465 472
466 473 def _checkcollision(repo, wmf, actions):
467 474 # build provisional merged manifest up
468 475 pmmf = set(wmf)
469 476
470 477 if actions:
471 478 # k, dr, e and rd are no-op
472 479 for m in 'a', 'f', 'g', 'cd', 'dc':
473 480 for f, args, msg in actions[m]:
474 481 pmmf.add(f)
475 482 for f, args, msg in actions['r']:
476 483 pmmf.discard(f)
477 484 for f, args, msg in actions['dm']:
478 485 f2, flags = args
479 486 pmmf.discard(f2)
480 487 pmmf.add(f)
481 488 for f, args, msg in actions['dg']:
482 489 pmmf.add(f)
483 490 for f, args, msg in actions['m']:
484 491 f1, f2, fa, move, anc = args
485 492 if move:
486 493 pmmf.discard(f1)
487 494 pmmf.add(f)
488 495
489 496 # check case-folding collision in provisional merged manifest
490 497 foldmap = {}
491 498 for f in sorted(pmmf):
492 499 fold = util.normcase(f)
493 500 if fold in foldmap:
494 501 raise error.Abort(_("case-folding collision between %s and %s")
495 502 % (f, foldmap[fold]))
496 503 foldmap[fold] = f
497 504
498 505 # check case-folding of directories
499 506 foldprefix = unfoldprefix = lastfull = ''
500 507 for fold, f in sorted(foldmap.items()):
501 508 if fold.startswith(foldprefix) and not f.startswith(unfoldprefix):
502 509 # the folded prefix matches but actual casing is different
503 510 raise error.Abort(_("case-folding collision between "
504 511 "%s and directory of %s") % (lastfull, f))
505 512 foldprefix = fold + '/'
506 513 unfoldprefix = f + '/'
507 514 lastfull = f
508 515
509 516 def manifestmerge(repo, wctx, p2, pa, branchmerge, force, partial,
510 517 acceptremote, followcopies):
511 518 """
512 519 Merge p1 and p2 with ancestor pa and generate merge action list
513 520
514 521 branchmerge and force are as passed in to update
515 522 partial = function to filter file lists
516 523 acceptremote = accept the incoming changes without prompting
517 524 """
518 525
519 526 copy, movewithdir, diverge, renamedelete = {}, {}, {}, {}
520 527
521 528 # manifests fetched in order are going to be faster, so prime the caches
522 529 [x.manifest() for x in
523 530 sorted(wctx.parents() + [p2, pa], key=lambda x: x.rev())]
524 531
525 532 if followcopies:
526 533 ret = copies.mergecopies(repo, wctx, p2, pa)
527 534 copy, movewithdir, diverge, renamedelete = ret
528 535
529 536 repo.ui.note(_("resolving manifests\n"))
530 537 repo.ui.debug(" branchmerge: %s, force: %s, partial: %s\n"
531 538 % (bool(branchmerge), bool(force), bool(partial)))
532 539 repo.ui.debug(" ancestor: %s, local: %s, remote: %s\n" % (pa, wctx, p2))
533 540
534 541 m1, m2, ma = wctx.manifest(), p2.manifest(), pa.manifest()
535 542 copied = set(copy.values())
536 543 copied.update(movewithdir.values())
537 544
538 545 if '.hgsubstate' in m1:
539 546 # check whether sub state is modified
540 547 for s in sorted(wctx.substate):
541 548 if wctx.sub(s).dirty():
542 549 m1['.hgsubstate'] += '+'
543 550 break
544 551
545 552 # Compare manifests
546 553 diff = m1.diff(m2)
547 554
548 555 actions = {}
549 556 for f, ((n1, fl1), (n2, fl2)) in diff.iteritems():
550 557 if partial and not partial(f):
551 558 continue
552 559 if n1 and n2: # file exists on both local and remote side
553 560 if f not in ma:
554 561 fa = copy.get(f, None)
555 562 if fa is not None:
556 563 actions[f] = ('m', (f, f, fa, False, pa.node()),
557 564 "both renamed from " + fa)
558 565 else:
559 566 actions[f] = ('m', (f, f, None, False, pa.node()),
560 567 "both created")
561 568 else:
562 569 a = ma[f]
563 570 fla = ma.flags(f)
564 571 nol = 'l' not in fl1 + fl2 + fla
565 572 if n2 == a and fl2 == fla:
566 573 actions[f] = ('k' , (), "remote unchanged")
567 574 elif n1 == a and fl1 == fla: # local unchanged - use remote
568 575 if n1 == n2: # optimization: keep local content
569 576 actions[f] = ('e', (fl2,), "update permissions")
570 577 else:
571 578 actions[f] = ('g', (fl2,), "remote is newer")
572 579 elif nol and n2 == a: # remote only changed 'x'
573 580 actions[f] = ('e', (fl2,), "update permissions")
574 581 elif nol and n1 == a: # local only changed 'x'
575 582 actions[f] = ('g', (fl1,), "remote is newer")
576 583 else: # both changed something
577 584 actions[f] = ('m', (f, f, f, False, pa.node()),
578 585 "versions differ")
579 586 elif n1: # file exists only on local side
580 587 if f in copied:
581 588 pass # we'll deal with it on m2 side
582 589 elif f in movewithdir: # directory rename, move local
583 590 f2 = movewithdir[f]
584 591 if f2 in m2:
585 592 actions[f2] = ('m', (f, f2, None, True, pa.node()),
586 593 "remote directory rename, both created")
587 594 else:
588 595 actions[f2] = ('dm', (f, fl1),
589 596 "remote directory rename - move from " + f)
590 597 elif f in copy:
591 598 f2 = copy[f]
592 599 actions[f] = ('m', (f, f2, f2, False, pa.node()),
593 600 "local copied/moved from " + f2)
594 601 elif f in ma: # clean, a different, no remote
595 602 if n1 != ma[f]:
596 603 if acceptremote:
597 604 actions[f] = ('r', None, "remote delete")
598 605 else:
599 606 actions[f] = ('cd', None, "prompt changed/deleted")
600 607 elif n1[20:] == 'a':
601 608 # This extra 'a' is added by working copy manifest to mark
602 609 # the file as locally added. We should forget it instead of
603 610 # deleting it.
604 611 actions[f] = ('f', None, "remote deleted")
605 612 else:
606 613 actions[f] = ('r', None, "other deleted")
607 614 elif n2: # file exists only on remote side
608 615 if f in copied:
609 616 pass # we'll deal with it on m1 side
610 617 elif f in movewithdir:
611 618 f2 = movewithdir[f]
612 619 if f2 in m1:
613 620 actions[f2] = ('m', (f2, f, None, False, pa.node()),
614 621 "local directory rename, both created")
615 622 else:
616 623 actions[f2] = ('dg', (f, fl2),
617 624 "local directory rename - get from " + f)
618 625 elif f in copy:
619 626 f2 = copy[f]
620 627 if f2 in m2:
621 628 actions[f] = ('m', (f2, f, f2, False, pa.node()),
622 629 "remote copied from " + f2)
623 630 else:
624 631 actions[f] = ('m', (f2, f, f2, True, pa.node()),
625 632 "remote moved from " + f2)
626 633 elif f not in ma:
627 634 # local unknown, remote created: the logic is described by the
628 635 # following table:
629 636 #
630 637 # force branchmerge different | action
631 638 # n * * | create
632 639 # y n * | create
633 640 # y y n | create
634 641 # y y y | merge
635 642 #
636 643 # Checking whether the files are different is expensive, so we
637 644 # don't do that when we can avoid it.
638 645 if not force:
639 646 actions[f] = ('c', (fl2,), "remote created")
640 647 elif not branchmerge:
641 648 actions[f] = ('c', (fl2,), "remote created")
642 649 else:
643 650 actions[f] = ('cm', (fl2, pa.node()),
644 651 "remote created, get or merge")
645 652 elif n2 != ma[f]:
646 653 if acceptremote:
647 654 actions[f] = ('c', (fl2,), "remote recreating")
648 655 else:
649 656 actions[f] = ('dc', (fl2,), "prompt deleted/changed")
650 657
651 658 return actions, diverge, renamedelete
652 659
653 660 def _resolvetrivial(repo, wctx, mctx, ancestor, actions):
654 661 """Resolves false conflicts where the nodeid changed but the content
655 662 remained the same."""
656 663
657 664 for f, (m, args, msg) in actions.items():
658 665 if m == 'cd' and f in ancestor and not wctx[f].cmp(ancestor[f]):
659 666 # local did change but ended up with same content
660 667 actions[f] = 'r', None, "prompt same"
661 668 elif m == 'dc' and f in ancestor and not mctx[f].cmp(ancestor[f]):
662 669 # remote did change but ended up with same content
663 670 del actions[f] # don't get = keep local deleted
664 671
665 672 def calculateupdates(repo, wctx, mctx, ancestors, branchmerge, force, partial,
666 673 acceptremote, followcopies):
667 674 "Calculate the actions needed to merge mctx into wctx using ancestors"
668 675
669 676 if len(ancestors) == 1: # default
670 677 actions, diverge, renamedelete = manifestmerge(
671 678 repo, wctx, mctx, ancestors[0], branchmerge, force, partial,
672 679 acceptremote, followcopies)
673 680 _checkunknownfiles(repo, wctx, mctx, force, actions)
674 681
675 682 else: # only when merge.preferancestor=* - the default
676 683 repo.ui.note(
677 684 _("note: merging %s and %s using bids from ancestors %s\n") %
678 685 (wctx, mctx, _(' and ').join(str(anc) for anc in ancestors)))
679 686
680 687 # Call for bids
681 688 fbids = {} # mapping filename to bids (action method to list af actions)
682 689 diverge, renamedelete = None, None
683 690 for ancestor in ancestors:
684 691 repo.ui.note(_('\ncalculating bids for ancestor %s\n') % ancestor)
685 692 actions, diverge1, renamedelete1 = manifestmerge(
686 693 repo, wctx, mctx, ancestor, branchmerge, force, partial,
687 694 acceptremote, followcopies)
688 695 _checkunknownfiles(repo, wctx, mctx, force, actions)
689 696
690 697 # Track the shortest set of warning on the theory that bid
691 698 # merge will correctly incorporate more information
692 699 if diverge is None or len(diverge1) < len(diverge):
693 700 diverge = diverge1
694 701 if renamedelete is None or len(renamedelete) < len(renamedelete1):
695 702 renamedelete = renamedelete1
696 703
697 704 for f, a in sorted(actions.iteritems()):
698 705 m, args, msg = a
699 706 repo.ui.debug(' %s: %s -> %s\n' % (f, msg, m))
700 707 if f in fbids:
701 708 d = fbids[f]
702 709 if m in d:
703 710 d[m].append(a)
704 711 else:
705 712 d[m] = [a]
706 713 else:
707 714 fbids[f] = {m: [a]}
708 715
709 716 # Pick the best bid for each file
710 717 repo.ui.note(_('\nauction for merging merge bids\n'))
711 718 actions = {}
712 719 for f, bids in sorted(fbids.items()):
713 720 # bids is a mapping from action method to list af actions
714 721 # Consensus?
715 722 if len(bids) == 1: # all bids are the same kind of method
716 723 m, l = bids.items()[0]
717 724 if all(a == l[0] for a in l[1:]): # len(bids) is > 1
718 725 repo.ui.note(" %s: consensus for %s\n" % (f, m))
719 726 actions[f] = l[0]
720 727 continue
721 728 # If keep is an option, just do it.
722 729 if 'k' in bids:
723 730 repo.ui.note(" %s: picking 'keep' action\n" % f)
724 731 actions[f] = bids['k'][0]
725 732 continue
726 733 # If there are gets and they all agree [how could they not?], do it.
727 734 if 'g' in bids:
728 735 ga0 = bids['g'][0]
729 736 if all(a == ga0 for a in bids['g'][1:]):
730 737 repo.ui.note(" %s: picking 'get' action\n" % f)
731 738 actions[f] = ga0
732 739 continue
733 740 # TODO: Consider other simple actions such as mode changes
734 741 # Handle inefficient democrazy.
735 742 repo.ui.note(_(' %s: multiple bids for merge action:\n') % f)
736 743 for m, l in sorted(bids.items()):
737 744 for _f, args, msg in l:
738 745 repo.ui.note(' %s -> %s\n' % (msg, m))
739 746 # Pick random action. TODO: Instead, prompt user when resolving
740 747 m, l = bids.items()[0]
741 748 repo.ui.warn(_(' %s: ambiguous merge - picked %s action\n') %
742 749 (f, m))
743 750 actions[f] = l[0]
744 751 continue
745 752 repo.ui.note(_('end of auction\n\n'))
746 753
747 754 _resolvetrivial(repo, wctx, mctx, ancestors[0], actions)
748 755
749 756 if wctx.rev() is None:
750 757 fractions = _forgetremoved(wctx, mctx, branchmerge)
751 758 actions.update(fractions)
752 759
753 760 return actions, diverge, renamedelete
754 761
755 762 def batchremove(repo, actions):
756 763 """apply removes to the working directory
757 764
758 765 yields tuples for progress updates
759 766 """
760 767 verbose = repo.ui.verbose
761 768 unlink = util.unlinkpath
762 769 wjoin = repo.wjoin
763 770 audit = repo.wvfs.audit
764 771 i = 0
765 772 for f, args, msg in actions:
766 773 repo.ui.debug(" %s: %s -> r\n" % (f, msg))
767 774 if verbose:
768 775 repo.ui.note(_("removing %s\n") % f)
769 776 audit(f)
770 777 try:
771 778 unlink(wjoin(f), ignoremissing=True)
772 779 except OSError as inst:
773 780 repo.ui.warn(_("update failed to remove %s: %s!\n") %
774 781 (f, inst.strerror))
775 782 if i == 100:
776 783 yield i, f
777 784 i = 0
778 785 i += 1
779 786 if i > 0:
780 787 yield i, f
781 788
782 789 def batchget(repo, mctx, actions):
783 790 """apply gets to the working directory
784 791
785 792 mctx is the context to get from
786 793
787 794 yields tuples for progress updates
788 795 """
789 796 verbose = repo.ui.verbose
790 797 fctx = mctx.filectx
791 798 wwrite = repo.wwrite
792 799 i = 0
793 800 for f, args, msg in actions:
794 801 repo.ui.debug(" %s: %s -> g\n" % (f, msg))
795 802 if verbose:
796 803 repo.ui.note(_("getting %s\n") % f)
797 804 wwrite(f, fctx(f).data(), args[0])
798 805 if i == 100:
799 806 yield i, f
800 807 i = 0
801 808 i += 1
802 809 if i > 0:
803 810 yield i, f
804 811
805 812 def applyupdates(repo, actions, wctx, mctx, overwrite, labels=None):
806 813 """apply the merge action list to the working directory
807 814
808 815 wctx is the working copy context
809 816 mctx is the context to be merged into the working copy
810 817
811 818 Return a tuple of counts (updated, merged, removed, unresolved) that
812 819 describes how many files were affected by the update.
813 820 """
814 821
815 822 updated, merged, removed, unresolved = 0, 0, 0, 0
816 823 ms = mergestate(repo)
817 824 ms.reset(wctx.p1().node(), mctx.node())
818 825 moves = []
819 826 for m, l in actions.items():
820 827 l.sort()
821 828
822 829 # prescan for merges
823 830 for f, args, msg in actions['m']:
824 831 f1, f2, fa, move, anc = args
825 832 if f == '.hgsubstate': # merged internally
826 833 continue
827 834 repo.ui.debug(" preserving %s for resolve of %s\n" % (f1, f))
828 835 fcl = wctx[f1]
829 836 fco = mctx[f2]
830 837 actx = repo[anc]
831 838 if fa in actx:
832 839 fca = actx[fa]
833 840 else:
834 841 fca = repo.filectx(f1, fileid=nullrev)
835 842 ms.add(fcl, fco, fca, f)
836 843 if f1 != f and move:
837 844 moves.append(f1)
838 845
839 846 audit = repo.wvfs.audit
840 847 _updating = _('updating')
841 848 _files = _('files')
842 849 progress = repo.ui.progress
843 850
844 851 # remove renamed files after safely stored
845 852 for f in moves:
846 853 if os.path.lexists(repo.wjoin(f)):
847 854 repo.ui.debug("removing %s\n" % f)
848 855 audit(f)
849 856 util.unlinkpath(repo.wjoin(f))
850 857
851 858 numupdates = sum(len(l) for m, l in actions.items() if m != 'k')
852 859
853 860 if [a for a in actions['r'] if a[0] == '.hgsubstate']:
854 861 subrepo.submerge(repo, wctx, mctx, wctx, overwrite)
855 862
856 863 # remove in parallel (must come first)
857 864 z = 0
858 865 prog = worker.worker(repo.ui, 0.001, batchremove, (repo,), actions['r'])
859 866 for i, item in prog:
860 867 z += i
861 868 progress(_updating, z, item=item, total=numupdates, unit=_files)
862 869 removed = len(actions['r'])
863 870
864 871 # get in parallel
865 872 prog = worker.worker(repo.ui, 0.001, batchget, (repo, mctx), actions['g'])
866 873 for i, item in prog:
867 874 z += i
868 875 progress(_updating, z, item=item, total=numupdates, unit=_files)
869 876 updated = len(actions['g'])
870 877
871 878 if [a for a in actions['g'] if a[0] == '.hgsubstate']:
872 879 subrepo.submerge(repo, wctx, mctx, wctx, overwrite)
873 880
874 881 # forget (manifest only, just log it) (must come first)
875 882 for f, args, msg in actions['f']:
876 883 repo.ui.debug(" %s: %s -> f\n" % (f, msg))
877 884 z += 1
878 885 progress(_updating, z, item=f, total=numupdates, unit=_files)
879 886
880 887 # re-add (manifest only, just log it)
881 888 for f, args, msg in actions['a']:
882 889 repo.ui.debug(" %s: %s -> a\n" % (f, msg))
883 890 z += 1
884 891 progress(_updating, z, item=f, total=numupdates, unit=_files)
885 892
886 893 # keep (noop, just log it)
887 894 for f, args, msg in actions['k']:
888 895 repo.ui.debug(" %s: %s -> k\n" % (f, msg))
889 896 # no progress
890 897
891 898 # directory rename, move local
892 899 for f, args, msg in actions['dm']:
893 900 repo.ui.debug(" %s: %s -> dm\n" % (f, msg))
894 901 z += 1
895 902 progress(_updating, z, item=f, total=numupdates, unit=_files)
896 903 f0, flags = args
897 904 repo.ui.note(_("moving %s to %s\n") % (f0, f))
898 905 audit(f)
899 906 repo.wwrite(f, wctx.filectx(f0).data(), flags)
900 907 util.unlinkpath(repo.wjoin(f0))
901 908 updated += 1
902 909
903 910 # local directory rename, get
904 911 for f, args, msg in actions['dg']:
905 912 repo.ui.debug(" %s: %s -> dg\n" % (f, msg))
906 913 z += 1
907 914 progress(_updating, z, item=f, total=numupdates, unit=_files)
908 915 f0, flags = args
909 916 repo.ui.note(_("getting %s to %s\n") % (f0, f))
910 917 repo.wwrite(f, mctx.filectx(f0).data(), flags)
911 918 updated += 1
912 919
913 920 # exec
914 921 for f, args, msg in actions['e']:
915 922 repo.ui.debug(" %s: %s -> e\n" % (f, msg))
916 923 z += 1
917 924 progress(_updating, z, item=f, total=numupdates, unit=_files)
918 925 flags, = args
919 926 audit(f)
920 927 util.setflags(repo.wjoin(f), 'l' in flags, 'x' in flags)
921 928 updated += 1
922 929
923 930 # premerge
924 931 tocomplete = []
925 932 for f, args, msg in actions['m']:
926 933 repo.ui.debug(" %s: %s -> m (premerge)\n" % (f, msg))
927 934 z += 1
928 935 progress(_updating, z, item=f, total=numupdates, unit=_files)
929 936 if f == '.hgsubstate': # subrepo states need updating
930 937 subrepo.submerge(repo, wctx, mctx, wctx.ancestor(mctx),
931 938 overwrite)
932 939 continue
933 940 audit(f)
934 941 complete, r = ms.preresolve(f, wctx, labels=labels)
935 942 if complete:
936 943 if r is not None and r > 0:
937 944 unresolved += 1
938 945 else:
939 946 if r is None:
940 947 updated += 1
941 948 else:
942 949 merged += 1
943 950 else:
944 951 numupdates += 1
945 952 tocomplete.append((f, args, msg))
946 953
947 954 # merge
948 955 for f, args, msg in tocomplete:
949 956 repo.ui.debug(" %s: %s -> m (merge)\n" % (f, msg))
950 957 z += 1
951 958 progress(_updating, z, item=f, total=numupdates, unit=_files)
952 959 r = ms.resolve(f, wctx, labels=labels)
953 960 if r is not None and r > 0:
954 961 unresolved += 1
955 962 else:
956 963 if r is None:
957 964 updated += 1
958 965 else:
959 966 merged += 1
960 967
961 968 ms.commit()
962 969 progress(_updating, None, total=numupdates, unit=_files)
963 970
964 971 return updated, merged, removed, unresolved
965 972
966 973 def recordupdates(repo, actions, branchmerge):
967 974 "record merge actions to the dirstate"
968 975 # remove (must come first)
969 976 for f, args, msg in actions['r']:
970 977 if branchmerge:
971 978 repo.dirstate.remove(f)
972 979 else:
973 980 repo.dirstate.drop(f)
974 981
975 982 # forget (must come first)
976 983 for f, args, msg in actions['f']:
977 984 repo.dirstate.drop(f)
978 985
979 986 # re-add
980 987 for f, args, msg in actions['a']:
981 988 if not branchmerge:
982 989 repo.dirstate.add(f)
983 990
984 991 # exec change
985 992 for f, args, msg in actions['e']:
986 993 repo.dirstate.normallookup(f)
987 994
988 995 # keep
989 996 for f, args, msg in actions['k']:
990 997 pass
991 998
992 999 # get
993 1000 for f, args, msg in actions['g']:
994 1001 if branchmerge:
995 1002 repo.dirstate.otherparent(f)
996 1003 else:
997 1004 repo.dirstate.normal(f)
998 1005
999 1006 # merge
1000 1007 for f, args, msg in actions['m']:
1001 1008 f1, f2, fa, move, anc = args
1002 1009 if branchmerge:
1003 1010 # We've done a branch merge, mark this file as merged
1004 1011 # so that we properly record the merger later
1005 1012 repo.dirstate.merge(f)
1006 1013 if f1 != f2: # copy/rename
1007 1014 if move:
1008 1015 repo.dirstate.remove(f1)
1009 1016 if f1 != f:
1010 1017 repo.dirstate.copy(f1, f)
1011 1018 else:
1012 1019 repo.dirstate.copy(f2, f)
1013 1020 else:
1014 1021 # We've update-merged a locally modified file, so
1015 1022 # we set the dirstate to emulate a normal checkout
1016 1023 # of that file some time in the past. Thus our
1017 1024 # merge will appear as a normal local file
1018 1025 # modification.
1019 1026 if f2 == f: # file not locally copied/moved
1020 1027 repo.dirstate.normallookup(f)
1021 1028 if move:
1022 1029 repo.dirstate.drop(f1)
1023 1030
1024 1031 # directory rename, move local
1025 1032 for f, args, msg in actions['dm']:
1026 1033 f0, flag = args
1027 1034 if branchmerge:
1028 1035 repo.dirstate.add(f)
1029 1036 repo.dirstate.remove(f0)
1030 1037 repo.dirstate.copy(f0, f)
1031 1038 else:
1032 1039 repo.dirstate.normal(f)
1033 1040 repo.dirstate.drop(f0)
1034 1041
1035 1042 # directory rename, get
1036 1043 for f, args, msg in actions['dg']:
1037 1044 f0, flag = args
1038 1045 if branchmerge:
1039 1046 repo.dirstate.add(f)
1040 1047 repo.dirstate.copy(f0, f)
1041 1048 else:
1042 1049 repo.dirstate.normal(f)
1043 1050
1044 1051 def update(repo, node, branchmerge, force, partial, ancestor=None,
1045 1052 mergeancestor=False, labels=None):
1046 1053 """
1047 1054 Perform a merge between the working directory and the given node
1048 1055
1049 1056 node = the node to update to, or None if unspecified
1050 1057 branchmerge = whether to merge between branches
1051 1058 force = whether to force branch merging or file overwriting
1052 1059 partial = a function to filter file lists (dirstate not updated)
1053 1060 mergeancestor = whether it is merging with an ancestor. If true,
1054 1061 we should accept the incoming changes for any prompts that occur.
1055 1062 If false, merging with an ancestor (fast-forward) is only allowed
1056 1063 between different named branches. This flag is used by rebase extension
1057 1064 as a temporary fix and should be avoided in general.
1058 1065
1059 1066 The table below shows all the behaviors of the update command
1060 1067 given the -c and -C or no options, whether the working directory
1061 1068 is dirty, whether a revision is specified, and the relationship of
1062 1069 the parent rev to the target rev (linear, on the same named
1063 1070 branch, or on another named branch).
1064 1071
1065 1072 This logic is tested by test-update-branches.t.
1066 1073
1067 1074 -c -C dirty rev | linear same cross
1068 1075 n n n n | ok (1) x
1069 1076 n n n y | ok ok ok
1070 1077 n n y n | merge (2) (2)
1071 1078 n n y y | merge (3) (3)
1072 1079 n y * * | --- discard ---
1073 1080 y n y * | --- (4) ---
1074 1081 y n n * | --- ok ---
1075 1082 y y * * | --- (5) ---
1076 1083
1077 1084 x = can't happen
1078 1085 * = don't-care
1079 1086 1 = abort: not a linear update (merge or update --check to force update)
1080 1087 2 = abort: uncommitted changes (commit and merge, or update --clean to
1081 1088 discard changes)
1082 1089 3 = abort: uncommitted changes (commit or update --clean to discard changes)
1083 1090 4 = abort: uncommitted changes (checked in commands.py)
1084 1091 5 = incompatible options (checked in commands.py)
1085 1092
1086 1093 Return the same tuple as applyupdates().
1087 1094 """
1088 1095
1089 1096 onode = node
1090 1097 wlock = repo.wlock()
1091 1098 try:
1092 1099 wc = repo[None]
1093 1100 pl = wc.parents()
1094 1101 p1 = pl[0]
1095 1102 pas = [None]
1096 1103 if ancestor is not None:
1097 1104 pas = [repo[ancestor]]
1098 1105
1099 1106 if node is None:
1100 1107 if (repo.ui.configbool('devel', 'all-warnings')
1101 1108 or repo.ui.configbool('devel', 'oldapi')):
1102 1109 repo.ui.develwarn('update with no target')
1103 1110 rev, _mark, _act = destutil.destupdate(repo)
1104 1111 node = repo[rev].node()
1105 1112
1106 1113 overwrite = force and not branchmerge
1107 1114
1108 1115 p2 = repo[node]
1109 1116 if pas[0] is None:
1110 1117 if repo.ui.configlist('merge', 'preferancestor', ['*']) == ['*']:
1111 1118 cahs = repo.changelog.commonancestorsheads(p1.node(), p2.node())
1112 1119 pas = [repo[anc] for anc in (sorted(cahs) or [nullid])]
1113 1120 else:
1114 1121 pas = [p1.ancestor(p2, warn=branchmerge)]
1115 1122
1116 1123 fp1, fp2, xp1, xp2 = p1.node(), p2.node(), str(p1), str(p2)
1117 1124
1118 1125 ### check phase
1119 1126 if not overwrite and len(pl) > 1:
1120 1127 raise error.Abort(_("outstanding uncommitted merge"))
1121 1128 if branchmerge:
1122 1129 if pas == [p2]:
1123 1130 raise error.Abort(_("merging with a working directory ancestor"
1124 1131 " has no effect"))
1125 1132 elif pas == [p1]:
1126 1133 if not mergeancestor and p1.branch() == p2.branch():
1127 1134 raise error.Abort(_("nothing to merge"),
1128 1135 hint=_("use 'hg update' "
1129 1136 "or check 'hg heads'"))
1130 1137 if not force and (wc.files() or wc.deleted()):
1131 1138 raise error.Abort(_("uncommitted changes"),
1132 1139 hint=_("use 'hg status' to list changes"))
1133 1140 for s in sorted(wc.substate):
1134 1141 wc.sub(s).bailifchanged()
1135 1142
1136 1143 elif not overwrite:
1137 1144 if p1 == p2: # no-op update
1138 1145 # call the hooks and exit early
1139 1146 repo.hook('preupdate', throw=True, parent1=xp2, parent2='')
1140 1147 repo.hook('update', parent1=xp2, parent2='', error=0)
1141 1148 return 0, 0, 0, 0
1142 1149
1143 1150 if pas not in ([p1], [p2]): # nonlinear
1144 1151 dirty = wc.dirty(missing=True)
1145 1152 if dirty or onode is None:
1146 1153 # Branching is a bit strange to ensure we do the minimal
1147 1154 # amount of call to obsolete.background.
1148 1155 foreground = obsolete.foreground(repo, [p1.node()])
1149 1156 # note: the <node> variable contains a random identifier
1150 1157 if repo[node].node() in foreground:
1151 1158 pas = [p1] # allow updating to successors
1152 1159 elif dirty:
1153 1160 msg = _("uncommitted changes")
1154 1161 if onode is None:
1155 1162 hint = _("commit and merge, or update --clean to"
1156 1163 " discard changes")
1157 1164 else:
1158 1165 hint = _("commit or update --clean to discard"
1159 1166 " changes")
1160 1167 raise error.Abort(msg, hint=hint)
1161 1168 else: # node is none
1162 1169 msg = _("not a linear update")
1163 1170 hint = _("merge or update --check to force update")
1164 1171 raise error.Abort(msg, hint=hint)
1165 1172 else:
1166 1173 # Allow jumping branches if clean and specific rev given
1167 1174 pas = [p1]
1168 1175
1169 1176 # deprecated config: merge.followcopies
1170 1177 followcopies = False
1171 1178 if overwrite:
1172 1179 pas = [wc]
1173 1180 elif pas == [p2]: # backwards
1174 1181 pas = [wc.p1()]
1175 1182 elif not branchmerge and not wc.dirty(missing=True):
1176 1183 pass
1177 1184 elif pas[0] and repo.ui.configbool('merge', 'followcopies', True):
1178 1185 followcopies = True
1179 1186
1180 1187 ### calculate phase
1181 1188 actionbyfile, diverge, renamedelete = calculateupdates(
1182 1189 repo, wc, p2, pas, branchmerge, force, partial, mergeancestor,
1183 1190 followcopies)
1184 1191 # Convert to dictionary-of-lists format
1185 1192 actions = dict((m, []) for m in 'a f g cd dc r dm dg m e k'.split())
1186 1193 for f, (m, args, msg) in actionbyfile.iteritems():
1187 1194 if m not in actions:
1188 1195 actions[m] = []
1189 1196 actions[m].append((f, args, msg))
1190 1197
1191 1198 if not util.checkcase(repo.path):
1192 1199 # check collision between files only in p2 for clean update
1193 1200 if (not branchmerge and
1194 1201 (force or not wc.dirty(missing=True, branch=False))):
1195 1202 _checkcollision(repo, p2.manifest(), None)
1196 1203 else:
1197 1204 _checkcollision(repo, wc.manifest(), actions)
1198 1205
1199 1206 # Prompt and create actions. TODO: Move this towards resolve phase.
1200 1207 for f, args, msg in sorted(actions['cd']):
1201 1208 if repo.ui.promptchoice(
1202 1209 _("local changed %s which remote deleted\n"
1203 1210 "use (c)hanged version or (d)elete?"
1204 1211 "$$ &Changed $$ &Delete") % f, 0):
1205 1212 actions['r'].append((f, None, "prompt delete"))
1206 1213 else:
1207 1214 actions['a'].append((f, None, "prompt keep"))
1208 1215 del actions['cd'][:]
1209 1216
1210 1217 for f, args, msg in sorted(actions['dc']):
1211 1218 flags, = args
1212 1219 if repo.ui.promptchoice(
1213 1220 _("remote changed %s which local deleted\n"
1214 1221 "use (c)hanged version or leave (d)eleted?"
1215 1222 "$$ &Changed $$ &Deleted") % f, 0) == 0:
1216 1223 actions['g'].append((f, (flags,), "prompt recreating"))
1217 1224 del actions['dc'][:]
1218 1225
1219 1226 ### apply phase
1220 1227 if not branchmerge: # just jump to the new rev
1221 1228 fp1, fp2, xp1, xp2 = fp2, nullid, xp2, ''
1222 1229 if not partial:
1223 1230 repo.hook('preupdate', throw=True, parent1=xp1, parent2=xp2)
1224 1231 # note that we're in the middle of an update
1225 1232 repo.vfs.write('updatestate', p2.hex())
1226 1233
1227 1234 stats = applyupdates(repo, actions, wc, p2, overwrite, labels=labels)
1228 1235
1229 1236 # divergent renames
1230 1237 for f, fl in sorted(diverge.iteritems()):
1231 1238 repo.ui.warn(_("note: possible conflict - %s was renamed "
1232 1239 "multiple times to:\n") % f)
1233 1240 for nf in fl:
1234 1241 repo.ui.warn(" %s\n" % nf)
1235 1242
1236 1243 # rename and delete
1237 1244 for f, fl in sorted(renamedelete.iteritems()):
1238 1245 repo.ui.warn(_("note: possible conflict - %s was deleted "
1239 1246 "and renamed to:\n") % f)
1240 1247 for nf in fl:
1241 1248 repo.ui.warn(" %s\n" % nf)
1242 1249
1243 1250 if not partial:
1244 1251 repo.dirstate.beginparentchange()
1245 1252 repo.setparents(fp1, fp2)
1246 1253 recordupdates(repo, actions, branchmerge)
1247 1254 # update completed, clear state
1248 1255 util.unlink(repo.join('updatestate'))
1249 1256
1250 1257 if not branchmerge:
1251 1258 repo.dirstate.setbranch(p2.branch())
1252 1259 repo.dirstate.endparentchange()
1253 1260 finally:
1254 1261 wlock.release()
1255 1262
1256 1263 if not partial:
1257 1264 repo.hook('update', parent1=xp1, parent2=xp2, error=stats[3])
1258 1265 return stats
1259 1266
1260 1267 def graft(repo, ctx, pctx, labels):
1261 1268 """Do a graft-like merge.
1262 1269
1263 1270 This is a merge where the merge ancestor is chosen such that one
1264 1271 or more changesets are grafted onto the current changeset. In
1265 1272 addition to the merge, this fixes up the dirstate to include only
1266 1273 a single parent and tries to duplicate any renames/copies
1267 1274 appropriately.
1268 1275
1269 1276 ctx - changeset to rebase
1270 1277 pctx - merge base, usually ctx.p1()
1271 1278 labels - merge labels eg ['local', 'graft']
1272 1279
1273 1280 """
1274 1281 # If we're grafting a descendant onto an ancestor, be sure to pass
1275 1282 # mergeancestor=True to update. This does two things: 1) allows the merge if
1276 1283 # the destination is the same as the parent of the ctx (so we can use graft
1277 1284 # to copy commits), and 2) informs update that the incoming changes are
1278 1285 # newer than the destination so it doesn't prompt about "remote changed foo
1279 1286 # which local deleted".
1280 1287 mergeancestor = repo.changelog.isancestor(repo['.'].node(), ctx.node())
1281 1288
1282 1289 stats = update(repo, ctx.node(), True, True, False, pctx.node(),
1283 1290 mergeancestor=mergeancestor, labels=labels)
1284 1291
1285 1292 # drop the second merge parent
1286 1293 repo.dirstate.beginparentchange()
1287 1294 repo.setparents(repo['.'].node(), nullid)
1288 1295 repo.dirstate.write(repo.currenttransaction())
1289 1296 # fix up dirstate for copies and renames
1290 1297 copies.duplicatecopies(repo, ctx.rev(), pctx.rev())
1291 1298 repo.dirstate.endparentchange()
1292 1299 return stats
General Comments 0
You need to be logged in to leave comments. Login now