Show More
@@ -1,679 +1,680 b'' | |||||
1 | # manifest.py - manifest revision class for mercurial |
|
1 | # manifest.py - manifest revision class for mercurial | |
2 | # |
|
2 | # | |
3 | # Copyright 2005-2007 Matt Mackall <mpm@selenic.com> |
|
3 | # Copyright 2005-2007 Matt Mackall <mpm@selenic.com> | |
4 | # |
|
4 | # | |
5 | # This software may be used and distributed according to the terms of the |
|
5 | # This software may be used and distributed according to the terms of the | |
6 | # GNU General Public License version 2 or any later version. |
|
6 | # GNU General Public License version 2 or any later version. | |
7 |
|
7 | |||
8 | from i18n import _ |
|
8 | from i18n import _ | |
9 | import mdiff, parsers, error, revlog, util, scmutil |
|
9 | import mdiff, parsers, error, revlog, util, scmutil | |
10 | import array, struct |
|
10 | import array, struct | |
11 |
|
11 | |||
12 | propertycache = util.propertycache |
|
12 | propertycache = util.propertycache | |
13 |
|
13 | |||
14 | def _parse(data): |
|
14 | def _parse(data): | |
15 | """Generates (path, node, flags) tuples from a manifest text""" |
|
15 | """Generates (path, node, flags) tuples from a manifest text""" | |
16 | # This method does a little bit of excessive-looking |
|
16 | # This method does a little bit of excessive-looking | |
17 | # precondition checking. This is so that the behavior of this |
|
17 | # precondition checking. This is so that the behavior of this | |
18 | # class exactly matches its C counterpart to try and help |
|
18 | # class exactly matches its C counterpart to try and help | |
19 | # prevent surprise breakage for anyone that develops against |
|
19 | # prevent surprise breakage for anyone that develops against | |
20 | # the pure version. |
|
20 | # the pure version. | |
21 | if data and data[-1] != '\n': |
|
21 | if data and data[-1] != '\n': | |
22 | raise ValueError('Manifest did not end in a newline.') |
|
22 | raise ValueError('Manifest did not end in a newline.') | |
23 | prev = None |
|
23 | prev = None | |
24 | for l in data.splitlines(): |
|
24 | for l in data.splitlines(): | |
25 | if prev is not None and prev > l: |
|
25 | if prev is not None and prev > l: | |
26 | raise ValueError('Manifest lines not in sorted order.') |
|
26 | raise ValueError('Manifest lines not in sorted order.') | |
27 | prev = l |
|
27 | prev = l | |
28 | f, n = l.split('\0') |
|
28 | f, n = l.split('\0') | |
29 | if len(n) > 40: |
|
29 | if len(n) > 40: | |
30 | yield f, revlog.bin(n[:40]), n[40:] |
|
30 | yield f, revlog.bin(n[:40]), n[40:] | |
31 | else: |
|
31 | else: | |
32 | yield f, revlog.bin(n), '' |
|
32 | yield f, revlog.bin(n), '' | |
33 |
|
33 | |||
34 | def _text(it): |
|
34 | def _text(it): | |
35 | """Given an iterator over (path, node, flags) tuples, returns a manifest |
|
35 | """Given an iterator over (path, node, flags) tuples, returns a manifest | |
36 | text""" |
|
36 | text""" | |
37 | files = [] |
|
37 | files = [] | |
38 | lines = [] |
|
38 | lines = [] | |
39 | _hex = revlog.hex |
|
39 | _hex = revlog.hex | |
40 | for f, n, fl in it: |
|
40 | for f, n, fl in it: | |
41 | files.append(f) |
|
41 | files.append(f) | |
42 | # if this is changed to support newlines in filenames, |
|
42 | # if this is changed to support newlines in filenames, | |
43 | # be sure to check the templates/ dir again (especially *-raw.tmpl) |
|
43 | # be sure to check the templates/ dir again (especially *-raw.tmpl) | |
44 | lines.append("%s\0%s%s\n" % (f, _hex(n), fl)) |
|
44 | lines.append("%s\0%s%s\n" % (f, _hex(n), fl)) | |
45 |
|
45 | |||
46 | _checkforbidden(files) |
|
46 | _checkforbidden(files) | |
47 | return ''.join(lines) |
|
47 | return ''.join(lines) | |
48 |
|
48 | |||
49 | class _lazymanifest(dict): |
|
49 | class _lazymanifest(dict): | |
50 | """This is the pure implementation of lazymanifest. |
|
50 | """This is the pure implementation of lazymanifest. | |
51 |
|
51 | |||
52 | It has not been optimized *at all* and is not lazy. |
|
52 | It has not been optimized *at all* and is not lazy. | |
53 | """ |
|
53 | """ | |
54 |
|
54 | |||
55 | def __init__(self, data): |
|
55 | def __init__(self, data): | |
56 | dict.__init__(self) |
|
56 | dict.__init__(self) | |
57 | for f, n, fl in _parse(data): |
|
57 | for f, n, fl in _parse(data): | |
58 | self[f] = n, fl |
|
58 | self[f] = n, fl | |
59 |
|
59 | |||
60 | def __setitem__(self, k, v): |
|
60 | def __setitem__(self, k, v): | |
61 | node, flag = v |
|
61 | node, flag = v | |
62 | assert node is not None |
|
62 | assert node is not None | |
63 | if len(node) > 21: |
|
63 | if len(node) > 21: | |
64 | node = node[:21] # match c implementation behavior |
|
64 | node = node[:21] # match c implementation behavior | |
65 | dict.__setitem__(self, k, (node, flag)) |
|
65 | dict.__setitem__(self, k, (node, flag)) | |
66 |
|
66 | |||
67 | def __iter__(self): |
|
67 | def __iter__(self): | |
68 | return iter(sorted(dict.keys(self))) |
|
68 | return iter(sorted(dict.keys(self))) | |
69 |
|
69 | |||
70 | def iterkeys(self): |
|
70 | def iterkeys(self): | |
71 | return iter(sorted(dict.keys(self))) |
|
71 | return iter(sorted(dict.keys(self))) | |
72 |
|
72 | |||
73 | def iterentries(self): |
|
73 | def iterentries(self): | |
74 | return ((f, e[0], e[1]) for f, e in sorted(self.iteritems())) |
|
74 | return ((f, e[0], e[1]) for f, e in sorted(self.iteritems())) | |
75 |
|
75 | |||
76 | def copy(self): |
|
76 | def copy(self): | |
77 | c = _lazymanifest('') |
|
77 | c = _lazymanifest('') | |
78 | c.update(self) |
|
78 | c.update(self) | |
79 | return c |
|
79 | return c | |
80 |
|
80 | |||
81 | def diff(self, m2, clean=False): |
|
81 | def diff(self, m2, clean=False): | |
82 | '''Finds changes between the current manifest and m2.''' |
|
82 | '''Finds changes between the current manifest and m2.''' | |
83 | diff = {} |
|
83 | diff = {} | |
84 |
|
84 | |||
85 | for fn, e1 in self.iteritems(): |
|
85 | for fn, e1 in self.iteritems(): | |
86 | if fn not in m2: |
|
86 | if fn not in m2: | |
87 | diff[fn] = e1, (None, '') |
|
87 | diff[fn] = e1, (None, '') | |
88 | else: |
|
88 | else: | |
89 | e2 = m2[fn] |
|
89 | e2 = m2[fn] | |
90 | if e1 != e2: |
|
90 | if e1 != e2: | |
91 | diff[fn] = e1, e2 |
|
91 | diff[fn] = e1, e2 | |
92 | elif clean: |
|
92 | elif clean: | |
93 | diff[fn] = None |
|
93 | diff[fn] = None | |
94 |
|
94 | |||
95 | for fn, e2 in m2.iteritems(): |
|
95 | for fn, e2 in m2.iteritems(): | |
96 | if fn not in self: |
|
96 | if fn not in self: | |
97 | diff[fn] = (None, ''), e2 |
|
97 | diff[fn] = (None, ''), e2 | |
98 |
|
98 | |||
99 | return diff |
|
99 | return diff | |
100 |
|
100 | |||
101 | def filtercopy(self, filterfn): |
|
101 | def filtercopy(self, filterfn): | |
102 | c = _lazymanifest('') |
|
102 | c = _lazymanifest('') | |
103 | for f, n, fl in self.iterentries(): |
|
103 | for f, n, fl in self.iterentries(): | |
104 | if filterfn(f): |
|
104 | if filterfn(f): | |
105 | c[f] = n, fl |
|
105 | c[f] = n, fl | |
106 | return c |
|
106 | return c | |
107 |
|
107 | |||
108 | def text(self): |
|
108 | def text(self): | |
109 | """Get the full data of this manifest as a bytestring.""" |
|
109 | """Get the full data of this manifest as a bytestring.""" | |
110 | return _text(self.iterentries()) |
|
110 | return _text(self.iterentries()) | |
111 |
|
111 | |||
112 | try: |
|
112 | try: | |
113 | _lazymanifest = parsers.lazymanifest |
|
113 | _lazymanifest = parsers.lazymanifest | |
114 | except AttributeError: |
|
114 | except AttributeError: | |
115 | pass |
|
115 | pass | |
116 |
|
116 | |||
117 | class manifestdict(object): |
|
117 | class manifestdict(object): | |
118 | def __init__(self, data=''): |
|
118 | def __init__(self, data=''): | |
119 | self._lm = _lazymanifest(data) |
|
119 | self._lm = _lazymanifest(data) | |
120 |
|
120 | |||
121 | def __getitem__(self, key): |
|
121 | def __getitem__(self, key): | |
122 | return self._lm[key][0] |
|
122 | return self._lm[key][0] | |
123 |
|
123 | |||
124 | def find(self, key): |
|
124 | def find(self, key): | |
125 | return self._lm[key] |
|
125 | return self._lm[key] | |
126 |
|
126 | |||
127 | def __len__(self): |
|
127 | def __len__(self): | |
128 | return len(self._lm) |
|
128 | return len(self._lm) | |
129 |
|
129 | |||
130 | def __setitem__(self, key, node): |
|
130 | def __setitem__(self, key, node): | |
131 | self._lm[key] = node, self.flags(key, '') |
|
131 | self._lm[key] = node, self.flags(key, '') | |
132 |
|
132 | |||
133 | def __contains__(self, key): |
|
133 | def __contains__(self, key): | |
134 | return key in self._lm |
|
134 | return key in self._lm | |
135 |
|
135 | |||
136 | def __delitem__(self, key): |
|
136 | def __delitem__(self, key): | |
137 | del self._lm[key] |
|
137 | del self._lm[key] | |
138 |
|
138 | |||
139 | def __iter__(self): |
|
139 | def __iter__(self): | |
140 | return self._lm.__iter__() |
|
140 | return self._lm.__iter__() | |
141 |
|
141 | |||
142 | def iterkeys(self): |
|
142 | def iterkeys(self): | |
143 | return self._lm.iterkeys() |
|
143 | return self._lm.iterkeys() | |
144 |
|
144 | |||
145 | def keys(self): |
|
145 | def keys(self): | |
146 | return list(self.iterkeys()) |
|
146 | return list(self.iterkeys()) | |
147 |
|
147 | |||
148 | def _intersectfiles(self, files): |
|
148 | def _intersectfiles(self, files): | |
149 | '''make a new lazymanifest with the intersection of self with files |
|
149 | '''make a new lazymanifest with the intersection of self with files | |
150 |
|
150 | |||
151 | The algorithm assumes that files is much smaller than self.''' |
|
151 | The algorithm assumes that files is much smaller than self.''' | |
152 | ret = manifestdict() |
|
152 | ret = manifestdict() | |
153 | lm = self._lm |
|
153 | lm = self._lm | |
154 | for fn in files: |
|
154 | for fn in files: | |
155 | if fn in lm: |
|
155 | if fn in lm: | |
156 | ret._lm[fn] = self._lm[fn] |
|
156 | ret._lm[fn] = self._lm[fn] | |
157 | return ret |
|
157 | return ret | |
158 |
|
158 | |||
159 | def filesnotin(self, m2): |
|
159 | def filesnotin(self, m2): | |
160 | '''Set of files in this manifest that are not in the other''' |
|
160 | '''Set of files in this manifest that are not in the other''' | |
161 | files = set(self) |
|
161 | files = set(self) | |
162 | files.difference_update(m2) |
|
162 | files.difference_update(m2) | |
163 | return files |
|
163 | return files | |
164 |
|
164 | |||
165 | @propertycache |
|
165 | @propertycache | |
166 | def _dirs(self): |
|
166 | def _dirs(self): | |
167 | return scmutil.dirs(self) |
|
167 | return scmutil.dirs(self) | |
168 |
|
168 | |||
169 | def dirs(self): |
|
169 | def dirs(self): | |
170 | return self._dirs |
|
170 | return self._dirs | |
171 |
|
171 | |||
172 | def hasdir(self, dir): |
|
172 | def hasdir(self, dir): | |
173 | return dir in self._dirs |
|
173 | return dir in self._dirs | |
174 |
|
174 | |||
175 | def matches(self, match): |
|
175 | def matches(self, match): | |
176 | '''generate a new manifest filtered by the match argument''' |
|
176 | '''generate a new manifest filtered by the match argument''' | |
177 | if match.always(): |
|
177 | if match.always(): | |
178 | return self.copy() |
|
178 | return self.copy() | |
179 |
|
179 | |||
180 | files = match.files() |
|
180 | files = match.files() | |
181 | if (len(files) < 100 and (match.isexact() or |
|
181 | if (len(files) < 100 and (match.isexact() or | |
182 | (not match.anypats() and util.all(fn in self for fn in files)))): |
|
182 | (not match.anypats() and util.all(fn in self for fn in files)))): | |
183 | return self._intersectfiles(files) |
|
183 | return self._intersectfiles(files) | |
184 |
|
184 | |||
185 | lm = manifestdict('') |
|
185 | lm = manifestdict('') | |
186 | lm._lm = self._lm.filtercopy(match) |
|
186 | lm._lm = self._lm.filtercopy(match) | |
187 | return lm |
|
187 | return lm | |
188 |
|
188 | |||
189 | def diff(self, m2, clean=False): |
|
189 | def diff(self, m2, clean=False): | |
190 | '''Finds changes between the current manifest and m2. |
|
190 | '''Finds changes between the current manifest and m2. | |
191 |
|
191 | |||
192 | Args: |
|
192 | Args: | |
193 | m2: the manifest to which this manifest should be compared. |
|
193 | m2: the manifest to which this manifest should be compared. | |
194 | clean: if true, include files unchanged between these manifests |
|
194 | clean: if true, include files unchanged between these manifests | |
195 | with a None value in the returned dictionary. |
|
195 | with a None value in the returned dictionary. | |
196 |
|
196 | |||
197 | The result is returned as a dict with filename as key and |
|
197 | The result is returned as a dict with filename as key and | |
198 | values of the form ((n1,fl1),(n2,fl2)), where n1/n2 is the |
|
198 | values of the form ((n1,fl1),(n2,fl2)), where n1/n2 is the | |
199 | nodeid in the current/other manifest and fl1/fl2 is the flag |
|
199 | nodeid in the current/other manifest and fl1/fl2 is the flag | |
200 | in the current/other manifest. Where the file does not exist, |
|
200 | in the current/other manifest. Where the file does not exist, | |
201 | the nodeid will be None and the flags will be the empty |
|
201 | the nodeid will be None and the flags will be the empty | |
202 | string. |
|
202 | string. | |
203 | ''' |
|
203 | ''' | |
204 | return self._lm.diff(m2._lm, clean) |
|
204 | return self._lm.diff(m2._lm, clean) | |
205 |
|
205 | |||
206 | def setflag(self, key, flag): |
|
206 | def setflag(self, key, flag): | |
207 | self._lm[key] = self[key], flag |
|
207 | self._lm[key] = self[key], flag | |
208 |
|
208 | |||
209 | def get(self, key, default=None): |
|
209 | def get(self, key, default=None): | |
210 | try: |
|
210 | try: | |
211 | return self._lm[key][0] |
|
211 | return self._lm[key][0] | |
212 | except KeyError: |
|
212 | except KeyError: | |
213 | return default |
|
213 | return default | |
214 |
|
214 | |||
215 | def flags(self, key, default=''): |
|
215 | def flags(self, key, default=''): | |
216 | try: |
|
216 | try: | |
217 | return self._lm[key][1] |
|
217 | return self._lm[key][1] | |
218 | except KeyError: |
|
218 | except KeyError: | |
219 | return default |
|
219 | return default | |
220 |
|
220 | |||
221 | def copy(self): |
|
221 | def copy(self): | |
222 | c = manifestdict('') |
|
222 | c = manifestdict('') | |
223 | c._lm = self._lm.copy() |
|
223 | c._lm = self._lm.copy() | |
224 | return c |
|
224 | return c | |
225 |
|
225 | |||
226 | def iteritems(self): |
|
226 | def iteritems(self): | |
227 | return (x[:2] for x in self._lm.iterentries()) |
|
227 | return (x[:2] for x in self._lm.iterentries()) | |
228 |
|
228 | |||
229 | def text(self): |
|
229 | def text(self): | |
230 | return self._lm.text() |
|
230 | return self._lm.text() | |
231 |
|
231 | |||
232 | def fastdelta(self, base, changes): |
|
232 | def fastdelta(self, base, changes): | |
233 | """Given a base manifest text as an array.array and a list of changes |
|
233 | """Given a base manifest text as an array.array and a list of changes | |
234 | relative to that text, compute a delta that can be used by revlog. |
|
234 | relative to that text, compute a delta that can be used by revlog. | |
235 | """ |
|
235 | """ | |
236 | delta = [] |
|
236 | delta = [] | |
237 | dstart = None |
|
237 | dstart = None | |
238 | dend = None |
|
238 | dend = None | |
239 | dline = [""] |
|
239 | dline = [""] | |
240 | start = 0 |
|
240 | start = 0 | |
241 | # zero copy representation of base as a buffer |
|
241 | # zero copy representation of base as a buffer | |
242 | addbuf = util.buffer(base) |
|
242 | addbuf = util.buffer(base) | |
243 |
|
243 | |||
244 | # start with a readonly loop that finds the offset of |
|
244 | # start with a readonly loop that finds the offset of | |
245 | # each line and creates the deltas |
|
245 | # each line and creates the deltas | |
246 | for f, todelete in changes: |
|
246 | for f, todelete in changes: | |
247 | # bs will either be the index of the item or the insert point |
|
247 | # bs will either be the index of the item or the insert point | |
248 | start, end = _msearch(addbuf, f, start) |
|
248 | start, end = _msearch(addbuf, f, start) | |
249 | if not todelete: |
|
249 | if not todelete: | |
250 | h, fl = self._lm[f] |
|
250 | h, fl = self._lm[f] | |
251 | l = "%s\0%s%s\n" % (f, revlog.hex(h), fl) |
|
251 | l = "%s\0%s%s\n" % (f, revlog.hex(h), fl) | |
252 | else: |
|
252 | else: | |
253 | if start == end: |
|
253 | if start == end: | |
254 | # item we want to delete was not found, error out |
|
254 | # item we want to delete was not found, error out | |
255 | raise AssertionError( |
|
255 | raise AssertionError( | |
256 | _("failed to remove %s from manifest") % f) |
|
256 | _("failed to remove %s from manifest") % f) | |
257 | l = "" |
|
257 | l = "" | |
258 | if dstart is not None and dstart <= start and dend >= start: |
|
258 | if dstart is not None and dstart <= start and dend >= start: | |
259 | if dend < end: |
|
259 | if dend < end: | |
260 | dend = end |
|
260 | dend = end | |
261 | if l: |
|
261 | if l: | |
262 | dline.append(l) |
|
262 | dline.append(l) | |
263 | else: |
|
263 | else: | |
264 | if dstart is not None: |
|
264 | if dstart is not None: | |
265 | delta.append([dstart, dend, "".join(dline)]) |
|
265 | delta.append([dstart, dend, "".join(dline)]) | |
266 | dstart = start |
|
266 | dstart = start | |
267 | dend = end |
|
267 | dend = end | |
268 | dline = [l] |
|
268 | dline = [l] | |
269 |
|
269 | |||
270 | if dstart is not None: |
|
270 | if dstart is not None: | |
271 | delta.append([dstart, dend, "".join(dline)]) |
|
271 | delta.append([dstart, dend, "".join(dline)]) | |
272 | # apply the delta to the base, and get a delta for addrevision |
|
272 | # apply the delta to the base, and get a delta for addrevision | |
273 | deltatext, arraytext = _addlistdelta(base, delta) |
|
273 | deltatext, arraytext = _addlistdelta(base, delta) | |
274 | return arraytext, deltatext |
|
274 | return arraytext, deltatext | |
275 |
|
275 | |||
276 | def _msearch(m, s, lo=0, hi=None): |
|
276 | def _msearch(m, s, lo=0, hi=None): | |
277 | '''return a tuple (start, end) that says where to find s within m. |
|
277 | '''return a tuple (start, end) that says where to find s within m. | |
278 |
|
278 | |||
279 | If the string is found m[start:end] are the line containing |
|
279 | If the string is found m[start:end] are the line containing | |
280 | that string. If start == end the string was not found and |
|
280 | that string. If start == end the string was not found and | |
281 | they indicate the proper sorted insertion point. |
|
281 | they indicate the proper sorted insertion point. | |
282 |
|
282 | |||
283 | m should be a buffer or a string |
|
283 | m should be a buffer or a string | |
284 | s is a string''' |
|
284 | s is a string''' | |
285 | def advance(i, c): |
|
285 | def advance(i, c): | |
286 | while i < lenm and m[i] != c: |
|
286 | while i < lenm and m[i] != c: | |
287 | i += 1 |
|
287 | i += 1 | |
288 | return i |
|
288 | return i | |
289 | if not s: |
|
289 | if not s: | |
290 | return (lo, lo) |
|
290 | return (lo, lo) | |
291 | lenm = len(m) |
|
291 | lenm = len(m) | |
292 | if not hi: |
|
292 | if not hi: | |
293 | hi = lenm |
|
293 | hi = lenm | |
294 | while lo < hi: |
|
294 | while lo < hi: | |
295 | mid = (lo + hi) // 2 |
|
295 | mid = (lo + hi) // 2 | |
296 | start = mid |
|
296 | start = mid | |
297 | while start > 0 and m[start - 1] != '\n': |
|
297 | while start > 0 and m[start - 1] != '\n': | |
298 | start -= 1 |
|
298 | start -= 1 | |
299 | end = advance(start, '\0') |
|
299 | end = advance(start, '\0') | |
300 | if m[start:end] < s: |
|
300 | if m[start:end] < s: | |
301 | # we know that after the null there are 40 bytes of sha1 |
|
301 | # we know that after the null there are 40 bytes of sha1 | |
302 | # this translates to the bisect lo = mid + 1 |
|
302 | # this translates to the bisect lo = mid + 1 | |
303 | lo = advance(end + 40, '\n') + 1 |
|
303 | lo = advance(end + 40, '\n') + 1 | |
304 | else: |
|
304 | else: | |
305 | # this translates to the bisect hi = mid |
|
305 | # this translates to the bisect hi = mid | |
306 | hi = start |
|
306 | hi = start | |
307 | end = advance(lo, '\0') |
|
307 | end = advance(lo, '\0') | |
308 | found = m[lo:end] |
|
308 | found = m[lo:end] | |
309 | if s == found: |
|
309 | if s == found: | |
310 | # we know that after the null there are 40 bytes of sha1 |
|
310 | # we know that after the null there are 40 bytes of sha1 | |
311 | end = advance(end + 40, '\n') |
|
311 | end = advance(end + 40, '\n') | |
312 | return (lo, end + 1) |
|
312 | return (lo, end + 1) | |
313 | else: |
|
313 | else: | |
314 | return (lo, lo) |
|
314 | return (lo, lo) | |
315 |
|
315 | |||
316 | def _checkforbidden(l): |
|
316 | def _checkforbidden(l): | |
317 | """Check filenames for illegal characters.""" |
|
317 | """Check filenames for illegal characters.""" | |
318 | for f in l: |
|
318 | for f in l: | |
319 | if '\n' in f or '\r' in f: |
|
319 | if '\n' in f or '\r' in f: | |
320 | raise error.RevlogError( |
|
320 | raise error.RevlogError( | |
321 | _("'\\n' and '\\r' disallowed in filenames: %r") % f) |
|
321 | _("'\\n' and '\\r' disallowed in filenames: %r") % f) | |
322 |
|
322 | |||
323 |
|
323 | |||
324 | # apply the changes collected during the bisect loop to our addlist |
|
324 | # apply the changes collected during the bisect loop to our addlist | |
325 | # return a delta suitable for addrevision |
|
325 | # return a delta suitable for addrevision | |
326 | def _addlistdelta(addlist, x): |
|
326 | def _addlistdelta(addlist, x): | |
327 | # for large addlist arrays, building a new array is cheaper |
|
327 | # for large addlist arrays, building a new array is cheaper | |
328 | # than repeatedly modifying the existing one |
|
328 | # than repeatedly modifying the existing one | |
329 | currentposition = 0 |
|
329 | currentposition = 0 | |
330 | newaddlist = array.array('c') |
|
330 | newaddlist = array.array('c') | |
331 |
|
331 | |||
332 | for start, end, content in x: |
|
332 | for start, end, content in x: | |
333 | newaddlist += addlist[currentposition:start] |
|
333 | newaddlist += addlist[currentposition:start] | |
334 | if content: |
|
334 | if content: | |
335 | newaddlist += array.array('c', content) |
|
335 | newaddlist += array.array('c', content) | |
336 |
|
336 | |||
337 | currentposition = end |
|
337 | currentposition = end | |
338 |
|
338 | |||
339 | newaddlist += addlist[currentposition:] |
|
339 | newaddlist += addlist[currentposition:] | |
340 |
|
340 | |||
341 | deltatext = "".join(struct.pack(">lll", start, end, len(content)) |
|
341 | deltatext = "".join(struct.pack(">lll", start, end, len(content)) | |
342 | + content for start, end, content in x) |
|
342 | + content for start, end, content in x) | |
343 | return deltatext, newaddlist |
|
343 | return deltatext, newaddlist | |
344 |
|
344 | |||
345 | def _splittopdir(f): |
|
345 | def _splittopdir(f): | |
346 | if '/' in f: |
|
346 | if '/' in f: | |
347 | dir, subpath = f.split('/', 1) |
|
347 | dir, subpath = f.split('/', 1) | |
348 | return dir + '/', subpath |
|
348 | return dir + '/', subpath | |
349 | else: |
|
349 | else: | |
350 | return '', f |
|
350 | return '', f | |
351 |
|
351 | |||
352 | class treemanifest(object): |
|
352 | class treemanifest(object): | |
353 | def __init__(self, dir='', text=''): |
|
353 | def __init__(self, dir='', text=''): | |
354 | self._dir = dir |
|
354 | self._dir = dir | |
355 | self._dirs = {} |
|
355 | self._dirs = {} | |
356 | # Using _lazymanifest here is a little slower than plain old dicts |
|
356 | # Using _lazymanifest here is a little slower than plain old dicts | |
357 | self._files = {} |
|
357 | self._files = {} | |
358 | self._flags = {} |
|
358 | self._flags = {} | |
359 | for f, n, fl in _parse(text): |
|
359 | for f, n, fl in _parse(text): | |
360 | self[f] = n |
|
360 | self[f] = n | |
361 | if fl: |
|
361 | if fl: | |
362 | self.setflag(f, fl) |
|
362 | self.setflag(f, fl) | |
363 |
|
363 | |||
364 | def _subpath(self, path): |
|
364 | def _subpath(self, path): | |
365 | return self._dir + path |
|
365 | return self._dir + path | |
366 |
|
366 | |||
367 | def __len__(self): |
|
367 | def __len__(self): | |
368 | size = len(self._files) |
|
368 | size = len(self._files) | |
369 | for m in self._dirs.values(): |
|
369 | for m in self._dirs.values(): | |
370 | size += m.__len__() |
|
370 | size += m.__len__() | |
371 | return size |
|
371 | return size | |
372 |
|
372 | |||
373 | def __str__(self): |
|
373 | def __str__(self): | |
374 | return '<treemanifest dir=%s>' % self._dir |
|
374 | return '<treemanifest dir=%s>' % self._dir | |
375 |
|
375 | |||
376 | def iteritems(self): |
|
376 | def iteritems(self): | |
377 | for p, n in sorted(self._dirs.items() + self._files.items()): |
|
377 | for p, n in sorted(self._dirs.items() + self._files.items()): | |
378 | if p in self._files: |
|
378 | if p in self._files: | |
379 | yield self._subpath(p), n |
|
379 | yield self._subpath(p), n | |
380 | else: |
|
380 | else: | |
381 | for f, sn in n.iteritems(): |
|
381 | for f, sn in n.iteritems(): | |
382 | yield f, sn |
|
382 | yield f, sn | |
383 |
|
383 | |||
384 | def iterkeys(self): |
|
384 | def iterkeys(self): | |
385 | for p in sorted(self._dirs.keys() + self._files.keys()): |
|
385 | for p in sorted(self._dirs.keys() + self._files.keys()): | |
386 | if p in self._files: |
|
386 | if p in self._files: | |
387 | yield self._subpath(p) |
|
387 | yield self._subpath(p) | |
388 | else: |
|
388 | else: | |
389 | for f in self._dirs[p].iterkeys(): |
|
389 | for f in self._dirs[p].iterkeys(): | |
390 | yield f |
|
390 | yield f | |
391 |
|
391 | |||
392 | def keys(self): |
|
392 | def keys(self): | |
393 | return list(self.iterkeys()) |
|
393 | return list(self.iterkeys()) | |
394 |
|
394 | |||
395 | def __iter__(self): |
|
395 | def __iter__(self): | |
396 | return self.iterkeys() |
|
396 | return self.iterkeys() | |
397 |
|
397 | |||
398 | def __contains__(self, f): |
|
398 | def __contains__(self, f): | |
399 | if f is None: |
|
399 | if f is None: | |
400 | return False |
|
400 | return False | |
401 | dir, subpath = _splittopdir(f) |
|
401 | dir, subpath = _splittopdir(f) | |
402 | if dir: |
|
402 | if dir: | |
403 | if dir not in self._dirs: |
|
403 | if dir not in self._dirs: | |
404 | return False |
|
404 | return False | |
405 | return self._dirs[dir].__contains__(subpath) |
|
405 | return self._dirs[dir].__contains__(subpath) | |
406 | else: |
|
406 | else: | |
407 | return f in self._files |
|
407 | return f in self._files | |
408 |
|
408 | |||
409 | def get(self, f, default=None): |
|
409 | def get(self, f, default=None): | |
410 | dir, subpath = _splittopdir(f) |
|
410 | dir, subpath = _splittopdir(f) | |
411 | if dir: |
|
411 | if dir: | |
412 | if dir not in self._dirs: |
|
412 | if dir not in self._dirs: | |
413 | return default |
|
413 | return default | |
414 | return self._dirs[dir].get(subpath, default) |
|
414 | return self._dirs[dir].get(subpath, default) | |
415 | else: |
|
415 | else: | |
416 | return self._files.get(f, default) |
|
416 | return self._files.get(f, default) | |
417 |
|
417 | |||
418 | def __getitem__(self, f): |
|
418 | def __getitem__(self, f): | |
419 | dir, subpath = _splittopdir(f) |
|
419 | dir, subpath = _splittopdir(f) | |
420 | if dir: |
|
420 | if dir: | |
421 | return self._dirs[dir].__getitem__(subpath) |
|
421 | return self._dirs[dir].__getitem__(subpath) | |
422 | else: |
|
422 | else: | |
423 | return self._files[f] |
|
423 | return self._files[f] | |
424 |
|
424 | |||
425 | def flags(self, f): |
|
425 | def flags(self, f): | |
426 | dir, subpath = _splittopdir(f) |
|
426 | dir, subpath = _splittopdir(f) | |
427 | if dir: |
|
427 | if dir: | |
428 | if dir not in self._dirs: |
|
428 | if dir not in self._dirs: | |
429 | return '' |
|
429 | return '' | |
430 | return self._dirs[dir].flags(subpath) |
|
430 | return self._dirs[dir].flags(subpath) | |
431 | else: |
|
431 | else: | |
432 | if f in self._dirs: |
|
432 | if f in self._dirs: | |
433 | return '' |
|
433 | return '' | |
434 | return self._flags.get(f, '') |
|
434 | return self._flags.get(f, '') | |
435 |
|
435 | |||
436 | def find(self, f): |
|
436 | def find(self, f): | |
437 | dir, subpath = _splittopdir(f) |
|
437 | dir, subpath = _splittopdir(f) | |
438 | if dir: |
|
438 | if dir: | |
439 | return self._dirs[dir].find(subpath) |
|
439 | return self._dirs[dir].find(subpath) | |
440 | else: |
|
440 | else: | |
441 | return self._files[f], self._flags.get(f, '') |
|
441 | return self._files[f], self._flags.get(f, '') | |
442 |
|
442 | |||
443 | def __delitem__(self, f): |
|
443 | def __delitem__(self, f): | |
444 | dir, subpath = _splittopdir(f) |
|
444 | dir, subpath = _splittopdir(f) | |
445 | if dir: |
|
445 | if dir: | |
446 | self._dirs[dir].__delitem__(subpath) |
|
446 | self._dirs[dir].__delitem__(subpath) | |
447 | # If the directory is now empty, remove it |
|
447 | # If the directory is now empty, remove it | |
448 | if not self._dirs[dir]._dirs and not self._dirs[dir]._files: |
|
448 | if not self._dirs[dir]._dirs and not self._dirs[dir]._files: | |
449 | del self._dirs[dir] |
|
449 | del self._dirs[dir] | |
450 | else: |
|
450 | else: | |
451 | del self._files[f] |
|
451 | del self._files[f] | |
452 | if f in self._flags: |
|
452 | if f in self._flags: | |
453 | del self._flags[f] |
|
453 | del self._flags[f] | |
454 |
|
454 | |||
455 | def __setitem__(self, f, n): |
|
455 | def __setitem__(self, f, n): | |
456 | assert n is not None |
|
456 | assert n is not None | |
457 | dir, subpath = _splittopdir(f) |
|
457 | dir, subpath = _splittopdir(f) | |
458 | if dir: |
|
458 | if dir: | |
459 | if dir not in self._dirs: |
|
459 | if dir not in self._dirs: | |
460 | self._dirs[dir] = treemanifest(self._subpath(dir)) |
|
460 | self._dirs[dir] = treemanifest(self._subpath(dir)) | |
461 | self._dirs[dir].__setitem__(subpath, n) |
|
461 | self._dirs[dir].__setitem__(subpath, n) | |
462 | else: |
|
462 | else: | |
463 | self._files[f] = n[:21] # to match manifestdict's behavior |
|
463 | self._files[f] = n[:21] # to match manifestdict's behavior | |
464 |
|
464 | |||
465 | def setflag(self, f, flags): |
|
465 | def setflag(self, f, flags): | |
466 | """Set the flags (symlink, executable) for path f.""" |
|
466 | """Set the flags (symlink, executable) for path f.""" | |
467 | dir, subpath = _splittopdir(f) |
|
467 | dir, subpath = _splittopdir(f) | |
468 | if dir: |
|
468 | if dir: | |
469 | if dir not in self._dirs: |
|
469 | if dir not in self._dirs: | |
470 | self._dirs[dir] = treemanifest(self._subpath(dir)) |
|
470 | self._dirs[dir] = treemanifest(self._subpath(dir)) | |
471 | self._dirs[dir].setflag(subpath, flags) |
|
471 | self._dirs[dir].setflag(subpath, flags) | |
472 | else: |
|
472 | else: | |
473 | self._flags[f] = flags |
|
473 | self._flags[f] = flags | |
474 |
|
474 | |||
475 | def copy(self): |
|
475 | def copy(self): | |
476 | copy = treemanifest(self._dir) |
|
476 | copy = treemanifest(self._dir) | |
477 | for d in self._dirs: |
|
477 | for d in self._dirs: | |
478 | copy._dirs[d] = self._dirs[d].copy() |
|
478 | copy._dirs[d] = self._dirs[d].copy() | |
479 | copy._files = dict.copy(self._files) |
|
479 | copy._files = dict.copy(self._files) | |
480 | copy._flags = dict.copy(self._flags) |
|
480 | copy._flags = dict.copy(self._flags) | |
481 | return copy |
|
481 | return copy | |
482 |
|
482 | |||
483 | def _intersectfiles(self, files): |
|
483 | def _intersectfiles(self, files): | |
484 | '''make a new treemanifest with the intersection of self with files |
|
484 | '''make a new treemanifest with the intersection of self with files | |
485 |
|
485 | |||
486 | The algorithm assumes that files is much smaller than self.''' |
|
486 | The algorithm assumes that files is much smaller than self.''' | |
487 | ret = treemanifest() |
|
487 | ret = treemanifest() | |
488 | for fn in files: |
|
488 | for fn in files: | |
489 | if fn in self: |
|
489 | if fn in self: | |
490 | ret[fn] = self[fn] |
|
490 | ret[fn] = self[fn] | |
491 | flags = self.flags(fn) |
|
491 | flags = self.flags(fn) | |
492 | if flags: |
|
492 | if flags: | |
493 | ret.setflag(fn, flags) |
|
493 | ret.setflag(fn, flags) | |
494 | return ret |
|
494 | return ret | |
495 |
|
495 | |||
496 | def filesnotin(self, m2): |
|
496 | def filesnotin(self, m2): | |
497 | '''Set of files in this manifest that are not in the other''' |
|
497 | '''Set of files in this manifest that are not in the other''' | |
498 | files = set() |
|
498 | files = set() | |
499 | def _filesnotin(t1, t2): |
|
499 | def _filesnotin(t1, t2): | |
500 | for d, m1 in t1._dirs.iteritems(): |
|
500 | for d, m1 in t1._dirs.iteritems(): | |
501 | if d in t2._dirs: |
|
501 | if d in t2._dirs: | |
502 | m2 = t2._dirs[d] |
|
502 | m2 = t2._dirs[d] | |
503 | _filesnotin(m1, m2) |
|
503 | _filesnotin(m1, m2) | |
504 | else: |
|
504 | else: | |
505 | files.update(m1.iterkeys()) |
|
505 | files.update(m1.iterkeys()) | |
506 |
|
506 | |||
507 | for fn in t1._files.iterkeys(): |
|
507 | for fn in t1._files.iterkeys(): | |
508 | if fn not in t2._files: |
|
508 | if fn not in t2._files: | |
509 | files.add(t1._subpath(fn)) |
|
509 | files.add(t1._subpath(fn)) | |
510 |
|
510 | |||
511 | _filesnotin(self, m2) |
|
511 | _filesnotin(self, m2) | |
512 | return files |
|
512 | return files | |
513 |
|
513 | |||
514 | @propertycache |
|
514 | @propertycache | |
515 | def _alldirs(self): |
|
515 | def _alldirs(self): | |
516 | return scmutil.dirs(self) |
|
516 | return scmutil.dirs(self) | |
517 |
|
517 | |||
518 | def dirs(self): |
|
518 | def dirs(self): | |
519 | return self._alldirs |
|
519 | return self._alldirs | |
520 |
|
520 | |||
521 | def hasdir(self, dir): |
|
521 | def hasdir(self, dir): | |
522 | topdir, subdir = _splittopdir(dir) |
|
522 | topdir, subdir = _splittopdir(dir) | |
523 | if topdir: |
|
523 | if topdir: | |
524 | if topdir in self._dirs: |
|
524 | if topdir in self._dirs: | |
525 | return self._dirs[topdir].hasdir(subdir) |
|
525 | return self._dirs[topdir].hasdir(subdir) | |
526 | return False |
|
526 | return False | |
527 | return (dir + '/') in self._dirs |
|
527 | return (dir + '/') in self._dirs | |
528 |
|
528 | |||
529 | def matches(self, match): |
|
529 | def matches(self, match): | |
530 | '''generate a new manifest filtered by the match argument''' |
|
530 | '''generate a new manifest filtered by the match argument''' | |
531 | if match.always(): |
|
531 | if match.always(): | |
532 | return self.copy() |
|
532 | return self.copy() | |
533 |
|
533 | |||
534 | files = match.files() |
|
534 | files = match.files() | |
535 | if (match.isexact() or |
|
535 | if (match.isexact() or | |
536 | (not match.anypats() and util.all(fn in self for fn in files))): |
|
536 | (not match.anypats() and util.all(fn in self for fn in files))): | |
537 | return self._intersectfiles(files) |
|
537 | return self._intersectfiles(files) | |
538 |
|
538 | |||
539 | m = self.copy() |
|
539 | m = self.copy() | |
540 | for fn in m.keys(): |
|
540 | for fn in m.keys(): | |
541 | if not match(fn): |
|
541 | if not match(fn): | |
542 | del m[fn] |
|
542 | del m[fn] | |
543 | return m |
|
543 | return m | |
544 |
|
544 | |||
545 | def diff(self, m2, clean=False): |
|
545 | def diff(self, m2, clean=False): | |
546 | '''Finds changes between the current manifest and m2. |
|
546 | '''Finds changes between the current manifest and m2. | |
547 |
|
547 | |||
548 | Args: |
|
548 | Args: | |
549 | m2: the manifest to which this manifest should be compared. |
|
549 | m2: the manifest to which this manifest should be compared. | |
550 | clean: if true, include files unchanged between these manifests |
|
550 | clean: if true, include files unchanged between these manifests | |
551 | with a None value in the returned dictionary. |
|
551 | with a None value in the returned dictionary. | |
552 |
|
552 | |||
553 | The result is returned as a dict with filename as key and |
|
553 | The result is returned as a dict with filename as key and | |
554 | values of the form ((n1,fl1),(n2,fl2)), where n1/n2 is the |
|
554 | values of the form ((n1,fl1),(n2,fl2)), where n1/n2 is the | |
555 | nodeid in the current/other manifest and fl1/fl2 is the flag |
|
555 | nodeid in the current/other manifest and fl1/fl2 is the flag | |
556 | in the current/other manifest. Where the file does not exist, |
|
556 | in the current/other manifest. Where the file does not exist, | |
557 | the nodeid will be None and the flags will be the empty |
|
557 | the nodeid will be None and the flags will be the empty | |
558 | string. |
|
558 | string. | |
559 | ''' |
|
559 | ''' | |
560 | result = {} |
|
560 | result = {} | |
561 | emptytree = treemanifest() |
|
561 | emptytree = treemanifest() | |
562 | def _diff(t1, t2): |
|
562 | def _diff(t1, t2): | |
563 | for d, m1 in t1._dirs.iteritems(): |
|
563 | for d, m1 in t1._dirs.iteritems(): | |
564 | m2 = t2._dirs.get(d, emptytree) |
|
564 | m2 = t2._dirs.get(d, emptytree) | |
565 | _diff(m1, m2) |
|
565 | _diff(m1, m2) | |
566 |
|
566 | |||
567 | for d, m2 in t2._dirs.iteritems(): |
|
567 | for d, m2 in t2._dirs.iteritems(): | |
568 | if d not in t1._dirs: |
|
568 | if d not in t1._dirs: | |
569 | _diff(emptytree, m2) |
|
569 | _diff(emptytree, m2) | |
570 |
|
570 | |||
571 | for fn, n1 in t1._files.iteritems(): |
|
571 | for fn, n1 in t1._files.iteritems(): | |
572 | fl1 = t1._flags.get(fn, '') |
|
572 | fl1 = t1._flags.get(fn, '') | |
573 | n2 = t2._files.get(fn, None) |
|
573 | n2 = t2._files.get(fn, None) | |
574 | fl2 = t2._flags.get(fn, '') |
|
574 | fl2 = t2._flags.get(fn, '') | |
575 | if n1 != n2 or fl1 != fl2: |
|
575 | if n1 != n2 or fl1 != fl2: | |
576 | result[t1._subpath(fn)] = ((n1, fl1), (n2, fl2)) |
|
576 | result[t1._subpath(fn)] = ((n1, fl1), (n2, fl2)) | |
577 | elif clean: |
|
577 | elif clean: | |
578 | result[t1._subpath(fn)] = None |
|
578 | result[t1._subpath(fn)] = None | |
579 |
|
579 | |||
580 | for fn, n2 in t2._files.iteritems(): |
|
580 | for fn, n2 in t2._files.iteritems(): | |
581 | if fn not in t1._files: |
|
581 | if fn not in t1._files: | |
582 | fl2 = t2._flags.get(fn, '') |
|
582 | fl2 = t2._flags.get(fn, '') | |
583 | result[t2._subpath(fn)] = ((None, ''), (n2, fl2)) |
|
583 | result[t2._subpath(fn)] = ((None, ''), (n2, fl2)) | |
584 |
|
584 | |||
585 | _diff(self, m2) |
|
585 | _diff(self, m2) | |
586 | return result |
|
586 | return result | |
587 |
|
587 | |||
588 | def text(self): |
|
588 | def text(self): | |
589 | """Get the full data of this manifest as a bytestring.""" |
|
589 | """Get the full data of this manifest as a bytestring.""" | |
590 | flags = self.flags |
|
590 | flags = self.flags | |
591 | return _text((f, self[f], flags(f)) for f in self.keys()) |
|
591 | return _text((f, self[f], flags(f)) for f in self.keys()) | |
592 |
|
592 | |||
593 | class manifest(revlog.revlog): |
|
593 | class manifest(revlog.revlog): | |
594 | def __init__(self, opener): |
|
594 | def __init__(self, opener): | |
595 | # During normal operations, we expect to deal with not more than four |
|
595 | # During normal operations, we expect to deal with not more than four | |
596 | # revs at a time (such as during commit --amend). When rebasing large |
|
596 | # revs at a time (such as during commit --amend). When rebasing large | |
597 | # stacks of commits, the number can go up, hence the config knob below. |
|
597 | # stacks of commits, the number can go up, hence the config knob below. | |
598 | cachesize = 4 |
|
598 | cachesize = 4 | |
599 | usetreemanifest = False |
|
599 | usetreemanifest = False | |
600 | usemanifestv2 = False |
|
600 | usemanifestv2 = False | |
601 | opts = getattr(opener, 'options', None) |
|
601 | opts = getattr(opener, 'options', None) | |
602 | if opts is not None: |
|
602 | if opts is not None: | |
603 | cachesize = opts.get('manifestcachesize', cachesize) |
|
603 | cachesize = opts.get('manifestcachesize', cachesize) | |
604 | usetreemanifest = opts.get('usetreemanifest', usetreemanifest) |
|
604 | usetreemanifest = opts.get('usetreemanifest', usetreemanifest) | |
605 | usemanifestv2 = opts.get('usemanifestv2', usemanifestv2) |
|
605 | usemanifestv2 = opts.get('usemanifestv2', usemanifestv2) | |
606 | self._mancache = util.lrucachedict(cachesize) |
|
606 | self._mancache = util.lrucachedict(cachesize) | |
607 | revlog.revlog.__init__(self, opener, "00manifest.i") |
|
607 | revlog.revlog.__init__(self, opener, "00manifest.i") | |
608 | self._usetreemanifest = usetreemanifest |
|
608 | self._usetreemanifest = usetreemanifest | |
609 | self._usemanifestv2 = usemanifestv2 |
|
609 | self._usemanifestv2 = usemanifestv2 | |
610 |
|
610 | |||
611 | def _newmanifest(self, data=''): |
|
611 | def _newmanifest(self, data=''): | |
612 | if self._usetreemanifest: |
|
612 | if self._usetreemanifest: | |
613 | return treemanifest('', data) |
|
613 | return treemanifest('', data) | |
614 | return manifestdict(data) |
|
614 | return manifestdict(data) | |
615 |
|
615 | |||
616 | def readdelta(self, node): |
|
616 | def readdelta(self, node): | |
617 | r = self.rev(node) |
|
617 | r = self.rev(node) | |
618 | d = mdiff.patchtext(self.revdiff(self.deltaparent(r), r)) |
|
618 | d = mdiff.patchtext(self.revdiff(self.deltaparent(r), r)) | |
619 | return self._newmanifest(d) |
|
619 | return self._newmanifest(d) | |
620 |
|
620 | |||
621 | def readfast(self, node): |
|
621 | def readfast(self, node): | |
622 | '''use the faster of readdelta or read''' |
|
622 | '''use the faster of readdelta or read''' | |
623 | r = self.rev(node) |
|
623 | r = self.rev(node) | |
624 | deltaparent = self.deltaparent(r) |
|
624 | deltaparent = self.deltaparent(r) | |
625 | if deltaparent != revlog.nullrev and deltaparent in self.parentrevs(r): |
|
625 | if deltaparent != revlog.nullrev and deltaparent in self.parentrevs(r): | |
626 | return self.readdelta(node) |
|
626 | return self.readdelta(node) | |
627 | return self.read(node) |
|
627 | return self.read(node) | |
628 |
|
628 | |||
629 | def read(self, node): |
|
629 | def read(self, node): | |
630 | if node == revlog.nullid: |
|
630 | if node == revlog.nullid: | |
631 | return self._newmanifest() # don't upset local cache |
|
631 | return self._newmanifest() # don't upset local cache | |
632 | if node in self._mancache: |
|
632 | if node in self._mancache: | |
633 | return self._mancache[node][0] |
|
633 | return self._mancache[node][0] | |
634 | text = self.revision(node) |
|
634 | text = self.revision(node) | |
635 | arraytext = array.array('c', text) |
|
635 | arraytext = array.array('c', text) | |
636 | m = self._newmanifest(text) |
|
636 | m = self._newmanifest(text) | |
637 | self._mancache[node] = (m, arraytext) |
|
637 | self._mancache[node] = (m, arraytext) | |
638 | return m |
|
638 | return m | |
639 |
|
639 | |||
640 | def find(self, node, f): |
|
640 | def find(self, node, f): | |
641 | '''look up entry for a single file efficiently. |
|
641 | '''look up entry for a single file efficiently. | |
642 | return (node, flags) pair if found, (None, None) if not.''' |
|
642 | return (node, flags) pair if found, (None, None) if not.''' | |
643 | m = self.read(node) |
|
643 | m = self.read(node) | |
644 | try: |
|
644 | try: | |
645 | return m.find(f) |
|
645 | return m.find(f) | |
646 | except KeyError: |
|
646 | except KeyError: | |
647 | return None, None |
|
647 | return None, None | |
648 |
|
648 | |||
649 | def add(self, m, transaction, link, p1, p2, added, removed): |
|
649 | def add(self, m, transaction, link, p1, p2, added, removed): | |
650 |
if p1 in self._mancache and not self._usetreemanifest |
|
650 | if (p1 in self._mancache and not self._usetreemanifest | |
|
651 | and not self._usemanifestv2): | |||
651 | # If our first parent is in the manifest cache, we can |
|
652 | # If our first parent is in the manifest cache, we can | |
652 | # compute a delta here using properties we know about the |
|
653 | # compute a delta here using properties we know about the | |
653 | # manifest up-front, which may save time later for the |
|
654 | # manifest up-front, which may save time later for the | |
654 | # revlog layer. |
|
655 | # revlog layer. | |
655 |
|
656 | |||
656 | _checkforbidden(added) |
|
657 | _checkforbidden(added) | |
657 | # combine the changed lists into one list for sorting |
|
658 | # combine the changed lists into one list for sorting | |
658 | work = [(x, False) for x in added] |
|
659 | work = [(x, False) for x in added] | |
659 | work.extend((x, True) for x in removed) |
|
660 | work.extend((x, True) for x in removed) | |
660 | # this could use heapq.merge() (from Python 2.6+) or equivalent |
|
661 | # this could use heapq.merge() (from Python 2.6+) or equivalent | |
661 | # since the lists are already sorted |
|
662 | # since the lists are already sorted | |
662 | work.sort() |
|
663 | work.sort() | |
663 |
|
664 | |||
664 | arraytext, deltatext = m.fastdelta(self._mancache[p1][1], work) |
|
665 | arraytext, deltatext = m.fastdelta(self._mancache[p1][1], work) | |
665 | cachedelta = self.rev(p1), deltatext |
|
666 | cachedelta = self.rev(p1), deltatext | |
666 | text = util.buffer(arraytext) |
|
667 | text = util.buffer(arraytext) | |
667 | else: |
|
668 | else: | |
668 | # The first parent manifest isn't already loaded, so we'll |
|
669 | # The first parent manifest isn't already loaded, so we'll | |
669 | # just encode a fulltext of the manifest and pass that |
|
670 | # just encode a fulltext of the manifest and pass that | |
670 | # through to the revlog layer, and let it handle the delta |
|
671 | # through to the revlog layer, and let it handle the delta | |
671 | # process. |
|
672 | # process. | |
672 | text = m.text() |
|
673 | text = m.text() | |
673 | arraytext = array.array('c', text) |
|
674 | arraytext = array.array('c', text) | |
674 | cachedelta = None |
|
675 | cachedelta = None | |
675 |
|
676 | |||
676 | n = self.addrevision(text, transaction, link, p1, p2, cachedelta) |
|
677 | n = self.addrevision(text, transaction, link, p1, p2, cachedelta) | |
677 | self._mancache[n] = (m, arraytext) |
|
678 | self._mancache[n] = (m, arraytext) | |
678 |
|
679 | |||
679 | return n |
|
680 | return n |
General Comments 0
You need to be logged in to leave comments.
Login now