##// END OF EJS Templates
verify: rename the `checklog` to `_checkrevlog`...
marmoute -
r42040:1f412223 default
parent child Browse files
Show More
@@ -1,491 +1,491
1 1 # verify.py - repository integrity checking for Mercurial
2 2 #
3 3 # Copyright 2006, 2007 Matt Mackall <mpm@selenic.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 from __future__ import absolute_import
9 9
10 10 import os
11 11
12 12 from .i18n import _
13 13 from .node import (
14 14 nullid,
15 15 short,
16 16 )
17 17
18 18 from . import (
19 19 error,
20 20 pycompat,
21 21 revlog,
22 22 util,
23 23 )
24 24
25 25 def verify(repo):
26 26 with repo.lock():
27 27 return verifier(repo).verify()
28 28
29 29 def _normpath(f):
30 30 # under hg < 2.4, convert didn't sanitize paths properly, so a
31 31 # converted repo may contain repeated slashes
32 32 while '//' in f:
33 33 f = f.replace('//', '/')
34 34 return f
35 35
36 36 class verifier(object):
37 37 def __init__(self, repo):
38 38 self.repo = repo.unfiltered()
39 39 self.ui = repo.ui
40 40 self.match = repo.narrowmatch()
41 41 self.badrevs = set()
42 42 self.errors = 0
43 43 self.warnings = 0
44 44 self.havecl = len(repo.changelog) > 0
45 45 self.havemf = len(repo.manifestlog.getstorage(b'')) > 0
46 46 self.revlogv1 = repo.changelog.version != revlog.REVLOGV0
47 47 self.lrugetctx = util.lrucachefunc(repo.__getitem__)
48 48 self.refersmf = False
49 49 self.fncachewarned = False
50 50 # developer config: verify.skipflags
51 51 self.skipflags = repo.ui.configint('verify', 'skipflags')
52 52 self.warnorphanstorefiles = True
53 53
54 54 def _warn(self, msg):
55 55 """record a "warning" level issue"""
56 56 self.ui.warn(msg + "\n")
57 57 self.warnings += 1
58 58
59 59 def _err(self, linkrev, msg, filename=None):
60 60 """record a "error" level issue"""
61 61 if linkrev is not None:
62 62 self.badrevs.add(linkrev)
63 63 linkrev = "%d" % linkrev
64 64 else:
65 65 linkrev = '?'
66 66 msg = "%s: %s" % (linkrev, msg)
67 67 if filename:
68 68 msg = "%s@%s" % (filename, msg)
69 69 self.ui.warn(" " + msg + "\n")
70 70 self.errors += 1
71 71
72 72 def _exc(self, linkrev, msg, inst, filename=None):
73 73 """record exception raised during the verify process"""
74 74 fmsg = pycompat.bytestr(inst)
75 75 if not fmsg:
76 76 fmsg = pycompat.byterepr(inst)
77 77 self._err(linkrev, "%s: %s" % (msg, fmsg), filename)
78 78
79 def checklog(self, obj, name, linkrev):
79 def _checkrevlog(self, obj, name, linkrev):
80 80 """verify high level property of a revlog
81 81
82 82 - revlog is present,
83 83 - revlog is non-empty,
84 84 - sizes (index and data) are correct,
85 85 - revlog's format version is correct.
86 86 """
87 87 if not len(obj) and (self.havecl or self.havemf):
88 88 self._err(linkrev, _("empty or missing %s") % name)
89 89 return
90 90
91 91 d = obj.checksize()
92 92 if d[0]:
93 93 self.err(None, _("data length off by %d bytes") % d[0], name)
94 94 if d[1]:
95 95 self.err(None, _("index contains %d extra bytes") % d[1], name)
96 96
97 97 if obj.version != revlog.REVLOGV0:
98 98 if not self.revlogv1:
99 99 self._warn(_("warning: `%s' uses revlog format 1") % name)
100 100 elif self.revlogv1:
101 101 self._warn(_("warning: `%s' uses revlog format 0") % name)
102 102
103 103 def _checkentry(self, obj, i, node, seen, linkrevs, f):
104 104 """verify a single revlog entry
105 105
106 106 arguments are:
107 107 - obj: the source revlog
108 108 - i: the revision number
109 109 - node: the revision node id
110 110 - seen: nodes previously seen for this revlog
111 111 - linkrevs: [changelog-revisions] introducing "node"
112 112 - f: string label ("changelog", "manifest", or filename)
113 113
114 114 Performs the following checks:
115 115 - linkrev points to an existing changelog revision,
116 116 - linkrev points to a changelog revision that introduces this revision,
117 117 - linkrev points to the lowest of these changesets,
118 118 - both parents exist in the revlog,
119 119 - the revision is not duplicated.
120 120
121 121 Return the linkrev of the revision (or None for changelog's revisions).
122 122 """
123 123 lr = obj.linkrev(obj.rev(node))
124 124 if lr < 0 or (self.havecl and lr not in linkrevs):
125 125 if lr < 0 or lr >= len(self.repo.changelog):
126 126 msg = _("rev %d points to nonexistent changeset %d")
127 127 else:
128 128 msg = _("rev %d points to unexpected changeset %d")
129 129 self._err(None, msg % (i, lr), f)
130 130 if linkrevs:
131 131 if f and len(linkrevs) > 1:
132 132 try:
133 133 # attempt to filter down to real linkrevs
134 134 linkrevs = [l for l in linkrevs
135 135 if self.lrugetctx(l)[f].filenode() == node]
136 136 except Exception:
137 137 pass
138 138 self._warn(_(" (expected %s)") % " ".join
139 139 (map(pycompat.bytestr, linkrevs)))
140 140 lr = None # can't be trusted
141 141
142 142 try:
143 143 p1, p2 = obj.parents(node)
144 144 if p1 not in seen and p1 != nullid:
145 145 self._err(lr, _("unknown parent 1 %s of %s") %
146 146 (short(p1), short(node)), f)
147 147 if p2 not in seen and p2 != nullid:
148 148 self._err(lr, _("unknown parent 2 %s of %s") %
149 149 (short(p2), short(node)), f)
150 150 except Exception as inst:
151 151 self._exc(lr, _("checking parents of %s") % short(node), inst, f)
152 152
153 153 if node in seen:
154 154 self._err(lr, _("duplicate revision %d (%d)") % (i, seen[node]), f)
155 155 seen[node] = i
156 156 return lr
157 157
158 158 def verify(self):
159 159 """verify the content of the Mercurial repository
160 160
161 161 This method run all verifications, displaying issues as they are found.
162 162
163 163 return 1 if any error have been encountered, 0 otherwise."""
164 164 # initial validation and generic report
165 165 repo = self.repo
166 166 ui = repo.ui
167 167 if not repo.url().startswith('file:'):
168 168 raise error.Abort(_("cannot verify bundle or remote repos"))
169 169
170 170 if os.path.exists(repo.sjoin("journal")):
171 171 ui.warn(_("abandoned transaction found - run hg recover\n"))
172 172
173 173 if ui.verbose or not self.revlogv1:
174 174 ui.status(_("repository uses revlog format %d\n") %
175 175 (self.revlogv1 and 1 or 0))
176 176
177 177 # data verification
178 178 mflinkrevs, filelinkrevs = self._verifychangelog()
179 179 filenodes = self._verifymanifest(mflinkrevs)
180 180 del mflinkrevs
181 181 self._crosscheckfiles(filelinkrevs, filenodes)
182 182 totalfiles, filerevisions = self._verifyfiles(filenodes, filelinkrevs)
183 183
184 184 # final report
185 185 ui.status(_("checked %d changesets with %d changes to %d files\n") %
186 186 (len(repo.changelog), filerevisions, totalfiles))
187 187 if self.warnings:
188 188 ui.warn(_("%d warnings encountered!\n") % self.warnings)
189 189 if self.fncachewarned:
190 190 ui.warn(_('hint: run "hg debugrebuildfncache" to recover from '
191 191 'corrupt fncache\n'))
192 192 if self.errors:
193 193 ui.warn(_("%d integrity errors encountered!\n") % self.errors)
194 194 if self.badrevs:
195 195 ui.warn(_("(first damaged changeset appears to be %d)\n")
196 196 % min(self.badrevs))
197 197 return 1
198 198 return 0
199 199
200 200 def _verifychangelog(self):
201 201 ui = self.ui
202 202 repo = self.repo
203 203 match = self.match
204 204 cl = repo.changelog
205 205
206 206 ui.status(_("checking changesets\n"))
207 207 mflinkrevs = {}
208 208 filelinkrevs = {}
209 209 seen = {}
210 self.checklog(cl, "changelog", 0)
210 self._checkrevlog(cl, "changelog", 0)
211 211 progress = ui.makeprogress(_('checking'), unit=_('changesets'),
212 212 total=len(repo))
213 213 for i in repo:
214 214 progress.update(i)
215 215 n = cl.node(i)
216 216 self._checkentry(cl, i, n, seen, [i], "changelog")
217 217
218 218 try:
219 219 changes = cl.read(n)
220 220 if changes[0] != nullid:
221 221 mflinkrevs.setdefault(changes[0], []).append(i)
222 222 self.refersmf = True
223 223 for f in changes[3]:
224 224 if match(f):
225 225 filelinkrevs.setdefault(_normpath(f), []).append(i)
226 226 except Exception as inst:
227 227 self.refersmf = True
228 228 self._exc(i, _("unpacking changeset %s") % short(n), inst)
229 229 progress.complete()
230 230 return mflinkrevs, filelinkrevs
231 231
232 232 def _verifymanifest(self, mflinkrevs, dir="", storefiles=None,
233 233 subdirprogress=None):
234 234 repo = self.repo
235 235 ui = self.ui
236 236 match = self.match
237 237 mfl = self.repo.manifestlog
238 238 mf = mfl.getstorage(dir)
239 239
240 240 if not dir:
241 241 self.ui.status(_("checking manifests\n"))
242 242
243 243 filenodes = {}
244 244 subdirnodes = {}
245 245 seen = {}
246 246 label = "manifest"
247 247 if dir:
248 248 label = dir
249 249 revlogfiles = mf.files()
250 250 storefiles.difference_update(revlogfiles)
251 251 if subdirprogress: # should be true since we're in a subdirectory
252 252 subdirprogress.increment()
253 253 if self.refersmf:
254 254 # Do not check manifest if there are only changelog entries with
255 255 # null manifests.
256 self.checklog(mf, label, 0)
256 self._checkrevlog(mf, label, 0)
257 257 progress = ui.makeprogress(_('checking'), unit=_('manifests'),
258 258 total=len(mf))
259 259 for i in mf:
260 260 if not dir:
261 261 progress.update(i)
262 262 n = mf.node(i)
263 263 lr = self._checkentry(mf, i, n, seen, mflinkrevs.get(n, []), label)
264 264 if n in mflinkrevs:
265 265 del mflinkrevs[n]
266 266 elif dir:
267 267 self._err(lr, _("%s not in parent-directory manifest") %
268 268 short(n), label)
269 269 else:
270 270 self._err(lr, _("%s not in changesets") % short(n), label)
271 271
272 272 try:
273 273 mfdelta = mfl.get(dir, n).readdelta(shallow=True)
274 274 for f, fn, fl in mfdelta.iterentries():
275 275 if not f:
276 276 self._err(lr, _("entry without name in manifest"))
277 277 elif f == "/dev/null": # ignore this in very old repos
278 278 continue
279 279 fullpath = dir + _normpath(f)
280 280 if fl == 't':
281 281 if not match.visitdir(fullpath):
282 282 continue
283 283 subdirnodes.setdefault(fullpath + '/', {}).setdefault(
284 284 fn, []).append(lr)
285 285 else:
286 286 if not match(fullpath):
287 287 continue
288 288 filenodes.setdefault(fullpath, {}).setdefault(fn, lr)
289 289 except Exception as inst:
290 290 self._exc(lr, _("reading delta %s") % short(n), inst, label)
291 291 if not dir:
292 292 progress.complete()
293 293
294 294 if self.havemf:
295 295 for c, m in sorted([(c, m) for m in mflinkrevs
296 296 for c in mflinkrevs[m]]):
297 297 if dir:
298 298 self._err(c, _("parent-directory manifest refers to unknown"
299 299 " revision %s") % short(m), label)
300 300 else:
301 301 self._err(c, _("changeset refers to unknown revision %s") %
302 302 short(m), label)
303 303
304 304 if not dir and subdirnodes:
305 305 self.ui.status(_("checking directory manifests\n"))
306 306 storefiles = set()
307 307 subdirs = set()
308 308 revlogv1 = self.revlogv1
309 309 for f, f2, size in repo.store.datafiles():
310 310 if not f:
311 311 self._err(None, _("cannot decode filename '%s'") % f2)
312 312 elif (size > 0 or not revlogv1) and f.startswith('meta/'):
313 313 storefiles.add(_normpath(f))
314 314 subdirs.add(os.path.dirname(f))
315 315 subdirprogress = ui.makeprogress(_('checking'), unit=_('manifests'),
316 316 total=len(subdirs))
317 317
318 318 for subdir, linkrevs in subdirnodes.iteritems():
319 319 subdirfilenodes = self._verifymanifest(linkrevs, subdir, storefiles,
320 320 subdirprogress)
321 321 for f, onefilenodes in subdirfilenodes.iteritems():
322 322 filenodes.setdefault(f, {}).update(onefilenodes)
323 323
324 324 if not dir and subdirnodes:
325 325 subdirprogress.complete()
326 326 if self.warnorphanstorefiles:
327 327 for f in sorted(storefiles):
328 328 self._warn(_("warning: orphan data file '%s'") % f)
329 329
330 330 return filenodes
331 331
332 332 def _crosscheckfiles(self, filelinkrevs, filenodes):
333 333 repo = self.repo
334 334 ui = self.ui
335 335 ui.status(_("crosschecking files in changesets and manifests\n"))
336 336
337 337 total = len(filelinkrevs) + len(filenodes)
338 338 progress = ui.makeprogress(_('crosschecking'), unit=_('files'),
339 339 total=total)
340 340 if self.havemf:
341 341 for f in sorted(filelinkrevs):
342 342 progress.increment()
343 343 if f not in filenodes:
344 344 lr = filelinkrevs[f][0]
345 345 self._err(lr, _("in changeset but not in manifest"), f)
346 346
347 347 if self.havecl:
348 348 for f in sorted(filenodes):
349 349 progress.increment()
350 350 if f not in filelinkrevs:
351 351 try:
352 352 fl = repo.file(f)
353 353 lr = min([fl.linkrev(fl.rev(n)) for n in filenodes[f]])
354 354 except Exception:
355 355 lr = None
356 356 self._err(lr, _("in manifest but not in changeset"), f)
357 357
358 358 progress.complete()
359 359
360 360 def _verifyfiles(self, filenodes, filelinkrevs):
361 361 repo = self.repo
362 362 ui = self.ui
363 363 lrugetctx = self.lrugetctx
364 364 revlogv1 = self.revlogv1
365 365 havemf = self.havemf
366 366 ui.status(_("checking files\n"))
367 367
368 368 storefiles = set()
369 369 for f, f2, size in repo.store.datafiles():
370 370 if not f:
371 371 self._err(None, _("cannot decode filename '%s'") % f2)
372 372 elif (size > 0 or not revlogv1) and f.startswith('data/'):
373 373 storefiles.add(_normpath(f))
374 374
375 375 state = {
376 376 # TODO this assumes revlog storage for changelog.
377 377 'expectedversion': self.repo.changelog.version & 0xFFFF,
378 378 'skipflags': self.skipflags,
379 379 # experimental config: censor.policy
380 380 'erroroncensored': ui.config('censor', 'policy') == 'abort',
381 381 }
382 382
383 383 files = sorted(set(filenodes) | set(filelinkrevs))
384 384 revisions = 0
385 385 progress = ui.makeprogress(_('checking'), unit=_('files'),
386 386 total=len(files))
387 387 for i, f in enumerate(files):
388 388 progress.update(i, item=f)
389 389 try:
390 390 linkrevs = filelinkrevs[f]
391 391 except KeyError:
392 392 # in manifest but not in changelog
393 393 linkrevs = []
394 394
395 395 if linkrevs:
396 396 lr = linkrevs[0]
397 397 else:
398 398 lr = None
399 399
400 400 try:
401 401 fl = repo.file(f)
402 402 except error.StorageError as e:
403 403 self._err(lr, _("broken revlog! (%s)") % e, f)
404 404 continue
405 405
406 406 for ff in fl.files():
407 407 try:
408 408 storefiles.remove(ff)
409 409 except KeyError:
410 410 if self.warnorphanstorefiles:
411 411 self._warn(_(" warning: revlog '%s' not in fncache!") %
412 412 ff)
413 413 self.fncachewarned = True
414 414
415 415 if not len(fl) and (self.havecl or self.havemf):
416 416 self._err(lr, _("empty or missing %s") % f)
417 417 else:
418 418 # Guard against implementations not setting this.
419 419 state['skipread'] = set()
420 420 for problem in fl.verifyintegrity(state):
421 421 if problem.node is not None:
422 422 linkrev = fl.linkrev(fl.rev(problem.node))
423 423 else:
424 424 linkrev = None
425 425
426 426 if problem.warning:
427 427 self._warn(problem.warning)
428 428 elif problem.error:
429 429 self._err(linkrev if linkrev is not None else lr,
430 430 problem.error, f)
431 431 else:
432 432 raise error.ProgrammingError(
433 433 'problem instance does not set warning or error '
434 434 'attribute: %s' % problem.msg)
435 435
436 436 seen = {}
437 437 for i in fl:
438 438 revisions += 1
439 439 n = fl.node(i)
440 440 lr = self._checkentry(fl, i, n, seen, linkrevs, f)
441 441 if f in filenodes:
442 442 if havemf and n not in filenodes[f]:
443 443 self._err(lr, _("%s not in manifests") % (short(n)), f)
444 444 else:
445 445 del filenodes[f][n]
446 446
447 447 if n in state['skipread']:
448 448 continue
449 449
450 450 # check renames
451 451 try:
452 452 # This requires resolving fulltext (at least on revlogs). We
453 453 # may want ``verifyintegrity()`` to pass a set of nodes with
454 454 # rename metadata as an optimization.
455 455 rp = fl.renamed(n)
456 456 if rp:
457 457 if lr is not None and ui.verbose:
458 458 ctx = lrugetctx(lr)
459 459 if not any(rp[0] in pctx for pctx in ctx.parents()):
460 460 self._warn(_("warning: copy source of '%s' not"
461 461 " in parents of %s") % (f, ctx))
462 462 fl2 = repo.file(rp[0])
463 463 if not len(fl2):
464 464 self._err(lr,
465 465 _("empty or missing copy source revlog "
466 466 "%s:%s") % (rp[0],
467 467 short(rp[1])),
468 468 f)
469 469 elif rp[1] == nullid:
470 470 ui.note(_("warning: %s@%s: copy source"
471 471 " revision is nullid %s:%s\n")
472 472 % (f, lr, rp[0], short(rp[1])))
473 473 else:
474 474 fl2.rev(rp[1])
475 475 except Exception as inst:
476 476 self._exc(lr, _("checking rename of %s") % short(n),
477 477 inst, f)
478 478
479 479 # cross-check
480 480 if f in filenodes:
481 481 fns = [(v, k) for k, v in filenodes[f].iteritems()]
482 482 for lr, node in sorted(fns):
483 483 self._err(lr, _("manifest refers to unknown revision %s") %
484 484 short(node), f)
485 485 progress.complete()
486 486
487 487 if self.warnorphanstorefiles:
488 488 for f in sorted(storefiles):
489 489 self._warn(_("warning: orphan data file '%s'") % f)
490 490
491 491 return len(files), revisions
General Comments 0
You need to be logged in to leave comments. Login now