Show More
@@ -1,731 +1,731 | |||
|
1 | 1 | # keyword.py - $Keyword$ expansion for Mercurial |
|
2 | 2 | # |
|
3 | 3 | # Copyright 2007-2012 Christian Ebert <blacktrash@gmx.net> |
|
4 | 4 | # |
|
5 | 5 | # This software may be used and distributed according to the terms of the |
|
6 | 6 | # GNU General Public License version 2 or any later version. |
|
7 | 7 | # |
|
8 | 8 | # $Id$ |
|
9 | 9 | # |
|
10 | 10 | # Keyword expansion hack against the grain of a Distributed SCM |
|
11 | 11 | # |
|
12 | 12 | # There are many good reasons why this is not needed in a distributed |
|
13 | 13 | # SCM, still it may be useful in very small projects based on single |
|
14 | 14 | # files (like LaTeX packages), that are mostly addressed to an |
|
15 | 15 | # audience not running a version control system. |
|
16 | 16 | # |
|
17 | 17 | # For in-depth discussion refer to |
|
18 | 18 | # <http://mercurial.selenic.com/wiki/KeywordPlan>. |
|
19 | 19 | # |
|
20 | 20 | # Keyword expansion is based on Mercurial's changeset template mappings. |
|
21 | 21 | # |
|
22 | 22 | # Binary files are not touched. |
|
23 | 23 | # |
|
24 | 24 | # Files to act upon/ignore are specified in the [keyword] section. |
|
25 | 25 | # Customized keyword template mappings in the [keywordmaps] section. |
|
26 | 26 | # |
|
27 | 27 | # Run "hg help keyword" and "hg kwdemo" to get info on configuration. |
|
28 | 28 | |
|
29 | 29 | '''expand keywords in tracked files |
|
30 | 30 | |
|
31 | 31 | This extension expands RCS/CVS-like or self-customized $Keywords$ in |
|
32 | 32 | tracked text files selected by your configuration. |
|
33 | 33 | |
|
34 | 34 | Keywords are only expanded in local repositories and not stored in the |
|
35 | 35 | change history. The mechanism can be regarded as a convenience for the |
|
36 | 36 | current user or for archive distribution. |
|
37 | 37 | |
|
38 | 38 | Keywords expand to the changeset data pertaining to the latest change |
|
39 | 39 | relative to the working directory parent of each file. |
|
40 | 40 | |
|
41 | 41 | Configuration is done in the [keyword], [keywordset] and [keywordmaps] |
|
42 | 42 | sections of hgrc files. |
|
43 | 43 | |
|
44 | 44 | Example:: |
|
45 | 45 | |
|
46 | 46 | [keyword] |
|
47 | 47 | # expand keywords in every python file except those matching "x*" |
|
48 | 48 | **.py = |
|
49 | 49 | x* = ignore |
|
50 | 50 | |
|
51 | 51 | [keywordset] |
|
52 | 52 | # prefer svn- over cvs-like default keywordmaps |
|
53 | 53 | svn = True |
|
54 | 54 | |
|
55 | 55 | .. note:: |
|
56 | 56 | The more specific you are in your filename patterns the less you |
|
57 | 57 | lose speed in huge repositories. |
|
58 | 58 | |
|
59 | 59 | For [keywordmaps] template mapping and expansion demonstration and |
|
60 | 60 | control run :hg:`kwdemo`. See :hg:`help templates` for a list of |
|
61 | 61 | available templates and filters. |
|
62 | 62 | |
|
63 | 63 | Three additional date template filters are provided: |
|
64 | 64 | |
|
65 | 65 | :``utcdate``: "2006/09/18 15:13:13" |
|
66 | 66 | :``svnutcdate``: "2006-09-18 15:13:13Z" |
|
67 | 67 | :``svnisodate``: "2006-09-18 08:13:13 -700 (Mon, 18 Sep 2006)" |
|
68 | 68 | |
|
69 | 69 | The default template mappings (view with :hg:`kwdemo -d`) can be |
|
70 | 70 | replaced with customized keywords and templates. Again, run |
|
71 | 71 | :hg:`kwdemo` to control the results of your configuration changes. |
|
72 | 72 | |
|
73 | 73 | Before changing/disabling active keywords, you must run :hg:`kwshrink` |
|
74 | 74 | to avoid storing expanded keywords in the change history. |
|
75 | 75 | |
|
76 | 76 | To force expansion after enabling it, or a configuration change, run |
|
77 | 77 | :hg:`kwexpand`. |
|
78 | 78 | |
|
79 | 79 | Expansions spanning more than one line and incremental expansions, |
|
80 | 80 | like CVS' $Log$, are not supported. A keyword template map "Log = |
|
81 | 81 | {desc}" expands to the first line of the changeset description. |
|
82 | 82 | ''' |
|
83 | 83 | |
|
84 | 84 | from mercurial import commands, context, cmdutil, dispatch, filelog, extensions |
|
85 | 85 | from mercurial import localrepo, match, patch, templatefilters, templater, util |
|
86 | 86 | from mercurial import scmutil |
|
87 | 87 | from mercurial.hgweb import webcommands |
|
88 | 88 | from mercurial.i18n import _ |
|
89 | 89 | import os, re, shutil, tempfile |
|
90 | 90 | |
|
91 | 91 | commands.optionalrepo += ' kwdemo' |
|
92 | 92 | commands.inferrepo += ' kwexpand kwfiles kwshrink' |
|
93 | 93 | |
|
94 | 94 | cmdtable = {} |
|
95 | 95 | command = cmdutil.command(cmdtable) |
|
96 | 96 | testedwith = 'internal' |
|
97 | 97 | |
|
98 | 98 | # hg commands that do not act on keywords |
|
99 | 99 | nokwcommands = ('add addremove annotate bundle export grep incoming init log' |
|
100 | 100 | ' outgoing push tip verify convert email glog') |
|
101 | 101 | |
|
102 | 102 | # hg commands that trigger expansion only when writing to working dir, |
|
103 | 103 | # not when reading filelog, and unexpand when reading from working dir |
|
104 | 104 | restricted = 'merge kwexpand kwshrink record qrecord resolve transplant' |
|
105 | 105 | |
|
106 | 106 | # names of extensions using dorecord |
|
107 | 107 | recordextensions = 'record' |
|
108 | 108 | |
|
109 | 109 | colortable = { |
|
110 | 110 | 'kwfiles.enabled': 'green bold', |
|
111 | 111 | 'kwfiles.deleted': 'cyan bold underline', |
|
112 | 112 | 'kwfiles.enabledunknown': 'green', |
|
113 | 113 | 'kwfiles.ignored': 'bold', |
|
114 | 114 | 'kwfiles.ignoredunknown': 'none' |
|
115 | 115 | } |
|
116 | 116 | |
|
117 | 117 | # date like in cvs' $Date |
|
118 | 118 | def utcdate(text): |
|
119 | 119 | ''':utcdate: Date. Returns a UTC-date in this format: "2009/08/18 11:00:13". |
|
120 | 120 | ''' |
|
121 | 121 | return util.datestr((util.parsedate(text)[0], 0), '%Y/%m/%d %H:%M:%S') |
|
122 | 122 | # date like in svn's $Date |
|
123 | 123 | def svnisodate(text): |
|
124 | 124 | ''':svnisodate: Date. Returns a date in this format: "2009-08-18 13:00:13 |
|
125 | 125 | +0200 (Tue, 18 Aug 2009)". |
|
126 | 126 | ''' |
|
127 | 127 | return util.datestr(text, '%Y-%m-%d %H:%M:%S %1%2 (%a, %d %b %Y)') |
|
128 | 128 | # date like in svn's $Id |
|
129 | 129 | def svnutcdate(text): |
|
130 | 130 | ''':svnutcdate: Date. Returns a UTC-date in this format: "2009-08-18 |
|
131 | 131 | 11:00:13Z". |
|
132 | 132 | ''' |
|
133 | 133 | return util.datestr((util.parsedate(text)[0], 0), '%Y-%m-%d %H:%M:%SZ') |
|
134 | 134 | |
|
135 | 135 | templatefilters.filters.update({'utcdate': utcdate, |
|
136 | 136 | 'svnisodate': svnisodate, |
|
137 | 137 | 'svnutcdate': svnutcdate}) |
|
138 | 138 | |
|
139 | 139 | # make keyword tools accessible |
|
140 | 140 | kwtools = {'templater': None, 'hgcmd': ''} |
|
141 | 141 | |
|
142 | 142 | def _defaultkwmaps(ui): |
|
143 | 143 | '''Returns default keywordmaps according to keywordset configuration.''' |
|
144 | 144 | templates = { |
|
145 | 145 | 'Revision': '{node|short}', |
|
146 | 146 | 'Author': '{author|user}', |
|
147 | 147 | } |
|
148 | 148 | kwsets = ({ |
|
149 | 149 | 'Date': '{date|utcdate}', |
|
150 | 150 | 'RCSfile': '{file|basename},v', |
|
151 | 151 | 'RCSFile': '{file|basename},v', # kept for backwards compatibility |
|
152 | 152 | # with hg-keyword |
|
153 | 153 | 'Source': '{root}/{file},v', |
|
154 | 154 | 'Id': '{file|basename},v {node|short} {date|utcdate} {author|user}', |
|
155 | 155 | 'Header': '{root}/{file},v {node|short} {date|utcdate} {author|user}', |
|
156 | 156 | }, { |
|
157 | 157 | 'Date': '{date|svnisodate}', |
|
158 | 158 | 'Id': '{file|basename},v {node|short} {date|svnutcdate} {author|user}', |
|
159 | 159 | 'LastChangedRevision': '{node|short}', |
|
160 | 160 | 'LastChangedBy': '{author|user}', |
|
161 | 161 | 'LastChangedDate': '{date|svnisodate}', |
|
162 | 162 | }) |
|
163 | 163 | templates.update(kwsets[ui.configbool('keywordset', 'svn')]) |
|
164 | 164 | return templates |
|
165 | 165 | |
|
166 | 166 | def _shrinktext(text, subfunc): |
|
167 | 167 | '''Helper for keyword expansion removal in text. |
|
168 | 168 | Depending on subfunc also returns number of substitutions.''' |
|
169 | 169 | return subfunc(r'$\1$', text) |
|
170 | 170 | |
|
171 | 171 | def _preselect(wstatus, changed): |
|
172 | 172 | '''Retrieves modified and added files from a working directory state |
|
173 | 173 | and returns the subset of each contained in given changed files |
|
174 | 174 | retrieved from a change context.''' |
|
175 | 175 | modified, added = wstatus[:2] |
|
176 | 176 | modified = [f for f in modified if f in changed] |
|
177 | 177 | added = [f for f in added if f in changed] |
|
178 | 178 | return modified, added |
|
179 | 179 | |
|
180 | 180 | |
|
181 | 181 | class kwtemplater(object): |
|
182 | 182 | ''' |
|
183 | 183 | Sets up keyword templates, corresponding keyword regex, and |
|
184 | 184 | provides keyword substitution functions. |
|
185 | 185 | ''' |
|
186 | 186 | |
|
187 | 187 | def __init__(self, ui, repo, inc, exc): |
|
188 | 188 | self.ui = ui |
|
189 | 189 | self.repo = repo |
|
190 | 190 | self.match = match.match(repo.root, '', [], inc, exc) |
|
191 | 191 | self.restrict = kwtools['hgcmd'] in restricted.split() |
|
192 | 192 | self.postcommit = False |
|
193 | 193 | |
|
194 | 194 | kwmaps = self.ui.configitems('keywordmaps') |
|
195 | 195 | if kwmaps: # override default templates |
|
196 | 196 | self.templates = dict((k, templater.parsestring(v, False)) |
|
197 | 197 | for k, v in kwmaps) |
|
198 | 198 | else: |
|
199 | 199 | self.templates = _defaultkwmaps(self.ui) |
|
200 | 200 | |
|
201 | 201 | @util.propertycache |
|
202 | 202 | def escape(self): |
|
203 | 203 | '''Returns bar-separated and escaped keywords.''' |
|
204 | 204 | return '|'.join(map(re.escape, self.templates.keys())) |
|
205 | 205 | |
|
206 | 206 | @util.propertycache |
|
207 | 207 | def rekw(self): |
|
208 | 208 | '''Returns regex for unexpanded keywords.''' |
|
209 | 209 | return re.compile(r'\$(%s)\$' % self.escape) |
|
210 | 210 | |
|
211 | 211 | @util.propertycache |
|
212 | 212 | def rekwexp(self): |
|
213 | 213 | '''Returns regex for expanded keywords.''' |
|
214 | 214 | return re.compile(r'\$(%s): [^$\n\r]*? \$' % self.escape) |
|
215 | 215 | |
|
216 | 216 | def substitute(self, data, path, ctx, subfunc): |
|
217 | 217 | '''Replaces keywords in data with expanded template.''' |
|
218 | 218 | def kwsub(mobj): |
|
219 | 219 | kw = mobj.group(1) |
|
220 | 220 | ct = cmdutil.changeset_templater(self.ui, self.repo, |
|
221 | 221 | False, None, '', False) |
|
222 | 222 | ct.use_template(self.templates[kw]) |
|
223 | 223 | self.ui.pushbuffer() |
|
224 | 224 | ct.show(ctx, root=self.repo.root, file=path) |
|
225 | 225 | ekw = templatefilters.firstline(self.ui.popbuffer()) |
|
226 | 226 | return '$%s: %s $' % (kw, ekw) |
|
227 | 227 | return subfunc(kwsub, data) |
|
228 | 228 | |
|
229 | 229 | def linkctx(self, path, fileid): |
|
230 | 230 | '''Similar to filelog.linkrev, but returns a changectx.''' |
|
231 | 231 | return self.repo.filectx(path, fileid=fileid).changectx() |
|
232 | 232 | |
|
233 | 233 | def expand(self, path, node, data): |
|
234 | 234 | '''Returns data with keywords expanded.''' |
|
235 | 235 | if not self.restrict and self.match(path) and not util.binary(data): |
|
236 | 236 | ctx = self.linkctx(path, node) |
|
237 | 237 | return self.substitute(data, path, ctx, self.rekw.sub) |
|
238 | 238 | return data |
|
239 | 239 | |
|
240 | 240 | def iskwfile(self, cand, ctx): |
|
241 | 241 | '''Returns subset of candidates which are configured for keyword |
|
242 | 242 | expansion but are not symbolic links.''' |
|
243 | 243 | return [f for f in cand if self.match(f) and 'l' not in ctx.flags(f)] |
|
244 | 244 | |
|
245 | 245 | def overwrite(self, ctx, candidates, lookup, expand, rekw=False): |
|
246 | 246 | '''Overwrites selected files expanding/shrinking keywords.''' |
|
247 | 247 | if self.restrict or lookup or self.postcommit: # exclude kw_copy |
|
248 | 248 | candidates = self.iskwfile(candidates, ctx) |
|
249 | 249 | if not candidates: |
|
250 | 250 | return |
|
251 | 251 | kwcmd = self.restrict and lookup # kwexpand/kwshrink |
|
252 | 252 | if self.restrict or expand and lookup: |
|
253 | 253 | mf = ctx.manifest() |
|
254 | 254 | if self.restrict or rekw: |
|
255 | 255 | re_kw = self.rekw |
|
256 | 256 | else: |
|
257 | 257 | re_kw = self.rekwexp |
|
258 | 258 | if expand: |
|
259 | 259 | msg = _('overwriting %s expanding keywords\n') |
|
260 | 260 | else: |
|
261 | 261 | msg = _('overwriting %s shrinking keywords\n') |
|
262 | 262 | for f in candidates: |
|
263 | 263 | if self.restrict: |
|
264 | 264 | data = self.repo.file(f).read(mf[f]) |
|
265 | 265 | else: |
|
266 | 266 | data = self.repo.wread(f) |
|
267 | 267 | if util.binary(data): |
|
268 | 268 | continue |
|
269 | 269 | if expand: |
|
270 | 270 | if lookup: |
|
271 | 271 | ctx = self.linkctx(f, mf[f]) |
|
272 | 272 | data, found = self.substitute(data, f, ctx, re_kw.subn) |
|
273 | 273 | elif self.restrict: |
|
274 | 274 | found = re_kw.search(data) |
|
275 | 275 | else: |
|
276 | 276 | data, found = _shrinktext(data, re_kw.subn) |
|
277 | 277 | if found: |
|
278 | 278 | self.ui.note(msg % f) |
|
279 | 279 | fp = self.repo.wopener(f, "wb", atomictemp=True) |
|
280 | 280 | fp.write(data) |
|
281 | 281 | fp.close() |
|
282 | 282 | if kwcmd: |
|
283 | 283 | self.repo.dirstate.normal(f) |
|
284 | 284 | elif self.postcommit: |
|
285 | 285 | self.repo.dirstate.normallookup(f) |
|
286 | 286 | |
|
287 | 287 | def shrink(self, fname, text): |
|
288 | 288 | '''Returns text with all keyword substitutions removed.''' |
|
289 | 289 | if self.match(fname) and not util.binary(text): |
|
290 | 290 | return _shrinktext(text, self.rekwexp.sub) |
|
291 | 291 | return text |
|
292 | 292 | |
|
293 | 293 | def shrinklines(self, fname, lines): |
|
294 | 294 | '''Returns lines with keyword substitutions removed.''' |
|
295 | 295 | if self.match(fname): |
|
296 | 296 | text = ''.join(lines) |
|
297 | 297 | if not util.binary(text): |
|
298 | 298 | return _shrinktext(text, self.rekwexp.sub).splitlines(True) |
|
299 | 299 | return lines |
|
300 | 300 | |
|
301 | 301 | def wread(self, fname, data): |
|
302 | 302 | '''If in restricted mode returns data read from wdir with |
|
303 | 303 | keyword substitutions removed.''' |
|
304 | 304 | if self.restrict: |
|
305 | 305 | return self.shrink(fname, data) |
|
306 | 306 | return data |
|
307 | 307 | |
|
308 | 308 | class kwfilelog(filelog.filelog): |
|
309 | 309 | ''' |
|
310 | 310 | Subclass of filelog to hook into its read, add, cmp methods. |
|
311 | 311 | Keywords are "stored" unexpanded, and processed on reading. |
|
312 | 312 | ''' |
|
313 | 313 | def __init__(self, opener, kwt, path): |
|
314 | 314 | super(kwfilelog, self).__init__(opener, path) |
|
315 | 315 | self.kwt = kwt |
|
316 | 316 | self.path = path |
|
317 | 317 | |
|
318 | 318 | def read(self, node): |
|
319 | 319 | '''Expands keywords when reading filelog.''' |
|
320 | 320 | data = super(kwfilelog, self).read(node) |
|
321 | 321 | if self.renamed(node): |
|
322 | 322 | return data |
|
323 | 323 | return self.kwt.expand(self.path, node, data) |
|
324 | 324 | |
|
325 | 325 | def add(self, text, meta, tr, link, p1=None, p2=None): |
|
326 | 326 | '''Removes keyword substitutions when adding to filelog.''' |
|
327 | 327 | text = self.kwt.shrink(self.path, text) |
|
328 | 328 | return super(kwfilelog, self).add(text, meta, tr, link, p1, p2) |
|
329 | 329 | |
|
330 | 330 | def cmp(self, node, text): |
|
331 | 331 | '''Removes keyword substitutions for comparison.''' |
|
332 | 332 | text = self.kwt.shrink(self.path, text) |
|
333 | 333 | return super(kwfilelog, self).cmp(node, text) |
|
334 | 334 | |
|
335 | 335 | def _status(ui, repo, wctx, kwt, *pats, **opts): |
|
336 | 336 | '''Bails out if [keyword] configuration is not active. |
|
337 | 337 | Returns status of working directory.''' |
|
338 | 338 | if kwt: |
|
339 | 339 | return repo.status(match=scmutil.match(wctx, pats, opts), clean=True, |
|
340 | 340 | unknown=opts.get('unknown') or opts.get('all')) |
|
341 | 341 | if ui.configitems('keyword'): |
|
342 | 342 | raise util.Abort(_('[keyword] patterns cannot match')) |
|
343 | 343 | raise util.Abort(_('no [keyword] patterns configured')) |
|
344 | 344 | |
|
345 | 345 | def _kwfwrite(ui, repo, expand, *pats, **opts): |
|
346 | 346 | '''Selects files and passes them to kwtemplater.overwrite.''' |
|
347 | 347 | wctx = repo[None] |
|
348 | 348 | if len(wctx.parents()) > 1: |
|
349 | 349 | raise util.Abort(_('outstanding uncommitted merge')) |
|
350 | 350 | kwt = kwtools['templater'] |
|
351 | 351 | wlock = repo.wlock() |
|
352 | 352 | try: |
|
353 | 353 | status = _status(ui, repo, wctx, kwt, *pats, **opts) |
|
354 | 354 | modified, added, removed, deleted, unknown, ignored, clean = status |
|
355 | 355 | if modified or added or removed or deleted: |
|
356 | 356 | raise util.Abort(_('outstanding uncommitted changes')) |
|
357 | 357 | kwt.overwrite(wctx, clean, True, expand) |
|
358 | 358 | finally: |
|
359 | 359 | wlock.release() |
|
360 | 360 | |
|
361 | 361 | @command('kwdemo', |
|
362 | 362 | [('d', 'default', None, _('show default keyword template maps')), |
|
363 | 363 | ('f', 'rcfile', '', |
|
364 | 364 | _('read maps from rcfile'), _('FILE'))], |
|
365 | 365 | _('hg kwdemo [-d] [-f RCFILE] [TEMPLATEMAP]...')) |
|
366 | 366 | def demo(ui, repo, *args, **opts): |
|
367 | 367 | '''print [keywordmaps] configuration and an expansion example |
|
368 | 368 | |
|
369 | 369 | Show current, custom, or default keyword template maps and their |
|
370 | 370 | expansions. |
|
371 | 371 | |
|
372 | 372 | Extend the current configuration by specifying maps as arguments |
|
373 | 373 | and using -f/--rcfile to source an external hgrc file. |
|
374 | 374 | |
|
375 | 375 | Use -d/--default to disable current configuration. |
|
376 | 376 | |
|
377 | 377 | See :hg:`help templates` for information on templates and filters. |
|
378 | 378 | ''' |
|
379 | 379 | def demoitems(section, items): |
|
380 | 380 | ui.write('[%s]\n' % section) |
|
381 | 381 | for k, v in sorted(items): |
|
382 | 382 | ui.write('%s = %s\n' % (k, v)) |
|
383 | 383 | |
|
384 | 384 | fn = 'demo.txt' |
|
385 | 385 | tmpdir = tempfile.mkdtemp('', 'kwdemo.') |
|
386 | 386 | ui.note(_('creating temporary repository at %s\n') % tmpdir) |
|
387 | repo = localrepo.localrepository(ui, tmpdir, True) | |
|
387 | repo = localrepo.localrepository(repo.baseui, tmpdir, True) | |
|
388 | 388 | ui.setconfig('keyword', fn, '') |
|
389 | 389 | svn = ui.configbool('keywordset', 'svn') |
|
390 | 390 | # explicitly set keywordset for demo output |
|
391 | 391 | ui.setconfig('keywordset', 'svn', svn) |
|
392 | 392 | |
|
393 | 393 | uikwmaps = ui.configitems('keywordmaps') |
|
394 | 394 | if args or opts.get('rcfile'): |
|
395 | 395 | ui.status(_('\n\tconfiguration using custom keyword template maps\n')) |
|
396 | 396 | if uikwmaps: |
|
397 | 397 | ui.status(_('\textending current template maps\n')) |
|
398 | 398 | if opts.get('default') or not uikwmaps: |
|
399 | 399 | if svn: |
|
400 | 400 | ui.status(_('\toverriding default svn keywordset\n')) |
|
401 | 401 | else: |
|
402 | 402 | ui.status(_('\toverriding default cvs keywordset\n')) |
|
403 | 403 | if opts.get('rcfile'): |
|
404 | 404 | ui.readconfig(opts.get('rcfile')) |
|
405 | 405 | if args: |
|
406 | 406 | # simulate hgrc parsing |
|
407 | 407 | rcmaps = ['[keywordmaps]\n'] + [a + '\n' for a in args] |
|
408 | 408 | fp = repo.opener('hgrc', 'w') |
|
409 | 409 | fp.writelines(rcmaps) |
|
410 | 410 | fp.close() |
|
411 | 411 | ui.readconfig(repo.join('hgrc')) |
|
412 | 412 | kwmaps = dict(ui.configitems('keywordmaps')) |
|
413 | 413 | elif opts.get('default'): |
|
414 | 414 | if svn: |
|
415 | 415 | ui.status(_('\n\tconfiguration using default svn keywordset\n')) |
|
416 | 416 | else: |
|
417 | 417 | ui.status(_('\n\tconfiguration using default cvs keywordset\n')) |
|
418 | 418 | kwmaps = _defaultkwmaps(ui) |
|
419 | 419 | if uikwmaps: |
|
420 | 420 | ui.status(_('\tdisabling current template maps\n')) |
|
421 | 421 | for k, v in kwmaps.iteritems(): |
|
422 | 422 | ui.setconfig('keywordmaps', k, v) |
|
423 | 423 | else: |
|
424 | 424 | ui.status(_('\n\tconfiguration using current keyword template maps\n')) |
|
425 | 425 | if uikwmaps: |
|
426 | 426 | kwmaps = dict(uikwmaps) |
|
427 | 427 | else: |
|
428 | 428 | kwmaps = _defaultkwmaps(ui) |
|
429 | 429 | |
|
430 | 430 | uisetup(ui) |
|
431 | 431 | reposetup(ui, repo) |
|
432 | 432 | ui.write('[extensions]\nkeyword =\n') |
|
433 | 433 | demoitems('keyword', ui.configitems('keyword')) |
|
434 | 434 | demoitems('keywordset', ui.configitems('keywordset')) |
|
435 | 435 | demoitems('keywordmaps', kwmaps.iteritems()) |
|
436 | 436 | keywords = '$' + '$\n$'.join(sorted(kwmaps.keys())) + '$\n' |
|
437 | 437 | repo.wopener.write(fn, keywords) |
|
438 | 438 | repo[None].add([fn]) |
|
439 | 439 | ui.note(_('\nkeywords written to %s:\n') % fn) |
|
440 | 440 | ui.note(keywords) |
|
441 | 441 | repo.dirstate.setbranch('demobranch') |
|
442 | 442 | for name, cmd in ui.configitems('hooks'): |
|
443 | 443 | if name.split('.', 1)[0].find('commit') > -1: |
|
444 | 444 | repo.ui.setconfig('hooks', name, '') |
|
445 | 445 | msg = _('hg keyword configuration and expansion example') |
|
446 | 446 | ui.note("hg ci -m '%s'\n" % msg) # check-code-ignore |
|
447 | 447 | repo.commit(text=msg) |
|
448 | 448 | ui.status(_('\n\tkeywords expanded\n')) |
|
449 | 449 | ui.write(repo.wread(fn)) |
|
450 | 450 | shutil.rmtree(tmpdir, ignore_errors=True) |
|
451 | 451 | |
|
452 | 452 | @command('kwexpand', commands.walkopts, _('hg kwexpand [OPTION]... [FILE]...')) |
|
453 | 453 | def expand(ui, repo, *pats, **opts): |
|
454 | 454 | '''expand keywords in the working directory |
|
455 | 455 | |
|
456 | 456 | Run after (re)enabling keyword expansion. |
|
457 | 457 | |
|
458 | 458 | kwexpand refuses to run if given files contain local changes. |
|
459 | 459 | ''' |
|
460 | 460 | # 3rd argument sets expansion to True |
|
461 | 461 | _kwfwrite(ui, repo, True, *pats, **opts) |
|
462 | 462 | |
|
463 | 463 | @command('kwfiles', |
|
464 | 464 | [('A', 'all', None, _('show keyword status flags of all files')), |
|
465 | 465 | ('i', 'ignore', None, _('show files excluded from expansion')), |
|
466 | 466 | ('u', 'unknown', None, _('only show unknown (not tracked) files')), |
|
467 | 467 | ] + commands.walkopts, |
|
468 | 468 | _('hg kwfiles [OPTION]... [FILE]...')) |
|
469 | 469 | def files(ui, repo, *pats, **opts): |
|
470 | 470 | '''show files configured for keyword expansion |
|
471 | 471 | |
|
472 | 472 | List which files in the working directory are matched by the |
|
473 | 473 | [keyword] configuration patterns. |
|
474 | 474 | |
|
475 | 475 | Useful to prevent inadvertent keyword expansion and to speed up |
|
476 | 476 | execution by including only files that are actual candidates for |
|
477 | 477 | expansion. |
|
478 | 478 | |
|
479 | 479 | See :hg:`help keyword` on how to construct patterns both for |
|
480 | 480 | inclusion and exclusion of files. |
|
481 | 481 | |
|
482 | 482 | With -A/--all and -v/--verbose the codes used to show the status |
|
483 | 483 | of files are:: |
|
484 | 484 | |
|
485 | 485 | K = keyword expansion candidate |
|
486 | 486 | k = keyword expansion candidate (not tracked) |
|
487 | 487 | I = ignored |
|
488 | 488 | i = ignored (not tracked) |
|
489 | 489 | ''' |
|
490 | 490 | kwt = kwtools['templater'] |
|
491 | 491 | wctx = repo[None] |
|
492 | 492 | status = _status(ui, repo, wctx, kwt, *pats, **opts) |
|
493 | 493 | cwd = pats and repo.getcwd() or '' |
|
494 | 494 | modified, added, removed, deleted, unknown, ignored, clean = status |
|
495 | 495 | files = [] |
|
496 | 496 | if not opts.get('unknown') or opts.get('all'): |
|
497 | 497 | files = sorted(modified + added + clean) |
|
498 | 498 | kwfiles = kwt.iskwfile(files, wctx) |
|
499 | 499 | kwdeleted = kwt.iskwfile(deleted, wctx) |
|
500 | 500 | kwunknown = kwt.iskwfile(unknown, wctx) |
|
501 | 501 | if not opts.get('ignore') or opts.get('all'): |
|
502 | 502 | showfiles = kwfiles, kwdeleted, kwunknown |
|
503 | 503 | else: |
|
504 | 504 | showfiles = [], [], [] |
|
505 | 505 | if opts.get('all') or opts.get('ignore'): |
|
506 | 506 | showfiles += ([f for f in files if f not in kwfiles], |
|
507 | 507 | [f for f in unknown if f not in kwunknown]) |
|
508 | 508 | kwlabels = 'enabled deleted enabledunknown ignored ignoredunknown'.split() |
|
509 | 509 | kwstates = zip(kwlabels, 'K!kIi', showfiles) |
|
510 | 510 | fm = ui.formatter('kwfiles', opts) |
|
511 | 511 | fmt = '%.0s%s\n' |
|
512 | 512 | if opts.get('all') or ui.verbose: |
|
513 | 513 | fmt = '%s %s\n' |
|
514 | 514 | for kwstate, char, filenames in kwstates: |
|
515 | 515 | label = 'kwfiles.' + kwstate |
|
516 | 516 | for f in filenames: |
|
517 | 517 | fm.startitem() |
|
518 | 518 | fm.write('kwstatus path', fmt, char, |
|
519 | 519 | repo.pathto(f, cwd), label=label) |
|
520 | 520 | fm.end() |
|
521 | 521 | |
|
522 | 522 | @command('kwshrink', commands.walkopts, _('hg kwshrink [OPTION]... [FILE]...')) |
|
523 | 523 | def shrink(ui, repo, *pats, **opts): |
|
524 | 524 | '''revert expanded keywords in the working directory |
|
525 | 525 | |
|
526 | 526 | Must be run before changing/disabling active keywords. |
|
527 | 527 | |
|
528 | 528 | kwshrink refuses to run if given files contain local changes. |
|
529 | 529 | ''' |
|
530 | 530 | # 3rd argument sets expansion to False |
|
531 | 531 | _kwfwrite(ui, repo, False, *pats, **opts) |
|
532 | 532 | |
|
533 | 533 | |
|
534 | 534 | def uisetup(ui): |
|
535 | 535 | ''' Monkeypatches dispatch._parse to retrieve user command.''' |
|
536 | 536 | |
|
537 | 537 | def kwdispatch_parse(orig, ui, args): |
|
538 | 538 | '''Monkeypatch dispatch._parse to obtain running hg command.''' |
|
539 | 539 | cmd, func, args, options, cmdoptions = orig(ui, args) |
|
540 | 540 | kwtools['hgcmd'] = cmd |
|
541 | 541 | return cmd, func, args, options, cmdoptions |
|
542 | 542 | |
|
543 | 543 | extensions.wrapfunction(dispatch, '_parse', kwdispatch_parse) |
|
544 | 544 | |
|
545 | 545 | def reposetup(ui, repo): |
|
546 | 546 | '''Sets up repo as kwrepo for keyword substitution. |
|
547 | 547 | Overrides file method to return kwfilelog instead of filelog |
|
548 | 548 | if file matches user configuration. |
|
549 | 549 | Wraps commit to overwrite configured files with updated |
|
550 | 550 | keyword substitutions. |
|
551 | 551 | Monkeypatches patch and webcommands.''' |
|
552 | 552 | |
|
553 | 553 | try: |
|
554 | 554 | if (not repo.local() or kwtools['hgcmd'] in nokwcommands.split() |
|
555 | 555 | or '.hg' in util.splitpath(repo.root) |
|
556 | 556 | or repo._url.startswith('bundle:')): |
|
557 | 557 | return |
|
558 | 558 | except AttributeError: |
|
559 | 559 | pass |
|
560 | 560 | |
|
561 | 561 | inc, exc = [], ['.hg*'] |
|
562 | 562 | for pat, opt in ui.configitems('keyword'): |
|
563 | 563 | if opt != 'ignore': |
|
564 | 564 | inc.append(pat) |
|
565 | 565 | else: |
|
566 | 566 | exc.append(pat) |
|
567 | 567 | if not inc: |
|
568 | 568 | return |
|
569 | 569 | |
|
570 | 570 | kwtools['templater'] = kwt = kwtemplater(ui, repo, inc, exc) |
|
571 | 571 | |
|
572 | 572 | class kwrepo(repo.__class__): |
|
573 | 573 | def file(self, f): |
|
574 | 574 | if f[0] == '/': |
|
575 | 575 | f = f[1:] |
|
576 | 576 | return kwfilelog(self.sopener, kwt, f) |
|
577 | 577 | |
|
578 | 578 | def wread(self, filename): |
|
579 | 579 | data = super(kwrepo, self).wread(filename) |
|
580 | 580 | return kwt.wread(filename, data) |
|
581 | 581 | |
|
582 | 582 | def commit(self, *args, **opts): |
|
583 | 583 | # use custom commitctx for user commands |
|
584 | 584 | # other extensions can still wrap repo.commitctx directly |
|
585 | 585 | self.commitctx = self.kwcommitctx |
|
586 | 586 | try: |
|
587 | 587 | return super(kwrepo, self).commit(*args, **opts) |
|
588 | 588 | finally: |
|
589 | 589 | del self.commitctx |
|
590 | 590 | |
|
591 | 591 | def kwcommitctx(self, ctx, error=False): |
|
592 | 592 | n = super(kwrepo, self).commitctx(ctx, error) |
|
593 | 593 | # no lock needed, only called from repo.commit() which already locks |
|
594 | 594 | if not kwt.postcommit: |
|
595 | 595 | restrict = kwt.restrict |
|
596 | 596 | kwt.restrict = True |
|
597 | 597 | kwt.overwrite(self[n], sorted(ctx.added() + ctx.modified()), |
|
598 | 598 | False, True) |
|
599 | 599 | kwt.restrict = restrict |
|
600 | 600 | return n |
|
601 | 601 | |
|
602 | 602 | def rollback(self, dryrun=False, force=False): |
|
603 | 603 | wlock = self.wlock() |
|
604 | 604 | try: |
|
605 | 605 | if not dryrun: |
|
606 | 606 | changed = self['.'].files() |
|
607 | 607 | ret = super(kwrepo, self).rollback(dryrun, force) |
|
608 | 608 | if not dryrun: |
|
609 | 609 | ctx = self['.'] |
|
610 | 610 | modified, added = _preselect(self[None].status(), changed) |
|
611 | 611 | kwt.overwrite(ctx, modified, True, True) |
|
612 | 612 | kwt.overwrite(ctx, added, True, False) |
|
613 | 613 | return ret |
|
614 | 614 | finally: |
|
615 | 615 | wlock.release() |
|
616 | 616 | |
|
617 | 617 | # monkeypatches |
|
618 | 618 | def kwpatchfile_init(orig, self, ui, gp, backend, store, eolmode=None): |
|
619 | 619 | '''Monkeypatch/wrap patch.patchfile.__init__ to avoid |
|
620 | 620 | rejects or conflicts due to expanded keywords in working dir.''' |
|
621 | 621 | orig(self, ui, gp, backend, store, eolmode) |
|
622 | 622 | # shrink keywords read from working dir |
|
623 | 623 | self.lines = kwt.shrinklines(self.fname, self.lines) |
|
624 | 624 | |
|
625 | 625 | def kw_diff(orig, repo, node1=None, node2=None, match=None, changes=None, |
|
626 | 626 | opts=None, prefix=''): |
|
627 | 627 | '''Monkeypatch patch.diff to avoid expansion.''' |
|
628 | 628 | kwt.restrict = True |
|
629 | 629 | return orig(repo, node1, node2, match, changes, opts, prefix) |
|
630 | 630 | |
|
631 | 631 | def kwweb_skip(orig, web, req, tmpl): |
|
632 | 632 | '''Wraps webcommands.x turning off keyword expansion.''' |
|
633 | 633 | kwt.match = util.never |
|
634 | 634 | return orig(web, req, tmpl) |
|
635 | 635 | |
|
636 | 636 | def kw_amend(orig, ui, repo, commitfunc, old, extra, pats, opts): |
|
637 | 637 | '''Wraps cmdutil.amend expanding keywords after amend.''' |
|
638 | 638 | wlock = repo.wlock() |
|
639 | 639 | try: |
|
640 | 640 | kwt.postcommit = True |
|
641 | 641 | newid = orig(ui, repo, commitfunc, old, extra, pats, opts) |
|
642 | 642 | if newid != old.node(): |
|
643 | 643 | ctx = repo[newid] |
|
644 | 644 | kwt.restrict = True |
|
645 | 645 | kwt.overwrite(ctx, ctx.files(), False, True) |
|
646 | 646 | kwt.restrict = False |
|
647 | 647 | return newid |
|
648 | 648 | finally: |
|
649 | 649 | wlock.release() |
|
650 | 650 | |
|
651 | 651 | def kw_copy(orig, ui, repo, pats, opts, rename=False): |
|
652 | 652 | '''Wraps cmdutil.copy so that copy/rename destinations do not |
|
653 | 653 | contain expanded keywords. |
|
654 | 654 | Note that the source of a regular file destination may also be a |
|
655 | 655 | symlink: |
|
656 | 656 | hg cp sym x -> x is symlink |
|
657 | 657 | cp sym x; hg cp -A sym x -> x is file (maybe expanded keywords) |
|
658 | 658 | For the latter we have to follow the symlink to find out whether its |
|
659 | 659 | target is configured for expansion and we therefore must unexpand the |
|
660 | 660 | keywords in the destination.''' |
|
661 | 661 | wlock = repo.wlock() |
|
662 | 662 | try: |
|
663 | 663 | orig(ui, repo, pats, opts, rename) |
|
664 | 664 | if opts.get('dry_run'): |
|
665 | 665 | return |
|
666 | 666 | wctx = repo[None] |
|
667 | 667 | cwd = repo.getcwd() |
|
668 | 668 | |
|
669 | 669 | def haskwsource(dest): |
|
670 | 670 | '''Returns true if dest is a regular file and configured for |
|
671 | 671 | expansion or a symlink which points to a file configured for |
|
672 | 672 | expansion. ''' |
|
673 | 673 | source = repo.dirstate.copied(dest) |
|
674 | 674 | if 'l' in wctx.flags(source): |
|
675 | 675 | source = scmutil.canonpath(repo.root, cwd, |
|
676 | 676 | os.path.realpath(source)) |
|
677 | 677 | return kwt.match(source) |
|
678 | 678 | |
|
679 | 679 | candidates = [f for f in repo.dirstate.copies() if |
|
680 | 680 | 'l' not in wctx.flags(f) and haskwsource(f)] |
|
681 | 681 | kwt.overwrite(wctx, candidates, False, False) |
|
682 | 682 | finally: |
|
683 | 683 | wlock.release() |
|
684 | 684 | |
|
685 | 685 | def kw_dorecord(orig, ui, repo, commitfunc, *pats, **opts): |
|
686 | 686 | '''Wraps record.dorecord expanding keywords after recording.''' |
|
687 | 687 | wlock = repo.wlock() |
|
688 | 688 | try: |
|
689 | 689 | # record returns 0 even when nothing has changed |
|
690 | 690 | # therefore compare nodes before and after |
|
691 | 691 | kwt.postcommit = True |
|
692 | 692 | ctx = repo['.'] |
|
693 | 693 | wstatus = repo[None].status() |
|
694 | 694 | ret = orig(ui, repo, commitfunc, *pats, **opts) |
|
695 | 695 | recctx = repo['.'] |
|
696 | 696 | if ctx != recctx: |
|
697 | 697 | modified, added = _preselect(wstatus, recctx.files()) |
|
698 | 698 | kwt.restrict = False |
|
699 | 699 | kwt.overwrite(recctx, modified, False, True) |
|
700 | 700 | kwt.overwrite(recctx, added, False, True, True) |
|
701 | 701 | kwt.restrict = True |
|
702 | 702 | return ret |
|
703 | 703 | finally: |
|
704 | 704 | wlock.release() |
|
705 | 705 | |
|
706 | 706 | def kwfilectx_cmp(orig, self, fctx): |
|
707 | 707 | # keyword affects data size, comparing wdir and filelog size does |
|
708 | 708 | # not make sense |
|
709 | 709 | if (fctx._filerev is None and |
|
710 | 710 | (self._repo._encodefilterpats or |
|
711 | 711 | kwt.match(fctx.path()) and 'l' not in fctx.flags() or |
|
712 | 712 | self.size() - 4 == fctx.size()) or |
|
713 | 713 | self.size() == fctx.size()): |
|
714 | 714 | return self._filelog.cmp(self._filenode, fctx.data()) |
|
715 | 715 | return True |
|
716 | 716 | |
|
717 | 717 | extensions.wrapfunction(context.filectx, 'cmp', kwfilectx_cmp) |
|
718 | 718 | extensions.wrapfunction(patch.patchfile, '__init__', kwpatchfile_init) |
|
719 | 719 | extensions.wrapfunction(patch, 'diff', kw_diff) |
|
720 | 720 | extensions.wrapfunction(cmdutil, 'amend', kw_amend) |
|
721 | 721 | extensions.wrapfunction(cmdutil, 'copy', kw_copy) |
|
722 | 722 | for c in 'annotate changeset rev filediff diff'.split(): |
|
723 | 723 | extensions.wrapfunction(webcommands, c, kwweb_skip) |
|
724 | 724 | for name in recordextensions.split(): |
|
725 | 725 | try: |
|
726 | 726 | record = extensions.find(name) |
|
727 | 727 | extensions.wrapfunction(record, 'dorecord', kw_dorecord) |
|
728 | 728 | except KeyError: |
|
729 | 729 | pass |
|
730 | 730 | |
|
731 | 731 | repo.__class__ = kwrepo |
@@ -1,184 +1,184 | |||
|
1 | 1 | # Mercurial extension to provide 'hg relink' command |
|
2 | 2 | # |
|
3 | 3 | # Copyright (C) 2007 Brendan Cully <brendan@kublai.com> |
|
4 | 4 | # |
|
5 | 5 | # This software may be used and distributed according to the terms of the |
|
6 | 6 | # GNU General Public License version 2 or any later version. |
|
7 | 7 | |
|
8 | 8 | """recreates hardlinks between repository clones""" |
|
9 | 9 | |
|
10 | 10 | from mercurial import hg, util |
|
11 | 11 | from mercurial.i18n import _ |
|
12 | 12 | import os, stat |
|
13 | 13 | |
|
14 | 14 | testedwith = 'internal' |
|
15 | 15 | |
|
16 | 16 | def relink(ui, repo, origin=None, **opts): |
|
17 | 17 | """recreate hardlinks between two repositories |
|
18 | 18 | |
|
19 | 19 | When repositories are cloned locally, their data files will be |
|
20 | 20 | hardlinked so that they only use the space of a single repository. |
|
21 | 21 | |
|
22 | 22 | Unfortunately, subsequent pulls into either repository will break |
|
23 | 23 | hardlinks for any files touched by the new changesets, even if |
|
24 | 24 | both repositories end up pulling the same changes. |
|
25 | 25 | |
|
26 | 26 | Similarly, passing --rev to "hg clone" will fail to use any |
|
27 | 27 | hardlinks, falling back to a complete copy of the source |
|
28 | 28 | repository. |
|
29 | 29 | |
|
30 | 30 | This command lets you recreate those hardlinks and reclaim that |
|
31 | 31 | wasted space. |
|
32 | 32 | |
|
33 | 33 | This repository will be relinked to share space with ORIGIN, which |
|
34 | 34 | must be on the same local disk. If ORIGIN is omitted, looks for |
|
35 | 35 | "default-relink", then "default", in [paths]. |
|
36 | 36 | |
|
37 | 37 | Do not attempt any read operations on this repository while the |
|
38 | 38 | command is running. (Both repositories will be locked against |
|
39 | 39 | writes.) |
|
40 | 40 | """ |
|
41 | 41 | if (not util.safehasattr(util, 'samefile') or |
|
42 | 42 | not util.safehasattr(util, 'samedevice')): |
|
43 | 43 | raise util.Abort(_('hardlinks are not supported on this system')) |
|
44 | src = hg.repository(ui, ui.expandpath(origin or 'default-relink', | |
|
44 | src = hg.repository(repo.baseui, ui.expandpath(origin or 'default-relink', | |
|
45 | 45 | origin or 'default')) |
|
46 | 46 | ui.status(_('relinking %s to %s\n') % (src.store.path, repo.store.path)) |
|
47 | 47 | if repo.root == src.root: |
|
48 | 48 | ui.status(_('there is nothing to relink\n')) |
|
49 | 49 | return |
|
50 | 50 | |
|
51 | 51 | locallock = repo.lock() |
|
52 | 52 | try: |
|
53 | 53 | remotelock = src.lock() |
|
54 | 54 | try: |
|
55 | 55 | candidates = sorted(collect(src, ui)) |
|
56 | 56 | targets = prune(candidates, src.store.path, repo.store.path, ui) |
|
57 | 57 | do_relink(src.store.path, repo.store.path, targets, ui) |
|
58 | 58 | finally: |
|
59 | 59 | remotelock.release() |
|
60 | 60 | finally: |
|
61 | 61 | locallock.release() |
|
62 | 62 | |
|
63 | 63 | def collect(src, ui): |
|
64 | 64 | seplen = len(os.path.sep) |
|
65 | 65 | candidates = [] |
|
66 | 66 | live = len(src['tip'].manifest()) |
|
67 | 67 | # Your average repository has some files which were deleted before |
|
68 | 68 | # the tip revision. We account for that by assuming that there are |
|
69 | 69 | # 3 tracked files for every 2 live files as of the tip version of |
|
70 | 70 | # the repository. |
|
71 | 71 | # |
|
72 | 72 | # mozilla-central as of 2010-06-10 had a ratio of just over 7:5. |
|
73 | 73 | total = live * 3 // 2 |
|
74 | 74 | src = src.store.path |
|
75 | 75 | pos = 0 |
|
76 | 76 | ui.status(_("tip has %d files, estimated total number of files: %s\n") |
|
77 | 77 | % (live, total)) |
|
78 | 78 | for dirpath, dirnames, filenames in os.walk(src): |
|
79 | 79 | dirnames.sort() |
|
80 | 80 | relpath = dirpath[len(src) + seplen:] |
|
81 | 81 | for filename in sorted(filenames): |
|
82 | 82 | if filename[-2:] not in ('.d', '.i'): |
|
83 | 83 | continue |
|
84 | 84 | st = os.stat(os.path.join(dirpath, filename)) |
|
85 | 85 | if not stat.S_ISREG(st.st_mode): |
|
86 | 86 | continue |
|
87 | 87 | pos += 1 |
|
88 | 88 | candidates.append((os.path.join(relpath, filename), st)) |
|
89 | 89 | ui.progress(_('collecting'), pos, filename, _('files'), total) |
|
90 | 90 | |
|
91 | 91 | ui.progress(_('collecting'), None) |
|
92 | 92 | ui.status(_('collected %d candidate storage files\n') % len(candidates)) |
|
93 | 93 | return candidates |
|
94 | 94 | |
|
95 | 95 | def prune(candidates, src, dst, ui): |
|
96 | 96 | def linkfilter(src, dst, st): |
|
97 | 97 | try: |
|
98 | 98 | ts = os.stat(dst) |
|
99 | 99 | except OSError: |
|
100 | 100 | # Destination doesn't have this file? |
|
101 | 101 | return False |
|
102 | 102 | if util.samefile(src, dst): |
|
103 | 103 | return False |
|
104 | 104 | if not util.samedevice(src, dst): |
|
105 | 105 | # No point in continuing |
|
106 | 106 | raise util.Abort( |
|
107 | 107 | _('source and destination are on different devices')) |
|
108 | 108 | if st.st_size != ts.st_size: |
|
109 | 109 | return False |
|
110 | 110 | return st |
|
111 | 111 | |
|
112 | 112 | targets = [] |
|
113 | 113 | total = len(candidates) |
|
114 | 114 | pos = 0 |
|
115 | 115 | for fn, st in candidates: |
|
116 | 116 | pos += 1 |
|
117 | 117 | srcpath = os.path.join(src, fn) |
|
118 | 118 | tgt = os.path.join(dst, fn) |
|
119 | 119 | ts = linkfilter(srcpath, tgt, st) |
|
120 | 120 | if not ts: |
|
121 | 121 | ui.debug('not linkable: %s\n' % fn) |
|
122 | 122 | continue |
|
123 | 123 | targets.append((fn, ts.st_size)) |
|
124 | 124 | ui.progress(_('pruning'), pos, fn, _('files'), total) |
|
125 | 125 | |
|
126 | 126 | ui.progress(_('pruning'), None) |
|
127 | 127 | ui.status(_('pruned down to %d probably relinkable files\n') % len(targets)) |
|
128 | 128 | return targets |
|
129 | 129 | |
|
130 | 130 | def do_relink(src, dst, files, ui): |
|
131 | 131 | def relinkfile(src, dst): |
|
132 | 132 | bak = dst + '.bak' |
|
133 | 133 | os.rename(dst, bak) |
|
134 | 134 | try: |
|
135 | 135 | util.oslink(src, dst) |
|
136 | 136 | except OSError: |
|
137 | 137 | os.rename(bak, dst) |
|
138 | 138 | raise |
|
139 | 139 | os.remove(bak) |
|
140 | 140 | |
|
141 | 141 | CHUNKLEN = 65536 |
|
142 | 142 | relinked = 0 |
|
143 | 143 | savedbytes = 0 |
|
144 | 144 | |
|
145 | 145 | pos = 0 |
|
146 | 146 | total = len(files) |
|
147 | 147 | for f, sz in files: |
|
148 | 148 | pos += 1 |
|
149 | 149 | source = os.path.join(src, f) |
|
150 | 150 | tgt = os.path.join(dst, f) |
|
151 | 151 | # Binary mode, so that read() works correctly, especially on Windows |
|
152 | 152 | sfp = file(source, 'rb') |
|
153 | 153 | dfp = file(tgt, 'rb') |
|
154 | 154 | sin = sfp.read(CHUNKLEN) |
|
155 | 155 | while sin: |
|
156 | 156 | din = dfp.read(CHUNKLEN) |
|
157 | 157 | if sin != din: |
|
158 | 158 | break |
|
159 | 159 | sin = sfp.read(CHUNKLEN) |
|
160 | 160 | sfp.close() |
|
161 | 161 | dfp.close() |
|
162 | 162 | if sin: |
|
163 | 163 | ui.debug('not linkable: %s\n' % f) |
|
164 | 164 | continue |
|
165 | 165 | try: |
|
166 | 166 | relinkfile(source, tgt) |
|
167 | 167 | ui.progress(_('relinking'), pos, f, _('files'), total) |
|
168 | 168 | relinked += 1 |
|
169 | 169 | savedbytes += sz |
|
170 | 170 | except OSError, inst: |
|
171 | 171 | ui.warn('%s: %s\n' % (tgt, str(inst))) |
|
172 | 172 | |
|
173 | 173 | ui.progress(_('relinking'), None) |
|
174 | 174 | |
|
175 | 175 | ui.status(_('relinked %d files (%s reclaimed)\n') % |
|
176 | 176 | (relinked, util.bytecount(savedbytes))) |
|
177 | 177 | |
|
178 | 178 | cmdtable = { |
|
179 | 179 | 'relink': ( |
|
180 | 180 | relink, |
|
181 | 181 | [], |
|
182 | 182 | _('[ORIGIN]') |
|
183 | 183 | ) |
|
184 | 184 | } |
@@ -1,75 +1,75 | |||
|
1 | 1 | # Copyright 2006, 2007 Matt Mackall <mpm@selenic.com> |
|
2 | 2 | # |
|
3 | 3 | # This software may be used and distributed according to the terms of the |
|
4 | 4 | # GNU General Public License version 2 or any later version. |
|
5 | 5 | |
|
6 | 6 | '''share a common history between several working directories''' |
|
7 | 7 | |
|
8 | 8 | from mercurial.i18n import _ |
|
9 | 9 | from mercurial import hg, commands, util |
|
10 | 10 | |
|
11 | 11 | testedwith = 'internal' |
|
12 | 12 | |
|
13 | 13 | def share(ui, source, dest=None, noupdate=False): |
|
14 | 14 | """create a new shared repository |
|
15 | 15 | |
|
16 | 16 | Initialize a new repository and working directory that shares its |
|
17 | 17 | history with another repository. |
|
18 | 18 | |
|
19 | 19 | .. note:: |
|
20 | 20 | using rollback or extensions that destroy/modify history (mq, |
|
21 | 21 | rebase, etc.) can cause considerable confusion with shared |
|
22 | 22 | clones. In particular, if two shared clones are both updated to |
|
23 | 23 | the same changeset, and one of them destroys that changeset |
|
24 | 24 | with rollback, the other clone will suddenly stop working: all |
|
25 | 25 | operations will fail with "abort: working directory has unknown |
|
26 | 26 | parent". The only known workaround is to use debugsetparents on |
|
27 | 27 | the broken clone to reset it to a changeset that still exists |
|
28 | 28 | (e.g. tip). |
|
29 | 29 | """ |
|
30 | 30 | |
|
31 | 31 | return hg.share(ui, source, dest, not noupdate) |
|
32 | 32 | |
|
33 | 33 | def unshare(ui, repo): |
|
34 | 34 | """convert a shared repository to a normal one |
|
35 | 35 | |
|
36 | 36 | Copy the store data to the repo and remove the sharedpath data. |
|
37 | 37 | """ |
|
38 | 38 | |
|
39 | 39 | if repo.sharedpath == repo.path: |
|
40 | 40 | raise util.Abort(_("this is not a shared repo")) |
|
41 | 41 | |
|
42 | 42 | destlock = lock = None |
|
43 | 43 | lock = repo.lock() |
|
44 | 44 | try: |
|
45 | 45 | # we use locks here because if we race with commit, we |
|
46 | 46 | # can end up with extra data in the cloned revlogs that's |
|
47 | 47 | # not pointed to by changesets, thus causing verify to |
|
48 | 48 | # fail |
|
49 | 49 | |
|
50 | 50 | destlock = hg.copystore(ui, repo, repo.path) |
|
51 | 51 | |
|
52 | 52 | sharefile = repo.join('sharedpath') |
|
53 | 53 | util.rename(sharefile, sharefile + '.old') |
|
54 | 54 | |
|
55 | 55 | repo.requirements.discard('sharedpath') |
|
56 | 56 | repo._writerequirements() |
|
57 | 57 | finally: |
|
58 | 58 | destlock and destlock.release() |
|
59 | 59 | lock and lock.release() |
|
60 | 60 | |
|
61 | 61 | # update store, spath, sopener and sjoin of repo |
|
62 | repo.__init__(ui, repo.root) | |
|
62 | repo.__init__(repo.baseui, repo.root) | |
|
63 | 63 | |
|
64 | 64 | cmdtable = { |
|
65 | 65 | "share": |
|
66 | 66 | (share, |
|
67 | 67 | [('U', 'noupdate', None, _('do not create a working copy'))], |
|
68 | 68 | _('[-U] SOURCE [DEST]')), |
|
69 | 69 | "unshare": |
|
70 | 70 | (unshare, |
|
71 | 71 | [], |
|
72 | 72 | ''), |
|
73 | 73 | } |
|
74 | 74 | |
|
75 | 75 | commands.norepo += " share" |
@@ -1,381 +1,382 | |||
|
1 | 1 | # bundlerepo.py - repository class for viewing uncompressed bundles |
|
2 | 2 | # |
|
3 | 3 | # Copyright 2006, 2007 Benoit Boissinot <bboissin@gmail.com> |
|
4 | 4 | # |
|
5 | 5 | # This software may be used and distributed according to the terms of the |
|
6 | 6 | # GNU General Public License version 2 or any later version. |
|
7 | 7 | |
|
8 | 8 | """Repository class for viewing uncompressed bundles. |
|
9 | 9 | |
|
10 | 10 | This provides a read-only repository interface to bundles as if they |
|
11 | 11 | were part of the actual repository. |
|
12 | 12 | """ |
|
13 | 13 | |
|
14 | 14 | from node import nullid |
|
15 | 15 | from i18n import _ |
|
16 | 16 | import os, tempfile, shutil |
|
17 | 17 | import changegroup, util, mdiff, discovery, cmdutil, scmutil |
|
18 | 18 | import localrepo, changelog, manifest, filelog, revlog, error |
|
19 | 19 | |
|
20 | 20 | class bundlerevlog(revlog.revlog): |
|
21 | 21 | def __init__(self, opener, indexfile, bundle, linkmapper): |
|
22 | 22 | # How it works: |
|
23 | 23 | # To retrieve a revision, we need to know the offset of the revision in |
|
24 | 24 | # the bundle (an unbundle object). We store this offset in the index |
|
25 | 25 | # (start). The base of the delta is stored in the base field. |
|
26 | 26 | # |
|
27 | 27 | # To differentiate a rev in the bundle from a rev in the revlog, we |
|
28 | 28 | # check revision against repotiprev. |
|
29 | 29 | opener = scmutil.readonlyvfs(opener) |
|
30 | 30 | revlog.revlog.__init__(self, opener, indexfile) |
|
31 | 31 | self.bundle = bundle |
|
32 | 32 | n = len(self) |
|
33 | 33 | self.repotiprev = n - 1 |
|
34 | 34 | chain = None |
|
35 | 35 | self.bundlerevs = set() # used by 'bundle()' revset expression |
|
36 | 36 | while True: |
|
37 | 37 | chunkdata = bundle.deltachunk(chain) |
|
38 | 38 | if not chunkdata: |
|
39 | 39 | break |
|
40 | 40 | node = chunkdata['node'] |
|
41 | 41 | p1 = chunkdata['p1'] |
|
42 | 42 | p2 = chunkdata['p2'] |
|
43 | 43 | cs = chunkdata['cs'] |
|
44 | 44 | deltabase = chunkdata['deltabase'] |
|
45 | 45 | delta = chunkdata['delta'] |
|
46 | 46 | |
|
47 | 47 | size = len(delta) |
|
48 | 48 | start = bundle.tell() - size |
|
49 | 49 | |
|
50 | 50 | link = linkmapper(cs) |
|
51 | 51 | if node in self.nodemap: |
|
52 | 52 | # this can happen if two branches make the same change |
|
53 | 53 | chain = node |
|
54 | 54 | self.bundlerevs.add(self.nodemap[node]) |
|
55 | 55 | continue |
|
56 | 56 | |
|
57 | 57 | for p in (p1, p2): |
|
58 | 58 | if p not in self.nodemap: |
|
59 | 59 | raise error.LookupError(p, self.indexfile, |
|
60 | 60 | _("unknown parent")) |
|
61 | 61 | |
|
62 | 62 | if deltabase not in self.nodemap: |
|
63 | 63 | raise LookupError(deltabase, self.indexfile, |
|
64 | 64 | _('unknown delta base')) |
|
65 | 65 | |
|
66 | 66 | baserev = self.rev(deltabase) |
|
67 | 67 | # start, size, full unc. size, base (unused), link, p1, p2, node |
|
68 | 68 | e = (revlog.offset_type(start, 0), size, -1, baserev, link, |
|
69 | 69 | self.rev(p1), self.rev(p2), node) |
|
70 | 70 | self.index.insert(-1, e) |
|
71 | 71 | self.nodemap[node] = n |
|
72 | 72 | self.bundlerevs.add(n) |
|
73 | 73 | chain = node |
|
74 | 74 | n += 1 |
|
75 | 75 | |
|
76 | 76 | def _chunk(self, rev): |
|
77 | 77 | # Warning: in case of bundle, the diff is against what we stored as |
|
78 | 78 | # delta base, not against rev - 1 |
|
79 | 79 | # XXX: could use some caching |
|
80 | 80 | if rev <= self.repotiprev: |
|
81 | 81 | return revlog.revlog._chunk(self, rev) |
|
82 | 82 | self.bundle.seek(self.start(rev)) |
|
83 | 83 | return self.bundle.read(self.length(rev)) |
|
84 | 84 | |
|
85 | 85 | def revdiff(self, rev1, rev2): |
|
86 | 86 | """return or calculate a delta between two revisions""" |
|
87 | 87 | if rev1 > self.repotiprev and rev2 > self.repotiprev: |
|
88 | 88 | # hot path for bundle |
|
89 | 89 | revb = self.index[rev2][3] |
|
90 | 90 | if revb == rev1: |
|
91 | 91 | return self._chunk(rev2) |
|
92 | 92 | elif rev1 <= self.repotiprev and rev2 <= self.repotiprev: |
|
93 | 93 | return revlog.revlog.revdiff(self, rev1, rev2) |
|
94 | 94 | |
|
95 | 95 | return mdiff.textdiff(self.revision(self.node(rev1)), |
|
96 | 96 | self.revision(self.node(rev2))) |
|
97 | 97 | |
|
98 | 98 | def revision(self, nodeorrev): |
|
99 | 99 | """return an uncompressed revision of a given node or revision |
|
100 | 100 | number. |
|
101 | 101 | """ |
|
102 | 102 | if isinstance(nodeorrev, int): |
|
103 | 103 | rev = nodeorrev |
|
104 | 104 | node = self.node(rev) |
|
105 | 105 | else: |
|
106 | 106 | node = nodeorrev |
|
107 | 107 | rev = self.rev(node) |
|
108 | 108 | |
|
109 | 109 | if node == nullid: |
|
110 | 110 | return "" |
|
111 | 111 | |
|
112 | 112 | text = None |
|
113 | 113 | chain = [] |
|
114 | 114 | iterrev = rev |
|
115 | 115 | # reconstruct the revision if it is from a changegroup |
|
116 | 116 | while iterrev > self.repotiprev: |
|
117 | 117 | if self._cache and self._cache[1] == iterrev: |
|
118 | 118 | text = self._cache[2] |
|
119 | 119 | break |
|
120 | 120 | chain.append(iterrev) |
|
121 | 121 | iterrev = self.index[iterrev][3] |
|
122 | 122 | if text is None: |
|
123 | 123 | text = revlog.revlog.revision(self, iterrev) |
|
124 | 124 | |
|
125 | 125 | while chain: |
|
126 | 126 | delta = self._chunk(chain.pop()) |
|
127 | 127 | text = mdiff.patches(text, [delta]) |
|
128 | 128 | |
|
129 | 129 | self._checkhash(text, node, rev) |
|
130 | 130 | self._cache = (node, rev, text) |
|
131 | 131 | return text |
|
132 | 132 | |
|
133 | 133 | def addrevision(self, text, transaction, link, p1=None, p2=None, d=None): |
|
134 | 134 | raise NotImplementedError |
|
135 | 135 | def addgroup(self, revs, linkmapper, transaction): |
|
136 | 136 | raise NotImplementedError |
|
137 | 137 | def strip(self, rev, minlink): |
|
138 | 138 | raise NotImplementedError |
|
139 | 139 | def checksize(self): |
|
140 | 140 | raise NotImplementedError |
|
141 | 141 | |
|
142 | 142 | class bundlechangelog(bundlerevlog, changelog.changelog): |
|
143 | 143 | def __init__(self, opener, bundle): |
|
144 | 144 | changelog.changelog.__init__(self, opener) |
|
145 | 145 | linkmapper = lambda x: x |
|
146 | 146 | bundlerevlog.__init__(self, opener, self.indexfile, bundle, |
|
147 | 147 | linkmapper) |
|
148 | 148 | |
|
149 | 149 | class bundlemanifest(bundlerevlog, manifest.manifest): |
|
150 | 150 | def __init__(self, opener, bundle, linkmapper): |
|
151 | 151 | manifest.manifest.__init__(self, opener) |
|
152 | 152 | bundlerevlog.__init__(self, opener, self.indexfile, bundle, |
|
153 | 153 | linkmapper) |
|
154 | 154 | |
|
155 | 155 | class bundlefilelog(bundlerevlog, filelog.filelog): |
|
156 | 156 | def __init__(self, opener, path, bundle, linkmapper, repo): |
|
157 | 157 | filelog.filelog.__init__(self, opener, path) |
|
158 | 158 | bundlerevlog.__init__(self, opener, self.indexfile, bundle, |
|
159 | 159 | linkmapper) |
|
160 | 160 | self._repo = repo |
|
161 | 161 | |
|
162 | 162 | def _file(self, f): |
|
163 | 163 | self._repo.file(f) |
|
164 | 164 | |
|
165 | 165 | class bundlepeer(localrepo.localpeer): |
|
166 | 166 | def canpush(self): |
|
167 | 167 | return False |
|
168 | 168 | |
|
169 | 169 | class bundlerepository(localrepo.localrepository): |
|
170 | 170 | def __init__(self, ui, path, bundlename): |
|
171 | 171 | self._tempparent = None |
|
172 | 172 | try: |
|
173 | 173 | localrepo.localrepository.__init__(self, ui, path) |
|
174 | 174 | except error.RepoError: |
|
175 | 175 | self._tempparent = tempfile.mkdtemp() |
|
176 | 176 | localrepo.instance(ui, self._tempparent, 1) |
|
177 | 177 | localrepo.localrepository.__init__(self, ui, self._tempparent) |
|
178 | 178 | self.ui.setconfig('phases', 'publish', False) |
|
179 | 179 | |
|
180 | 180 | if path: |
|
181 | 181 | self._url = 'bundle:' + util.expandpath(path) + '+' + bundlename |
|
182 | 182 | else: |
|
183 | 183 | self._url = 'bundle:' + bundlename |
|
184 | 184 | |
|
185 | 185 | self.tempfile = None |
|
186 | 186 | f = util.posixfile(bundlename, "rb") |
|
187 | 187 | self.bundle = changegroup.readbundle(f, bundlename) |
|
188 | 188 | if self.bundle.compressed(): |
|
189 | 189 | fdtemp, temp = tempfile.mkstemp(prefix="hg-bundle-", |
|
190 | 190 | suffix=".hg10un", dir=self.path) |
|
191 | 191 | self.tempfile = temp |
|
192 | 192 | fptemp = os.fdopen(fdtemp, 'wb') |
|
193 | 193 | |
|
194 | 194 | try: |
|
195 | 195 | fptemp.write("HG10UN") |
|
196 | 196 | while True: |
|
197 | 197 | chunk = self.bundle.read(2**18) |
|
198 | 198 | if not chunk: |
|
199 | 199 | break |
|
200 | 200 | fptemp.write(chunk) |
|
201 | 201 | finally: |
|
202 | 202 | fptemp.close() |
|
203 | 203 | |
|
204 | 204 | f = util.posixfile(self.tempfile, "rb") |
|
205 | 205 | self.bundle = changegroup.readbundle(f, bundlename) |
|
206 | 206 | |
|
207 | 207 | # dict with the mapping 'filename' -> position in the bundle |
|
208 | 208 | self.bundlefilespos = {} |
|
209 | 209 | |
|
210 | 210 | @localrepo.unfilteredpropertycache |
|
211 | 211 | def changelog(self): |
|
212 | 212 | # consume the header if it exists |
|
213 | 213 | self.bundle.changelogheader() |
|
214 | 214 | c = bundlechangelog(self.sopener, self.bundle) |
|
215 | 215 | self.manstart = self.bundle.tell() |
|
216 | 216 | return c |
|
217 | 217 | |
|
218 | 218 | @localrepo.unfilteredpropertycache |
|
219 | 219 | def manifest(self): |
|
220 | 220 | self.bundle.seek(self.manstart) |
|
221 | 221 | # consume the header if it exists |
|
222 | 222 | self.bundle.manifestheader() |
|
223 | 223 | m = bundlemanifest(self.sopener, self.bundle, self.changelog.rev) |
|
224 | 224 | self.filestart = self.bundle.tell() |
|
225 | 225 | return m |
|
226 | 226 | |
|
227 | 227 | @localrepo.unfilteredpropertycache |
|
228 | 228 | def manstart(self): |
|
229 | 229 | self.changelog |
|
230 | 230 | return self.manstart |
|
231 | 231 | |
|
232 | 232 | @localrepo.unfilteredpropertycache |
|
233 | 233 | def filestart(self): |
|
234 | 234 | self.manifest |
|
235 | 235 | return self.filestart |
|
236 | 236 | |
|
237 | 237 | def url(self): |
|
238 | 238 | return self._url |
|
239 | 239 | |
|
240 | 240 | def file(self, f): |
|
241 | 241 | if not self.bundlefilespos: |
|
242 | 242 | self.bundle.seek(self.filestart) |
|
243 | 243 | while True: |
|
244 | 244 | chunkdata = self.bundle.filelogheader() |
|
245 | 245 | if not chunkdata: |
|
246 | 246 | break |
|
247 | 247 | fname = chunkdata['filename'] |
|
248 | 248 | self.bundlefilespos[fname] = self.bundle.tell() |
|
249 | 249 | while True: |
|
250 | 250 | c = self.bundle.deltachunk(None) |
|
251 | 251 | if not c: |
|
252 | 252 | break |
|
253 | 253 | |
|
254 | 254 | if f in self.bundlefilespos: |
|
255 | 255 | self.bundle.seek(self.bundlefilespos[f]) |
|
256 | 256 | return bundlefilelog(self.sopener, f, self.bundle, |
|
257 | 257 | self.changelog.rev, self) |
|
258 | 258 | else: |
|
259 | 259 | return filelog.filelog(self.sopener, f) |
|
260 | 260 | |
|
261 | 261 | def close(self): |
|
262 | 262 | """Close assigned bundle file immediately.""" |
|
263 | 263 | self.bundle.close() |
|
264 | 264 | if self.tempfile is not None: |
|
265 | 265 | os.unlink(self.tempfile) |
|
266 | 266 | if self._tempparent: |
|
267 | 267 | shutil.rmtree(self._tempparent, True) |
|
268 | 268 | |
|
269 | 269 | def cancopy(self): |
|
270 | 270 | return False |
|
271 | 271 | |
|
272 | 272 | def peer(self): |
|
273 | 273 | return bundlepeer(self) |
|
274 | 274 | |
|
275 | 275 | def getcwd(self): |
|
276 | 276 | return os.getcwd() # always outside the repo |
|
277 | 277 | |
|
278 | 278 | |
|
279 | 279 | def instance(ui, path, create): |
|
280 | 280 | if create: |
|
281 | 281 | raise util.Abort(_('cannot create new bundle repository')) |
|
282 | 282 | parentpath = ui.config("bundle", "mainreporoot", "") |
|
283 | 283 | if not parentpath: |
|
284 | 284 | # try to find the correct path to the working directory repo |
|
285 | 285 | parentpath = cmdutil.findrepo(os.getcwd()) |
|
286 | 286 | if parentpath is None: |
|
287 | 287 | parentpath = '' |
|
288 | 288 | if parentpath: |
|
289 | 289 | # Try to make the full path relative so we get a nice, short URL. |
|
290 | 290 | # In particular, we don't want temp dir names in test outputs. |
|
291 | 291 | cwd = os.getcwd() |
|
292 | 292 | if parentpath == cwd: |
|
293 | 293 | parentpath = '' |
|
294 | 294 | else: |
|
295 | 295 | cwd = os.path.join(cwd,'') |
|
296 | 296 | if parentpath.startswith(cwd): |
|
297 | 297 | parentpath = parentpath[len(cwd):] |
|
298 | 298 | u = util.url(path) |
|
299 | 299 | path = u.localpath() |
|
300 | 300 | if u.scheme == 'bundle': |
|
301 | 301 | s = path.split("+", 1) |
|
302 | 302 | if len(s) == 1: |
|
303 | 303 | repopath, bundlename = parentpath, s[0] |
|
304 | 304 | else: |
|
305 | 305 | repopath, bundlename = s |
|
306 | 306 | else: |
|
307 | 307 | repopath, bundlename = parentpath, path |
|
308 | 308 | return bundlerepository(ui, repopath, bundlename) |
|
309 | 309 | |
|
310 | 310 | def getremotechanges(ui, repo, other, onlyheads=None, bundlename=None, |
|
311 | 311 | force=False): |
|
312 | 312 | '''obtains a bundle of changes incoming from other |
|
313 | 313 | |
|
314 | 314 | "onlyheads" restricts the returned changes to those reachable from the |
|
315 | 315 | specified heads. |
|
316 | 316 | "bundlename", if given, stores the bundle to this file path permanently; |
|
317 | 317 | otherwise it's stored to a temp file and gets deleted again when you call |
|
318 | 318 | the returned "cleanupfn". |
|
319 | 319 | "force" indicates whether to proceed on unrelated repos. |
|
320 | 320 | |
|
321 | 321 | Returns a tuple (local, csets, cleanupfn): |
|
322 | 322 | |
|
323 | 323 | "local" is a local repo from which to obtain the actual incoming |
|
324 | 324 | changesets; it is a bundlerepo for the obtained bundle when the |
|
325 | 325 | original "other" is remote. |
|
326 | 326 | "csets" lists the incoming changeset node ids. |
|
327 | 327 | "cleanupfn" must be called without arguments when you're done processing |
|
328 | 328 | the changes; it closes both the original "other" and the one returned |
|
329 | 329 | here. |
|
330 | 330 | ''' |
|
331 | 331 | tmp = discovery.findcommonincoming(repo, other, heads=onlyheads, |
|
332 | 332 | force=force) |
|
333 | 333 | common, incoming, rheads = tmp |
|
334 | 334 | if not incoming: |
|
335 | 335 | try: |
|
336 | 336 | if bundlename: |
|
337 | 337 | os.unlink(bundlename) |
|
338 | 338 | except OSError: |
|
339 | 339 | pass |
|
340 | 340 | return repo, [], other.close |
|
341 | 341 | |
|
342 | 342 | bundle = None |
|
343 | 343 | bundlerepo = None |
|
344 | 344 | localrepo = other.local() |
|
345 | 345 | if bundlename or not localrepo: |
|
346 | 346 | # create a bundle (uncompressed if other repo is not local) |
|
347 | 347 | |
|
348 | 348 | if other.capable('getbundle'): |
|
349 | 349 | cg = other.getbundle('incoming', common=common, heads=rheads) |
|
350 | 350 | elif onlyheads is None and not other.capable('changegroupsubset'): |
|
351 | 351 | # compat with older servers when pulling all remote heads |
|
352 | 352 | cg = other.changegroup(incoming, "incoming") |
|
353 | 353 | rheads = None |
|
354 | 354 | else: |
|
355 | 355 | cg = other.changegroupsubset(incoming, rheads, 'incoming') |
|
356 | 356 | bundletype = localrepo and "HG10BZ" or "HG10UN" |
|
357 | 357 | fname = bundle = changegroup.writebundle(cg, bundlename, bundletype) |
|
358 | 358 | # keep written bundle? |
|
359 | 359 | if bundlename: |
|
360 | 360 | bundle = None |
|
361 | 361 | if not localrepo: |
|
362 | 362 | # use the created uncompressed bundlerepo |
|
363 |
localrepo = bundlerepo = bundlerepository(ui, repo.root, |
|
|
363 | localrepo = bundlerepo = bundlerepository(repo.baseui, repo.root, | |
|
364 | fname) | |
|
364 | 365 | # this repo contains local and other now, so filter out local again |
|
365 | 366 | common = repo.heads() |
|
366 | 367 | if localrepo: |
|
367 | 368 | # Part of common may be remotely filtered |
|
368 | 369 | # So use an unfiltered version |
|
369 | 370 | # The discovery process probably need cleanup to avoid that |
|
370 | 371 | localrepo = localrepo.unfiltered() |
|
371 | 372 | |
|
372 | 373 | csets = localrepo.changelog.findmissing(common, rheads) |
|
373 | 374 | |
|
374 | 375 | def cleanup(): |
|
375 | 376 | if bundlerepo: |
|
376 | 377 | bundlerepo.close() |
|
377 | 378 | if bundle: |
|
378 | 379 | os.unlink(bundle) |
|
379 | 380 | other.close() |
|
380 | 381 | |
|
381 | 382 | return (localrepo, csets, cleanup) |
General Comments 0
You need to be logged in to leave comments.
Login now