##// END OF EJS Templates
configitems: register the 'web.refreshinterval' config
Boris Feld -
r34241:fe5202be default
parent child Browse files
Show More
@@ -1,653 +1,656 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 encoding,
14 14 error,
15 15 )
16 16
17 17 def loadconfigtable(ui, extname, configtable):
18 18 """update config item known to the ui with the extension ones"""
19 19 for section, items in configtable.items():
20 20 knownitems = ui._knownconfig.setdefault(section, {})
21 21 knownkeys = set(knownitems)
22 22 newkeys = set(items)
23 23 for key in sorted(knownkeys & newkeys):
24 24 msg = "extension '%s' overwrite config item '%s.%s'"
25 25 msg %= (extname, section, key)
26 26 ui.develwarn(msg, config='warn-config')
27 27
28 28 knownitems.update(items)
29 29
30 30 class configitem(object):
31 31 """represent a known config item
32 32
33 33 :section: the official config section where to find this item,
34 34 :name: the official name within the section,
35 35 :default: default value for this item,
36 36 :alias: optional list of tuples as alternatives.
37 37 """
38 38
39 39 def __init__(self, section, name, default=None, alias=()):
40 40 self.section = section
41 41 self.name = name
42 42 self.default = default
43 43 self.alias = list(alias)
44 44
45 45 coreitems = {}
46 46
47 47 def _register(configtable, *args, **kwargs):
48 48 item = configitem(*args, **kwargs)
49 49 section = configtable.setdefault(item.section, {})
50 50 if item.name in section:
51 51 msg = "duplicated config item registration for '%s.%s'"
52 52 raise error.ProgrammingError(msg % (item.section, item.name))
53 53 section[item.name] = item
54 54
55 55 # special value for case where the default is derived from other values
56 56 dynamicdefault = object()
57 57
58 58 # Registering actual config items
59 59
60 60 def getitemregister(configtable):
61 61 return functools.partial(_register, configtable)
62 62
63 63 coreconfigitem = getitemregister(coreitems)
64 64
65 65 coreconfigitem('auth', 'cookiefile',
66 66 default=None,
67 67 )
68 68 # bookmarks.pushing: internal hack for discovery
69 69 coreconfigitem('bookmarks', 'pushing',
70 70 default=list,
71 71 )
72 72 # bundle.mainreporoot: internal hack for bundlerepo
73 73 coreconfigitem('bundle', 'mainreporoot',
74 74 default='',
75 75 )
76 76 # bundle.reorder: experimental config
77 77 coreconfigitem('bundle', 'reorder',
78 78 default='auto',
79 79 )
80 80 coreconfigitem('censor', 'policy',
81 81 default='abort',
82 82 )
83 83 coreconfigitem('chgserver', 'idletimeout',
84 84 default=3600,
85 85 )
86 86 coreconfigitem('chgserver', 'skiphash',
87 87 default=False,
88 88 )
89 89 coreconfigitem('cmdserver', 'log',
90 90 default=None,
91 91 )
92 92 coreconfigitem('color', 'mode',
93 93 default='auto',
94 94 )
95 95 coreconfigitem('color', 'pagermode',
96 96 default=dynamicdefault,
97 97 )
98 98 coreconfigitem('commands', 'status.relative',
99 99 default=False,
100 100 )
101 101 coreconfigitem('commands', 'status.skipstates',
102 102 default=[],
103 103 )
104 104 coreconfigitem('commands', 'status.verbose',
105 105 default=False,
106 106 )
107 107 coreconfigitem('commands', 'update.requiredest',
108 108 default=False,
109 109 )
110 110 coreconfigitem('devel', 'all-warnings',
111 111 default=False,
112 112 )
113 113 coreconfigitem('devel', 'bundle2.debug',
114 114 default=False,
115 115 )
116 116 coreconfigitem('devel', 'check-locks',
117 117 default=False,
118 118 )
119 119 coreconfigitem('devel', 'check-relroot',
120 120 default=False,
121 121 )
122 122 coreconfigitem('devel', 'default-date',
123 123 default=None,
124 124 )
125 125 coreconfigitem('devel', 'deprec-warn',
126 126 default=False,
127 127 )
128 128 coreconfigitem('devel', 'disableloaddefaultcerts',
129 129 default=False,
130 130 )
131 131 coreconfigitem('devel', 'legacy.exchange',
132 132 default=list,
133 133 )
134 134 coreconfigitem('devel', 'servercafile',
135 135 default='',
136 136 )
137 137 coreconfigitem('devel', 'serverexactprotocol',
138 138 default='',
139 139 )
140 140 coreconfigitem('devel', 'serverrequirecert',
141 141 default=False,
142 142 )
143 143 coreconfigitem('devel', 'strip-obsmarkers',
144 144 default=True,
145 145 )
146 146 coreconfigitem('email', 'charsets',
147 147 default=list,
148 148 )
149 149 coreconfigitem('email', 'method',
150 150 default='smtp',
151 151 )
152 152 coreconfigitem('experimental', 'bundle-phases',
153 153 default=False,
154 154 )
155 155 coreconfigitem('experimental', 'bundle2-advertise',
156 156 default=True,
157 157 )
158 158 coreconfigitem('experimental', 'bundle2-output-capture',
159 159 default=False,
160 160 )
161 161 coreconfigitem('experimental', 'bundle2.pushback',
162 162 default=False,
163 163 )
164 164 coreconfigitem('experimental', 'bundle2lazylocking',
165 165 default=False,
166 166 )
167 167 coreconfigitem('experimental', 'bundlecomplevel',
168 168 default=None,
169 169 )
170 170 coreconfigitem('experimental', 'changegroup3',
171 171 default=False,
172 172 )
173 173 coreconfigitem('experimental', 'clientcompressionengines',
174 174 default=list,
175 175 )
176 176 coreconfigitem('experimental', 'copytrace',
177 177 default='on',
178 178 )
179 179 coreconfigitem('experimental', 'crecordtest',
180 180 default=None,
181 181 )
182 182 coreconfigitem('experimental', 'editortmpinhg',
183 183 default=False,
184 184 )
185 185 coreconfigitem('experimental', 'stabilization',
186 186 default=list,
187 187 alias=[('experimental', 'evolution')],
188 188 )
189 189 coreconfigitem('experimental', 'stabilization.bundle-obsmarker',
190 190 default=False,
191 191 alias=[('experimental', 'evolution.bundle-obsmarker')],
192 192 )
193 193 coreconfigitem('experimental', 'stabilization.track-operation',
194 194 default=False,
195 195 alias=[('experimental', 'evolution.track-operation')]
196 196 )
197 197 coreconfigitem('experimental', 'exportableenviron',
198 198 default=list,
199 199 )
200 200 coreconfigitem('experimental', 'extendedheader.index',
201 201 default=None,
202 202 )
203 203 coreconfigitem('experimental', 'extendedheader.similarity',
204 204 default=False,
205 205 )
206 206 coreconfigitem('experimental', 'format.compression',
207 207 default='zlib',
208 208 )
209 209 coreconfigitem('experimental', 'graphshorten',
210 210 default=False,
211 211 )
212 212 coreconfigitem('experimental', 'hook-track-tags',
213 213 default=False,
214 214 )
215 215 coreconfigitem('experimental', 'httppostargs',
216 216 default=False,
217 217 )
218 218 coreconfigitem('experimental', 'manifestv2',
219 219 default=False,
220 220 )
221 221 coreconfigitem('experimental', 'mergedriver',
222 222 default=None,
223 223 )
224 224 coreconfigitem('experimental', 'obsmarkers-exchange-debug',
225 225 default=False,
226 226 )
227 227 coreconfigitem('experimental', 'rebase.multidest',
228 228 default=False,
229 229 )
230 230 coreconfigitem('experimental', 'revertalternateinteractivemode',
231 231 default=True,
232 232 )
233 233 coreconfigitem('experimental', 'revlogv2',
234 234 default=None,
235 235 )
236 236 coreconfigitem('experimental', 'spacemovesdown',
237 237 default=False,
238 238 )
239 239 coreconfigitem('experimental', 'treemanifest',
240 240 default=False,
241 241 )
242 242 coreconfigitem('experimental', 'updatecheck',
243 243 default=None,
244 244 )
245 245 coreconfigitem('format', 'aggressivemergedeltas',
246 246 default=False,
247 247 )
248 248 coreconfigitem('format', 'chunkcachesize',
249 249 default=None,
250 250 )
251 251 coreconfigitem('format', 'dotencode',
252 252 default=True,
253 253 )
254 254 coreconfigitem('format', 'generaldelta',
255 255 default=False,
256 256 )
257 257 coreconfigitem('format', 'manifestcachesize',
258 258 default=None,
259 259 )
260 260 coreconfigitem('format', 'maxchainlen',
261 261 default=None,
262 262 )
263 263 coreconfigitem('format', 'obsstore-version',
264 264 default=None,
265 265 )
266 266 coreconfigitem('format', 'usefncache',
267 267 default=True,
268 268 )
269 269 coreconfigitem('format', 'usegeneraldelta',
270 270 default=True,
271 271 )
272 272 coreconfigitem('format', 'usestore',
273 273 default=True,
274 274 )
275 275 coreconfigitem('hostsecurity', 'ciphers',
276 276 default=None,
277 277 )
278 278 coreconfigitem('hostsecurity', 'disabletls10warning',
279 279 default=False,
280 280 )
281 281 coreconfigitem('http_proxy', 'always',
282 282 default=False,
283 283 )
284 284 coreconfigitem('http_proxy', 'host',
285 285 default=None,
286 286 )
287 287 coreconfigitem('http_proxy', 'no',
288 288 default=list,
289 289 )
290 290 coreconfigitem('http_proxy', 'passwd',
291 291 default=None,
292 292 )
293 293 coreconfigitem('http_proxy', 'user',
294 294 default=None,
295 295 )
296 296 coreconfigitem('merge', 'followcopies',
297 297 default=True,
298 298 )
299 299 coreconfigitem('pager', 'ignore',
300 300 default=list,
301 301 )
302 302 coreconfigitem('patch', 'eol',
303 303 default='strict',
304 304 )
305 305 coreconfigitem('patch', 'fuzz',
306 306 default=2,
307 307 )
308 308 coreconfigitem('paths', 'default',
309 309 default=None,
310 310 )
311 311 coreconfigitem('paths', 'default-push',
312 312 default=None,
313 313 )
314 314 coreconfigitem('phases', 'checksubrepos',
315 315 default='follow',
316 316 )
317 317 coreconfigitem('phases', 'publish',
318 318 default=True,
319 319 )
320 320 coreconfigitem('profiling', 'enabled',
321 321 default=False,
322 322 )
323 323 coreconfigitem('profiling', 'format',
324 324 default='text',
325 325 )
326 326 coreconfigitem('profiling', 'freq',
327 327 default=1000,
328 328 )
329 329 coreconfigitem('profiling', 'limit',
330 330 default=30,
331 331 )
332 332 coreconfigitem('profiling', 'nested',
333 333 default=0,
334 334 )
335 335 coreconfigitem('profiling', 'sort',
336 336 default='inlinetime',
337 337 )
338 338 coreconfigitem('profiling', 'statformat',
339 339 default='hotpath',
340 340 )
341 341 coreconfigitem('progress', 'assume-tty',
342 342 default=False,
343 343 )
344 344 coreconfigitem('progress', 'changedelay',
345 345 default=1,
346 346 )
347 347 coreconfigitem('progress', 'clear-complete',
348 348 default=True,
349 349 )
350 350 coreconfigitem('progress', 'debug',
351 351 default=False,
352 352 )
353 353 coreconfigitem('progress', 'delay',
354 354 default=3,
355 355 )
356 356 coreconfigitem('progress', 'disable',
357 357 default=False,
358 358 )
359 359 coreconfigitem('progress', 'estimate',
360 360 default=2,
361 361 )
362 362 coreconfigitem('progress', 'refresh',
363 363 default=0.1,
364 364 )
365 365 coreconfigitem('progress', 'width',
366 366 default=dynamicdefault,
367 367 )
368 368 coreconfigitem('push', 'pushvars.server',
369 369 default=False,
370 370 )
371 371 coreconfigitem('server', 'bundle1',
372 372 default=True,
373 373 )
374 374 coreconfigitem('server', 'bundle1gd',
375 375 default=None,
376 376 )
377 377 coreconfigitem('server', 'compressionengines',
378 378 default=list,
379 379 )
380 380 coreconfigitem('server', 'concurrent-push-mode',
381 381 default='strict',
382 382 )
383 383 coreconfigitem('server', 'disablefullbundle',
384 384 default=False,
385 385 )
386 386 coreconfigitem('server', 'maxhttpheaderlen',
387 387 default=1024,
388 388 )
389 389 coreconfigitem('server', 'preferuncompressed',
390 390 default=False,
391 391 )
392 392 coreconfigitem('server', 'uncompressed',
393 393 default=True,
394 394 )
395 395 coreconfigitem('server', 'uncompressedallowsecret',
396 396 default=False,
397 397 )
398 398 coreconfigitem('server', 'validate',
399 399 default=False,
400 400 )
401 401 coreconfigitem('server', 'zliblevel',
402 402 default=-1,
403 403 )
404 404 coreconfigitem('smtp', 'host',
405 405 default=None,
406 406 )
407 407 coreconfigitem('smtp', 'local_hostname',
408 408 default=None,
409 409 )
410 410 coreconfigitem('smtp', 'password',
411 411 default=None,
412 412 )
413 413 coreconfigitem('smtp', 'tls',
414 414 default='none',
415 415 )
416 416 coreconfigitem('smtp', 'username',
417 417 default=None,
418 418 )
419 419 coreconfigitem('sparse', 'missingwarning',
420 420 default=True,
421 421 )
422 422 coreconfigitem('trusted', 'groups',
423 423 default=list,
424 424 )
425 425 coreconfigitem('trusted', 'users',
426 426 default=list,
427 427 )
428 428 coreconfigitem('ui', '_usedassubrepo',
429 429 default=False,
430 430 )
431 431 coreconfigitem('ui', 'allowemptycommit',
432 432 default=False,
433 433 )
434 434 coreconfigitem('ui', 'archivemeta',
435 435 default=True,
436 436 )
437 437 coreconfigitem('ui', 'askusername',
438 438 default=False,
439 439 )
440 440 coreconfigitem('ui', 'clonebundlefallback',
441 441 default=False,
442 442 )
443 443 coreconfigitem('ui', 'clonebundleprefers',
444 444 default=list,
445 445 )
446 446 coreconfigitem('ui', 'clonebundles',
447 447 default=True,
448 448 )
449 449 coreconfigitem('ui', 'color',
450 450 default='auto',
451 451 )
452 452 coreconfigitem('ui', 'commitsubrepos',
453 453 default=False,
454 454 )
455 455 coreconfigitem('ui', 'debug',
456 456 default=False,
457 457 )
458 458 coreconfigitem('ui', 'debugger',
459 459 default=None,
460 460 )
461 461 coreconfigitem('ui', 'fallbackencoding',
462 462 default=None,
463 463 )
464 464 coreconfigitem('ui', 'forcecwd',
465 465 default=None,
466 466 )
467 467 coreconfigitem('ui', 'forcemerge',
468 468 default=None,
469 469 )
470 470 coreconfigitem('ui', 'formatdebug',
471 471 default=False,
472 472 )
473 473 coreconfigitem('ui', 'formatjson',
474 474 default=False,
475 475 )
476 476 coreconfigitem('ui', 'formatted',
477 477 default=None,
478 478 )
479 479 coreconfigitem('ui', 'graphnodetemplate',
480 480 default=None,
481 481 )
482 482 coreconfigitem('ui', 'http2debuglevel',
483 483 default=None,
484 484 )
485 485 coreconfigitem('ui', 'interactive',
486 486 default=None,
487 487 )
488 488 coreconfigitem('ui', 'interface',
489 489 default=None,
490 490 )
491 491 coreconfigitem('ui', 'logblockedtimes',
492 492 default=False,
493 493 )
494 494 coreconfigitem('ui', 'logtemplate',
495 495 default=None,
496 496 )
497 497 coreconfigitem('ui', 'merge',
498 498 default=None,
499 499 )
500 500 coreconfigitem('ui', 'mergemarkers',
501 501 default='basic',
502 502 )
503 503 coreconfigitem('ui', 'mergemarkertemplate',
504 504 default=('{node|short} '
505 505 '{ifeq(tags, "tip", "", '
506 506 'ifeq(tags, "", "", "{tags} "))}'
507 507 '{if(bookmarks, "{bookmarks} ")}'
508 508 '{ifeq(branch, "default", "", "{branch} ")}'
509 509 '- {author|user}: {desc|firstline}')
510 510 )
511 511 coreconfigitem('ui', 'nontty',
512 512 default=False,
513 513 )
514 514 coreconfigitem('ui', 'origbackuppath',
515 515 default=None,
516 516 )
517 517 coreconfigitem('ui', 'paginate',
518 518 default=True,
519 519 )
520 520 coreconfigitem('ui', 'patch',
521 521 default=None,
522 522 )
523 523 coreconfigitem('ui', 'portablefilenames',
524 524 default='warn',
525 525 )
526 526 coreconfigitem('ui', 'promptecho',
527 527 default=False,
528 528 )
529 529 coreconfigitem('ui', 'quiet',
530 530 default=False,
531 531 )
532 532 coreconfigitem('ui', 'quietbookmarkmove',
533 533 default=False,
534 534 )
535 535 coreconfigitem('ui', 'remotecmd',
536 536 default='hg',
537 537 )
538 538 coreconfigitem('ui', 'report_untrusted',
539 539 default=True,
540 540 )
541 541 coreconfigitem('ui', 'rollback',
542 542 default=True,
543 543 )
544 544 coreconfigitem('ui', 'slash',
545 545 default=False,
546 546 )
547 547 coreconfigitem('ui', 'ssh',
548 548 default='ssh',
549 549 )
550 550 coreconfigitem('ui', 'statuscopies',
551 551 default=False,
552 552 )
553 553 coreconfigitem('ui', 'strict',
554 554 default=False,
555 555 )
556 556 coreconfigitem('ui', 'style',
557 557 default='',
558 558 )
559 559 coreconfigitem('ui', 'supportcontact',
560 560 default=None,
561 561 )
562 562 coreconfigitem('ui', 'textwidth',
563 563 default=78,
564 564 )
565 565 coreconfigitem('ui', 'timeout',
566 566 default='600',
567 567 )
568 568 coreconfigitem('ui', 'traceback',
569 569 default=False,
570 570 )
571 571 coreconfigitem('ui', 'tweakdefaults',
572 572 default=False,
573 573 )
574 574 coreconfigitem('ui', 'usehttp2',
575 575 default=False,
576 576 )
577 577 coreconfigitem('ui', 'username',
578 578 alias=[('ui', 'user')]
579 579 )
580 580 coreconfigitem('ui', 'verbose',
581 581 default=False,
582 582 )
583 583 coreconfigitem('verify', 'skipflags',
584 584 default=None,
585 585 )
586 586 coreconfigitem('web', 'accesslog',
587 587 default='-',
588 588 )
589 589 coreconfigitem('web', 'address',
590 590 default='',
591 591 )
592 592 coreconfigitem('web', 'allow_archive',
593 593 default=list,
594 594 )
595 595 coreconfigitem('web', 'allow_read',
596 596 default=list,
597 597 )
598 598 coreconfigitem('web', 'baseurl',
599 599 default=None,
600 600 )
601 601 coreconfigitem('web', 'cacerts',
602 602 default=None,
603 603 )
604 604 coreconfigitem('web', 'certificate',
605 605 default=None,
606 606 )
607 607 coreconfigitem('web', 'collapse',
608 608 default=False,
609 609 )
610 610 coreconfigitem('web', 'csp',
611 611 default=None,
612 612 )
613 613 coreconfigitem('web', 'deny_read',
614 614 default=list,
615 615 )
616 616 coreconfigitem('web', 'descend',
617 617 default=True,
618 618 )
619 619 coreconfigitem('web', 'description',
620 620 default="",
621 621 )
622 622 coreconfigitem('web', 'encoding',
623 623 default=lambda: encoding.encoding,
624 624 )
625 625 coreconfigitem('web', 'errorlog',
626 626 default='-',
627 627 )
628 628 coreconfigitem('web', 'ipv6',
629 629 default=False,
630 630 )
631 631 coreconfigitem('web', 'port',
632 632 default=8000,
633 633 )
634 634 coreconfigitem('web', 'prefix',
635 635 default='',
636 636 )
637 coreconfigitem('web', 'refreshinterval',
638 default=20,
639 )
637 640 coreconfigitem('worker', 'backgroundclose',
638 641 default=dynamicdefault,
639 642 )
640 643 # Windows defaults to a limit of 512 open files. A buffer of 128
641 644 # should give us enough headway.
642 645 coreconfigitem('worker', 'backgroundclosemaxqueue',
643 646 default=384,
644 647 )
645 648 coreconfigitem('worker', 'backgroundcloseminfilecount',
646 649 default=2048,
647 650 )
648 651 coreconfigitem('worker', 'backgroundclosethreadcount',
649 652 default=4,
650 653 )
651 654 coreconfigitem('worker', 'numcpus',
652 655 default=None,
653 656 )
@@ -1,539 +1,541 b''
1 1 # hgweb/hgwebdir_mod.py - Web interface for a directory of repositories.
2 2 #
3 3 # Copyright 21 May 2005 - (c) 2005 Jake Edge <jake@edge2.net>
4 4 # Copyright 2005, 2006 Matt Mackall <mpm@selenic.com>
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 os
12 12 import re
13 13 import time
14 14
15 15 from ..i18n import _
16 16
17 17 from .common import (
18 18 ErrorResponse,
19 19 HTTP_NOT_FOUND,
20 20 HTTP_OK,
21 21 HTTP_SERVER_ERROR,
22 22 cspvalues,
23 23 get_contact,
24 24 get_mtime,
25 25 ismember,
26 26 paritygen,
27 27 staticfile,
28 28 )
29 29 from .request import wsgirequest
30 30
31 31 from .. import (
32 configitems,
32 33 encoding,
33 34 error,
34 35 hg,
35 36 profiling,
36 37 scmutil,
37 38 templater,
38 39 ui as uimod,
39 40 util,
40 41 )
41 42
42 43 from . import (
43 44 hgweb_mod,
44 45 webutil,
45 46 wsgicgi,
46 47 )
47 48
48 49 def cleannames(items):
49 50 return [(util.pconvert(name).strip('/'), path) for name, path in items]
50 51
51 52 def findrepos(paths):
52 53 repos = []
53 54 for prefix, root in cleannames(paths):
54 55 roothead, roottail = os.path.split(root)
55 56 # "foo = /bar/*" or "foo = /bar/**" lets every repo /bar/N in or below
56 57 # /bar/ be served as as foo/N .
57 58 # '*' will not search inside dirs with .hg (except .hg/patches),
58 59 # '**' will search inside dirs with .hg (and thus also find subrepos).
59 60 try:
60 61 recurse = {'*': False, '**': True}[roottail]
61 62 except KeyError:
62 63 repos.append((prefix, root))
63 64 continue
64 65 roothead = os.path.normpath(os.path.abspath(roothead))
65 66 paths = scmutil.walkrepos(roothead, followsym=True, recurse=recurse)
66 67 repos.extend(urlrepos(prefix, roothead, paths))
67 68 return repos
68 69
69 70 def urlrepos(prefix, roothead, paths):
70 71 """yield url paths and filesystem paths from a list of repo paths
71 72
72 73 >>> conv = lambda seq: [(v, util.pconvert(p)) for v,p in seq]
73 74 >>> conv(urlrepos(b'hg', b'/opt', [b'/opt/r', b'/opt/r/r', b'/opt']))
74 75 [('hg/r', '/opt/r'), ('hg/r/r', '/opt/r/r'), ('hg', '/opt')]
75 76 >>> conv(urlrepos(b'', b'/opt', [b'/opt/r', b'/opt/r/r', b'/opt']))
76 77 [('r', '/opt/r'), ('r/r', '/opt/r/r'), ('', '/opt')]
77 78 """
78 79 for path in paths:
79 80 path = os.path.normpath(path)
80 81 yield (prefix + '/' +
81 82 util.pconvert(path[len(roothead):]).lstrip('/')).strip('/'), path
82 83
83 84 def geturlcgivars(baseurl, port):
84 85 """
85 86 Extract CGI variables from baseurl
86 87
87 88 >>> geturlcgivars(b"http://host.org/base", b"80")
88 89 ('host.org', '80', '/base')
89 90 >>> geturlcgivars(b"http://host.org:8000/base", b"80")
90 91 ('host.org', '8000', '/base')
91 92 >>> geturlcgivars(b'/base', 8000)
92 93 ('', '8000', '/base')
93 94 >>> geturlcgivars(b"base", b'8000')
94 95 ('', '8000', '/base')
95 96 >>> geturlcgivars(b"http://host", b'8000')
96 97 ('host', '8000', '/')
97 98 >>> geturlcgivars(b"http://host/", b'8000')
98 99 ('host', '8000', '/')
99 100 """
100 101 u = util.url(baseurl)
101 102 name = u.host or ''
102 103 if u.port:
103 104 port = u.port
104 105 path = u.path or ""
105 106 if not path.startswith('/'):
106 107 path = '/' + path
107 108
108 109 return name, str(port), path
109 110
110 111 class hgwebdir(object):
111 112 """HTTP server for multiple repositories.
112 113
113 114 Given a configuration, different repositories will be served depending
114 115 on the request path.
115 116
116 117 Instances are typically used as WSGI applications.
117 118 """
118 119 def __init__(self, conf, baseui=None):
119 120 self.conf = conf
120 121 self.baseui = baseui
121 122 self.ui = None
122 123 self.lastrefresh = 0
123 124 self.motd = None
124 125 self.refresh()
125 126
126 127 def refresh(self):
127 refreshinterval = 20
128 128 if self.ui:
129 refreshinterval = self.ui.configint('web', 'refreshinterval',
130 refreshinterval)
129 refreshinterval = self.ui.configint('web', 'refreshinterval')
130 else:
131 item = configitems.coreitems['web']['refreshinterval']
132 refreshinterval = item.default
131 133
132 134 # refreshinterval <= 0 means to always refresh.
133 135 if (refreshinterval > 0 and
134 136 self.lastrefresh + refreshinterval > time.time()):
135 137 return
136 138
137 139 if self.baseui:
138 140 u = self.baseui.copy()
139 141 else:
140 142 u = uimod.ui.load()
141 143 u.setconfig('ui', 'report_untrusted', 'off', 'hgwebdir')
142 144 u.setconfig('ui', 'nontty', 'true', 'hgwebdir')
143 145 # displaying bundling progress bar while serving feels wrong and may
144 146 # break some wsgi implementations.
145 147 u.setconfig('progress', 'disable', 'true', 'hgweb')
146 148
147 149 if not isinstance(self.conf, (dict, list, tuple)):
148 150 map = {'paths': 'hgweb-paths'}
149 151 if not os.path.exists(self.conf):
150 152 raise error.Abort(_('config file %s not found!') % self.conf)
151 153 u.readconfig(self.conf, remap=map, trust=True)
152 154 paths = []
153 155 for name, ignored in u.configitems('hgweb-paths'):
154 156 for path in u.configlist('hgweb-paths', name):
155 157 paths.append((name, path))
156 158 elif isinstance(self.conf, (list, tuple)):
157 159 paths = self.conf
158 160 elif isinstance(self.conf, dict):
159 161 paths = self.conf.items()
160 162
161 163 repos = findrepos(paths)
162 164 for prefix, root in u.configitems('collections'):
163 165 prefix = util.pconvert(prefix)
164 166 for path in scmutil.walkrepos(root, followsym=True):
165 167 repo = os.path.normpath(path)
166 168 name = util.pconvert(repo)
167 169 if name.startswith(prefix):
168 170 name = name[len(prefix):]
169 171 repos.append((name.lstrip('/'), repo))
170 172
171 173 self.repos = repos
172 174 self.ui = u
173 175 encoding.encoding = self.ui.config('web', 'encoding')
174 176 self.style = self.ui.config('web', 'style', 'paper')
175 177 self.templatepath = self.ui.config('web', 'templates', None)
176 178 self.stripecount = self.ui.config('web', 'stripes', 1)
177 179 if self.stripecount:
178 180 self.stripecount = int(self.stripecount)
179 181 self._baseurl = self.ui.config('web', 'baseurl')
180 182 prefix = self.ui.config('web', 'prefix')
181 183 if prefix.startswith('/'):
182 184 prefix = prefix[1:]
183 185 if prefix.endswith('/'):
184 186 prefix = prefix[:-1]
185 187 self.prefix = prefix
186 188 self.lastrefresh = time.time()
187 189
188 190 def run(self):
189 191 if not encoding.environ.get('GATEWAY_INTERFACE',
190 192 '').startswith("CGI/1."):
191 193 raise RuntimeError("This function is only intended to be "
192 194 "called while running as a CGI script.")
193 195 wsgicgi.launch(self)
194 196
195 197 def __call__(self, env, respond):
196 198 req = wsgirequest(env, respond)
197 199 return self.run_wsgi(req)
198 200
199 201 def read_allowed(self, ui, req):
200 202 """Check allow_read and deny_read config options of a repo's ui object
201 203 to determine user permissions. By default, with neither option set (or
202 204 both empty), allow all users to read the repo. There are two ways a
203 205 user can be denied read access: (1) deny_read is not empty, and the
204 206 user is unauthenticated or deny_read contains user (or *), and (2)
205 207 allow_read is not empty and the user is not in allow_read. Return True
206 208 if user is allowed to read the repo, else return False."""
207 209
208 210 user = req.env.get('REMOTE_USER')
209 211
210 212 deny_read = ui.configlist('web', 'deny_read', untrusted=True)
211 213 if deny_read and (not user or ismember(ui, user, deny_read)):
212 214 return False
213 215
214 216 allow_read = ui.configlist('web', 'allow_read', untrusted=True)
215 217 # by default, allow reading if no allow_read option has been set
216 218 if (not allow_read) or ismember(ui, user, allow_read):
217 219 return True
218 220
219 221 return False
220 222
221 223 def run_wsgi(self, req):
222 224 profile = self.ui.configbool('profiling', 'enabled')
223 225 with profiling.profile(self.ui, enabled=profile):
224 226 for r in self._runwsgi(req):
225 227 yield r
226 228
227 229 def _runwsgi(self, req):
228 230 try:
229 231 self.refresh()
230 232
231 233 csp, nonce = cspvalues(self.ui)
232 234 if csp:
233 235 req.headers.append(('Content-Security-Policy', csp))
234 236
235 237 virtual = req.env.get("PATH_INFO", "").strip('/')
236 238 tmpl = self.templater(req, nonce)
237 239 ctype = tmpl('mimetype', encoding=encoding.encoding)
238 240 ctype = templater.stringify(ctype)
239 241
240 242 # a static file
241 243 if virtual.startswith('static/') or 'static' in req.form:
242 244 if virtual.startswith('static/'):
243 245 fname = virtual[7:]
244 246 else:
245 247 fname = req.form['static'][0]
246 248 static = self.ui.config("web", "static", None,
247 249 untrusted=False)
248 250 if not static:
249 251 tp = self.templatepath or templater.templatepaths()
250 252 if isinstance(tp, str):
251 253 tp = [tp]
252 254 static = [os.path.join(p, 'static') for p in tp]
253 255 staticfile(static, fname, req)
254 256 return []
255 257
256 258 # top-level index
257 259
258 260 repos = dict(self.repos)
259 261
260 262 if (not virtual or virtual == 'index') and virtual not in repos:
261 263 req.respond(HTTP_OK, ctype)
262 264 return self.makeindex(req, tmpl)
263 265
264 266 # nested indexes and hgwebs
265 267
266 268 if virtual.endswith('/index') and virtual not in repos:
267 269 subdir = virtual[:-len('index')]
268 270 if any(r.startswith(subdir) for r in repos):
269 271 req.respond(HTTP_OK, ctype)
270 272 return self.makeindex(req, tmpl, subdir)
271 273
272 274 def _virtualdirs():
273 275 # Check the full virtual path, each parent, and the root ('')
274 276 if virtual != '':
275 277 yield virtual
276 278
277 279 for p in util.finddirs(virtual):
278 280 yield p
279 281
280 282 yield ''
281 283
282 284 for virtualrepo in _virtualdirs():
283 285 real = repos.get(virtualrepo)
284 286 if real:
285 287 req.env['REPO_NAME'] = virtualrepo
286 288 try:
287 289 # ensure caller gets private copy of ui
288 290 repo = hg.repository(self.ui.copy(), real)
289 291 return hgweb_mod.hgweb(repo).run_wsgi(req)
290 292 except IOError as inst:
291 293 msg = encoding.strtolocal(inst.strerror)
292 294 raise ErrorResponse(HTTP_SERVER_ERROR, msg)
293 295 except error.RepoError as inst:
294 296 raise ErrorResponse(HTTP_SERVER_ERROR, str(inst))
295 297
296 298 # browse subdirectories
297 299 subdir = virtual + '/'
298 300 if [r for r in repos if r.startswith(subdir)]:
299 301 req.respond(HTTP_OK, ctype)
300 302 return self.makeindex(req, tmpl, subdir)
301 303
302 304 # prefixes not found
303 305 req.respond(HTTP_NOT_FOUND, ctype)
304 306 return tmpl("notfound", repo=virtual)
305 307
306 308 except ErrorResponse as err:
307 309 req.respond(err, ctype)
308 310 return tmpl('error', error=err.message or '')
309 311 finally:
310 312 tmpl = None
311 313
312 314 def makeindex(self, req, tmpl, subdir=""):
313 315
314 316 def archivelist(ui, nodeid, url):
315 317 allowed = ui.configlist("web", "allow_archive", untrusted=True)
316 318 archives = []
317 319 for typ, spec in hgweb_mod.archivespecs.iteritems():
318 320 if typ in allowed or ui.configbool("web", "allow" + typ,
319 321 untrusted=True):
320 322 archives.append({"type" : typ, "extension": spec[2],
321 323 "node": nodeid, "url": url})
322 324 return archives
323 325
324 326 def rawentries(subdir="", **map):
325 327
326 328 descend = self.ui.configbool('web', 'descend')
327 329 collapse = self.ui.configbool('web', 'collapse')
328 330 seenrepos = set()
329 331 seendirs = set()
330 332 for name, path in self.repos:
331 333
332 334 if not name.startswith(subdir):
333 335 continue
334 336 name = name[len(subdir):]
335 337 directory = False
336 338
337 339 if '/' in name:
338 340 if not descend:
339 341 continue
340 342
341 343 nameparts = name.split('/')
342 344 rootname = nameparts[0]
343 345
344 346 if not collapse:
345 347 pass
346 348 elif rootname in seendirs:
347 349 continue
348 350 elif rootname in seenrepos:
349 351 pass
350 352 else:
351 353 directory = True
352 354 name = rootname
353 355
354 356 # redefine the path to refer to the directory
355 357 discarded = '/'.join(nameparts[1:])
356 358
357 359 # remove name parts plus accompanying slash
358 360 path = path[:-len(discarded) - 1]
359 361
360 362 try:
361 363 r = hg.repository(self.ui, path)
362 364 directory = False
363 365 except (IOError, error.RepoError):
364 366 pass
365 367
366 368 parts = [name]
367 369 parts.insert(0, '/' + subdir.rstrip('/'))
368 370 if req.env['SCRIPT_NAME']:
369 371 parts.insert(0, req.env['SCRIPT_NAME'])
370 372 url = re.sub(r'/+', '/', '/'.join(parts) + '/')
371 373
372 374 # show either a directory entry or a repository
373 375 if directory:
374 376 # get the directory's time information
375 377 try:
376 378 d = (get_mtime(path), util.makedate()[1])
377 379 except OSError:
378 380 continue
379 381
380 382 # add '/' to the name to make it obvious that
381 383 # the entry is a directory, not a regular repository
382 384 row = {'contact': "",
383 385 'contact_sort': "",
384 386 'name': name + '/',
385 387 'name_sort': name,
386 388 'url': url,
387 389 'description': "",
388 390 'description_sort': "",
389 391 'lastchange': d,
390 392 'lastchange_sort': d[1]-d[0],
391 393 'archives': [],
392 394 'isdirectory': True,
393 395 'labels': [],
394 396 }
395 397
396 398 seendirs.add(name)
397 399 yield row
398 400 continue
399 401
400 402 u = self.ui.copy()
401 403 try:
402 404 u.readconfig(os.path.join(path, '.hg', 'hgrc'))
403 405 except Exception as e:
404 406 u.warn(_('error reading %s/.hg/hgrc: %s\n') % (path, e))
405 407 continue
406 408 def get(section, name, default=uimod._unset):
407 409 return u.config(section, name, default, untrusted=True)
408 410
409 411 if u.configbool("web", "hidden", untrusted=True):
410 412 continue
411 413
412 414 if not self.read_allowed(u, req):
413 415 continue
414 416
415 417 # update time with local timezone
416 418 try:
417 419 r = hg.repository(self.ui, path)
418 420 except IOError:
419 421 u.warn(_('error accessing repository at %s\n') % path)
420 422 continue
421 423 except error.RepoError:
422 424 u.warn(_('error accessing repository at %s\n') % path)
423 425 continue
424 426 try:
425 427 d = (get_mtime(r.spath), util.makedate()[1])
426 428 except OSError:
427 429 continue
428 430
429 431 contact = get_contact(get)
430 432 description = get("web", "description")
431 433 seenrepos.add(name)
432 434 name = get("web", "name", name)
433 435 row = {'contact': contact or "unknown",
434 436 'contact_sort': contact.upper() or "unknown",
435 437 'name': name,
436 438 'name_sort': name,
437 439 'url': url,
438 440 'description': description or "unknown",
439 441 'description_sort': description.upper() or "unknown",
440 442 'lastchange': d,
441 443 'lastchange_sort': d[1]-d[0],
442 444 'archives': archivelist(u, "tip", url),
443 445 'isdirectory': None,
444 446 'labels': u.configlist('web', 'labels', untrusted=True),
445 447 }
446 448
447 449 yield row
448 450
449 451 sortdefault = None, False
450 452 def entries(sortcolumn="", descending=False, subdir="", **map):
451 453 rows = rawentries(subdir=subdir, **map)
452 454
453 455 if sortcolumn and sortdefault != (sortcolumn, descending):
454 456 sortkey = '%s_sort' % sortcolumn
455 457 rows = sorted(rows, key=lambda x: x[sortkey],
456 458 reverse=descending)
457 459 for row, parity in zip(rows, paritygen(self.stripecount)):
458 460 row['parity'] = parity
459 461 yield row
460 462
461 463 self.refresh()
462 464 sortable = ["name", "description", "contact", "lastchange"]
463 465 sortcolumn, descending = sortdefault
464 466 if 'sort' in req.form:
465 467 sortcolumn = req.form['sort'][0]
466 468 descending = sortcolumn.startswith('-')
467 469 if descending:
468 470 sortcolumn = sortcolumn[1:]
469 471 if sortcolumn not in sortable:
470 472 sortcolumn = ""
471 473
472 474 sort = [("sort_%s" % column,
473 475 "%s%s" % ((not descending and column == sortcolumn)
474 476 and "-" or "", column))
475 477 for column in sortable]
476 478
477 479 self.refresh()
478 480 self.updatereqenv(req.env)
479 481
480 482 return tmpl("index", entries=entries, subdir=subdir,
481 483 pathdef=hgweb_mod.makebreadcrumb('/' + subdir, self.prefix),
482 484 sortcolumn=sortcolumn, descending=descending,
483 485 **dict(sort))
484 486
485 487 def templater(self, req, nonce):
486 488
487 489 def motd(**map):
488 490 if self.motd is not None:
489 491 yield self.motd
490 492 else:
491 493 yield config('web', 'motd', '')
492 494
493 495 def config(section, name, default=uimod._unset, untrusted=True):
494 496 return self.ui.config(section, name, default, untrusted)
495 497
496 498 self.updatereqenv(req.env)
497 499
498 500 url = req.env.get('SCRIPT_NAME', '')
499 501 if not url.endswith('/'):
500 502 url += '/'
501 503
502 504 vars = {}
503 505 styles = (
504 506 req.form.get('style', [None])[0],
505 507 config('web', 'style'),
506 508 'paper'
507 509 )
508 510 style, mapfile = templater.stylemap(styles, self.templatepath)
509 511 if style == styles[0]:
510 512 vars['style'] = style
511 513
512 514 start = url[-1] == '?' and '&' or '?'
513 515 sessionvars = webutil.sessionvars(vars, start)
514 516 logourl = config('web', 'logourl', 'https://mercurial-scm.org/')
515 517 logoimg = config('web', 'logoimg', 'hglogo.png')
516 518 staticurl = config('web', 'staticurl') or url + 'static/'
517 519 if not staticurl.endswith('/'):
518 520 staticurl += '/'
519 521
520 522 defaults = {
521 523 "encoding": encoding.encoding,
522 524 "motd": motd,
523 525 "url": url,
524 526 "logourl": logourl,
525 527 "logoimg": logoimg,
526 528 "staticurl": staticurl,
527 529 "sessionvars": sessionvars,
528 530 "style": style,
529 531 "nonce": nonce,
530 532 }
531 533 tmpl = templater.templater.frommapfile(mapfile, defaults=defaults)
532 534 return tmpl
533 535
534 536 def updatereqenv(self, env):
535 537 if self._baseurl is not None:
536 538 name, port, path = geturlcgivars(self._baseurl, env['SERVER_PORT'])
537 539 env['SERVER_NAME'] = name
538 540 env['SERVER_PORT'] = port
539 541 env['SCRIPT_NAME'] = path
General Comments 0
You need to be logged in to leave comments. Login now