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
|
from bzrlib import patches
class PatchSource(object):
def __iter__(self):
def iterator(obj):
for p in obj.read():
yield p
return iterator(self)
def readlines(self):
raise NotImplementedError()
def readpatches(self):
return patches.parse_patches(self.readlines())
class FilePatchSource(PatchSource):
def __init__(self, filename):
self.filename = filename
PatchSource.__init__(self)
def readlines(self):
f = open(self.filename, 'r')
return f.readlines()
class BzrPatchSource(PatchSource):
def __init__(self, revision=None, file_list=None):
from bzrlib.builtins import tree_files
self.tree, self.file_list = tree_files(file_list)
self.base = self.tree.basedir
self.revision = revision
# Hacks to cope with v0.7 and v0.8 of bzr
if self.revision is None:
if hasattr(self.tree, 'basis_tree'):
self.old_tree = self.tree.basis_tree()
else:
self.old_tree = self.tree.branch.basis_tree()
else:
revision_id = self.revision.in_store(self.tree.branch).rev_id
if hasattr(self.tree.branch, 'repository'):
self.old_tree = self.tree.branch.repository.revision_tree(revision_id)
else:
self.old_tree = self.tree.branch.revision_tree(revision_id)
PatchSource.__init__(self)
def readlines(self):
from bzrlib.diff import show_diff_trees
from StringIO import StringIO
f = StringIO()
show_diff_trees(self.old_tree, self.tree, f, self.file_list,
old_label='', new_label='')
f.seek(0)
return f.readlines()
|