##// END OF EJS Templates
config: register the 'devel.strip-obsmarkers' config...
marmoute -
r33167:5c9ad50f default
parent child Browse files
Show More
@@ -1,94 +1,97 b''
1 1 # configitems.py - centralized declaration of configuration option
2 2 #
3 3 # Copyright 2017 Pierre-Yves David <pierre-yves.david@octobus.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 from __future__ import absolute_import
9 9
10 10 import functools
11 11
12 12 from . import (
13 13 error,
14 14 )
15 15
16 16 def loadconfigtable(ui, extname, configtable):
17 17 """update config item known to the ui with the extension ones"""
18 18 for section, items in configtable.items():
19 19 knownitems = ui._knownconfig.setdefault(section, {})
20 20 knownkeys = set(knownitems)
21 21 newkeys = set(items)
22 22 for key in sorted(knownkeys & newkeys):
23 23 msg = "extension '%s' overwrite config item '%s.%s'"
24 24 msg %= (extname, section, key)
25 25 ui.develwarn(msg, config='warn-config')
26 26
27 27 knownitems.update(items)
28 28
29 29 class configitem(object):
30 30 """represent a known config item
31 31
32 32 :section: the official config section where to find this item,
33 33 :name: the official name within the section,
34 34 :default: default value for this item,
35 35 """
36 36
37 37 def __init__(self, section, name, default=None):
38 38 self.section = section
39 39 self.name = name
40 40 self.default = default
41 41
42 42 coreitems = {}
43 43
44 44 def _register(configtable, *args, **kwargs):
45 45 item = configitem(*args, **kwargs)
46 46 section = configtable.setdefault(item.section, {})
47 47 if item.name in section:
48 48 msg = "duplicated config item registration for '%s.%s'"
49 49 raise error.ProgrammingError(msg % (item.section, item.name))
50 50 section[item.name] = item
51 51
52 52 # Registering actual config items
53 53
54 54 def getitemregister(configtable):
55 55 return functools.partial(_register, configtable)
56 56
57 57 coreconfigitem = getitemregister(coreitems)
58 58
59 59 coreconfigitem('devel', 'all-warnings',
60 60 default=False,
61 61 )
62 62 coreconfigitem('devel', 'bundle2.debug',
63 63 default=False,
64 64 )
65 65 coreconfigitem('devel', 'check-locks',
66 66 default=False,
67 67 )
68 68 coreconfigitem('devel', 'check-relroot',
69 69 default=False,
70 70 )
71 71 coreconfigitem('devel', 'disableloaddefaultcerts',
72 72 default=False,
73 73 )
74 74 coreconfigitem('devel', 'servercafile',
75 75 default='',
76 76 )
77 77 coreconfigitem('devel', 'serverexactprotocol',
78 78 default='',
79 79 )
80 80 coreconfigitem('devel', 'serverrequirecert',
81 81 default=None,
82 82 )
83 coreconfigitem('devel', 'strip-obsmarkers',
84 default=True,
85 )
83 86 coreconfigitem('patch', 'fuzz',
84 87 default=2,
85 88 )
86 89 coreconfigitem('ui', 'clonebundleprefers',
87 90 default=list,
88 91 )
89 92 coreconfigitem('ui', 'interactive',
90 93 default=None,
91 94 )
92 95 coreconfigitem('ui', 'quiet',
93 96 default=False,
94 97 )
@@ -1,434 +1,434 b''
1 1 # repair.py - functions for repository repair for mercurial
2 2 #
3 3 # Copyright 2005, 2006 Chris Mason <mason@suse.com>
4 4 # Copyright 2007 Matt Mackall
5 5 #
6 6 # This software may be used and distributed according to the terms of the
7 7 # GNU General Public License version 2 or any later version.
8 8
9 9 from __future__ import absolute_import
10 10
11 11 import errno
12 12 import hashlib
13 13
14 14 from .i18n import _
15 15 from .node import short
16 16 from . import (
17 17 bundle2,
18 18 changegroup,
19 19 discovery,
20 20 error,
21 21 exchange,
22 22 obsolete,
23 23 obsutil,
24 24 util,
25 25 )
26 26
27 27 def _bundle(repo, bases, heads, node, suffix, compress=True, obsolescence=True):
28 28 """create a bundle with the specified revisions as a backup"""
29 29
30 30 backupdir = "strip-backup"
31 31 vfs = repo.vfs
32 32 if not vfs.isdir(backupdir):
33 33 vfs.mkdir(backupdir)
34 34
35 35 # Include a hash of all the nodes in the filename for uniqueness
36 36 allcommits = repo.set('%ln::%ln', bases, heads)
37 37 allhashes = sorted(c.hex() for c in allcommits)
38 38 totalhash = hashlib.sha1(''.join(allhashes)).hexdigest()
39 39 name = "%s/%s-%s-%s.hg" % (backupdir, short(node), totalhash[:8], suffix)
40 40
41 41 cgversion = changegroup.safeversion(repo)
42 42 comp = None
43 43 if cgversion != '01':
44 44 bundletype = "HG20"
45 45 if compress:
46 46 comp = 'BZ'
47 47 elif compress:
48 48 bundletype = "HG10BZ"
49 49 else:
50 50 bundletype = "HG10UN"
51 51
52 52 outgoing = discovery.outgoing(repo, missingroots=bases, missingheads=heads)
53 53 contentopts = {
54 54 'cg.version': cgversion,
55 55 'obsolescence': obsolescence,
56 56 'phases': True,
57 57 }
58 58 return bundle2.writenewbundle(repo.ui, repo, 'strip', name, bundletype,
59 59 outgoing, contentopts, vfs, compression=comp)
60 60
61 61 def _collectfiles(repo, striprev):
62 62 """find out the filelogs affected by the strip"""
63 63 files = set()
64 64
65 65 for x in xrange(striprev, len(repo)):
66 66 files.update(repo[x].files())
67 67
68 68 return sorted(files)
69 69
70 70 def _collectbrokencsets(repo, files, striprev):
71 71 """return the changesets which will be broken by the truncation"""
72 72 s = set()
73 73 def collectone(revlog):
74 74 _, brokenset = revlog.getstrippoint(striprev)
75 75 s.update([revlog.linkrev(r) for r in brokenset])
76 76
77 77 collectone(repo.manifestlog._revlog)
78 78 for fname in files:
79 79 collectone(repo.file(fname))
80 80
81 81 return s
82 82
83 83 def strip(ui, repo, nodelist, backup=True, topic='backup'):
84 84 # This function requires the caller to lock the repo, but it operates
85 85 # within a transaction of its own, and thus requires there to be no current
86 86 # transaction when it is called.
87 87 if repo.currenttransaction() is not None:
88 88 raise error.ProgrammingError('cannot strip from inside a transaction')
89 89
90 90 # Simple way to maintain backwards compatibility for this
91 91 # argument.
92 92 if backup in ['none', 'strip']:
93 93 backup = False
94 94
95 95 repo = repo.unfiltered()
96 96 repo.destroying()
97 97
98 98 cl = repo.changelog
99 99 # TODO handle undo of merge sets
100 100 if isinstance(nodelist, str):
101 101 nodelist = [nodelist]
102 102 striplist = [cl.rev(node) for node in nodelist]
103 103 striprev = min(striplist)
104 104
105 105 files = _collectfiles(repo, striprev)
106 106 saverevs = _collectbrokencsets(repo, files, striprev)
107 107
108 108 # Some revisions with rev > striprev may not be descendants of striprev.
109 109 # We have to find these revisions and put them in a bundle, so that
110 110 # we can restore them after the truncations.
111 111 # To create the bundle we use repo.changegroupsubset which requires
112 112 # the list of heads and bases of the set of interesting revisions.
113 113 # (head = revision in the set that has no descendant in the set;
114 114 # base = revision in the set that has no ancestor in the set)
115 115 tostrip = set(striplist)
116 116 saveheads = set(saverevs)
117 117 for r in cl.revs(start=striprev + 1):
118 118 if any(p in tostrip for p in cl.parentrevs(r)):
119 119 tostrip.add(r)
120 120
121 121 if r not in tostrip:
122 122 saverevs.add(r)
123 123 saveheads.difference_update(cl.parentrevs(r))
124 124 saveheads.add(r)
125 125 saveheads = [cl.node(r) for r in saveheads]
126 126
127 127 # compute base nodes
128 128 if saverevs:
129 129 descendants = set(cl.descendants(saverevs))
130 130 saverevs.difference_update(descendants)
131 131 savebases = [cl.node(r) for r in saverevs]
132 132 stripbases = [cl.node(r) for r in tostrip]
133 133
134 134 stripobsidx = obsmarkers = ()
135 if repo.ui.configbool('devel', 'strip-obsmarkers', True):
135 if repo.ui.configbool('devel', 'strip-obsmarkers'):
136 136 obsmarkers = obsutil.exclusivemarkers(repo, stripbases)
137 137 if obsmarkers:
138 138 stripobsidx = [i for i, m in enumerate(repo.obsstore)
139 139 if m in obsmarkers]
140 140
141 141 # For a set s, max(parents(s) - s) is the same as max(heads(::s - s)), but
142 142 # is much faster
143 143 newbmtarget = repo.revs('max(parents(%ld) - (%ld))', tostrip, tostrip)
144 144 if newbmtarget:
145 145 newbmtarget = repo[newbmtarget.first()].node()
146 146 else:
147 147 newbmtarget = '.'
148 148
149 149 bm = repo._bookmarks
150 150 updatebm = []
151 151 for m in bm:
152 152 rev = repo[bm[m]].rev()
153 153 if rev in tostrip:
154 154 updatebm.append(m)
155 155
156 156 # create a changegroup for all the branches we need to keep
157 157 backupfile = None
158 158 vfs = repo.vfs
159 159 node = nodelist[-1]
160 160 if backup:
161 161 backupfile = _bundle(repo, stripbases, cl.heads(), node, topic)
162 162 repo.ui.status(_("saved backup bundle to %s\n") %
163 163 vfs.join(backupfile))
164 164 repo.ui.log("backupbundle", "saved backup bundle to %s\n",
165 165 vfs.join(backupfile))
166 166 tmpbundlefile = None
167 167 if saveheads:
168 168 # do not compress temporary bundle if we remove it from disk later
169 169 #
170 170 # We do not include obsolescence, it might re-introduce prune markers
171 171 # we are trying to strip. This is harmless since the stripped markers
172 172 # are already backed up and we did not touched the markers for the
173 173 # saved changesets.
174 174 tmpbundlefile = _bundle(repo, savebases, saveheads, node, 'temp',
175 175 compress=False, obsolescence=False)
176 176
177 177 mfst = repo.manifestlog._revlog
178 178
179 179 try:
180 180 with repo.transaction("strip") as tr:
181 181 offset = len(tr.entries)
182 182
183 183 tr.startgroup()
184 184 cl.strip(striprev, tr)
185 185 mfst.strip(striprev, tr)
186 186 striptrees(repo, tr, striprev, files)
187 187
188 188 for fn in files:
189 189 repo.file(fn).strip(striprev, tr)
190 190 tr.endgroup()
191 191
192 192 for i in xrange(offset, len(tr.entries)):
193 193 file, troffset, ignore = tr.entries[i]
194 194 with repo.svfs(file, 'a', checkambig=True) as fp:
195 195 fp.truncate(troffset)
196 196 if troffset == 0:
197 197 repo.store.markremoved(file)
198 198
199 199 deleteobsmarkers(repo.obsstore, stripobsidx)
200 200 del repo.obsstore
201 201
202 202 repo._phasecache.filterunknown(repo)
203 203 if tmpbundlefile:
204 204 ui.note(_("adding branch\n"))
205 205 f = vfs.open(tmpbundlefile, "rb")
206 206 gen = exchange.readbundle(ui, f, tmpbundlefile, vfs)
207 207 if not repo.ui.verbose:
208 208 # silence internal shuffling chatter
209 209 repo.ui.pushbuffer()
210 210 tmpbundleurl = 'bundle:' + vfs.join(tmpbundlefile)
211 211 txnname = 'strip'
212 212 if not isinstance(gen, bundle2.unbundle20):
213 213 txnname = "strip\n%s" % util.hidepassword(tmpbundleurl)
214 214 with repo.transaction(txnname) as tr:
215 215 bundle2.applybundle(repo, gen, tr, source='strip',
216 216 url=tmpbundleurl, emptyok=True)
217 217 if not repo.ui.verbose:
218 218 repo.ui.popbuffer()
219 219 f.close()
220 220 repo._phasecache.invalidate()
221 221
222 222 for m in updatebm:
223 223 bm[m] = repo[newbmtarget].node()
224 224
225 225 with repo.transaction('repair') as tr:
226 226 bm.recordchange(tr)
227 227
228 228 # remove undo files
229 229 for undovfs, undofile in repo.undofiles():
230 230 try:
231 231 undovfs.unlink(undofile)
232 232 except OSError as e:
233 233 if e.errno != errno.ENOENT:
234 234 ui.warn(_('error removing %s: %s\n') %
235 235 (undovfs.join(undofile), str(e)))
236 236
237 237 except: # re-raises
238 238 if backupfile:
239 239 ui.warn(_("strip failed, backup bundle stored in '%s'\n")
240 240 % vfs.join(backupfile))
241 241 if tmpbundlefile:
242 242 ui.warn(_("strip failed, unrecovered changes stored in '%s'\n")
243 243 % vfs.join(tmpbundlefile))
244 244 ui.warn(_("(fix the problem, then recover the changesets with "
245 245 "\"hg unbundle '%s'\")\n") % vfs.join(tmpbundlefile))
246 246 raise
247 247 else:
248 248 if tmpbundlefile:
249 249 # Remove temporary bundle only if there were no exceptions
250 250 vfs.unlink(tmpbundlefile)
251 251
252 252 repo.destroyed()
253 253 # return the backup file path (or None if 'backup' was False) so
254 254 # extensions can use it
255 255 return backupfile
256 256
257 257 def safestriproots(ui, repo, nodes):
258 258 """return list of roots of nodes where descendants are covered by nodes"""
259 259 torev = repo.unfiltered().changelog.rev
260 260 revs = set(torev(n) for n in nodes)
261 261 # tostrip = wanted - unsafe = wanted - ancestors(orphaned)
262 262 # orphaned = affected - wanted
263 263 # affected = descendants(roots(wanted))
264 264 # wanted = revs
265 265 tostrip = set(repo.revs('%ld-(::((roots(%ld)::)-%ld))', revs, revs, revs))
266 266 notstrip = revs - tostrip
267 267 if notstrip:
268 268 nodestr = ', '.join(sorted(short(repo[n].node()) for n in notstrip))
269 269 ui.warn(_('warning: orphaned descendants detected, '
270 270 'not stripping %s\n') % nodestr)
271 271 return [c.node() for c in repo.set('roots(%ld)', tostrip)]
272 272
273 273 class stripcallback(object):
274 274 """used as a transaction postclose callback"""
275 275
276 276 def __init__(self, ui, repo, backup, topic):
277 277 self.ui = ui
278 278 self.repo = repo
279 279 self.backup = backup
280 280 self.topic = topic or 'backup'
281 281 self.nodelist = []
282 282
283 283 def addnodes(self, nodes):
284 284 self.nodelist.extend(nodes)
285 285
286 286 def __call__(self, tr):
287 287 roots = safestriproots(self.ui, self.repo, self.nodelist)
288 288 if roots:
289 289 strip(self.ui, self.repo, roots, self.backup, self.topic)
290 290
291 291 def delayedstrip(ui, repo, nodelist, topic=None):
292 292 """like strip, but works inside transaction and won't strip irreverent revs
293 293
294 294 nodelist must explicitly contain all descendants. Otherwise a warning will
295 295 be printed that some nodes are not stripped.
296 296
297 297 Always do a backup. The last non-None "topic" will be used as the backup
298 298 topic name. The default backup topic name is "backup".
299 299 """
300 300 tr = repo.currenttransaction()
301 301 if not tr:
302 302 nodes = safestriproots(ui, repo, nodelist)
303 303 return strip(ui, repo, nodes, True, topic)
304 304 # transaction postclose callbacks are called in alphabet order.
305 305 # use '\xff' as prefix so we are likely to be called last.
306 306 callback = tr.getpostclose('\xffstrip')
307 307 if callback is None:
308 308 callback = stripcallback(ui, repo, True, topic)
309 309 tr.addpostclose('\xffstrip', callback)
310 310 if topic:
311 311 callback.topic = topic
312 312 callback.addnodes(nodelist)
313 313
314 314 def striptrees(repo, tr, striprev, files):
315 315 if 'treemanifest' in repo.requirements: # safe but unnecessary
316 316 # otherwise
317 317 for unencoded, encoded, size in repo.store.datafiles():
318 318 if (unencoded.startswith('meta/') and
319 319 unencoded.endswith('00manifest.i')):
320 320 dir = unencoded[5:-12]
321 321 repo.manifestlog._revlog.dirlog(dir).strip(striprev, tr)
322 322
323 323 def rebuildfncache(ui, repo):
324 324 """Rebuilds the fncache file from repo history.
325 325
326 326 Missing entries will be added. Extra entries will be removed.
327 327 """
328 328 repo = repo.unfiltered()
329 329
330 330 if 'fncache' not in repo.requirements:
331 331 ui.warn(_('(not rebuilding fncache because repository does not '
332 332 'support fncache)\n'))
333 333 return
334 334
335 335 with repo.lock():
336 336 fnc = repo.store.fncache
337 337 # Trigger load of fncache.
338 338 if 'irrelevant' in fnc:
339 339 pass
340 340
341 341 oldentries = set(fnc.entries)
342 342 newentries = set()
343 343 seenfiles = set()
344 344
345 345 repolen = len(repo)
346 346 for rev in repo:
347 347 ui.progress(_('rebuilding'), rev, total=repolen,
348 348 unit=_('changesets'))
349 349
350 350 ctx = repo[rev]
351 351 for f in ctx.files():
352 352 # This is to minimize I/O.
353 353 if f in seenfiles:
354 354 continue
355 355 seenfiles.add(f)
356 356
357 357 i = 'data/%s.i' % f
358 358 d = 'data/%s.d' % f
359 359
360 360 if repo.store._exists(i):
361 361 newentries.add(i)
362 362 if repo.store._exists(d):
363 363 newentries.add(d)
364 364
365 365 ui.progress(_('rebuilding'), None)
366 366
367 367 if 'treemanifest' in repo.requirements: # safe but unnecessary otherwise
368 368 for dir in util.dirs(seenfiles):
369 369 i = 'meta/%s/00manifest.i' % dir
370 370 d = 'meta/%s/00manifest.d' % dir
371 371
372 372 if repo.store._exists(i):
373 373 newentries.add(i)
374 374 if repo.store._exists(d):
375 375 newentries.add(d)
376 376
377 377 addcount = len(newentries - oldentries)
378 378 removecount = len(oldentries - newentries)
379 379 for p in sorted(oldentries - newentries):
380 380 ui.write(_('removing %s\n') % p)
381 381 for p in sorted(newentries - oldentries):
382 382 ui.write(_('adding %s\n') % p)
383 383
384 384 if addcount or removecount:
385 385 ui.write(_('%d items added, %d removed from fncache\n') %
386 386 (addcount, removecount))
387 387 fnc.entries = newentries
388 388 fnc._dirty = True
389 389
390 390 with repo.transaction('fncache') as tr:
391 391 fnc.write(tr)
392 392 else:
393 393 ui.write(_('fncache already up to date\n'))
394 394
395 395 def stripbmrevset(repo, mark):
396 396 """
397 397 The revset to strip when strip is called with -B mark
398 398
399 399 Needs to live here so extensions can use it and wrap it even when strip is
400 400 not enabled or not present on a box.
401 401 """
402 402 return repo.revs("ancestors(bookmark(%s)) - "
403 403 "ancestors(head() and not bookmark(%s)) - "
404 404 "ancestors(bookmark() and not bookmark(%s))",
405 405 mark, mark, mark)
406 406
407 407 def deleteobsmarkers(obsstore, indices):
408 408 """Delete some obsmarkers from obsstore and return how many were deleted
409 409
410 410 'indices' is a list of ints which are the indices
411 411 of the markers to be deleted.
412 412
413 413 Every invocation of this function completely rewrites the obsstore file,
414 414 skipping the markers we want to be removed. The new temporary file is
415 415 created, remaining markers are written there and on .close() this file
416 416 gets atomically renamed to obsstore, thus guaranteeing consistency."""
417 417 if not indices:
418 418 # we don't want to rewrite the obsstore with the same content
419 419 return
420 420
421 421 left = []
422 422 current = obsstore._all
423 423 n = 0
424 424 for i, m in enumerate(current):
425 425 if i in indices:
426 426 n += 1
427 427 continue
428 428 left.append(m)
429 429
430 430 newobsstorefile = obsstore.svfs('obsstore', 'w', atomictemp=True)
431 431 for bytes in obsolete.encodemarkers(left, True, obsstore._version):
432 432 newobsstorefile.write(bytes)
433 433 newobsstorefile.close()
434 434 return n
General Comments 0
You need to be logged in to leave comments. Login now