1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
|
# Copyright (C) 2007 Canonical Ltd
#
# This program is free software; you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation; either version 2 of the License, or
# (at your option) any later version.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with this program; if not, write to the Free Software
# Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
"""An adapter between a Git Repository and a Bazaar Branch"""
from bzrlib import (
errors,
repository,
urlutils,
)
from bzrlib.plugins.git import GitModel
class GitRepository(repository.Repository):
"""An adapter to git repositories for bzr."""
def __init__(self, gitdir, lockfiles):
self.bzrdir = gitdir
self.control_files = lockfiles
gitdirectory = urlutils.local_path_from_url(gitdir.transport.base)
self.git = GitModel(gitdirectory)
self._revision_cache = {}
def _ancestor_revisions(self, revision_ids):
if revision_ids is not None:
git_revisions = [gitrevid_from_bzr(r) for r in revision_ids]
else:
git_revisions = None
for lines in self.git.ancestor_lines(git_revisions):
yield self.parse_rev(lines)
def is_shared(self):
return True
def get_revision_graph(self, revision_id=None):
if revision_id is None:
revisions = None
else:
revisions = [revision_id]
return self.get_revision_graph_with_ghosts(revisions).get_ancestors()
def get_revision_graph_with_ghosts(self, revision_ids=None):
result = deprecated_graph.Graph()
for revision in self._ancestor_revisions(revision_ids):
result.add_node(revision.revision_id, revision.parent_ids)
self._revision_cache[revision.revision_id] = revision
return result
def get_revision(self, revision_id):
if revision_id in self._revision_cache:
return self._revision_cache[revision_id]
raw = self.git.rev_list([gitrevid_from_bzr(revision_id)], max_count=1,
header=True)
return self.parse_rev(raw)
def has_revision(self, revision_id):
try:
self.get_revision(revision_id)
except NoSuchRevision:
return False
else:
return True
def get_revisions(self, revisions):
return [self.get_revision(r) for r in revisions]
def parse_rev(self, raw):
# first field is the rev itself.
# then its 'field value'
# until the EOF??
parents = []
log = []
in_log = False
committer = None
revision_id = bzrrevid_from_git(raw[0][:-1])
for field in raw[1:]:
#if field.startswith('author '):
# committer = field[7:]
if field.startswith('parent '):
parents.append(bzrrevid_from_git(field.split()[1]))
elif field.startswith('committer '):
commit_fields = field.split()
if committer is None:
committer = ' '.join(commit_fields[1:-3])
timestamp = commit_fields[-2]
timezone = commit_fields[-1]
elif field.startswith('tree '):
tree_id = field.split()[1]
elif in_log:
log.append(field[4:])
elif field == '\n':
in_log = True
log = ''.join(log)
result = Revision(revision_id)
result.parent_ids = parents
result.message = log
result.inventory_sha1 = ""
result.timezone = timezone and int(timezone)
result.timestamp = float(timestamp)
result.committer = committer
result.properties['git-tree-id'] = tree_id
return result
def revision_trees(self, revids):
for revid in revids:
yield self.revision_tree(revid)
def revision_tree(self, revision_id):
return GitRevisionTree(self, revision_id)
def get_inventory(self, revision_id):
revision = self.get_revision(revision_id)
inventory = GitInventory(revision_id)
tree_id = revision.properties['git-tree-id']
type_map = {'blob': 'file', 'tree': 'directory' }
def get_inventory(tree_id, prefix):
for perms, type, obj_id, name in self.git.get_inventory(tree_id):
full_path = prefix + name
if type == 'blob':
text_sha1 = obj_id
else:
text_sha1 = None
executable = (perms[-3] in ('1', '3', '5', '7'))
entry = GitEntry(full_path, type_map[type], revision_id,
text_sha1, executable)
inventory.entries[full_path] = entry
if type == 'tree':
get_inventory(obj_id, full_path+'/')
get_inventory(tree_id, '')
return inventory
class GitRevisionTree(object):
def __init__(self, repository, revision_id):
self.repository = repository
self.revision_id = revision_id
self.inventory = repository.get_inventory(revision_id)
def get_file(self, file_id):
obj_id = self.inventory[file_id].text_sha1
lines = self.repository.git.cat_file('blob', obj_id)
return iterablefile.IterableFile(lines)
def is_executable(self, file_id):
return self.inventory[file_id].executable
|