##// END OF EJS Templates
hook: disable demandimport before importing hooks...
Dirkjan Ochtman -
r18111:d7c28954 default
parent child Browse files
Show More
@@ -1,189 +1,193
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 import extensions, util
10 import extensions, util, demandimport
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 util.safehasattr(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 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 demandimport.disable()
38 39 obj = __import__(modname)
40 demandimport.enable()
39 41 except ImportError:
40 42 e1 = sys.exc_type, sys.exc_value, sys.exc_traceback
41 43 try:
42 44 # extensions are loaded with hgext_ prefix
43 45 obj = __import__("hgext_%s" % modname)
46 demandimport.enable()
44 47 except ImportError:
48 demandimport.enable()
45 49 e2 = sys.exc_type, sys.exc_value, sys.exc_traceback
46 50 if ui.tracebackflag:
47 51 ui.warn(_('exception from first failed import attempt:\n'))
48 52 ui.traceback(e1)
49 53 if ui.tracebackflag:
50 54 ui.warn(_('exception from second failed import attempt:\n'))
51 55 ui.traceback(e2)
52 56 raise util.Abort(_('%s hook is invalid '
53 57 '(import of "%s" failed)') %
54 58 (hname, modname))
55 59 sys.path = oldpaths
56 60 try:
57 61 for p in funcname.split('.')[1:]:
58 62 obj = getattr(obj, p)
59 63 except AttributeError:
60 64 raise util.Abort(_('%s hook is invalid '
61 65 '("%s" is not defined)') %
62 66 (hname, funcname))
63 67 if not util.safehasattr(obj, '__call__'):
64 68 raise util.Abort(_('%s hook is invalid '
65 69 '("%s" is not callable)') %
66 70 (hname, funcname))
67 71 try:
68 72 try:
69 73 # redirect IO descriptors to the ui descriptors so hooks
70 74 # that write directly to these don't mess up the command
71 75 # protocol when running through the command server
72 76 old = sys.stdout, sys.stderr, sys.stdin
73 77 sys.stdout, sys.stderr, sys.stdin = ui.fout, ui.ferr, ui.fin
74 78
75 79 r = obj(ui=ui, repo=repo, hooktype=name, **args)
76 80 except KeyboardInterrupt:
77 81 raise
78 82 except Exception, exc:
79 83 if isinstance(exc, util.Abort):
80 84 ui.warn(_('error: %s hook failed: %s\n') %
81 85 (hname, exc.args[0]))
82 86 else:
83 87 ui.warn(_('error: %s hook raised an exception: '
84 88 '%s\n') % (hname, exc))
85 89 if throw:
86 90 raise
87 91 ui.traceback()
88 92 return True
89 93 finally:
90 94 sys.stdout, sys.stderr, sys.stdin = old
91 95 if r:
92 96 if throw:
93 97 raise util.Abort(_('%s hook failed') % hname)
94 98 ui.warn(_('warning: %s hook failed\n') % hname)
95 99 return r
96 100
97 101 def _exthook(ui, repo, name, cmd, args, throw):
98 102 ui.note(_("running hook %s: %s\n") % (name, cmd))
99 103
100 104 env = {}
101 105 for k, v in args.iteritems():
102 106 if util.safehasattr(v, '__call__'):
103 107 v = v()
104 108 if isinstance(v, dict):
105 109 # make the dictionary element order stable across Python
106 110 # implementations
107 111 v = ('{' +
108 112 ', '.join('%r: %r' % i for i in sorted(v.iteritems())) +
109 113 '}')
110 114 env['HG_' + k.upper()] = v
111 115
112 116 if repo:
113 117 cwd = repo.root
114 118 else:
115 119 cwd = os.getcwd()
116 120 if 'HG_URL' in env and env['HG_URL'].startswith('remote:http'):
117 121 r = util.system(cmd, environ=env, cwd=cwd, out=ui)
118 122 else:
119 123 r = util.system(cmd, environ=env, cwd=cwd, out=ui.fout)
120 124 if r:
121 125 desc, r = util.explainexit(r)
122 126 if throw:
123 127 raise util.Abort(_('%s hook %s') % (name, desc))
124 128 ui.warn(_('warning: %s hook %s\n') % (name, desc))
125 129 return r
126 130
127 131 def _allhooks(ui):
128 132 hooks = []
129 133 for name, cmd in ui.configitems('hooks'):
130 134 if not name.startswith('priority'):
131 135 priority = ui.configint('hooks', 'priority.%s' % name, 0)
132 136 hooks.append((-priority, len(hooks), name, cmd))
133 137 return [(k, v) for p, o, k, v in sorted(hooks)]
134 138
135 139 _redirect = False
136 140 def redirect(state):
137 141 global _redirect
138 142 _redirect = state
139 143
140 144 def hook(ui, repo, name, throw=False, **args):
141 145 if not ui.callhooks:
142 146 return False
143 147
144 148 r = False
145 149 oldstdout = -1
146 150
147 151 try:
148 152 for hname, cmd in _allhooks(ui):
149 153 if hname.split('.')[0] != name or not cmd:
150 154 continue
151 155
152 156 if oldstdout == -1 and _redirect:
153 157 try:
154 158 stdoutno = sys.__stdout__.fileno()
155 159 stderrno = sys.__stderr__.fileno()
156 160 # temporarily redirect stdout to stderr, if possible
157 161 if stdoutno >= 0 and stderrno >= 0:
158 162 sys.__stdout__.flush()
159 163 oldstdout = os.dup(stdoutno)
160 164 os.dup2(stderrno, stdoutno)
161 165 except (OSError, AttributeError):
162 166 # files seem to be bogus, give up on redirecting (WSGI, etc)
163 167 pass
164 168
165 169 if util.safehasattr(cmd, '__call__'):
166 170 r = _pythonhook(ui, repo, name, hname, cmd, args, throw) or r
167 171 elif cmd.startswith('python:'):
168 172 if cmd.count(':') >= 2:
169 173 path, cmd = cmd[7:].rsplit(':', 1)
170 174 path = util.expandpath(path)
171 175 if repo:
172 176 path = os.path.join(repo.root, path)
173 177 try:
174 178 mod = extensions.loadpath(path, 'hghook.%s' % hname)
175 179 except Exception:
176 180 ui.write(_("loading %s hook failed:\n") % hname)
177 181 raise
178 182 hookfn = getattr(mod, cmd)
179 183 else:
180 184 hookfn = cmd[7:].strip()
181 185 r = _pythonhook(ui, repo, name, hname, hookfn, args, throw) or r
182 186 else:
183 187 r = _exthook(ui, repo, hname, cmd, args, throw) or r
184 188 finally:
185 189 if _redirect and oldstdout >= 0:
186 190 os.dup2(oldstdout, stdoutno)
187 191 os.close(oldstdout)
188 192
189 193 return r
General Comments 0
You need to be logged in to leave comments. Login now