##// END OF EJS Templates
windows: check util.mainfrozen() instead of ad-hoc checks everywhere
Augie Fackler -
r14941:4a28cb4d default
parent child Browse files
Show More
@@ -1,109 +1,109
1 1 # help.py - help data for mercurial
2 2 #
3 3 # Copyright 2006 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 i18n import gettext, _
9 9 import sys, os
10 10 import extensions, revset, fileset, templatekw, templatefilters
11 11 import util
12 12
13 13 def listexts(header, exts, indent=1):
14 14 '''return a text listing of the given extensions'''
15 15 if not exts:
16 16 return ''
17 17 maxlength = max(len(e) for e in exts)
18 18 result = '\n%s\n\n' % header
19 19 for name, desc in sorted(exts.iteritems()):
20 20 result += '%s%-*s %s\n' % (' ' * indent, maxlength + 2,
21 21 ':%s:' % name, desc)
22 22 return result
23 23
24 24 def extshelp():
25 25 doc = loaddoc('extensions')()
26 26 doc += listexts(_('enabled extensions:'), extensions.enabled())
27 27 doc += listexts(_('disabled extensions:'), extensions.disabled())
28 28 return doc
29 29
30 30 def loaddoc(topic):
31 31 """Return a delayed loader for help/topic.txt."""
32 32
33 33 def loader():
34 if hasattr(sys, 'frozen'):
34 if util.mainfrozen():
35 35 module = sys.executable
36 36 else:
37 37 module = __file__
38 38 base = os.path.dirname(module)
39 39
40 40 for dir in ('.', '..'):
41 41 docdir = os.path.join(base, dir, 'help')
42 42 if os.path.isdir(docdir):
43 43 break
44 44
45 45 path = os.path.join(docdir, topic + ".txt")
46 46 doc = gettext(util.readfile(path))
47 47 for rewriter in helphooks.get(topic, []):
48 48 doc = rewriter(topic, doc)
49 49 return doc
50 50
51 51 return loader
52 52
53 53 helptable = sorted([
54 54 (["config", "hgrc"], _("Configuration Files"), loaddoc('config')),
55 55 (["dates"], _("Date Formats"), loaddoc('dates')),
56 56 (["patterns"], _("File Name Patterns"), loaddoc('patterns')),
57 57 (['environment', 'env'], _('Environment Variables'),
58 58 loaddoc('environment')),
59 59 (['revs', 'revisions'], _('Specifying Single Revisions'),
60 60 loaddoc('revisions')),
61 61 (['mrevs', 'multirevs'], _('Specifying Multiple Revisions'),
62 62 loaddoc('multirevs')),
63 63 (['revset', 'revsets'], _("Specifying Revision Sets"), loaddoc('revsets')),
64 64 (['fileset', 'filesets'], _("Specifying File Sets"), loaddoc('filesets')),
65 65 (['diffs'], _('Diff Formats'), loaddoc('diffs')),
66 66 (['merge-tools'], _('Merge Tools'), loaddoc('merge-tools')),
67 67 (['templating', 'templates'], _('Template Usage'),
68 68 loaddoc('templates')),
69 69 (['urls'], _('URL Paths'), loaddoc('urls')),
70 70 (["extensions"], _("Using additional features"), extshelp),
71 71 (["subrepo", "subrepos"], _("Subrepositories"), loaddoc('subrepos')),
72 72 (["hgweb"], _("Configuring hgweb"), loaddoc('hgweb')),
73 73 (["glossary"], _("Glossary"), loaddoc('glossary')),
74 74 (["hgignore", "ignore"], _("syntax for Mercurial ignore files"),
75 75 loaddoc('hgignore')),
76 76 ])
77 77
78 78 # Map topics to lists of callable taking the current topic help and
79 79 # returning the updated version
80 80 helphooks = {}
81 81
82 82 def addtopichook(topic, rewriter):
83 83 helphooks.setdefault(topic, []).append(rewriter)
84 84
85 85 def makeitemsdoc(topic, doc, marker, items):
86 86 """Extract docstring from the items key to function mapping, build a
87 87 .single documentation block and use it to overwrite the marker in doc
88 88 """
89 89 entries = []
90 90 for name in sorted(items):
91 91 text = (items[name].__doc__ or '').rstrip()
92 92 if not text:
93 93 continue
94 94 text = gettext(text)
95 95 lines = text.splitlines()
96 96 lines[1:] = [(' ' + l.strip()) for l in lines[1:]]
97 97 entries.append('\n'.join(lines))
98 98 entries = '\n\n'.join(entries)
99 99 return doc.replace(marker, entries)
100 100
101 101 def addtopicsymbols(topic, marker, symbols):
102 102 def add(topic, doc):
103 103 return makeitemsdoc(topic, doc, marker, symbols)
104 104 addtopichook(topic, add)
105 105
106 106 addtopicsymbols('filesets', '.. predicatesmarker', fileset.symbols)
107 107 addtopicsymbols('revsets', '.. predicatesmarker', revset.symbols)
108 108 addtopicsymbols('templates', '.. keywordsmarker', templatekw.keywords)
109 109 addtopicsymbols('templates', '.. filtersmarker', templatefilters.filters)
@@ -1,168 +1,168
1 1 # hook.py - hook support for mercurial
2 2 #
3 3 # Copyright 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 i18n import _
9 9 import os, sys
10 10 import extensions, util
11 11
12 12 def _pythonhook(ui, repo, name, hname, funcname, args, throw):
13 13 '''call python hook. hook is callable object, looked up as
14 14 name in python module. if callable returns "true", hook
15 15 fails, else passes. if hook raises exception, treated as
16 16 hook failure. exception propagates if throw is "true".
17 17
18 18 reason for "true" meaning "hook failed" is so that
19 19 unmodified commands (e.g. mercurial.commands.update) can
20 20 be run as hooks without wrappers to convert return values.'''
21 21
22 22 ui.note(_("calling hook %s: %s\n") % (hname, funcname))
23 23 obj = funcname
24 24 if not hasattr(obj, '__call__'):
25 25 d = funcname.rfind('.')
26 26 if d == -1:
27 27 raise util.Abort(_('%s hook is invalid ("%s" not in '
28 28 'a module)') % (hname, funcname))
29 29 modname = funcname[:d]
30 30 oldpaths = sys.path
31 if hasattr(sys, "frozen"):
31 if util.mainfrozen():
32 32 # binary installs require sys.path manipulation
33 33 modpath, modfile = os.path.split(modname)
34 34 if modpath and modfile:
35 35 sys.path = sys.path[:] + [modpath]
36 36 modname = modfile
37 37 try:
38 38 obj = __import__(modname)
39 39 except ImportError:
40 40 e1 = sys.exc_type, sys.exc_value, sys.exc_traceback
41 41 try:
42 42 # extensions are loaded with hgext_ prefix
43 43 obj = __import__("hgext_%s" % modname)
44 44 except ImportError:
45 45 e2 = sys.exc_type, sys.exc_value, sys.exc_traceback
46 46 if ui.tracebackflag:
47 47 ui.warn(_('exception from first failed import attempt:\n'))
48 48 ui.traceback(e1)
49 49 if ui.tracebackflag:
50 50 ui.warn(_('exception from second failed import attempt:\n'))
51 51 ui.traceback(e2)
52 52 raise util.Abort(_('%s hook is invalid '
53 53 '(import of "%s" failed)') %
54 54 (hname, modname))
55 55 sys.path = oldpaths
56 56 try:
57 57 for p in funcname.split('.')[1:]:
58 58 obj = getattr(obj, p)
59 59 except AttributeError:
60 60 raise util.Abort(_('%s hook is invalid '
61 61 '("%s" is not defined)') %
62 62 (hname, funcname))
63 63 if not hasattr(obj, '__call__'):
64 64 raise util.Abort(_('%s hook is invalid '
65 65 '("%s" is not callable)') %
66 66 (hname, funcname))
67 67 try:
68 68 try:
69 69 # redirect IO descriptors the the ui descriptors so hooks
70 70 # that write directly to these don't mess up the command
71 71 # protocol when running through the command server
72 72 old = sys.stdout, sys.stderr, sys.stdin
73 73 sys.stdout, sys.stderr, sys.stdin = ui.fout, ui.ferr, ui.fin
74 74
75 75 r = obj(ui=ui, repo=repo, hooktype=name, **args)
76 76 except KeyboardInterrupt:
77 77 raise
78 78 except Exception, exc:
79 79 if isinstance(exc, util.Abort):
80 80 ui.warn(_('error: %s hook failed: %s\n') %
81 81 (hname, exc.args[0]))
82 82 else:
83 83 ui.warn(_('error: %s hook raised an exception: '
84 84 '%s\n') % (hname, exc))
85 85 if throw:
86 86 raise
87 87 ui.traceback()
88 88 return True
89 89 finally:
90 90 sys.stdout, sys.stderr, sys.stdin = old
91 91 if r:
92 92 if throw:
93 93 raise util.Abort(_('%s hook failed') % hname)
94 94 ui.warn(_('warning: %s hook failed\n') % hname)
95 95 return r
96 96
97 97 def _exthook(ui, repo, name, cmd, args, throw):
98 98 ui.note(_("running hook %s: %s\n") % (name, cmd))
99 99
100 100 env = {}
101 101 for k, v in args.iteritems():
102 102 if hasattr(v, '__call__'):
103 103 v = v()
104 104 if isinstance(v, dict):
105 105 # make the dictionary element order stable across Python
106 106 # implementations
107 107 v = ('{' +
108 108 ', '.join('%r: %r' % i for i in sorted(v.iteritems())) +
109 109 '}')
110 110 env['HG_' + k.upper()] = v
111 111
112 112 if repo:
113 113 cwd = repo.root
114 114 else:
115 115 cwd = os.getcwd()
116 116 if 'HG_URL' in env and env['HG_URL'].startswith('remote:http'):
117 117 r = util.system(cmd, environ=env, cwd=cwd, out=ui)
118 118 else:
119 119 r = util.system(cmd, environ=env, cwd=cwd, out=ui.fout)
120 120 if r:
121 121 desc, r = util.explainexit(r)
122 122 if throw:
123 123 raise util.Abort(_('%s hook %s') % (name, desc))
124 124 ui.warn(_('warning: %s hook %s\n') % (name, desc))
125 125 return r
126 126
127 127 _redirect = False
128 128 def redirect(state):
129 129 global _redirect
130 130 _redirect = state
131 131
132 132 def hook(ui, repo, name, throw=False, **args):
133 133 r = False
134 134
135 135 oldstdout = -1
136 136 if _redirect:
137 137 stdoutno = sys.__stdout__.fileno()
138 138 stderrno = sys.__stderr__.fileno()
139 139 # temporarily redirect stdout to stderr, if possible
140 140 if stdoutno >= 0 and stderrno >= 0:
141 141 oldstdout = os.dup(stdoutno)
142 142 os.dup2(stderrno, stdoutno)
143 143
144 144 try:
145 145 for hname, cmd in ui.configitems('hooks'):
146 146 if hname.split('.')[0] != name or not cmd:
147 147 continue
148 148 if hasattr(cmd, '__call__'):
149 149 r = _pythonhook(ui, repo, name, hname, cmd, args, throw) or r
150 150 elif cmd.startswith('python:'):
151 151 if cmd.count(':') >= 2:
152 152 path, cmd = cmd[7:].rsplit(':', 1)
153 153 path = util.expandpath(path)
154 154 if repo:
155 155 path = os.path.join(repo.root, path)
156 156 mod = extensions.loadpath(path, 'hghook.%s' % hname)
157 157 hookfn = getattr(mod, cmd)
158 158 else:
159 159 hookfn = cmd[7:].strip()
160 160 r = _pythonhook(ui, repo, name, hname, hookfn, args, throw) or r
161 161 else:
162 162 r = _exthook(ui, repo, hname, cmd, args, throw) or r
163 163 finally:
164 164 if _redirect and oldstdout >= 0:
165 165 os.dup2(oldstdout, stdoutno)
166 166 os.close(oldstdout)
167 167
168 168 return r
@@ -1,392 +1,392
1 1 # templater.py - template expansion for output
2 2 #
3 3 # Copyright 2005, 2006 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 i18n import _
9 9 import sys, os
10 10 import util, config, templatefilters, parser, error
11 11
12 12 # template parsing
13 13
14 14 elements = {
15 15 "(": (20, ("group", 1, ")"), ("func", 1, ")")),
16 16 ",": (2, None, ("list", 2)),
17 17 "|": (5, None, ("|", 5)),
18 18 "%": (6, None, ("%", 6)),
19 19 ")": (0, None, None),
20 20 "symbol": (0, ("symbol",), None),
21 21 "string": (0, ("string",), None),
22 22 "end": (0, None, None),
23 23 }
24 24
25 25 def tokenizer(data):
26 26 program, start, end = data
27 27 pos = start
28 28 while pos < end:
29 29 c = program[pos]
30 30 if c.isspace(): # skip inter-token whitespace
31 31 pass
32 32 elif c in "(,)%|": # handle simple operators
33 33 yield (c, None, pos)
34 34 elif (c in '"\'' or c == 'r' and
35 35 program[pos:pos + 2] in ("r'", 'r"')): # handle quoted strings
36 36 if c == 'r':
37 37 pos += 1
38 38 c = program[pos]
39 39 decode = lambda x: x
40 40 else:
41 41 decode = lambda x: x.decode('string-escape')
42 42 pos += 1
43 43 s = pos
44 44 while pos < end: # find closing quote
45 45 d = program[pos]
46 46 if d == '\\': # skip over escaped characters
47 47 pos += 2
48 48 continue
49 49 if d == c:
50 50 yield ('string', decode(program[s:pos]), s)
51 51 break
52 52 pos += 1
53 53 else:
54 54 raise error.ParseError(_("unterminated string"), s)
55 55 elif c.isalnum() or c in '_':
56 56 s = pos
57 57 pos += 1
58 58 while pos < end: # find end of symbol
59 59 d = program[pos]
60 60 if not (d.isalnum() or d == "_"):
61 61 break
62 62 pos += 1
63 63 sym = program[s:pos]
64 64 yield ('symbol', sym, s)
65 65 pos -= 1
66 66 elif c == '}':
67 67 pos += 1
68 68 break
69 69 else:
70 70 raise error.ParseError(_("syntax error"), pos)
71 71 pos += 1
72 72 yield ('end', None, pos)
73 73
74 74 def compiletemplate(tmpl, context):
75 75 parsed = []
76 76 pos, stop = 0, len(tmpl)
77 77 p = parser.parser(tokenizer, elements)
78 78
79 79 while pos < stop:
80 80 n = tmpl.find('{', pos)
81 81 if n < 0:
82 82 parsed.append(("string", tmpl[pos:]))
83 83 break
84 84 if n > 0 and tmpl[n - 1] == '\\':
85 85 # escaped
86 86 parsed.append(("string", tmpl[pos:n - 1] + "{"))
87 87 pos = n + 1
88 88 continue
89 89 if n > pos:
90 90 parsed.append(("string", tmpl[pos:n]))
91 91
92 92 pd = [tmpl, n + 1, stop]
93 93 parseres, pos = p.parse(pd)
94 94 parsed.append(parseres)
95 95
96 96 return [compileexp(e, context) for e in parsed]
97 97
98 98 def compileexp(exp, context):
99 99 t = exp[0]
100 100 if t in methods:
101 101 return methods[t](exp, context)
102 102 raise error.ParseError(_("unknown method '%s'") % t)
103 103
104 104 # template evaluation
105 105
106 106 def getsymbol(exp):
107 107 if exp[0] == 'symbol':
108 108 return exp[1]
109 109 raise error.ParseError(_("expected a symbol"))
110 110
111 111 def getlist(x):
112 112 if not x:
113 113 return []
114 114 if x[0] == 'list':
115 115 return getlist(x[1]) + [x[2]]
116 116 return [x]
117 117
118 118 def getfilter(exp, context):
119 119 f = getsymbol(exp)
120 120 if f not in context._filters:
121 121 raise error.ParseError(_("unknown function '%s'") % f)
122 122 return context._filters[f]
123 123
124 124 def gettemplate(exp, context):
125 125 if exp[0] == 'string':
126 126 return compiletemplate(exp[1], context)
127 127 if exp[0] == 'symbol':
128 128 return context._load(exp[1])
129 129 raise error.ParseError(_("expected template specifier"))
130 130
131 131 def runstring(context, mapping, data):
132 132 return data
133 133
134 134 def runsymbol(context, mapping, key):
135 135 v = mapping.get(key)
136 136 if v is None:
137 137 v = context._defaults.get(key, '')
138 138 if hasattr(v, '__call__'):
139 139 return v(**mapping)
140 140 return v
141 141
142 142 def buildfilter(exp, context):
143 143 func, data = compileexp(exp[1], context)
144 144 filt = getfilter(exp[2], context)
145 145 return (runfilter, (func, data, filt))
146 146
147 147 def runfilter(context, mapping, data):
148 148 func, data, filt = data
149 149 return filt(func(context, mapping, data))
150 150
151 151 def buildmap(exp, context):
152 152 func, data = compileexp(exp[1], context)
153 153 ctmpl = gettemplate(exp[2], context)
154 154 return (runmap, (func, data, ctmpl))
155 155
156 156 def runmap(context, mapping, data):
157 157 func, data, ctmpl = data
158 158 d = func(context, mapping, data)
159 159 lm = mapping.copy()
160 160
161 161 for i in d:
162 162 if isinstance(i, dict):
163 163 lm.update(i)
164 164 for f, d in ctmpl:
165 165 yield f(context, lm, d)
166 166 else:
167 167 # v is not an iterable of dicts, this happen when 'key'
168 168 # has been fully expanded already and format is useless.
169 169 # If so, return the expanded value.
170 170 yield i
171 171
172 172 def buildfunc(exp, context):
173 173 n = getsymbol(exp[1])
174 174 args = [compileexp(x, context) for x in getlist(exp[2])]
175 175 if n in funcs:
176 176 f = funcs[n]
177 177 return (f, args)
178 178 if n in context._filters:
179 179 if len(args) != 1:
180 180 raise error.ParseError(_("filter %s expects one argument") % n)
181 181 f = context._filters[n]
182 182 return (runfilter, (args[0][0], args[0][1], f))
183 183
184 184 methods = {
185 185 "string": lambda e, c: (runstring, e[1]),
186 186 "symbol": lambda e, c: (runsymbol, e[1]),
187 187 "group": lambda e, c: compileexp(e[1], c),
188 188 # ".": buildmember,
189 189 "|": buildfilter,
190 190 "%": buildmap,
191 191 "func": buildfunc,
192 192 }
193 193
194 194 funcs = {
195 195 }
196 196
197 197 # template engine
198 198
199 199 path = ['templates', '../templates']
200 200 stringify = templatefilters.stringify
201 201
202 202 def _flatten(thing):
203 203 '''yield a single stream from a possibly nested set of iterators'''
204 204 if isinstance(thing, str):
205 205 yield thing
206 206 elif not hasattr(thing, '__iter__'):
207 207 if thing is not None:
208 208 yield str(thing)
209 209 else:
210 210 for i in thing:
211 211 if isinstance(i, str):
212 212 yield i
213 213 elif not hasattr(i, '__iter__'):
214 214 if i is not None:
215 215 yield str(i)
216 216 elif i is not None:
217 217 for j in _flatten(i):
218 218 yield j
219 219
220 220 def parsestring(s, quoted=True):
221 221 '''parse a string using simple c-like syntax.
222 222 string must be in quotes if quoted is True.'''
223 223 if quoted:
224 224 if len(s) < 2 or s[0] != s[-1]:
225 225 raise SyntaxError(_('unmatched quotes'))
226 226 return s[1:-1].decode('string_escape')
227 227
228 228 return s.decode('string_escape')
229 229
230 230 class engine(object):
231 231 '''template expansion engine.
232 232
233 233 template expansion works like this. a map file contains key=value
234 234 pairs. if value is quoted, it is treated as string. otherwise, it
235 235 is treated as name of template file.
236 236
237 237 templater is asked to expand a key in map. it looks up key, and
238 238 looks for strings like this: {foo}. it expands {foo} by looking up
239 239 foo in map, and substituting it. expansion is recursive: it stops
240 240 when there is no more {foo} to replace.
241 241
242 242 expansion also allows formatting and filtering.
243 243
244 244 format uses key to expand each item in list. syntax is
245 245 {key%format}.
246 246
247 247 filter uses function to transform value. syntax is
248 248 {key|filter1|filter2|...}.'''
249 249
250 250 def __init__(self, loader, filters={}, defaults={}):
251 251 self._loader = loader
252 252 self._filters = filters
253 253 self._defaults = defaults
254 254 self._cache = {}
255 255
256 256 def _load(self, t):
257 257 '''load, parse, and cache a template'''
258 258 if t not in self._cache:
259 259 self._cache[t] = compiletemplate(self._loader(t), self)
260 260 return self._cache[t]
261 261
262 262 def process(self, t, mapping):
263 263 '''Perform expansion. t is name of map element to expand.
264 264 mapping contains added elements for use during expansion. Is a
265 265 generator.'''
266 266 return _flatten(func(self, mapping, data) for func, data in
267 267 self._load(t))
268 268
269 269 engines = {'default': engine}
270 270
271 271 class templater(object):
272 272
273 273 def __init__(self, mapfile, filters={}, defaults={}, cache={},
274 274 minchunk=1024, maxchunk=65536):
275 275 '''set up template engine.
276 276 mapfile is name of file to read map definitions from.
277 277 filters is dict of functions. each transforms a value into another.
278 278 defaults is dict of default map definitions.'''
279 279 self.mapfile = mapfile or 'template'
280 280 self.cache = cache.copy()
281 281 self.map = {}
282 282 self.base = (mapfile and os.path.dirname(mapfile)) or ''
283 283 self.filters = templatefilters.filters.copy()
284 284 self.filters.update(filters)
285 285 self.defaults = defaults
286 286 self.minchunk, self.maxchunk = minchunk, maxchunk
287 287 self.ecache = {}
288 288
289 289 if not mapfile:
290 290 return
291 291 if not os.path.exists(mapfile):
292 292 raise util.Abort(_('style not found: %s') % mapfile)
293 293
294 294 conf = config.config()
295 295 conf.read(mapfile)
296 296
297 297 for key, val in conf[''].items():
298 298 if val[0] in "'\"":
299 299 try:
300 300 self.cache[key] = parsestring(val)
301 301 except SyntaxError, inst:
302 302 raise SyntaxError('%s: %s' %
303 303 (conf.source('', key), inst.args[0]))
304 304 else:
305 305 val = 'default', val
306 306 if ':' in val[1]:
307 307 val = val[1].split(':', 1)
308 308 self.map[key] = val[0], os.path.join(self.base, val[1])
309 309
310 310 def __contains__(self, key):
311 311 return key in self.cache or key in self.map
312 312
313 313 def load(self, t):
314 314 '''Get the template for the given template name. Use a local cache.'''
315 315 if not t in self.cache:
316 316 try:
317 317 self.cache[t] = util.readfile(self.map[t][1])
318 318 except KeyError, inst:
319 319 raise util.Abort(_('"%s" not in template map') % inst.args[0])
320 320 except IOError, inst:
321 321 raise IOError(inst.args[0], _('template file %s: %s') %
322 322 (self.map[t][1], inst.args[1]))
323 323 return self.cache[t]
324 324
325 325 def __call__(self, t, **mapping):
326 326 ttype = t in self.map and self.map[t][0] or 'default'
327 327 if ttype not in self.ecache:
328 328 self.ecache[ttype] = engines[ttype](self.load,
329 329 self.filters, self.defaults)
330 330 proc = self.ecache[ttype]
331 331
332 332 stream = proc.process(t, mapping)
333 333 if self.minchunk:
334 334 stream = util.increasingchunks(stream, min=self.minchunk,
335 335 max=self.maxchunk)
336 336 return stream
337 337
338 338 def templatepath(name=None):
339 339 '''return location of template file or directory (if no name).
340 340 returns None if not found.'''
341 341 normpaths = []
342 342
343 343 # executable version (py2exe) doesn't support __file__
344 if hasattr(sys, 'frozen'):
344 if util.mainfrozen():
345 345 module = sys.executable
346 346 else:
347 347 module = __file__
348 348 for f in path:
349 349 if f.startswith('/'):
350 350 p = f
351 351 else:
352 352 fl = f.split('/')
353 353 p = os.path.join(os.path.dirname(module), *fl)
354 354 if name:
355 355 p = os.path.join(p, name)
356 356 if name and os.path.exists(p):
357 357 return os.path.normpath(p)
358 358 elif os.path.isdir(p):
359 359 normpaths.append(os.path.normpath(p))
360 360
361 361 return normpaths
362 362
363 363 def stylemap(styles, paths=None):
364 364 """Return path to mapfile for a given style.
365 365
366 366 Searches mapfile in the following locations:
367 367 1. templatepath/style/map
368 368 2. templatepath/map-style
369 369 3. templatepath/map
370 370 """
371 371
372 372 if paths is None:
373 373 paths = templatepath()
374 374 elif isinstance(paths, str):
375 375 paths = [paths]
376 376
377 377 if isinstance(styles, str):
378 378 styles = [styles]
379 379
380 380 for style in styles:
381 381 if not style:
382 382 continue
383 383 locations = [os.path.join(style, 'map'), 'map-' + style]
384 384 locations.append('map')
385 385
386 386 for path in paths:
387 387 for location in locations:
388 388 mapfile = os.path.join(path, location)
389 389 if os.path.isfile(mapfile):
390 390 return style, mapfile
391 391
392 392 raise RuntimeError("No hgweb templates found in %r" % paths)
General Comments 0
You need to be logged in to leave comments. Login now