##// END OF EJS Templates
convert: have debugsvnlog obtain standard streams from ui...
Yuya Nishihara -
r30261:6bed17ba default
parent child Browse files
Show More
@@ -1,1352 +1,1351
1 1 # Subversion 1.4/1.5 Python API backend
2 2 #
3 3 # Copyright(C) 2007 Daniel Holth et al
4 4 from __future__ import absolute_import
5 5
6 6 import os
7 7 import re
8 import sys
9 8 import tempfile
10 9 import xml.dom.minidom
11 10
12 11 from mercurial.i18n import _
13 12 from mercurial import (
14 13 encoding,
15 14 error,
16 15 scmutil,
17 16 strutil,
18 17 util,
19 18 )
20 19
21 20 from . import common
22 21
23 22 pickle = util.pickle
24 23 stringio = util.stringio
25 24 propertycache = util.propertycache
26 25 urlerr = util.urlerr
27 26 urlreq = util.urlreq
28 27
29 28 commandline = common.commandline
30 29 commit = common.commit
31 30 converter_sink = common.converter_sink
32 31 converter_source = common.converter_source
33 32 decodeargs = common.decodeargs
34 33 encodeargs = common.encodeargs
35 34 makedatetimestamp = common.makedatetimestamp
36 35 mapfile = common.mapfile
37 36 MissingTool = common.MissingTool
38 37 NoRepo = common.NoRepo
39 38
40 39 # Subversion stuff. Works best with very recent Python SVN bindings
41 40 # e.g. SVN 1.5 or backports. Thanks to the bzr folks for enhancing
42 41 # these bindings.
43 42
44 43 try:
45 44 import svn
46 45 import svn.client
47 46 import svn.core
48 47 import svn.ra
49 48 import svn.delta
50 49 from . import transport
51 50 import warnings
52 51 warnings.filterwarnings('ignore',
53 52 module='svn.core',
54 53 category=DeprecationWarning)
55 54 svn.core.SubversionException # trigger import to catch error
56 55
57 56 except ImportError:
58 57 svn = None
59 58
60 59 class SvnPathNotFound(Exception):
61 60 pass
62 61
63 62 def revsplit(rev):
64 63 """Parse a revision string and return (uuid, path, revnum).
65 64 >>> revsplit('svn:a2147622-4a9f-4db4-a8d3-13562ff547b2'
66 65 ... '/proj%20B/mytrunk/mytrunk@1')
67 66 ('a2147622-4a9f-4db4-a8d3-13562ff547b2', '/proj%20B/mytrunk/mytrunk', 1)
68 67 >>> revsplit('svn:8af66a51-67f5-4354-b62c-98d67cc7be1d@1')
69 68 ('', '', 1)
70 69 >>> revsplit('@7')
71 70 ('', '', 7)
72 71 >>> revsplit('7')
73 72 ('', '', 0)
74 73 >>> revsplit('bad')
75 74 ('', '', 0)
76 75 """
77 76 parts = rev.rsplit('@', 1)
78 77 revnum = 0
79 78 if len(parts) > 1:
80 79 revnum = int(parts[1])
81 80 parts = parts[0].split('/', 1)
82 81 uuid = ''
83 82 mod = ''
84 83 if len(parts) > 1 and parts[0].startswith('svn:'):
85 84 uuid = parts[0][4:]
86 85 mod = '/' + parts[1]
87 86 return uuid, mod, revnum
88 87
89 88 def quote(s):
90 89 # As of svn 1.7, many svn calls expect "canonical" paths. In
91 90 # theory, we should call svn.core.*canonicalize() on all paths
92 91 # before passing them to the API. Instead, we assume the base url
93 92 # is canonical and copy the behaviour of svn URL encoding function
94 93 # so we can extend it safely with new components. The "safe"
95 94 # characters were taken from the "svn_uri__char_validity" table in
96 95 # libsvn_subr/path.c.
97 96 return urlreq.quote(s, "!$&'()*+,-./:=@_~")
98 97
99 98 def geturl(path):
100 99 try:
101 100 return svn.client.url_from_path(svn.core.svn_path_canonicalize(path))
102 101 except svn.core.SubversionException:
103 102 # svn.client.url_from_path() fails with local repositories
104 103 pass
105 104 if os.path.isdir(path):
106 105 path = os.path.normpath(os.path.abspath(path))
107 106 if os.name == 'nt':
108 107 path = '/' + util.normpath(path)
109 108 # Module URL is later compared with the repository URL returned
110 109 # by svn API, which is UTF-8.
111 110 path = encoding.tolocal(path)
112 111 path = 'file://%s' % quote(path)
113 112 return svn.core.svn_path_canonicalize(path)
114 113
115 114 def optrev(number):
116 115 optrev = svn.core.svn_opt_revision_t()
117 116 optrev.kind = svn.core.svn_opt_revision_number
118 117 optrev.value.number = number
119 118 return optrev
120 119
121 120 class changedpath(object):
122 121 def __init__(self, p):
123 122 self.copyfrom_path = p.copyfrom_path
124 123 self.copyfrom_rev = p.copyfrom_rev
125 124 self.action = p.action
126 125
127 126 def get_log_child(fp, url, paths, start, end, limit=0,
128 127 discover_changed_paths=True, strict_node_history=False):
129 128 protocol = -1
130 129 def receiver(orig_paths, revnum, author, date, message, pool):
131 130 paths = {}
132 131 if orig_paths is not None:
133 132 for k, v in orig_paths.iteritems():
134 133 paths[k] = changedpath(v)
135 134 pickle.dump((paths, revnum, author, date, message),
136 135 fp, protocol)
137 136
138 137 try:
139 138 # Use an ra of our own so that our parent can consume
140 139 # our results without confusing the server.
141 140 t = transport.SvnRaTransport(url=url)
142 141 svn.ra.get_log(t.ra, paths, start, end, limit,
143 142 discover_changed_paths,
144 143 strict_node_history,
145 144 receiver)
146 145 except IOError:
147 146 # Caller may interrupt the iteration
148 147 pickle.dump(None, fp, protocol)
149 148 except Exception as inst:
150 149 pickle.dump(str(inst), fp, protocol)
151 150 else:
152 151 pickle.dump(None, fp, protocol)
153 152 fp.close()
154 153 # With large history, cleanup process goes crazy and suddenly
155 154 # consumes *huge* amount of memory. The output file being closed,
156 155 # there is no need for clean termination.
157 156 os._exit(0)
158 157
159 158 def debugsvnlog(ui, **opts):
160 159 """Fetch SVN log in a subprocess and channel them back to parent to
161 160 avoid memory collection issues.
162 161 """
163 162 if svn is None:
164 163 raise error.Abort(_('debugsvnlog could not load Subversion python '
165 164 'bindings'))
166 165
167 args = decodeargs(sys.stdin.read())
168 get_log_child(sys.stdout, *args)
166 args = decodeargs(ui.fin.read())
167 get_log_child(ui.fout, *args)
169 168
170 169 class logstream(object):
171 170 """Interruptible revision log iterator."""
172 171 def __init__(self, stdout):
173 172 self._stdout = stdout
174 173
175 174 def __iter__(self):
176 175 while True:
177 176 try:
178 177 entry = pickle.load(self._stdout)
179 178 except EOFError:
180 179 raise error.Abort(_('Mercurial failed to run itself, check'
181 180 ' hg executable is in PATH'))
182 181 try:
183 182 orig_paths, revnum, author, date, message = entry
184 183 except (TypeError, ValueError):
185 184 if entry is None:
186 185 break
187 186 raise error.Abort(_("log stream exception '%s'") % entry)
188 187 yield entry
189 188
190 189 def close(self):
191 190 if self._stdout:
192 191 self._stdout.close()
193 192 self._stdout = None
194 193
195 194 class directlogstream(list):
196 195 """Direct revision log iterator.
197 196 This can be used for debugging and development but it will probably leak
198 197 memory and is not suitable for real conversions."""
199 198 def __init__(self, url, paths, start, end, limit=0,
200 199 discover_changed_paths=True, strict_node_history=False):
201 200
202 201 def receiver(orig_paths, revnum, author, date, message, pool):
203 202 paths = {}
204 203 if orig_paths is not None:
205 204 for k, v in orig_paths.iteritems():
206 205 paths[k] = changedpath(v)
207 206 self.append((paths, revnum, author, date, message))
208 207
209 208 # Use an ra of our own so that our parent can consume
210 209 # our results without confusing the server.
211 210 t = transport.SvnRaTransport(url=url)
212 211 svn.ra.get_log(t.ra, paths, start, end, limit,
213 212 discover_changed_paths,
214 213 strict_node_history,
215 214 receiver)
216 215
217 216 def close(self):
218 217 pass
219 218
220 219 # Check to see if the given path is a local Subversion repo. Verify this by
221 220 # looking for several svn-specific files and directories in the given
222 221 # directory.
223 222 def filecheck(ui, path, proto):
224 223 for x in ('locks', 'hooks', 'format', 'db'):
225 224 if not os.path.exists(os.path.join(path, x)):
226 225 return False
227 226 return True
228 227
229 228 # Check to see if a given path is the root of an svn repo over http. We verify
230 229 # this by requesting a version-controlled URL we know can't exist and looking
231 230 # for the svn-specific "not found" XML.
232 231 def httpcheck(ui, path, proto):
233 232 try:
234 233 opener = urlreq.buildopener()
235 234 rsp = opener.open('%s://%s/!svn/ver/0/.svn' % (proto, path))
236 235 data = rsp.read()
237 236 except urlerr.httperror as inst:
238 237 if inst.code != 404:
239 238 # Except for 404 we cannot know for sure this is not an svn repo
240 239 ui.warn(_('svn: cannot probe remote repository, assume it could '
241 240 'be a subversion repository. Use --source-type if you '
242 241 'know better.\n'))
243 242 return True
244 243 data = inst.fp.read()
245 244 except Exception:
246 245 # Could be urlerr.urlerror if the URL is invalid or anything else.
247 246 return False
248 247 return '<m:human-readable errcode="160013">' in data
249 248
250 249 protomap = {'http': httpcheck,
251 250 'https': httpcheck,
252 251 'file': filecheck,
253 252 }
254 253 def issvnurl(ui, url):
255 254 try:
256 255 proto, path = url.split('://', 1)
257 256 if proto == 'file':
258 257 if (os.name == 'nt' and path[:1] == '/' and path[1:2].isalpha()
259 258 and path[2:6].lower() == '%3a/'):
260 259 path = path[:2] + ':/' + path[6:]
261 260 path = urlreq.url2pathname(path)
262 261 except ValueError:
263 262 proto = 'file'
264 263 path = os.path.abspath(url)
265 264 if proto == 'file':
266 265 path = util.pconvert(path)
267 266 check = protomap.get(proto, lambda *args: False)
268 267 while '/' in path:
269 268 if check(ui, path, proto):
270 269 return True
271 270 path = path.rsplit('/', 1)[0]
272 271 return False
273 272
274 273 # SVN conversion code stolen from bzr-svn and tailor
275 274 #
276 275 # Subversion looks like a versioned filesystem, branches structures
277 276 # are defined by conventions and not enforced by the tool. First,
278 277 # we define the potential branches (modules) as "trunk" and "branches"
279 278 # children directories. Revisions are then identified by their
280 279 # module and revision number (and a repository identifier).
281 280 #
282 281 # The revision graph is really a tree (or a forest). By default, a
283 282 # revision parent is the previous revision in the same module. If the
284 283 # module directory is copied/moved from another module then the
285 284 # revision is the module root and its parent the source revision in
286 285 # the parent module. A revision has at most one parent.
287 286 #
288 287 class svn_source(converter_source):
289 288 def __init__(self, ui, url, revs=None):
290 289 super(svn_source, self).__init__(ui, url, revs=revs)
291 290
292 291 if not (url.startswith('svn://') or url.startswith('svn+ssh://') or
293 292 (os.path.exists(url) and
294 293 os.path.exists(os.path.join(url, '.svn'))) or
295 294 issvnurl(ui, url)):
296 295 raise NoRepo(_("%s does not look like a Subversion repository")
297 296 % url)
298 297 if svn is None:
299 298 raise MissingTool(_('could not load Subversion python bindings'))
300 299
301 300 try:
302 301 version = svn.core.SVN_VER_MAJOR, svn.core.SVN_VER_MINOR
303 302 if version < (1, 4):
304 303 raise MissingTool(_('Subversion python bindings %d.%d found, '
305 304 '1.4 or later required') % version)
306 305 except AttributeError:
307 306 raise MissingTool(_('Subversion python bindings are too old, 1.4 '
308 307 'or later required'))
309 308
310 309 self.lastrevs = {}
311 310
312 311 latest = None
313 312 try:
314 313 # Support file://path@rev syntax. Useful e.g. to convert
315 314 # deleted branches.
316 315 at = url.rfind('@')
317 316 if at >= 0:
318 317 latest = int(url[at + 1:])
319 318 url = url[:at]
320 319 except ValueError:
321 320 pass
322 321 self.url = geturl(url)
323 322 self.encoding = 'UTF-8' # Subversion is always nominal UTF-8
324 323 try:
325 324 self.transport = transport.SvnRaTransport(url=self.url)
326 325 self.ra = self.transport.ra
327 326 self.ctx = self.transport.client
328 327 self.baseurl = svn.ra.get_repos_root(self.ra)
329 328 # Module is either empty or a repository path starting with
330 329 # a slash and not ending with a slash.
331 330 self.module = urlreq.unquote(self.url[len(self.baseurl):])
332 331 self.prevmodule = None
333 332 self.rootmodule = self.module
334 333 self.commits = {}
335 334 self.paths = {}
336 335 self.uuid = svn.ra.get_uuid(self.ra)
337 336 except svn.core.SubversionException:
338 337 ui.traceback()
339 338 svnversion = '%d.%d.%d' % (svn.core.SVN_VER_MAJOR,
340 339 svn.core.SVN_VER_MINOR,
341 340 svn.core.SVN_VER_MICRO)
342 341 raise NoRepo(_("%s does not look like a Subversion repository "
343 342 "to libsvn version %s")
344 343 % (self.url, svnversion))
345 344
346 345 if revs:
347 346 if len(revs) > 1:
348 347 raise error.Abort(_('subversion source does not support '
349 348 'specifying multiple revisions'))
350 349 try:
351 350 latest = int(revs[0])
352 351 except ValueError:
353 352 raise error.Abort(_('svn: revision %s is not an integer') %
354 353 revs[0])
355 354
356 355 self.trunkname = self.ui.config('convert', 'svn.trunk',
357 356 'trunk').strip('/')
358 357 self.startrev = self.ui.config('convert', 'svn.startrev', default=0)
359 358 try:
360 359 self.startrev = int(self.startrev)
361 360 if self.startrev < 0:
362 361 self.startrev = 0
363 362 except ValueError:
364 363 raise error.Abort(_('svn: start revision %s is not an integer')
365 364 % self.startrev)
366 365
367 366 try:
368 367 self.head = self.latest(self.module, latest)
369 368 except SvnPathNotFound:
370 369 self.head = None
371 370 if not self.head:
372 371 raise error.Abort(_('no revision found in module %s')
373 372 % self.module)
374 373 self.last_changed = self.revnum(self.head)
375 374
376 375 self._changescache = (None, None)
377 376
378 377 if os.path.exists(os.path.join(url, '.svn/entries')):
379 378 self.wc = url
380 379 else:
381 380 self.wc = None
382 381 self.convertfp = None
383 382
384 383 def setrevmap(self, revmap):
385 384 lastrevs = {}
386 385 for revid in revmap.iterkeys():
387 386 uuid, module, revnum = revsplit(revid)
388 387 lastrevnum = lastrevs.setdefault(module, revnum)
389 388 if revnum > lastrevnum:
390 389 lastrevs[module] = revnum
391 390 self.lastrevs = lastrevs
392 391
393 392 def exists(self, path, optrev):
394 393 try:
395 394 svn.client.ls(self.url.rstrip('/') + '/' + quote(path),
396 395 optrev, False, self.ctx)
397 396 return True
398 397 except svn.core.SubversionException:
399 398 return False
400 399
401 400 def getheads(self):
402 401
403 402 def isdir(path, revnum):
404 403 kind = self._checkpath(path, revnum)
405 404 return kind == svn.core.svn_node_dir
406 405
407 406 def getcfgpath(name, rev):
408 407 cfgpath = self.ui.config('convert', 'svn.' + name)
409 408 if cfgpath is not None and cfgpath.strip() == '':
410 409 return None
411 410 path = (cfgpath or name).strip('/')
412 411 if not self.exists(path, rev):
413 412 if self.module.endswith(path) and name == 'trunk':
414 413 # we are converting from inside this directory
415 414 return None
416 415 if cfgpath:
417 416 raise error.Abort(_('expected %s to be at %r, but not found'
418 417 ) % (name, path))
419 418 return None
420 419 self.ui.note(_('found %s at %r\n') % (name, path))
421 420 return path
422 421
423 422 rev = optrev(self.last_changed)
424 423 oldmodule = ''
425 424 trunk = getcfgpath('trunk', rev)
426 425 self.tags = getcfgpath('tags', rev)
427 426 branches = getcfgpath('branches', rev)
428 427
429 428 # If the project has a trunk or branches, we will extract heads
430 429 # from them. We keep the project root otherwise.
431 430 if trunk:
432 431 oldmodule = self.module or ''
433 432 self.module += '/' + trunk
434 433 self.head = self.latest(self.module, self.last_changed)
435 434 if not self.head:
436 435 raise error.Abort(_('no revision found in module %s')
437 436 % self.module)
438 437
439 438 # First head in the list is the module's head
440 439 self.heads = [self.head]
441 440 if self.tags is not None:
442 441 self.tags = '%s/%s' % (oldmodule , (self.tags or 'tags'))
443 442
444 443 # Check if branches bring a few more heads to the list
445 444 if branches:
446 445 rpath = self.url.strip('/')
447 446 branchnames = svn.client.ls(rpath + '/' + quote(branches),
448 447 rev, False, self.ctx)
449 448 for branch in sorted(branchnames):
450 449 module = '%s/%s/%s' % (oldmodule, branches, branch)
451 450 if not isdir(module, self.last_changed):
452 451 continue
453 452 brevid = self.latest(module, self.last_changed)
454 453 if not brevid:
455 454 self.ui.note(_('ignoring empty branch %s\n') % branch)
456 455 continue
457 456 self.ui.note(_('found branch %s at %d\n') %
458 457 (branch, self.revnum(brevid)))
459 458 self.heads.append(brevid)
460 459
461 460 if self.startrev and self.heads:
462 461 if len(self.heads) > 1:
463 462 raise error.Abort(_('svn: start revision is not supported '
464 463 'with more than one branch'))
465 464 revnum = self.revnum(self.heads[0])
466 465 if revnum < self.startrev:
467 466 raise error.Abort(
468 467 _('svn: no revision found after start revision %d')
469 468 % self.startrev)
470 469
471 470 return self.heads
472 471
473 472 def _getchanges(self, rev, full):
474 473 (paths, parents) = self.paths[rev]
475 474 copies = {}
476 475 if parents:
477 476 files, self.removed, copies = self.expandpaths(rev, paths, parents)
478 477 if full or not parents:
479 478 # Perform a full checkout on roots
480 479 uuid, module, revnum = revsplit(rev)
481 480 entries = svn.client.ls(self.baseurl + quote(module),
482 481 optrev(revnum), True, self.ctx)
483 482 files = [n for n, e in entries.iteritems()
484 483 if e.kind == svn.core.svn_node_file]
485 484 self.removed = set()
486 485
487 486 files.sort()
488 487 files = zip(files, [rev] * len(files))
489 488 return (files, copies)
490 489
491 490 def getchanges(self, rev, full):
492 491 # reuse cache from getchangedfiles
493 492 if self._changescache[0] == rev and not full:
494 493 (files, copies) = self._changescache[1]
495 494 else:
496 495 (files, copies) = self._getchanges(rev, full)
497 496 # caller caches the result, so free it here to release memory
498 497 del self.paths[rev]
499 498 return (files, copies, set())
500 499
501 500 def getchangedfiles(self, rev, i):
502 501 # called from filemap - cache computed values for reuse in getchanges
503 502 (files, copies) = self._getchanges(rev, False)
504 503 self._changescache = (rev, (files, copies))
505 504 return [f[0] for f in files]
506 505
507 506 def getcommit(self, rev):
508 507 if rev not in self.commits:
509 508 uuid, module, revnum = revsplit(rev)
510 509 self.module = module
511 510 self.reparent(module)
512 511 # We assume that:
513 512 # - requests for revisions after "stop" come from the
514 513 # revision graph backward traversal. Cache all of them
515 514 # down to stop, they will be used eventually.
516 515 # - requests for revisions before "stop" come to get
517 516 # isolated branches parents. Just fetch what is needed.
518 517 stop = self.lastrevs.get(module, 0)
519 518 if revnum < stop:
520 519 stop = revnum + 1
521 520 self._fetch_revisions(revnum, stop)
522 521 if rev not in self.commits:
523 522 raise error.Abort(_('svn: revision %s not found') % revnum)
524 523 revcommit = self.commits[rev]
525 524 # caller caches the result, so free it here to release memory
526 525 del self.commits[rev]
527 526 return revcommit
528 527
529 528 def checkrevformat(self, revstr, mapname='splicemap'):
530 529 """ fails if revision format does not match the correct format"""
531 530 if not re.match(r'svn:[0-9a-f]{8,8}-[0-9a-f]{4,4}-'
532 531 r'[0-9a-f]{4,4}-[0-9a-f]{4,4}-[0-9a-f]'
533 532 r'{12,12}(.*)\@[0-9]+$',revstr):
534 533 raise error.Abort(_('%s entry %s is not a valid revision'
535 534 ' identifier') % (mapname, revstr))
536 535
537 536 def numcommits(self):
538 537 return int(self.head.rsplit('@', 1)[1]) - self.startrev
539 538
540 539 def gettags(self):
541 540 tags = {}
542 541 if self.tags is None:
543 542 return tags
544 543
545 544 # svn tags are just a convention, project branches left in a
546 545 # 'tags' directory. There is no other relationship than
547 546 # ancestry, which is expensive to discover and makes them hard
548 547 # to update incrementally. Worse, past revisions may be
549 548 # referenced by tags far away in the future, requiring a deep
550 549 # history traversal on every calculation. Current code
551 550 # performs a single backward traversal, tracking moves within
552 551 # the tags directory (tag renaming) and recording a new tag
553 552 # everytime a project is copied from outside the tags
554 553 # directory. It also lists deleted tags, this behaviour may
555 554 # change in the future.
556 555 pendings = []
557 556 tagspath = self.tags
558 557 start = svn.ra.get_latest_revnum(self.ra)
559 558 stream = self._getlog([self.tags], start, self.startrev)
560 559 try:
561 560 for entry in stream:
562 561 origpaths, revnum, author, date, message = entry
563 562 if not origpaths:
564 563 origpaths = []
565 564 copies = [(e.copyfrom_path, e.copyfrom_rev, p) for p, e
566 565 in origpaths.iteritems() if e.copyfrom_path]
567 566 # Apply moves/copies from more specific to general
568 567 copies.sort(reverse=True)
569 568
570 569 srctagspath = tagspath
571 570 if copies and copies[-1][2] == tagspath:
572 571 # Track tags directory moves
573 572 srctagspath = copies.pop()[0]
574 573
575 574 for source, sourcerev, dest in copies:
576 575 if not dest.startswith(tagspath + '/'):
577 576 continue
578 577 for tag in pendings:
579 578 if tag[0].startswith(dest):
580 579 tagpath = source + tag[0][len(dest):]
581 580 tag[:2] = [tagpath, sourcerev]
582 581 break
583 582 else:
584 583 pendings.append([source, sourcerev, dest])
585 584
586 585 # Filter out tags with children coming from different
587 586 # parts of the repository like:
588 587 # /tags/tag.1 (from /trunk:10)
589 588 # /tags/tag.1/foo (from /branches/foo:12)
590 589 # Here/tags/tag.1 discarded as well as its children.
591 590 # It happens with tools like cvs2svn. Such tags cannot
592 591 # be represented in mercurial.
593 592 addeds = dict((p, e.copyfrom_path) for p, e
594 593 in origpaths.iteritems()
595 594 if e.action == 'A' and e.copyfrom_path)
596 595 badroots = set()
597 596 for destroot in addeds:
598 597 for source, sourcerev, dest in pendings:
599 598 if (not dest.startswith(destroot + '/')
600 599 or source.startswith(addeds[destroot] + '/')):
601 600 continue
602 601 badroots.add(destroot)
603 602 break
604 603
605 604 for badroot in badroots:
606 605 pendings = [p for p in pendings if p[2] != badroot
607 606 and not p[2].startswith(badroot + '/')]
608 607
609 608 # Tell tag renamings from tag creations
610 609 renamings = []
611 610 for source, sourcerev, dest in pendings:
612 611 tagname = dest.split('/')[-1]
613 612 if source.startswith(srctagspath):
614 613 renamings.append([source, sourcerev, tagname])
615 614 continue
616 615 if tagname in tags:
617 616 # Keep the latest tag value
618 617 continue
619 618 # From revision may be fake, get one with changes
620 619 try:
621 620 tagid = self.latest(source, sourcerev)
622 621 if tagid and tagname not in tags:
623 622 tags[tagname] = tagid
624 623 except SvnPathNotFound:
625 624 # It happens when we are following directories
626 625 # we assumed were copied with their parents
627 626 # but were really created in the tag
628 627 # directory.
629 628 pass
630 629 pendings = renamings
631 630 tagspath = srctagspath
632 631 finally:
633 632 stream.close()
634 633 return tags
635 634
636 635 def converted(self, rev, destrev):
637 636 if not self.wc:
638 637 return
639 638 if self.convertfp is None:
640 639 self.convertfp = open(os.path.join(self.wc, '.svn', 'hg-shamap'),
641 640 'a')
642 641 self.convertfp.write('%s %d\n' % (destrev, self.revnum(rev)))
643 642 self.convertfp.flush()
644 643
645 644 def revid(self, revnum, module=None):
646 645 return 'svn:%s%s@%s' % (self.uuid, module or self.module, revnum)
647 646
648 647 def revnum(self, rev):
649 648 return int(rev.split('@')[-1])
650 649
651 650 def latest(self, path, stop=None):
652 651 """Find the latest revid affecting path, up to stop revision
653 652 number. If stop is None, default to repository latest
654 653 revision. It may return a revision in a different module,
655 654 since a branch may be moved without a change being
656 655 reported. Return None if computed module does not belong to
657 656 rootmodule subtree.
658 657 """
659 658 def findchanges(path, start, stop=None):
660 659 stream = self._getlog([path], start, stop or 1)
661 660 try:
662 661 for entry in stream:
663 662 paths, revnum, author, date, message = entry
664 663 if stop is None and paths:
665 664 # We do not know the latest changed revision,
666 665 # keep the first one with changed paths.
667 666 break
668 667 if revnum <= stop:
669 668 break
670 669
671 670 for p in paths:
672 671 if (not path.startswith(p) or
673 672 not paths[p].copyfrom_path):
674 673 continue
675 674 newpath = paths[p].copyfrom_path + path[len(p):]
676 675 self.ui.debug("branch renamed from %s to %s at %d\n" %
677 676 (path, newpath, revnum))
678 677 path = newpath
679 678 break
680 679 if not paths:
681 680 revnum = None
682 681 return revnum, path
683 682 finally:
684 683 stream.close()
685 684
686 685 if not path.startswith(self.rootmodule):
687 686 # Requests on foreign branches may be forbidden at server level
688 687 self.ui.debug('ignoring foreign branch %r\n' % path)
689 688 return None
690 689
691 690 if stop is None:
692 691 stop = svn.ra.get_latest_revnum(self.ra)
693 692 try:
694 693 prevmodule = self.reparent('')
695 694 dirent = svn.ra.stat(self.ra, path.strip('/'), stop)
696 695 self.reparent(prevmodule)
697 696 except svn.core.SubversionException:
698 697 dirent = None
699 698 if not dirent:
700 699 raise SvnPathNotFound(_('%s not found up to revision %d')
701 700 % (path, stop))
702 701
703 702 # stat() gives us the previous revision on this line of
704 703 # development, but it might be in *another module*. Fetch the
705 704 # log and detect renames down to the latest revision.
706 705 revnum, realpath = findchanges(path, stop, dirent.created_rev)
707 706 if revnum is None:
708 707 # Tools like svnsync can create empty revision, when
709 708 # synchronizing only a subtree for instance. These empty
710 709 # revisions created_rev still have their original values
711 710 # despite all changes having disappeared and can be
712 711 # returned by ra.stat(), at least when stating the root
713 712 # module. In that case, do not trust created_rev and scan
714 713 # the whole history.
715 714 revnum, realpath = findchanges(path, stop)
716 715 if revnum is None:
717 716 self.ui.debug('ignoring empty branch %r\n' % realpath)
718 717 return None
719 718
720 719 if not realpath.startswith(self.rootmodule):
721 720 self.ui.debug('ignoring foreign branch %r\n' % realpath)
722 721 return None
723 722 return self.revid(revnum, realpath)
724 723
725 724 def reparent(self, module):
726 725 """Reparent the svn transport and return the previous parent."""
727 726 if self.prevmodule == module:
728 727 return module
729 728 svnurl = self.baseurl + quote(module)
730 729 prevmodule = self.prevmodule
731 730 if prevmodule is None:
732 731 prevmodule = ''
733 732 self.ui.debug("reparent to %s\n" % svnurl)
734 733 svn.ra.reparent(self.ra, svnurl)
735 734 self.prevmodule = module
736 735 return prevmodule
737 736
738 737 def expandpaths(self, rev, paths, parents):
739 738 changed, removed = set(), set()
740 739 copies = {}
741 740
742 741 new_module, revnum = revsplit(rev)[1:]
743 742 if new_module != self.module:
744 743 self.module = new_module
745 744 self.reparent(self.module)
746 745
747 746 for i, (path, ent) in enumerate(paths):
748 747 self.ui.progress(_('scanning paths'), i, item=path,
749 748 total=len(paths), unit=_('paths'))
750 749 entrypath = self.getrelpath(path)
751 750
752 751 kind = self._checkpath(entrypath, revnum)
753 752 if kind == svn.core.svn_node_file:
754 753 changed.add(self.recode(entrypath))
755 754 if not ent.copyfrom_path or not parents:
756 755 continue
757 756 # Copy sources not in parent revisions cannot be
758 757 # represented, ignore their origin for now
759 758 pmodule, prevnum = revsplit(parents[0])[1:]
760 759 if ent.copyfrom_rev < prevnum:
761 760 continue
762 761 copyfrom_path = self.getrelpath(ent.copyfrom_path, pmodule)
763 762 if not copyfrom_path:
764 763 continue
765 764 self.ui.debug("copied to %s from %s@%s\n" %
766 765 (entrypath, copyfrom_path, ent.copyfrom_rev))
767 766 copies[self.recode(entrypath)] = self.recode(copyfrom_path)
768 767 elif kind == 0: # gone, but had better be a deleted *file*
769 768 self.ui.debug("gone from %s\n" % ent.copyfrom_rev)
770 769 pmodule, prevnum = revsplit(parents[0])[1:]
771 770 parentpath = pmodule + "/" + entrypath
772 771 fromkind = self._checkpath(entrypath, prevnum, pmodule)
773 772
774 773 if fromkind == svn.core.svn_node_file:
775 774 removed.add(self.recode(entrypath))
776 775 elif fromkind == svn.core.svn_node_dir:
777 776 oroot = parentpath.strip('/')
778 777 nroot = path.strip('/')
779 778 children = self._iterfiles(oroot, prevnum)
780 779 for childpath in children:
781 780 childpath = childpath.replace(oroot, nroot)
782 781 childpath = self.getrelpath("/" + childpath, pmodule)
783 782 if childpath:
784 783 removed.add(self.recode(childpath))
785 784 else:
786 785 self.ui.debug('unknown path in revision %d: %s\n' % \
787 786 (revnum, path))
788 787 elif kind == svn.core.svn_node_dir:
789 788 if ent.action == 'M':
790 789 # If the directory just had a prop change,
791 790 # then we shouldn't need to look for its children.
792 791 continue
793 792 if ent.action == 'R' and parents:
794 793 # If a directory is replacing a file, mark the previous
795 794 # file as deleted
796 795 pmodule, prevnum = revsplit(parents[0])[1:]
797 796 pkind = self._checkpath(entrypath, prevnum, pmodule)
798 797 if pkind == svn.core.svn_node_file:
799 798 removed.add(self.recode(entrypath))
800 799 elif pkind == svn.core.svn_node_dir:
801 800 # We do not know what files were kept or removed,
802 801 # mark them all as changed.
803 802 for childpath in self._iterfiles(pmodule, prevnum):
804 803 childpath = self.getrelpath("/" + childpath)
805 804 if childpath:
806 805 changed.add(self.recode(childpath))
807 806
808 807 for childpath in self._iterfiles(path, revnum):
809 808 childpath = self.getrelpath("/" + childpath)
810 809 if childpath:
811 810 changed.add(self.recode(childpath))
812 811
813 812 # Handle directory copies
814 813 if not ent.copyfrom_path or not parents:
815 814 continue
816 815 # Copy sources not in parent revisions cannot be
817 816 # represented, ignore their origin for now
818 817 pmodule, prevnum = revsplit(parents[0])[1:]
819 818 if ent.copyfrom_rev < prevnum:
820 819 continue
821 820 copyfrompath = self.getrelpath(ent.copyfrom_path, pmodule)
822 821 if not copyfrompath:
823 822 continue
824 823 self.ui.debug("mark %s came from %s:%d\n"
825 824 % (path, copyfrompath, ent.copyfrom_rev))
826 825 children = self._iterfiles(ent.copyfrom_path, ent.copyfrom_rev)
827 826 for childpath in children:
828 827 childpath = self.getrelpath("/" + childpath, pmodule)
829 828 if not childpath:
830 829 continue
831 830 copytopath = path + childpath[len(copyfrompath):]
832 831 copytopath = self.getrelpath(copytopath)
833 832 copies[self.recode(copytopath)] = self.recode(childpath)
834 833
835 834 self.ui.progress(_('scanning paths'), None)
836 835 changed.update(removed)
837 836 return (list(changed), removed, copies)
838 837
839 838 def _fetch_revisions(self, from_revnum, to_revnum):
840 839 if from_revnum < to_revnum:
841 840 from_revnum, to_revnum = to_revnum, from_revnum
842 841
843 842 self.child_cset = None
844 843
845 844 def parselogentry(orig_paths, revnum, author, date, message):
846 845 """Return the parsed commit object or None, and True if
847 846 the revision is a branch root.
848 847 """
849 848 self.ui.debug("parsing revision %d (%d changes)\n" %
850 849 (revnum, len(orig_paths)))
851 850
852 851 branched = False
853 852 rev = self.revid(revnum)
854 853 # branch log might return entries for a parent we already have
855 854
856 855 if rev in self.commits or revnum < to_revnum:
857 856 return None, branched
858 857
859 858 parents = []
860 859 # check whether this revision is the start of a branch or part
861 860 # of a branch renaming
862 861 orig_paths = sorted(orig_paths.iteritems())
863 862 root_paths = [(p, e) for p, e in orig_paths
864 863 if self.module.startswith(p)]
865 864 if root_paths:
866 865 path, ent = root_paths[-1]
867 866 if ent.copyfrom_path:
868 867 branched = True
869 868 newpath = ent.copyfrom_path + self.module[len(path):]
870 869 # ent.copyfrom_rev may not be the actual last revision
871 870 previd = self.latest(newpath, ent.copyfrom_rev)
872 871 if previd is not None:
873 872 prevmodule, prevnum = revsplit(previd)[1:]
874 873 if prevnum >= self.startrev:
875 874 parents = [previd]
876 875 self.ui.note(
877 876 _('found parent of branch %s at %d: %s\n') %
878 877 (self.module, prevnum, prevmodule))
879 878 else:
880 879 self.ui.debug("no copyfrom path, don't know what to do.\n")
881 880
882 881 paths = []
883 882 # filter out unrelated paths
884 883 for path, ent in orig_paths:
885 884 if self.getrelpath(path) is None:
886 885 continue
887 886 paths.append((path, ent))
888 887
889 888 # Example SVN datetime. Includes microseconds.
890 889 # ISO-8601 conformant
891 890 # '2007-01-04T17:35:00.902377Z'
892 891 date = util.parsedate(date[:19] + " UTC", ["%Y-%m-%dT%H:%M:%S"])
893 892 if self.ui.configbool('convert', 'localtimezone'):
894 893 date = makedatetimestamp(date[0])
895 894
896 895 if message:
897 896 log = self.recode(message)
898 897 else:
899 898 log = ''
900 899
901 900 if author:
902 901 author = self.recode(author)
903 902 else:
904 903 author = ''
905 904
906 905 try:
907 906 branch = self.module.split("/")[-1]
908 907 if branch == self.trunkname:
909 908 branch = None
910 909 except IndexError:
911 910 branch = None
912 911
913 912 cset = commit(author=author,
914 913 date=util.datestr(date, '%Y-%m-%d %H:%M:%S %1%2'),
915 914 desc=log,
916 915 parents=parents,
917 916 branch=branch,
918 917 rev=rev)
919 918
920 919 self.commits[rev] = cset
921 920 # The parents list is *shared* among self.paths and the
922 921 # commit object. Both will be updated below.
923 922 self.paths[rev] = (paths, cset.parents)
924 923 if self.child_cset and not self.child_cset.parents:
925 924 self.child_cset.parents[:] = [rev]
926 925 self.child_cset = cset
927 926 return cset, branched
928 927
929 928 self.ui.note(_('fetching revision log for "%s" from %d to %d\n') %
930 929 (self.module, from_revnum, to_revnum))
931 930
932 931 try:
933 932 firstcset = None
934 933 lastonbranch = False
935 934 stream = self._getlog([self.module], from_revnum, to_revnum)
936 935 try:
937 936 for entry in stream:
938 937 paths, revnum, author, date, message = entry
939 938 if revnum < self.startrev:
940 939 lastonbranch = True
941 940 break
942 941 if not paths:
943 942 self.ui.debug('revision %d has no entries\n' % revnum)
944 943 # If we ever leave the loop on an empty
945 944 # revision, do not try to get a parent branch
946 945 lastonbranch = lastonbranch or revnum == 0
947 946 continue
948 947 cset, lastonbranch = parselogentry(paths, revnum, author,
949 948 date, message)
950 949 if cset:
951 950 firstcset = cset
952 951 if lastonbranch:
953 952 break
954 953 finally:
955 954 stream.close()
956 955
957 956 if not lastonbranch and firstcset and not firstcset.parents:
958 957 # The first revision of the sequence (the last fetched one)
959 958 # has invalid parents if not a branch root. Find the parent
960 959 # revision now, if any.
961 960 try:
962 961 firstrevnum = self.revnum(firstcset.rev)
963 962 if firstrevnum > 1:
964 963 latest = self.latest(self.module, firstrevnum - 1)
965 964 if latest:
966 965 firstcset.parents.append(latest)
967 966 except SvnPathNotFound:
968 967 pass
969 968 except svn.core.SubversionException as xxx_todo_changeme:
970 969 (inst, num) = xxx_todo_changeme.args
971 970 if num == svn.core.SVN_ERR_FS_NO_SUCH_REVISION:
972 971 raise error.Abort(_('svn: branch has no revision %s')
973 972 % to_revnum)
974 973 raise
975 974
976 975 def getfile(self, file, rev):
977 976 # TODO: ra.get_file transmits the whole file instead of diffs.
978 977 if file in self.removed:
979 978 return None, None
980 979 mode = ''
981 980 try:
982 981 new_module, revnum = revsplit(rev)[1:]
983 982 if self.module != new_module:
984 983 self.module = new_module
985 984 self.reparent(self.module)
986 985 io = stringio()
987 986 info = svn.ra.get_file(self.ra, file, revnum, io)
988 987 data = io.getvalue()
989 988 # ra.get_file() seems to keep a reference on the input buffer
990 989 # preventing collection. Release it explicitly.
991 990 io.close()
992 991 if isinstance(info, list):
993 992 info = info[-1]
994 993 mode = ("svn:executable" in info) and 'x' or ''
995 994 mode = ("svn:special" in info) and 'l' or mode
996 995 except svn.core.SubversionException as e:
997 996 notfound = (svn.core.SVN_ERR_FS_NOT_FOUND,
998 997 svn.core.SVN_ERR_RA_DAV_PATH_NOT_FOUND)
999 998 if e.apr_err in notfound: # File not found
1000 999 return None, None
1001 1000 raise
1002 1001 if mode == 'l':
1003 1002 link_prefix = "link "
1004 1003 if data.startswith(link_prefix):
1005 1004 data = data[len(link_prefix):]
1006 1005 return data, mode
1007 1006
1008 1007 def _iterfiles(self, path, revnum):
1009 1008 """Enumerate all files in path at revnum, recursively."""
1010 1009 path = path.strip('/')
1011 1010 pool = svn.core.Pool()
1012 1011 rpath = '/'.join([self.baseurl, quote(path)]).strip('/')
1013 1012 entries = svn.client.ls(rpath, optrev(revnum), True, self.ctx, pool)
1014 1013 if path:
1015 1014 path += '/'
1016 1015 return ((path + p) for p, e in entries.iteritems()
1017 1016 if e.kind == svn.core.svn_node_file)
1018 1017
1019 1018 def getrelpath(self, path, module=None):
1020 1019 if module is None:
1021 1020 module = self.module
1022 1021 # Given the repository url of this wc, say
1023 1022 # "http://server/plone/CMFPlone/branches/Plone-2_0-branch"
1024 1023 # extract the "entry" portion (a relative path) from what
1025 1024 # svn log --xml says, i.e.
1026 1025 # "/CMFPlone/branches/Plone-2_0-branch/tests/PloneTestCase.py"
1027 1026 # that is to say "tests/PloneTestCase.py"
1028 1027 if path.startswith(module):
1029 1028 relative = path.rstrip('/')[len(module):]
1030 1029 if relative.startswith('/'):
1031 1030 return relative[1:]
1032 1031 elif relative == '':
1033 1032 return relative
1034 1033
1035 1034 # The path is outside our tracked tree...
1036 1035 self.ui.debug('%r is not under %r, ignoring\n' % (path, module))
1037 1036 return None
1038 1037
1039 1038 def _checkpath(self, path, revnum, module=None):
1040 1039 if module is not None:
1041 1040 prevmodule = self.reparent('')
1042 1041 path = module + '/' + path
1043 1042 try:
1044 1043 # ra.check_path does not like leading slashes very much, it leads
1045 1044 # to PROPFIND subversion errors
1046 1045 return svn.ra.check_path(self.ra, path.strip('/'), revnum)
1047 1046 finally:
1048 1047 if module is not None:
1049 1048 self.reparent(prevmodule)
1050 1049
1051 1050 def _getlog(self, paths, start, end, limit=0, discover_changed_paths=True,
1052 1051 strict_node_history=False):
1053 1052 # Normalize path names, svn >= 1.5 only wants paths relative to
1054 1053 # supplied URL
1055 1054 relpaths = []
1056 1055 for p in paths:
1057 1056 if not p.startswith('/'):
1058 1057 p = self.module + '/' + p
1059 1058 relpaths.append(p.strip('/'))
1060 1059 args = [self.baseurl, relpaths, start, end, limit,
1061 1060 discover_changed_paths, strict_node_history]
1062 1061 # developer config: convert.svn.debugsvnlog
1063 1062 if not self.ui.configbool('convert', 'svn.debugsvnlog', True):
1064 1063 return directlogstream(*args)
1065 1064 arg = encodeargs(args)
1066 1065 hgexe = util.hgexecutable()
1067 1066 cmd = '%s debugsvnlog' % util.shellquote(hgexe)
1068 1067 stdin, stdout = util.popen2(util.quotecommand(cmd))
1069 1068 stdin.write(arg)
1070 1069 try:
1071 1070 stdin.close()
1072 1071 except IOError:
1073 1072 raise error.Abort(_('Mercurial failed to run itself, check'
1074 1073 ' hg executable is in PATH'))
1075 1074 return logstream(stdout)
1076 1075
1077 1076 pre_revprop_change = '''#!/bin/sh
1078 1077
1079 1078 REPOS="$1"
1080 1079 REV="$2"
1081 1080 USER="$3"
1082 1081 PROPNAME="$4"
1083 1082 ACTION="$5"
1084 1083
1085 1084 if [ "$ACTION" = "M" -a "$PROPNAME" = "svn:log" ]; then exit 0; fi
1086 1085 if [ "$ACTION" = "A" -a "$PROPNAME" = "hg:convert-branch" ]; then exit 0; fi
1087 1086 if [ "$ACTION" = "A" -a "$PROPNAME" = "hg:convert-rev" ]; then exit 0; fi
1088 1087
1089 1088 echo "Changing prohibited revision property" >&2
1090 1089 exit 1
1091 1090 '''
1092 1091
1093 1092 class svn_sink(converter_sink, commandline):
1094 1093 commit_re = re.compile(r'Committed revision (\d+).', re.M)
1095 1094 uuid_re = re.compile(r'Repository UUID:\s*(\S+)', re.M)
1096 1095
1097 1096 def prerun(self):
1098 1097 if self.wc:
1099 1098 os.chdir(self.wc)
1100 1099
1101 1100 def postrun(self):
1102 1101 if self.wc:
1103 1102 os.chdir(self.cwd)
1104 1103
1105 1104 def join(self, name):
1106 1105 return os.path.join(self.wc, '.svn', name)
1107 1106
1108 1107 def revmapfile(self):
1109 1108 return self.join('hg-shamap')
1110 1109
1111 1110 def authorfile(self):
1112 1111 return self.join('hg-authormap')
1113 1112
1114 1113 def __init__(self, ui, path):
1115 1114
1116 1115 converter_sink.__init__(self, ui, path)
1117 1116 commandline.__init__(self, ui, 'svn')
1118 1117 self.delete = []
1119 1118 self.setexec = []
1120 1119 self.delexec = []
1121 1120 self.copies = []
1122 1121 self.wc = None
1123 1122 self.cwd = os.getcwd()
1124 1123
1125 1124 created = False
1126 1125 if os.path.isfile(os.path.join(path, '.svn', 'entries')):
1127 1126 self.wc = os.path.realpath(path)
1128 1127 self.run0('update')
1129 1128 else:
1130 1129 if not re.search(r'^(file|http|https|svn|svn\+ssh)\://', path):
1131 1130 path = os.path.realpath(path)
1132 1131 if os.path.isdir(os.path.dirname(path)):
1133 1132 if not os.path.exists(os.path.join(path, 'db', 'fs-type')):
1134 1133 ui.status(_('initializing svn repository %r\n') %
1135 1134 os.path.basename(path))
1136 1135 commandline(ui, 'svnadmin').run0('create', path)
1137 1136 created = path
1138 1137 path = util.normpath(path)
1139 1138 if not path.startswith('/'):
1140 1139 path = '/' + path
1141 1140 path = 'file://' + path
1142 1141
1143 1142 wcpath = os.path.join(os.getcwd(), os.path.basename(path) + '-wc')
1144 1143 ui.status(_('initializing svn working copy %r\n')
1145 1144 % os.path.basename(wcpath))
1146 1145 self.run0('checkout', path, wcpath)
1147 1146
1148 1147 self.wc = wcpath
1149 1148 self.opener = scmutil.opener(self.wc)
1150 1149 self.wopener = scmutil.opener(self.wc)
1151 1150 self.childmap = mapfile(ui, self.join('hg-childmap'))
1152 1151 if util.checkexec(self.wc):
1153 1152 self.is_exec = util.isexec
1154 1153 else:
1155 1154 self.is_exec = None
1156 1155
1157 1156 if created:
1158 1157 hook = os.path.join(created, 'hooks', 'pre-revprop-change')
1159 1158 fp = open(hook, 'w')
1160 1159 fp.write(pre_revprop_change)
1161 1160 fp.close()
1162 1161 util.setflags(hook, False, True)
1163 1162
1164 1163 output = self.run0('info')
1165 1164 self.uuid = self.uuid_re.search(output).group(1).strip()
1166 1165
1167 1166 def wjoin(self, *names):
1168 1167 return os.path.join(self.wc, *names)
1169 1168
1170 1169 @propertycache
1171 1170 def manifest(self):
1172 1171 # As of svn 1.7, the "add" command fails when receiving
1173 1172 # already tracked entries, so we have to track and filter them
1174 1173 # ourselves.
1175 1174 m = set()
1176 1175 output = self.run0('ls', recursive=True, xml=True)
1177 1176 doc = xml.dom.minidom.parseString(output)
1178 1177 for e in doc.getElementsByTagName('entry'):
1179 1178 for n in e.childNodes:
1180 1179 if n.nodeType != n.ELEMENT_NODE or n.tagName != 'name':
1181 1180 continue
1182 1181 name = ''.join(c.data for c in n.childNodes
1183 1182 if c.nodeType == c.TEXT_NODE)
1184 1183 # Entries are compared with names coming from
1185 1184 # mercurial, so bytes with undefined encoding. Our
1186 1185 # best bet is to assume they are in local
1187 1186 # encoding. They will be passed to command line calls
1188 1187 # later anyway, so they better be.
1189 1188 m.add(encoding.tolocal(name.encode('utf-8')))
1190 1189 break
1191 1190 return m
1192 1191
1193 1192 def putfile(self, filename, flags, data):
1194 1193 if 'l' in flags:
1195 1194 self.wopener.symlink(data, filename)
1196 1195 else:
1197 1196 try:
1198 1197 if os.path.islink(self.wjoin(filename)):
1199 1198 os.unlink(filename)
1200 1199 except OSError:
1201 1200 pass
1202 1201 self.wopener.write(filename, data)
1203 1202
1204 1203 if self.is_exec:
1205 1204 if self.is_exec(self.wjoin(filename)):
1206 1205 if 'x' not in flags:
1207 1206 self.delexec.append(filename)
1208 1207 else:
1209 1208 if 'x' in flags:
1210 1209 self.setexec.append(filename)
1211 1210 util.setflags(self.wjoin(filename), False, 'x' in flags)
1212 1211
1213 1212 def _copyfile(self, source, dest):
1214 1213 # SVN's copy command pukes if the destination file exists, but
1215 1214 # our copyfile method expects to record a copy that has
1216 1215 # already occurred. Cross the semantic gap.
1217 1216 wdest = self.wjoin(dest)
1218 1217 exists = os.path.lexists(wdest)
1219 1218 if exists:
1220 1219 fd, tempname = tempfile.mkstemp(
1221 1220 prefix='hg-copy-', dir=os.path.dirname(wdest))
1222 1221 os.close(fd)
1223 1222 os.unlink(tempname)
1224 1223 os.rename(wdest, tempname)
1225 1224 try:
1226 1225 self.run0('copy', source, dest)
1227 1226 finally:
1228 1227 self.manifest.add(dest)
1229 1228 if exists:
1230 1229 try:
1231 1230 os.unlink(wdest)
1232 1231 except OSError:
1233 1232 pass
1234 1233 os.rename(tempname, wdest)
1235 1234
1236 1235 def dirs_of(self, files):
1237 1236 dirs = set()
1238 1237 for f in files:
1239 1238 if os.path.isdir(self.wjoin(f)):
1240 1239 dirs.add(f)
1241 1240 for i in strutil.rfindall(f, '/'):
1242 1241 dirs.add(f[:i])
1243 1242 return dirs
1244 1243
1245 1244 def add_dirs(self, files):
1246 1245 add_dirs = [d for d in sorted(self.dirs_of(files))
1247 1246 if d not in self.manifest]
1248 1247 if add_dirs:
1249 1248 self.manifest.update(add_dirs)
1250 1249 self.xargs(add_dirs, 'add', non_recursive=True, quiet=True)
1251 1250 return add_dirs
1252 1251
1253 1252 def add_files(self, files):
1254 1253 files = [f for f in files if f not in self.manifest]
1255 1254 if files:
1256 1255 self.manifest.update(files)
1257 1256 self.xargs(files, 'add', quiet=True)
1258 1257 return files
1259 1258
1260 1259 def addchild(self, parent, child):
1261 1260 self.childmap[parent] = child
1262 1261
1263 1262 def revid(self, rev):
1264 1263 return u"svn:%s@%s" % (self.uuid, rev)
1265 1264
1266 1265 def putcommit(self, files, copies, parents, commit, source, revmap, full,
1267 1266 cleanp2):
1268 1267 for parent in parents:
1269 1268 try:
1270 1269 return self.revid(self.childmap[parent])
1271 1270 except KeyError:
1272 1271 pass
1273 1272
1274 1273 # Apply changes to working copy
1275 1274 for f, v in files:
1276 1275 data, mode = source.getfile(f, v)
1277 1276 if data is None:
1278 1277 self.delete.append(f)
1279 1278 else:
1280 1279 self.putfile(f, mode, data)
1281 1280 if f in copies:
1282 1281 self.copies.append([copies[f], f])
1283 1282 if full:
1284 1283 self.delete.extend(sorted(self.manifest.difference(files)))
1285 1284 files = [f[0] for f in files]
1286 1285
1287 1286 entries = set(self.delete)
1288 1287 files = frozenset(files)
1289 1288 entries.update(self.add_dirs(files.difference(entries)))
1290 1289 if self.copies:
1291 1290 for s, d in self.copies:
1292 1291 self._copyfile(s, d)
1293 1292 self.copies = []
1294 1293 if self.delete:
1295 1294 self.xargs(self.delete, 'delete')
1296 1295 for f in self.delete:
1297 1296 self.manifest.remove(f)
1298 1297 self.delete = []
1299 1298 entries.update(self.add_files(files.difference(entries)))
1300 1299 if self.delexec:
1301 1300 self.xargs(self.delexec, 'propdel', 'svn:executable')
1302 1301 self.delexec = []
1303 1302 if self.setexec:
1304 1303 self.xargs(self.setexec, 'propset', 'svn:executable', '*')
1305 1304 self.setexec = []
1306 1305
1307 1306 fd, messagefile = tempfile.mkstemp(prefix='hg-convert-')
1308 1307 fp = os.fdopen(fd, 'w')
1309 1308 fp.write(commit.desc)
1310 1309 fp.close()
1311 1310 try:
1312 1311 output = self.run0('commit',
1313 1312 username=util.shortuser(commit.author),
1314 1313 file=messagefile,
1315 1314 encoding='utf-8')
1316 1315 try:
1317 1316 rev = self.commit_re.search(output).group(1)
1318 1317 except AttributeError:
1319 1318 if parents and not files:
1320 1319 return parents[0]
1321 1320 self.ui.warn(_('unexpected svn output:\n'))
1322 1321 self.ui.warn(output)
1323 1322 raise error.Abort(_('unable to cope with svn output'))
1324 1323 if commit.rev:
1325 1324 self.run('propset', 'hg:convert-rev', commit.rev,
1326 1325 revprop=True, revision=rev)
1327 1326 if commit.branch and commit.branch != 'default':
1328 1327 self.run('propset', 'hg:convert-branch', commit.branch,
1329 1328 revprop=True, revision=rev)
1330 1329 for parent in parents:
1331 1330 self.addchild(parent, rev)
1332 1331 return self.revid(rev)
1333 1332 finally:
1334 1333 os.unlink(messagefile)
1335 1334
1336 1335 def puttags(self, tags):
1337 1336 self.ui.warn(_('writing Subversion tags is not yet implemented\n'))
1338 1337 return None, None
1339 1338
1340 1339 def hascommitfrommap(self, rev):
1341 1340 # We trust that revisions referenced in a map still is present
1342 1341 # TODO: implement something better if necessary and feasible
1343 1342 return True
1344 1343
1345 1344 def hascommitforsplicemap(self, rev):
1346 1345 # This is not correct as one can convert to an existing subversion
1347 1346 # repository and childmap would not list all revisions. Too bad.
1348 1347 if rev in self.childmap:
1349 1348 return True
1350 1349 raise error.Abort(_('splice map revision %s not found in subversion '
1351 1350 'child map (revision lookups are not implemented)')
1352 1351 % rev)
General Comments 0
You need to be logged in to leave comments. Login now