##// END OF EJS Templates
pyro: Return new proxy instances if called from outside of a request context....
Martin Bornhold -
r354:4f555b55 default
parent child Browse files
Show More
@@ -1,323 +1,332 b''
1 # -*- coding: utf-8 -*-
1 # -*- coding: utf-8 -*-
2
2
3 # Copyright (C) 2014-2016 RhodeCode GmbH
3 # Copyright (C) 2014-2016 RhodeCode GmbH
4 #
4 #
5 # This program is free software: you can redistribute it and/or modify
5 # This program is free software: you can redistribute it and/or modify
6 # it under the terms of the GNU Affero General Public License, version 3
6 # it under the terms of the GNU Affero General Public License, version 3
7 # (only), as published by the Free Software Foundation.
7 # (only), as published by the Free Software Foundation.
8 #
8 #
9 # This program is distributed in the hope that it will be useful,
9 # This program is distributed in the hope that it will be useful,
10 # but WITHOUT ANY WARRANTY; without even the implied warranty of
10 # but WITHOUT ANY WARRANTY; without even the implied warranty of
11 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
11 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
12 # GNU General Public License for more details.
12 # GNU General Public License for more details.
13 #
13 #
14 # You should have received a copy of the GNU Affero General Public License
14 # You should have received a copy of the GNU Affero General Public License
15 # along with this program. If not, see <http://www.gnu.org/licenses/>.
15 # along with this program. If not, see <http://www.gnu.org/licenses/>.
16 #
16 #
17 # This program is dual-licensed. If you wish to learn more about the
17 # This program is dual-licensed. If you wish to learn more about the
18 # RhodeCode Enterprise Edition, including its added features, Support services,
18 # RhodeCode Enterprise Edition, including its added features, Support services,
19 # and proprietary license terms, please see https://rhodecode.com/licenses/
19 # and proprietary license terms, please see https://rhodecode.com/licenses/
20
20
21 """
21 """
22 Provides the implementation of various client utilities to reach the vcsserver.
22 Provides the implementation of various client utilities to reach the vcsserver.
23 """
23 """
24
24
25
25
26 import copy
26 import copy
27 import logging
27 import logging
28 import threading
28 import threading
29 import urlparse
29 import urlparse
30 import uuid
30 import uuid
31 import weakref
31 import weakref
32 from urllib2 import URLError
32 from urllib2 import URLError
33
33
34 import msgpack
34 import msgpack
35 import Pyro4
35 import Pyro4
36 import requests
36 import requests
37 from pyramid.threadlocal import get_current_request
37 from pyramid.threadlocal import get_current_request
38 from Pyro4.errors import CommunicationError, ConnectionClosedError, DaemonError
38 from Pyro4.errors import CommunicationError, ConnectionClosedError, DaemonError
39
39
40 from rhodecode.lib.vcs import exceptions
40 from rhodecode.lib.vcs import exceptions
41 from rhodecode.lib.vcs.conf import settings
41 from rhodecode.lib.vcs.conf import settings
42
42
43 log = logging.getLogger(__name__)
43 log = logging.getLogger(__name__)
44
44
45
45
46 # TODO: mikhail: Keep it in sync with vcsserver's
46 # TODO: mikhail: Keep it in sync with vcsserver's
47 # HTTPApplication.ALLOWED_EXCEPTIONS
47 # HTTPApplication.ALLOWED_EXCEPTIONS
48 EXCEPTIONS_MAP = {
48 EXCEPTIONS_MAP = {
49 'KeyError': KeyError,
49 'KeyError': KeyError,
50 'URLError': URLError,
50 'URLError': URLError,
51 }
51 }
52
52
53
53
54 class HTTPRepoMaker(object):
54 class HTTPRepoMaker(object):
55 def __init__(self, server_and_port, backend_endpoint):
55 def __init__(self, server_and_port, backend_endpoint):
56 self.url = urlparse.urljoin(
56 self.url = urlparse.urljoin(
57 'http://%s' % server_and_port, backend_endpoint)
57 'http://%s' % server_and_port, backend_endpoint)
58
58
59 def __call__(self, path, config, with_wire=None):
59 def __call__(self, path, config, with_wire=None):
60 log.debug('HTTPRepoMaker call on %s', path)
60 log.debug('HTTPRepoMaker call on %s', path)
61 return HTTPRemoteRepo(path, config, self.url, with_wire=with_wire)
61 return HTTPRemoteRepo(path, config, self.url, with_wire=with_wire)
62
62
63 def __getattr__(self, name):
63 def __getattr__(self, name):
64 def f(*args, **kwargs):
64 def f(*args, **kwargs):
65 return self._call(name, *args, **kwargs)
65 return self._call(name, *args, **kwargs)
66 return f
66 return f
67
67
68 @exceptions.map_vcs_exceptions
68 @exceptions.map_vcs_exceptions
69 def _call(self, name, *args, **kwargs):
69 def _call(self, name, *args, **kwargs):
70 payload = {
70 payload = {
71 'id': str(uuid.uuid4()),
71 'id': str(uuid.uuid4()),
72 'method': name,
72 'method': name,
73 'params': {'args': args, 'kwargs': kwargs}
73 'params': {'args': args, 'kwargs': kwargs}
74 }
74 }
75 return _remote_call(self.url, payload, EXCEPTIONS_MAP)
75 return _remote_call(self.url, payload, EXCEPTIONS_MAP)
76
76
77
77
78 class VcsHttpProxy(object):
78 class VcsHttpProxy(object):
79
79
80 CHUNK_SIZE = 16384
80 CHUNK_SIZE = 16384
81
81
82 def __init__(self, server_and_port, backend_endpoint):
82 def __init__(self, server_and_port, backend_endpoint):
83 adapter = requests.adapters.HTTPAdapter(max_retries=5)
83 adapter = requests.adapters.HTTPAdapter(max_retries=5)
84 self.base_url = urlparse.urljoin(
84 self.base_url = urlparse.urljoin(
85 'http://%s' % server_and_port, backend_endpoint)
85 'http://%s' % server_and_port, backend_endpoint)
86 self.session = requests.Session()
86 self.session = requests.Session()
87 self.session.mount('http://', adapter)
87 self.session.mount('http://', adapter)
88
88
89 def handle(self, environment, input_data, *args, **kwargs):
89 def handle(self, environment, input_data, *args, **kwargs):
90 data = {
90 data = {
91 'environment': environment,
91 'environment': environment,
92 'input_data': input_data,
92 'input_data': input_data,
93 'args': args,
93 'args': args,
94 'kwargs': kwargs
94 'kwargs': kwargs
95 }
95 }
96 result = self.session.post(
96 result = self.session.post(
97 self.base_url, msgpack.packb(data), stream=True)
97 self.base_url, msgpack.packb(data), stream=True)
98 return self._get_result(result)
98 return self._get_result(result)
99
99
100 def _deserialize_and_raise(self, error):
100 def _deserialize_and_raise(self, error):
101 exception = Exception(error['message'])
101 exception = Exception(error['message'])
102 try:
102 try:
103 exception._vcs_kind = error['_vcs_kind']
103 exception._vcs_kind = error['_vcs_kind']
104 except KeyError:
104 except KeyError:
105 pass
105 pass
106 raise exception
106 raise exception
107
107
108 def _iterate(self, result):
108 def _iterate(self, result):
109 unpacker = msgpack.Unpacker()
109 unpacker = msgpack.Unpacker()
110 for line in result.iter_content(chunk_size=self.CHUNK_SIZE):
110 for line in result.iter_content(chunk_size=self.CHUNK_SIZE):
111 unpacker.feed(line)
111 unpacker.feed(line)
112 for chunk in unpacker:
112 for chunk in unpacker:
113 yield chunk
113 yield chunk
114
114
115 def _get_result(self, result):
115 def _get_result(self, result):
116 iterator = self._iterate(result)
116 iterator = self._iterate(result)
117 error = iterator.next()
117 error = iterator.next()
118 if error:
118 if error:
119 self._deserialize_and_raise(error)
119 self._deserialize_and_raise(error)
120
120
121 status = iterator.next()
121 status = iterator.next()
122 headers = iterator.next()
122 headers = iterator.next()
123
123
124 return iterator, status, headers
124 return iterator, status, headers
125
125
126
126
127 class HTTPRemoteRepo(object):
127 class HTTPRemoteRepo(object):
128 def __init__(self, path, config, url, with_wire=None):
128 def __init__(self, path, config, url, with_wire=None):
129 self.url = url
129 self.url = url
130 self._wire = {
130 self._wire = {
131 "path": path,
131 "path": path,
132 "config": config,
132 "config": config,
133 "context": str(uuid.uuid4()),
133 "context": str(uuid.uuid4()),
134 }
134 }
135 if with_wire:
135 if with_wire:
136 self._wire.update(with_wire)
136 self._wire.update(with_wire)
137
137
138 def __getattr__(self, name):
138 def __getattr__(self, name):
139 def f(*args, **kwargs):
139 def f(*args, **kwargs):
140 return self._call(name, *args, **kwargs)
140 return self._call(name, *args, **kwargs)
141 return f
141 return f
142
142
143 @exceptions.map_vcs_exceptions
143 @exceptions.map_vcs_exceptions
144 def _call(self, name, *args, **kwargs):
144 def _call(self, name, *args, **kwargs):
145 log.debug('Calling %s@%s', self.url, name)
145 log.debug('Calling %s@%s', self.url, name)
146 # TODO: oliver: This is currently necessary pre-call since the
146 # TODO: oliver: This is currently necessary pre-call since the
147 # config object is being changed for hooking scenarios
147 # config object is being changed for hooking scenarios
148 wire = copy.deepcopy(self._wire)
148 wire = copy.deepcopy(self._wire)
149 wire["config"] = wire["config"].serialize()
149 wire["config"] = wire["config"].serialize()
150 payload = {
150 payload = {
151 'id': str(uuid.uuid4()),
151 'id': str(uuid.uuid4()),
152 'method': name,
152 'method': name,
153 'params': {'wire': wire, 'args': args, 'kwargs': kwargs}
153 'params': {'wire': wire, 'args': args, 'kwargs': kwargs}
154 }
154 }
155 return _remote_call(self.url, payload, EXCEPTIONS_MAP)
155 return _remote_call(self.url, payload, EXCEPTIONS_MAP)
156
156
157 def __getitem__(self, key):
157 def __getitem__(self, key):
158 return self.revision(key)
158 return self.revision(key)
159
159
160
160
161 def _remote_call(url, payload, exceptions_map):
161 def _remote_call(url, payload, exceptions_map):
162 response = requests.post(url, data=msgpack.packb(payload))
162 response = requests.post(url, data=msgpack.packb(payload))
163 response = msgpack.unpackb(response.content)
163 response = msgpack.unpackb(response.content)
164 error = response.get('error')
164 error = response.get('error')
165 if error:
165 if error:
166 type_ = error.get('type', 'Exception')
166 type_ = error.get('type', 'Exception')
167 exc = exceptions_map.get(type_, Exception)
167 exc = exceptions_map.get(type_, Exception)
168 exc = exc(error.get('message'))
168 exc = exc(error.get('message'))
169 try:
169 try:
170 exc._vcs_kind = error['_vcs_kind']
170 exc._vcs_kind = error['_vcs_kind']
171 except KeyError:
171 except KeyError:
172 pass
172 pass
173 raise exc
173 raise exc
174 return response.get('result')
174 return response.get('result')
175
175
176
176
177 class RepoMaker(object):
177 class RepoMaker(object):
178
178
179 def __init__(self, proxy_factory):
179 def __init__(self, proxy_factory):
180 self._proxy_factory = proxy_factory
180 self._proxy_factory = proxy_factory
181
181
182 def __call__(self, path, config, with_wire=None):
182 def __call__(self, path, config, with_wire=None):
183 log.debug('RepoMaker call on %s', path)
183 log.debug('RepoMaker call on %s', path)
184 return RemoteRepo(
184 return RemoteRepo(
185 path, config, remote_proxy=self._proxy_factory(),
185 path, config, remote_proxy=self._proxy_factory(),
186 with_wire=with_wire)
186 with_wire=with_wire)
187
187
188 def __getattr__(self, name):
188 def __getattr__(self, name):
189 remote_proxy = self._proxy_factory()
189 remote_proxy = self._proxy_factory()
190 func = _get_proxy_method(remote_proxy, name)
190 func = _get_proxy_method(remote_proxy, name)
191 return _wrap_remote_call(remote_proxy, func)
191 return _wrap_remote_call(remote_proxy, func)
192
192
193
193
194 class RequestScopeProxyFactory(object):
194 class RequestScopeProxyFactory(object):
195 """
195 """
196 This factory returns pyro proxy instances based on a per request scope.
196 This factory returns pyro proxy instances based on a per request scope.
197 It returns the same instance if called from within the same request and
197 It returns the same instance if called from within the same request and
198 different instances if called from different requests.
198 different instances if called from different requests.
199 """
199 """
200
200
201 def __init__(self, remote_uri):
201 def __init__(self, remote_uri):
202 self._remote_uri = remote_uri
202 self._remote_uri = remote_uri
203 self._proxy_pool = []
203 self._proxy_pool = []
204 self._borrowed_proxies = {}
204 self._borrowed_proxies = {}
205
205
206 def __call__(self, request=None):
206 def __call__(self, request=None):
207 """
207 """
208 Wrapper around `getProxy`.
208 Wrapper around `getProxy`.
209 """
209 """
210 request = request or get_current_request()
210 request = request or get_current_request()
211 return self.getProxy(request)
211 return self.getProxy(request)
212
212
213 def getProxy(self, request):
213 def getProxy(self, request):
214 """
214 """
215 Call this to get the pyro proxy instance for the request.
215 Call this to get the pyro proxy instance for the request.
216 """
216 """
217 # Return already borrowed proxy for this request
217
218 # If called without a request context we return new proxy instances
219 # on every call. This allows to run e.g. invoke tasks.
220 if request is None:
221 log.info('Creating pyro proxy without request context for '
222 'remote_uri=%s', self._remote_uri)
223 return Pyro4.Proxy(self._remote_uri)
224
225 # If there is an already borrowed proxy for the request context we
226 # return that instance instead of creating a new one.
218 if request in self._borrowed_proxies:
227 if request in self._borrowed_proxies:
219 return self._borrowed_proxies[request]
228 return self._borrowed_proxies[request]
220
229
221 # Get proxy from pool or create new instance.
230 # Get proxy from pool or create new instance.
222 try:
231 try:
223 proxy = self._proxy_pool.pop()
232 proxy = self._proxy_pool.pop()
224 except IndexError:
233 except IndexError:
225 log.info('Creating new proxy for remote_uri=%s', self._remote_uri)
234 log.info('Creating new proxy for remote_uri=%s', self._remote_uri)
226 proxy = Pyro4.Proxy(self._remote_uri)
235 proxy = Pyro4.Proxy(self._remote_uri)
227
236
228 # Store proxy instance as borrowed and add request callback.
237 # Store proxy instance as borrowed and add request callback.
229 self._borrowed_proxies[request] = proxy
238 self._borrowed_proxies[request] = proxy
230 request.add_finished_callback(self._returnProxy)
239 request.add_finished_callback(self._returnProxy)
231
240
232 return proxy
241 return proxy
233
242
234 def _returnProxy(self, request):
243 def _returnProxy(self, request):
235 """
244 """
236 Callback that gets called by pyramid when the request is finished.
245 Callback that gets called by pyramid when the request is finished.
237 It puts the proxy back into the pool.
246 It puts the proxy back into the pool.
238 """
247 """
239 if request in self._borrowed_proxies:
248 if request in self._borrowed_proxies:
240 proxy = self._borrowed_proxies.pop(request)
249 proxy = self._borrowed_proxies.pop(request)
241 self._proxy_pool.append(proxy)
250 self._proxy_pool.append(proxy)
242 else:
251 else:
243 log.warn('Return proxy for remote_uri=%s but no proxy borrowed '
252 log.warn('Return proxy for remote_uri=%s but no proxy borrowed '
244 'for this request.', self._remote_uri)
253 'for this request.', self._remote_uri)
245
254
246
255
247 class RemoteRepo(object):
256 class RemoteRepo(object):
248
257
249 def __init__(self, path, config, remote_proxy, with_wire=None):
258 def __init__(self, path, config, remote_proxy, with_wire=None):
250 self._wire = {
259 self._wire = {
251 "path": path,
260 "path": path,
252 "config": config,
261 "config": config,
253 "context": uuid.uuid4(),
262 "context": uuid.uuid4(),
254 }
263 }
255 if with_wire:
264 if with_wire:
256 self._wire.update(with_wire)
265 self._wire.update(with_wire)
257 self._remote_proxy = remote_proxy
266 self._remote_proxy = remote_proxy
258 self.refs = RefsWrapper(self)
267 self.refs = RefsWrapper(self)
259
268
260 def __getattr__(self, name):
269 def __getattr__(self, name):
261 log.debug('Calling %s@%s', self._remote_proxy, name)
270 log.debug('Calling %s@%s', self._remote_proxy, name)
262 # TODO: oliver: This is currently necessary pre-call since the
271 # TODO: oliver: This is currently necessary pre-call since the
263 # config object is being changed for hooking scenarios
272 # config object is being changed for hooking scenarios
264 wire = copy.deepcopy(self._wire)
273 wire = copy.deepcopy(self._wire)
265 wire["config"] = wire["config"].serialize()
274 wire["config"] = wire["config"].serialize()
266
275
267 try:
276 try:
268 func = _get_proxy_method(self._remote_proxy, name)
277 func = _get_proxy_method(self._remote_proxy, name)
269 except DaemonError as e:
278 except DaemonError as e:
270 if e.message == 'unknown object':
279 if e.message == 'unknown object':
271 raise exceptions.VCSBackendNotSupportedError
280 raise exceptions.VCSBackendNotSupportedError
272 else:
281 else:
273 raise
282 raise
274
283
275 return _wrap_remote_call(self._remote_proxy, func, wire)
284 return _wrap_remote_call(self._remote_proxy, func, wire)
276
285
277 def __getitem__(self, key):
286 def __getitem__(self, key):
278 return self.revision(key)
287 return self.revision(key)
279
288
280
289
281 def _get_proxy_method(proxy, name):
290 def _get_proxy_method(proxy, name):
282 try:
291 try:
283 return getattr(proxy, name)
292 return getattr(proxy, name)
284 except CommunicationError:
293 except CommunicationError:
285 raise CommunicationError(
294 raise CommunicationError(
286 'Unable to connect to remote pyro server %s' % proxy)
295 'Unable to connect to remote pyro server %s' % proxy)
287
296
288
297
289 def _wrap_remote_call(proxy, func, *args):
298 def _wrap_remote_call(proxy, func, *args):
290 all_args = list(args)
299 all_args = list(args)
291
300
292 @exceptions.map_vcs_exceptions
301 @exceptions.map_vcs_exceptions
293 def caller(*args, **kwargs):
302 def caller(*args, **kwargs):
294 all_args.extend(args)
303 all_args.extend(args)
295 try:
304 try:
296 return func(*all_args, **kwargs)
305 return func(*all_args, **kwargs)
297 except ConnectionClosedError:
306 except ConnectionClosedError:
298 log.debug('Connection to VCSServer closed, trying to reconnect.')
307 log.debug('Connection to VCSServer closed, trying to reconnect.')
299 proxy._pyroReconnect(tries=settings.PYRO_RECONNECT_TRIES)
308 proxy._pyroReconnect(tries=settings.PYRO_RECONNECT_TRIES)
300
309
301 return func(*all_args, **kwargs)
310 return func(*all_args, **kwargs)
302
311
303 return caller
312 return caller
304
313
305
314
306 class RefsWrapper(object):
315 class RefsWrapper(object):
307
316
308 def __init__(self, repo):
317 def __init__(self, repo):
309 self._repo = weakref.proxy(repo)
318 self._repo = weakref.proxy(repo)
310
319
311 def __setitem__(self, key, value):
320 def __setitem__(self, key, value):
312 self._repo._assign_ref(key, value)
321 self._repo._assign_ref(key, value)
313
322
314
323
315 class FunctionWrapper(object):
324 class FunctionWrapper(object):
316
325
317 def __init__(self, func, wire):
326 def __init__(self, func, wire):
318 self._func = func
327 self._func = func
319 self._wire = wire
328 self._wire = wire
320
329
321 @exceptions.map_vcs_exceptions
330 @exceptions.map_vcs_exceptions
322 def __call__(self, *args, **kwargs):
331 def __call__(self, *args, **kwargs):
323 return self._func(self._wire, *args, **kwargs)
332 return self._func(self._wire, *args, **kwargs)
General Comments 0
You need to be logged in to leave comments. Login now