3 # Copyright (c) 2012 Felipe Contreras
6 # Inspired by Rocco Rutte's hg-fast-export
8 # Just copy to your ~/bin, or anywhere in your $PATH.
9 # Then you can clone with:
10 # git clone hg::/path/to/mercurial/repo/
12 from mercurial
import hg
, ui
, bookmarks
, context
, util
, encoding
23 # If you want to switch to hg-git compatibility mode:
24 # git config --global remote-hg.hg-git-compat true
27 # Sensible defaults for git.
28 # hg bookmarks are exported as git branches, hg branches are prefixed
29 # with 'branches/', HEAD is a special case.
33 # Only hg bookmarks are exported as git branches.
34 # Commits are modified to preserve hg information and allow biridectionality.
37 NAME_RE
= re
.compile('^([^<>]+)')
38 AUTHOR_RE
= re
.compile('^([^<>]+?)? ?<([^<>]*)>$')
39 AUTHOR_HG_RE
= re
.compile('^(.*?) ?<(.*?)(?:>(.+)?)?$')
40 RAW_AUTHOR_RE
= re
.compile('^(\w+) (?:(.+)? )?<(.*)> (\d+) ([+-]\d+)')
43 sys
.stderr
.write('ERROR: %s\n' % (msg
% args
))
47 sys
.stderr
.write('WARNING: %s\n' % (msg
% args
))
50 return 'l' in flags
and '120000' or 'x' in flags
and '100755' or '100644'
53 return '%+03d%02d' % (-tz
/ 3600, -tz
% 3600 / 60)
56 m
= { '0100755': 'x', '0120000': 'l' }
57 return m
.get(mode
, '')
61 def __init__(self
, path
):
71 if not os
.path
.exists(self
.path
):
74 tmp
= json
.load(open(self
.path
))
76 self
.tips
= tmp
['tips']
77 self
.marks
= tmp
['marks']
78 self
.last_mark
= tmp
['last-mark']
80 for rev
, mark
in self
.marks
.iteritems():
81 self
.rev_marks
[mark
] = int(rev
)
84 return { 'tips': self
.tips
, 'marks': self
.marks
, 'last-mark' : self
.last_mark
}
87 json
.dump(self
.dict(), open(self
.path
, 'w'))
90 return str(self
.dict())
92 def from_rev(self
, rev
):
93 return self
.marks
[str(rev
)]
95 def to_rev(self
, mark
):
96 return self
.rev_marks
[mark
]
98 def get_mark(self
, rev
):
100 self
.marks
[str(rev
)] = self
.last_mark
101 return self
.last_mark
103 def new_mark(self
, rev
, mark
):
104 self
.marks
[str(rev
)] = mark
105 self
.rev_marks
[mark
] = rev
106 self
.last_mark
= mark
108 def is_marked(self
, rev
):
109 return self
.marks
.has_key(str(rev
))
111 def get_tip(self
, branch
):
112 return self
.tips
.get(branch
, 0)
114 def set_tip(self
, branch
, tip
):
115 self
.tips
[branch
] = tip
119 def __init__(self
, repo
):
121 self
.line
= self
.get_line()
124 return sys
.stdin
.readline().strip()
126 def __getitem__(self
, i
):
127 return self
.line
.split()[i
]
129 def check(self
, word
):
130 return self
.line
.startswith(word
)
132 def each_block(self
, separator
):
133 while self
.line
!= separator
:
135 self
.line
= self
.get_line()
138 return self
.each_block('')
141 self
.line
= self
.get_line()
142 if self
.line
== 'done':
146 i
= self
.line
.index(':') + 1
147 return int(self
.line
[i
:])
150 if not self
.check('data'):
152 i
= self
.line
.index(' ') + 1
153 size
= int(self
.line
[i
:])
154 return sys
.stdin
.read(size
)
156 def get_author(self
):
160 m
= RAW_AUTHOR_RE
.match(self
.line
)
163 _
, name
, email
, date
, tz
= m
.groups()
164 if name
and 'ext:' in name
:
165 m
= re
.match('^(.+?) ext:\((.+)\)$', name
)
168 ex
= urllib
.unquote(m
.group(2))
170 if email
!= bad_mail
:
172 user
= '%s <%s>' % (name
, email
)
174 user
= '<%s>' % (email
)
182 tz
= ((tz
/ 100) * 3600) + ((tz
% 100) * 60)
183 return (user
, int(date
), -tz
)
187 print "M %s inline %s" % (gitmode(fc
.flags()), fc
.path())
188 print "data %d" % len(d
)
191 def get_filechanges(repo
, ctx
, parent
):
197 prev
= repo
[parent
].manifest().copy()
201 if (cur
.flags(fn
) != prev
.flags(fn
) or cur
[fn
] != prev
[fn
]):
206 removed |
= set(prev
.keys())
208 return added | modified
, removed
210 def fixup_user_git(user
):
212 user
= user
.replace('"', '')
213 m
= AUTHOR_RE
.match(user
)
216 mail
= m
.group(2).strip()
218 m
= NAME_RE
.match(user
)
220 name
= m
.group(1).strip()
223 def fixup_user_hg(user
):
225 # stole this from hg-git
226 return re
.sub('[<>\n]', '?', name
.lstrip('< ').rstrip('> '))
228 m
= AUTHOR_HG_RE
.match(user
)
230 name
= sanitize(m
.group(1))
231 mail
= sanitize(m
.group(2))
234 name
+= ' ext:(' + urllib
.quote(ex
) + ')'
236 name
= sanitize(user
)
244 def fixup_user(user
):
245 global mode
, bad_mail
248 name
, mail
= fixup_user_git(user
)
250 name
, mail
= fixup_user_hg(user
)
257 return '%s <%s>' % (name
, mail
)
259 def get_repo(url
, alias
):
263 myui
.setconfig('ui', 'interactive', 'off')
266 repo
= hg
.repository(myui
, url
)
268 local_path
= os
.path
.join(dirname
, 'clone')
269 if not os
.path
.exists(local_path
):
270 peer
, dstpeer
= hg
.clone(myui
, {}, url
, local_path
, update
=False, pull
=True)
271 repo
= dstpeer
.local()
273 repo
= hg
.repository(myui
, local_path
)
274 peer
= hg
.peer(myui
, {}, url
)
275 repo
.pull(peer
, heads
=None, force
=True)
279 def rev_to_mark(rev
):
281 return marks
.from_rev(rev
)
283 def mark_to_rev(mark
):
285 return marks
.to_rev(mark
)
287 def export_ref(repo
, name
, kind
, head
):
288 global prefix
, marks
, mode
290 ename
= '%s/%s' % (kind
, name
)
291 tip
= marks
.get_tip(ename
)
293 # mercurial takes too much time checking this
294 if tip
and tip
== head
.rev():
297 revs
= xrange(tip
, head
.rev() + 1)
300 revs
= [rev
for rev
in revs
if not marks
.is_marked(rev
)]
305 (manifest
, user
, (time
, tz
), files
, desc
, extra
) = repo
.changelog
.read(c
.node())
306 rev_branch
= extra
['branch']
308 author
= "%s %d %s" % (fixup_user(user
), time
, gittz(tz
))
309 if 'committer' in extra
:
310 user
, time
, tz
= extra
['committer'].rsplit(' ', 2)
311 committer
= "%s %s %s" % (user
, time
, gittz(int(tz
)))
315 parents
= [p
for p
in repo
.changelog
.parentrevs(rev
) if p
>= 0]
317 if len(parents
) == 0:
318 modified
= c
.manifest().keys()
321 modified
, removed
= get_filechanges(repo
, c
, parents
[0])
326 if rev_branch
!= 'default':
327 extra_msg
+= 'branch : %s\n' % rev_branch
331 if f
not in c
.manifest():
333 rename
= c
.filectx(f
).renamed()
335 renames
.append((rename
[0], f
))
338 extra_msg
+= "rename : %s => %s\n" % e
340 for key
, value
in extra
.iteritems():
341 if key
in ('author', 'committer', 'encoding', 'message', 'branch', 'hg-git'):
344 extra_msg
+= "extra : %s : %s\n" % (key
, urllib
.quote(value
))
348 desc
+= '\n--HG--\n' + extra_msg
350 if len(parents
) == 0 and rev
:
351 print 'reset %s/%s' % (prefix
, ename
)
353 print "commit %s/%s" % (prefix
, ename
)
354 print "mark :%d" % (marks
.get_mark(rev
))
355 print "author %s" % (author
)
356 print "committer %s" % (committer
)
357 print "data %d" % (len(desc
))
361 print "from :%s" % (rev_to_mark(parents
[0]))
363 print "merge :%s" % (rev_to_mark(parents
[1]))
366 export_file(c
.filectx(f
))
372 if (count
% 100 == 0):
373 print "progress revision %d '%s' (%d/%d)" % (rev
, name
, count
, len(revs
))
374 print "#############################################################"
376 # make sure the ref is updated
377 print "reset %s/%s" % (prefix
, ename
)
378 print "from :%u" % rev_to_mark(rev
)
381 marks
.set_tip(ename
, rev
)
383 def export_tag(repo
, tag
):
384 export_ref(repo
, tag
, 'tags', repo
[tag
])
386 def export_bookmark(repo
, bmark
):
388 export_ref(repo
, bmark
, 'bookmarks', head
)
390 def export_branch(repo
, branch
):
391 tip
= get_branch_tip(repo
, branch
)
393 export_ref(repo
, branch
, 'branches', head
)
395 def export_head(repo
):
397 export_ref(repo
, g_head
[0], 'bookmarks', g_head
[1])
399 def do_capabilities(parser
):
400 global prefix
, dirname
404 print "refspec refs/heads/branches/*:%s/branches/*" % prefix
405 print "refspec refs/heads/*:%s/bookmarks/*" % prefix
406 print "refspec refs/tags/*:%s/tags/*" % prefix
408 path
= os
.path
.join(dirname
, 'marks-git')
410 if os
.path
.exists(path
):
411 print "*import-marks %s" % path
412 print "*export-marks %s" % path
416 def get_branch_tip(repo
, branch
):
419 heads
= branches
.get(branch
, None)
423 # verify there's only one head
425 warn("Branch '%s' has more than one head, consider merging" % branch
)
426 # older versions of mercurial don't have this
427 if hasattr(repo
, "branchtip"):
428 return repo
.branchtip(branch
)
432 def list_head(repo
, cur
):
433 global g_head
, bmarks
435 head
= bookmarks
.readcurrent(repo
)
439 # fake bookmark from current branch
446 if head
== 'default':
450 print "@refs/heads/%s HEAD" % head
451 g_head
= (head
, node
)
454 global branches
, bmarks
, mode
, track_branches
457 for bmark
, node
in bookmarks
.listbookmarks(repo
).iteritems():
458 bmarks
[bmark
] = repo
[node
]
460 cur
= repo
.dirstate
.branch()
465 for branch
in repo
.branchmap():
466 heads
= repo
.branchheads(branch
)
468 branches
[branch
] = heads
470 for branch
in branches
:
471 print "? refs/heads/branches/%s" % branch
474 print "? refs/heads/%s" % bmark
476 for tag
, node
in repo
.tagslist():
479 print "? refs/tags/%s" % tag
483 def do_import(parser
):
486 path
= os
.path
.join(dirname
, 'marks-git')
489 if os
.path
.exists(path
):
490 print "feature import-marks=%s" % path
491 print "feature export-marks=%s" % path
494 tmp
= encoding
.encoding
495 encoding
.encoding
= 'utf-8'
497 # lets get all the import lines
498 while parser
.check('import'):
503 elif ref
.startswith('refs/heads/branches/'):
504 branch
= ref
[len('refs/heads/branches/'):]
505 export_branch(repo
, branch
)
506 elif ref
.startswith('refs/heads/'):
507 bmark
= ref
[len('refs/heads/'):]
508 export_bookmark(repo
, bmark
)
509 elif ref
.startswith('refs/tags/'):
510 tag
= ref
[len('refs/tags/'):]
511 export_tag(repo
, tag
)
515 encoding
.encoding
= tmp
519 def parse_blob(parser
):
523 mark
= parser
.get_mark()
525 data
= parser
.get_data()
526 blob_marks
[mark
] = data
530 def get_merge_files(repo
, p1
, p2
, files
):
531 for e
in repo
[p1
].files():
533 if e
not in repo
[p1
].manifest():
535 f
= { 'ctx' : repo
[p1
][e
] }
538 def parse_commit(parser
):
539 global marks
, blob_marks
, bmarks
, parsed_refs
542 from_mark
= merge_mark
= None
547 commit_mark
= parser
.get_mark()
549 author
= parser
.get_author()
551 committer
= parser
.get_author()
553 data
= parser
.get_data()
555 if parser
.check('from'):
556 from_mark
= parser
.get_mark()
558 if parser
.check('merge'):
559 merge_mark
= parser
.get_mark()
561 if parser
.check('merge'):
562 die('octopus merges are not supported yet')
567 if parser
.check('M'):
568 t
, m
, mark_ref
, path
= line
.split(' ', 3)
569 mark
= int(mark_ref
[1:])
570 f
= { 'mode' : hgmode(m
), 'data' : blob_marks
[mark
] }
571 elif parser
.check('D'):
572 t
, path
= line
.split(' ')
573 f
= { 'deleted' : True }
575 die('Unknown file command: %s' % line
)
578 def getfilectx(repo
, memctx
, f
):
584 is_exec
= of
['mode'] == 'x'
585 is_link
= of
['mode'] == 'l'
586 rename
= of
.get('rename', None)
587 return context
.memfilectx(f
, of
['data'],
588 is_link
, is_exec
, rename
)
592 user
, date
, tz
= author
595 if committer
!= author
:
596 extra
['committer'] = "%s %u %u" % committer
599 p1
= repo
.changelog
.node(mark_to_rev(from_mark
))
604 p2
= repo
.changelog
.node(mark_to_rev(merge_mark
))
609 # If files changed from any of the parents, hg wants to know, but in git if
610 # nothing changed from the first parent, nothing changed.
613 get_merge_files(repo
, p1
, p2
, files
)
616 i
= data
.find('\n--HG--\n')
618 tmp
= data
[i
+ len('\n--HG--\n'):].strip()
619 for k
, v
in [e
.split(' : ') for e
in tmp
.split('\n')]:
621 old
, new
= v
.split(' => ', 1)
622 files
[new
]['rename'] = old
626 ek
, ev
= v
.split(' : ', 1)
627 extra
[ek
] = urllib
.unquote(ev
)
630 ctx
= context
.memctx(repo
, (p1
, p2
), data
,
631 files
.keys(), getfilectx
,
632 user
, (date
, tz
), extra
)
634 tmp
= encoding
.encoding
635 encoding
.encoding
= 'utf-8'
637 node
= repo
.commitctx(ctx
)
639 encoding
.encoding
= tmp
641 rev
= repo
[node
].rev()
643 parsed_refs
[ref
] = node
645 marks
.new_mark(rev
, commit_mark
)
647 def parse_reset(parser
):
651 if parser
.check('commit'):
654 if not parser
.check('from'):
656 from_mark
= parser
.get_mark()
659 node
= parser
.repo
.changelog
.node(mark_to_rev(from_mark
))
660 parsed_refs
[ref
] = node
662 def parse_tag(parser
):
665 from_mark
= parser
.get_mark()
667 tagger
= parser
.get_author()
669 data
= parser
.get_data()
674 def do_export(parser
):
675 global parsed_refs
, bmarks
, peer
679 for line
in parser
.each_block('done'):
680 if parser
.check('blob'):
682 elif parser
.check('commit'):
684 elif parser
.check('reset'):
686 elif parser
.check('tag'):
688 elif parser
.check('feature'):
691 die('unhandled export command: %s' % line
)
693 for ref
, node
in parsed_refs
.iteritems():
694 if ref
.startswith('refs/heads/branches'):
696 elif ref
.startswith('refs/heads/'):
697 bmark
= ref
[len('refs/heads/'):]
699 old
= bmarks
[bmark
].hex()
702 if not bookmarks
.pushbookmark(parser
.repo
, bmark
, old
, node
):
704 elif ref
.startswith('refs/tags/'):
705 tag
= ref
[len('refs/tags/'):]
706 parser
.repo
.tag([tag
], node
, None, True, None, {})
708 # transport-helper/fast-export bugs
715 parser
.repo
.push(peer
, force
=False)
718 global prefix
, dirname
, branches
, bmarks
719 global marks
, blob_marks
, parsed_refs
720 global peer
, mode
, bad_mail
, bad_name
721 global track_branches
727 hg_git_compat
= False
728 track_branches
= True
730 cmd
= ['git', 'config', '--get', 'remote-hg.hg-git-compat']
731 if subprocess
.check_output(cmd
) == 'true\n':
733 track_branches
= False
734 cmd
= ['git', 'config', '--get', 'remote-hg.track-branches']
735 if subprocess
.check_output(cmd
) == 'false\n':
736 track_branches
= False
737 except subprocess
.CalledProcessError
:
742 bad_mail
= 'none@none'
751 alias
= util
.sha1(alias
).hexdigest()
755 gitdir
= os
.environ
['GIT_DIR']
756 dirname
= os
.path
.join(gitdir
, 'hg', alias
)
762 repo
= get_repo(url
, alias
)
763 prefix
= 'refs/hg/%s' % alias
765 if not os
.path
.exists(dirname
):
768 marks_path
= os
.path
.join(dirname
, 'marks-hg')
769 marks
= Marks(marks_path
)
771 parser
= Parser(repo
)
773 if parser
.check('capabilities'):
774 do_capabilities(parser
)
775 elif parser
.check('list'):
777 elif parser
.check('import'):
779 elif parser
.check('export'):
782 die('unhandled command: %s' % line
)
788 shutil
.rmtree(dirname
)
790 sys
.exit(main(sys
.argv
))