Show More
@@ -1,1065 +1,1069 b'' | |||||
1 | """Views of remote engines. |
|
1 | """Views of remote engines. | |
2 |
|
2 | |||
3 | Authors: |
|
3 | Authors: | |
4 |
|
4 | |||
5 | * Min RK |
|
5 | * Min RK | |
6 | """ |
|
6 | """ | |
7 | #----------------------------------------------------------------------------- |
|
7 | #----------------------------------------------------------------------------- | |
8 | # Copyright (C) 2010-2011 The IPython Development Team |
|
8 | # Copyright (C) 2010-2011 The IPython Development Team | |
9 | # |
|
9 | # | |
10 | # Distributed under the terms of the BSD License. The full license is in |
|
10 | # Distributed under the terms of the BSD License. The full license is in | |
11 | # the file COPYING, distributed as part of this software. |
|
11 | # the file COPYING, distributed as part of this software. | |
12 | #----------------------------------------------------------------------------- |
|
12 | #----------------------------------------------------------------------------- | |
13 |
|
13 | |||
14 | #----------------------------------------------------------------------------- |
|
14 | #----------------------------------------------------------------------------- | |
15 | # Imports |
|
15 | # Imports | |
16 | #----------------------------------------------------------------------------- |
|
16 | #----------------------------------------------------------------------------- | |
17 |
|
17 | |||
18 | import imp |
|
18 | import imp | |
19 | import sys |
|
19 | import sys | |
20 | import warnings |
|
20 | import warnings | |
21 | from contextlib import contextmanager |
|
21 | from contextlib import contextmanager | |
22 | from types import ModuleType |
|
22 | from types import ModuleType | |
23 |
|
23 | |||
24 | import zmq |
|
24 | import zmq | |
25 |
|
25 | |||
26 | from IPython.testing.skipdoctest import skip_doctest |
|
26 | from IPython.testing.skipdoctest import skip_doctest | |
27 | from IPython.utils.traitlets import ( |
|
27 | from IPython.utils.traitlets import ( | |
28 | HasTraits, Any, Bool, List, Dict, Set, Instance, CFloat, Integer |
|
28 | HasTraits, Any, Bool, List, Dict, Set, Instance, CFloat, Integer | |
29 | ) |
|
29 | ) | |
30 | from IPython.external.decorator import decorator |
|
30 | from IPython.external.decorator import decorator | |
31 |
|
31 | |||
32 | from IPython.parallel import util |
|
32 | from IPython.parallel import util | |
33 | from IPython.parallel.controller.dependency import Dependency, dependent |
|
33 | from IPython.parallel.controller.dependency import Dependency, dependent | |
34 |
|
34 | |||
35 | from . import map as Map |
|
35 | from . import map as Map | |
36 | from .asyncresult import AsyncResult, AsyncMapResult |
|
36 | from .asyncresult import AsyncResult, AsyncMapResult | |
37 | from .remotefunction import ParallelFunction, parallel, remote, getname |
|
37 | from .remotefunction import ParallelFunction, parallel, remote, getname | |
38 |
|
38 | |||
39 | #----------------------------------------------------------------------------- |
|
39 | #----------------------------------------------------------------------------- | |
40 | # Decorators |
|
40 | # Decorators | |
41 | #----------------------------------------------------------------------------- |
|
41 | #----------------------------------------------------------------------------- | |
42 |
|
42 | |||
43 | @decorator |
|
43 | @decorator | |
44 | def save_ids(f, self, *args, **kwargs): |
|
44 | def save_ids(f, self, *args, **kwargs): | |
45 | """Keep our history and outstanding attributes up to date after a method call.""" |
|
45 | """Keep our history and outstanding attributes up to date after a method call.""" | |
46 | n_previous = len(self.client.history) |
|
46 | n_previous = len(self.client.history) | |
47 | try: |
|
47 | try: | |
48 | ret = f(self, *args, **kwargs) |
|
48 | ret = f(self, *args, **kwargs) | |
49 | finally: |
|
49 | finally: | |
50 | nmsgs = len(self.client.history) - n_previous |
|
50 | nmsgs = len(self.client.history) - n_previous | |
51 | msg_ids = self.client.history[-nmsgs:] |
|
51 | msg_ids = self.client.history[-nmsgs:] | |
52 | self.history.extend(msg_ids) |
|
52 | self.history.extend(msg_ids) | |
53 | map(self.outstanding.add, msg_ids) |
|
53 | map(self.outstanding.add, msg_ids) | |
54 | return ret |
|
54 | return ret | |
55 |
|
55 | |||
56 | @decorator |
|
56 | @decorator | |
57 | def sync_results(f, self, *args, **kwargs): |
|
57 | def sync_results(f, self, *args, **kwargs): | |
58 | """sync relevant results from self.client to our results attribute.""" |
|
58 | """sync relevant results from self.client to our results attribute.""" | |
59 | ret = f(self, *args, **kwargs) |
|
59 | ret = f(self, *args, **kwargs) | |
60 | delta = self.outstanding.difference(self.client.outstanding) |
|
60 | delta = self.outstanding.difference(self.client.outstanding) | |
61 | completed = self.outstanding.intersection(delta) |
|
61 | completed = self.outstanding.intersection(delta) | |
62 | self.outstanding = self.outstanding.difference(completed) |
|
62 | self.outstanding = self.outstanding.difference(completed) | |
63 | for msg_id in completed: |
|
63 | for msg_id in completed: | |
64 | self.results[msg_id] = self.client.results[msg_id] |
|
64 | self.results[msg_id] = self.client.results[msg_id] | |
65 | return ret |
|
65 | return ret | |
66 |
|
66 | |||
67 | @decorator |
|
67 | @decorator | |
68 | def spin_after(f, self, *args, **kwargs): |
|
68 | def spin_after(f, self, *args, **kwargs): | |
69 | """call spin after the method.""" |
|
69 | """call spin after the method.""" | |
70 | ret = f(self, *args, **kwargs) |
|
70 | ret = f(self, *args, **kwargs) | |
71 | self.spin() |
|
71 | self.spin() | |
72 | return ret |
|
72 | return ret | |
73 |
|
73 | |||
74 | #----------------------------------------------------------------------------- |
|
74 | #----------------------------------------------------------------------------- | |
75 | # Classes |
|
75 | # Classes | |
76 | #----------------------------------------------------------------------------- |
|
76 | #----------------------------------------------------------------------------- | |
77 |
|
77 | |||
78 | @skip_doctest |
|
78 | @skip_doctest | |
79 | class View(HasTraits): |
|
79 | class View(HasTraits): | |
80 | """Base View class for more convenint apply(f,*args,**kwargs) syntax via attributes. |
|
80 | """Base View class for more convenint apply(f,*args,**kwargs) syntax via attributes. | |
81 |
|
81 | |||
82 | Don't use this class, use subclasses. |
|
82 | Don't use this class, use subclasses. | |
83 |
|
83 | |||
84 | Methods |
|
84 | Methods | |
85 | ------- |
|
85 | ------- | |
86 |
|
86 | |||
87 | spin |
|
87 | spin | |
88 | flushes incoming results and registration state changes |
|
88 | flushes incoming results and registration state changes | |
89 | control methods spin, and requesting `ids` also ensures up to date |
|
89 | control methods spin, and requesting `ids` also ensures up to date | |
90 |
|
90 | |||
91 | wait |
|
91 | wait | |
92 | wait on one or more msg_ids |
|
92 | wait on one or more msg_ids | |
93 |
|
93 | |||
94 | execution methods |
|
94 | execution methods | |
95 | apply |
|
95 | apply | |
96 | legacy: execute, run |
|
96 | legacy: execute, run | |
97 |
|
97 | |||
98 | data movement |
|
98 | data movement | |
99 | push, pull, scatter, gather |
|
99 | push, pull, scatter, gather | |
100 |
|
100 | |||
101 | query methods |
|
101 | query methods | |
102 | get_result, queue_status, purge_results, result_status |
|
102 | get_result, queue_status, purge_results, result_status | |
103 |
|
103 | |||
104 | control methods |
|
104 | control methods | |
105 | abort, shutdown |
|
105 | abort, shutdown | |
106 |
|
106 | |||
107 | """ |
|
107 | """ | |
108 | # flags |
|
108 | # flags | |
109 | block=Bool(False) |
|
109 | block=Bool(False) | |
110 | track=Bool(True) |
|
110 | track=Bool(True) | |
111 | targets = Any() |
|
111 | targets = Any() | |
112 |
|
112 | |||
113 | history=List() |
|
113 | history=List() | |
114 | outstanding = Set() |
|
114 | outstanding = Set() | |
115 | results = Dict() |
|
115 | results = Dict() | |
116 | client = Instance('IPython.parallel.Client') |
|
116 | client = Instance('IPython.parallel.Client') | |
117 |
|
117 | |||
118 | _socket = Instance('zmq.Socket') |
|
118 | _socket = Instance('zmq.Socket') | |
119 | _flag_names = List(['targets', 'block', 'track']) |
|
119 | _flag_names = List(['targets', 'block', 'track']) | |
120 | _targets = Any() |
|
120 | _targets = Any() | |
121 | _idents = Any() |
|
121 | _idents = Any() | |
122 |
|
122 | |||
123 | def __init__(self, client=None, socket=None, **flags): |
|
123 | def __init__(self, client=None, socket=None, **flags): | |
124 | super(View, self).__init__(client=client, _socket=socket) |
|
124 | super(View, self).__init__(client=client, _socket=socket) | |
125 | self.block = client.block |
|
125 | self.block = client.block | |
126 |
|
126 | |||
127 | self.set_flags(**flags) |
|
127 | self.set_flags(**flags) | |
128 |
|
128 | |||
129 | assert not self.__class__ is View, "Don't use base View objects, use subclasses" |
|
129 | assert not self.__class__ is View, "Don't use base View objects, use subclasses" | |
130 |
|
130 | |||
131 |
|
131 | |||
132 | def __repr__(self): |
|
132 | def __repr__(self): | |
133 | strtargets = str(self.targets) |
|
133 | strtargets = str(self.targets) | |
134 | if len(strtargets) > 16: |
|
134 | if len(strtargets) > 16: | |
135 | strtargets = strtargets[:12]+'...]' |
|
135 | strtargets = strtargets[:12]+'...]' | |
136 | return "<%s %s>"%(self.__class__.__name__, strtargets) |
|
136 | return "<%s %s>"%(self.__class__.__name__, strtargets) | |
137 |
|
137 | |||
138 | def set_flags(self, **kwargs): |
|
138 | def set_flags(self, **kwargs): | |
139 | """set my attribute flags by keyword. |
|
139 | """set my attribute flags by keyword. | |
140 |
|
140 | |||
141 | Views determine behavior with a few attributes (`block`, `track`, etc.). |
|
141 | Views determine behavior with a few attributes (`block`, `track`, etc.). | |
142 | These attributes can be set all at once by name with this method. |
|
142 | These attributes can be set all at once by name with this method. | |
143 |
|
143 | |||
144 | Parameters |
|
144 | Parameters | |
145 | ---------- |
|
145 | ---------- | |
146 |
|
146 | |||
147 | block : bool |
|
147 | block : bool | |
148 | whether to wait for results |
|
148 | whether to wait for results | |
149 | track : bool |
|
149 | track : bool | |
150 | whether to create a MessageTracker to allow the user to |
|
150 | whether to create a MessageTracker to allow the user to | |
151 | safely edit after arrays and buffers during non-copying |
|
151 | safely edit after arrays and buffers during non-copying | |
152 | sends. |
|
152 | sends. | |
153 | """ |
|
153 | """ | |
154 | for name, value in kwargs.iteritems(): |
|
154 | for name, value in kwargs.iteritems(): | |
155 | if name not in self._flag_names: |
|
155 | if name not in self._flag_names: | |
156 | raise KeyError("Invalid name: %r"%name) |
|
156 | raise KeyError("Invalid name: %r"%name) | |
157 | else: |
|
157 | else: | |
158 | setattr(self, name, value) |
|
158 | setattr(self, name, value) | |
159 |
|
159 | |||
160 | @contextmanager |
|
160 | @contextmanager | |
161 | def temp_flags(self, **kwargs): |
|
161 | def temp_flags(self, **kwargs): | |
162 | """temporarily set flags, for use in `with` statements. |
|
162 | """temporarily set flags, for use in `with` statements. | |
163 |
|
163 | |||
164 | See set_flags for permanent setting of flags |
|
164 | See set_flags for permanent setting of flags | |
165 |
|
165 | |||
166 | Examples |
|
166 | Examples | |
167 | -------- |
|
167 | -------- | |
168 |
|
168 | |||
169 | >>> view.track=False |
|
169 | >>> view.track=False | |
170 | ... |
|
170 | ... | |
171 | >>> with view.temp_flags(track=True): |
|
171 | >>> with view.temp_flags(track=True): | |
172 | ... ar = view.apply(dostuff, my_big_array) |
|
172 | ... ar = view.apply(dostuff, my_big_array) | |
173 | ... ar.tracker.wait() # wait for send to finish |
|
173 | ... ar.tracker.wait() # wait for send to finish | |
174 | >>> view.track |
|
174 | >>> view.track | |
175 | False |
|
175 | False | |
176 |
|
176 | |||
177 | """ |
|
177 | """ | |
178 | # preflight: save flags, and set temporaries |
|
178 | # preflight: save flags, and set temporaries | |
179 | saved_flags = {} |
|
179 | saved_flags = {} | |
180 | for f in self._flag_names: |
|
180 | for f in self._flag_names: | |
181 | saved_flags[f] = getattr(self, f) |
|
181 | saved_flags[f] = getattr(self, f) | |
182 | self.set_flags(**kwargs) |
|
182 | self.set_flags(**kwargs) | |
183 | # yield to the with-statement block |
|
183 | # yield to the with-statement block | |
184 | try: |
|
184 | try: | |
185 | yield |
|
185 | yield | |
186 | finally: |
|
186 | finally: | |
187 | # postflight: restore saved flags |
|
187 | # postflight: restore saved flags | |
188 | self.set_flags(**saved_flags) |
|
188 | self.set_flags(**saved_flags) | |
189 |
|
189 | |||
190 |
|
190 | |||
191 | #---------------------------------------------------------------- |
|
191 | #---------------------------------------------------------------- | |
192 | # apply |
|
192 | # apply | |
193 | #---------------------------------------------------------------- |
|
193 | #---------------------------------------------------------------- | |
194 |
|
194 | |||
195 | @sync_results |
|
195 | @sync_results | |
196 | @save_ids |
|
196 | @save_ids | |
197 | def _really_apply(self, f, args, kwargs, block=None, **options): |
|
197 | def _really_apply(self, f, args, kwargs, block=None, **options): | |
198 | """wrapper for client.send_apply_message""" |
|
198 | """wrapper for client.send_apply_message""" | |
199 | raise NotImplementedError("Implement in subclasses") |
|
199 | raise NotImplementedError("Implement in subclasses") | |
200 |
|
200 | |||
201 | def apply(self, f, *args, **kwargs): |
|
201 | def apply(self, f, *args, **kwargs): | |
202 | """calls f(*args, **kwargs) on remote engines, returning the result. |
|
202 | """calls f(*args, **kwargs) on remote engines, returning the result. | |
203 |
|
203 | |||
204 | This method sets all apply flags via this View's attributes. |
|
204 | This method sets all apply flags via this View's attributes. | |
205 |
|
205 | |||
206 | if self.block is False: |
|
206 | if self.block is False: | |
207 | returns AsyncResult |
|
207 | returns AsyncResult | |
208 | else: |
|
208 | else: | |
209 | returns actual result of f(*args, **kwargs) |
|
209 | returns actual result of f(*args, **kwargs) | |
210 | """ |
|
210 | """ | |
211 | return self._really_apply(f, args, kwargs) |
|
211 | return self._really_apply(f, args, kwargs) | |
212 |
|
212 | |||
213 | def apply_async(self, f, *args, **kwargs): |
|
213 | def apply_async(self, f, *args, **kwargs): | |
214 | """calls f(*args, **kwargs) on remote engines in a nonblocking manner. |
|
214 | """calls f(*args, **kwargs) on remote engines in a nonblocking manner. | |
215 |
|
215 | |||
216 | returns AsyncResult |
|
216 | returns AsyncResult | |
217 | """ |
|
217 | """ | |
218 | return self._really_apply(f, args, kwargs, block=False) |
|
218 | return self._really_apply(f, args, kwargs, block=False) | |
219 |
|
219 | |||
220 | @spin_after |
|
220 | @spin_after | |
221 | def apply_sync(self, f, *args, **kwargs): |
|
221 | def apply_sync(self, f, *args, **kwargs): | |
222 | """calls f(*args, **kwargs) on remote engines in a blocking manner, |
|
222 | """calls f(*args, **kwargs) on remote engines in a blocking manner, | |
223 | returning the result. |
|
223 | returning the result. | |
224 |
|
224 | |||
225 | returns: actual result of f(*args, **kwargs) |
|
225 | returns: actual result of f(*args, **kwargs) | |
226 | """ |
|
226 | """ | |
227 | return self._really_apply(f, args, kwargs, block=True) |
|
227 | return self._really_apply(f, args, kwargs, block=True) | |
228 |
|
228 | |||
229 | #---------------------------------------------------------------- |
|
229 | #---------------------------------------------------------------- | |
230 | # wrappers for client and control methods |
|
230 | # wrappers for client and control methods | |
231 | #---------------------------------------------------------------- |
|
231 | #---------------------------------------------------------------- | |
232 | @sync_results |
|
232 | @sync_results | |
233 | def spin(self): |
|
233 | def spin(self): | |
234 | """spin the client, and sync""" |
|
234 | """spin the client, and sync""" | |
235 | self.client.spin() |
|
235 | self.client.spin() | |
236 |
|
236 | |||
237 | @sync_results |
|
237 | @sync_results | |
238 | def wait(self, jobs=None, timeout=-1): |
|
238 | def wait(self, jobs=None, timeout=-1): | |
239 | """waits on one or more `jobs`, for up to `timeout` seconds. |
|
239 | """waits on one or more `jobs`, for up to `timeout` seconds. | |
240 |
|
240 | |||
241 | Parameters |
|
241 | Parameters | |
242 | ---------- |
|
242 | ---------- | |
243 |
|
243 | |||
244 | jobs : int, str, or list of ints and/or strs, or one or more AsyncResult objects |
|
244 | jobs : int, str, or list of ints and/or strs, or one or more AsyncResult objects | |
245 | ints are indices to self.history |
|
245 | ints are indices to self.history | |
246 | strs are msg_ids |
|
246 | strs are msg_ids | |
247 | default: wait on all outstanding messages |
|
247 | default: wait on all outstanding messages | |
248 | timeout : float |
|
248 | timeout : float | |
249 | a time in seconds, after which to give up. |
|
249 | a time in seconds, after which to give up. | |
250 | default is -1, which means no timeout |
|
250 | default is -1, which means no timeout | |
251 |
|
251 | |||
252 | Returns |
|
252 | Returns | |
253 | ------- |
|
253 | ------- | |
254 |
|
254 | |||
255 | True : when all msg_ids are done |
|
255 | True : when all msg_ids are done | |
256 | False : timeout reached, some msg_ids still outstanding |
|
256 | False : timeout reached, some msg_ids still outstanding | |
257 | """ |
|
257 | """ | |
258 | if jobs is None: |
|
258 | if jobs is None: | |
259 | jobs = self.history |
|
259 | jobs = self.history | |
260 | return self.client.wait(jobs, timeout) |
|
260 | return self.client.wait(jobs, timeout) | |
261 |
|
261 | |||
262 | def abort(self, jobs=None, targets=None, block=None): |
|
262 | def abort(self, jobs=None, targets=None, block=None): | |
263 | """Abort jobs on my engines. |
|
263 | """Abort jobs on my engines. | |
264 |
|
264 | |||
265 | Parameters |
|
265 | Parameters | |
266 | ---------- |
|
266 | ---------- | |
267 |
|
267 | |||
268 | jobs : None, str, list of strs, optional |
|
268 | jobs : None, str, list of strs, optional | |
269 | if None: abort all jobs. |
|
269 | if None: abort all jobs. | |
270 | else: abort specific msg_id(s). |
|
270 | else: abort specific msg_id(s). | |
271 | """ |
|
271 | """ | |
272 | block = block if block is not None else self.block |
|
272 | block = block if block is not None else self.block | |
273 | targets = targets if targets is not None else self.targets |
|
273 | targets = targets if targets is not None else self.targets | |
274 | jobs = jobs if jobs is not None else list(self.outstanding) |
|
274 | jobs = jobs if jobs is not None else list(self.outstanding) | |
275 |
|
275 | |||
276 | return self.client.abort(jobs=jobs, targets=targets, block=block) |
|
276 | return self.client.abort(jobs=jobs, targets=targets, block=block) | |
277 |
|
277 | |||
278 | def queue_status(self, targets=None, verbose=False): |
|
278 | def queue_status(self, targets=None, verbose=False): | |
279 | """Fetch the Queue status of my engines""" |
|
279 | """Fetch the Queue status of my engines""" | |
280 | targets = targets if targets is not None else self.targets |
|
280 | targets = targets if targets is not None else self.targets | |
281 | return self.client.queue_status(targets=targets, verbose=verbose) |
|
281 | return self.client.queue_status(targets=targets, verbose=verbose) | |
282 |
|
282 | |||
283 | def purge_results(self, jobs=[], targets=[]): |
|
283 | def purge_results(self, jobs=[], targets=[]): | |
284 | """Instruct the controller to forget specific results.""" |
|
284 | """Instruct the controller to forget specific results.""" | |
285 | if targets is None or targets == 'all': |
|
285 | if targets is None or targets == 'all': | |
286 | targets = self.targets |
|
286 | targets = self.targets | |
287 | return self.client.purge_results(jobs=jobs, targets=targets) |
|
287 | return self.client.purge_results(jobs=jobs, targets=targets) | |
288 |
|
288 | |||
289 | def shutdown(self, targets=None, restart=False, hub=False, block=None): |
|
289 | def shutdown(self, targets=None, restart=False, hub=False, block=None): | |
290 | """Terminates one or more engine processes, optionally including the hub. |
|
290 | """Terminates one or more engine processes, optionally including the hub. | |
291 | """ |
|
291 | """ | |
292 | block = self.block if block is None else block |
|
292 | block = self.block if block is None else block | |
293 | if targets is None or targets == 'all': |
|
293 | if targets is None or targets == 'all': | |
294 | targets = self.targets |
|
294 | targets = self.targets | |
295 | return self.client.shutdown(targets=targets, restart=restart, hub=hub, block=block) |
|
295 | return self.client.shutdown(targets=targets, restart=restart, hub=hub, block=block) | |
296 |
|
296 | |||
297 | @spin_after |
|
297 | @spin_after | |
298 | def get_result(self, indices_or_msg_ids=None): |
|
298 | def get_result(self, indices_or_msg_ids=None): | |
299 | """return one or more results, specified by history index or msg_id. |
|
299 | """return one or more results, specified by history index or msg_id. | |
300 |
|
300 | |||
301 | See client.get_result for details. |
|
301 | See client.get_result for details. | |
302 |
|
302 | |||
303 | """ |
|
303 | """ | |
304 |
|
304 | |||
305 | if indices_or_msg_ids is None: |
|
305 | if indices_or_msg_ids is None: | |
306 | indices_or_msg_ids = -1 |
|
306 | indices_or_msg_ids = -1 | |
307 | if isinstance(indices_or_msg_ids, int): |
|
307 | if isinstance(indices_or_msg_ids, int): | |
308 | indices_or_msg_ids = self.history[indices_or_msg_ids] |
|
308 | indices_or_msg_ids = self.history[indices_or_msg_ids] | |
309 | elif isinstance(indices_or_msg_ids, (list,tuple,set)): |
|
309 | elif isinstance(indices_or_msg_ids, (list,tuple,set)): | |
310 | indices_or_msg_ids = list(indices_or_msg_ids) |
|
310 | indices_or_msg_ids = list(indices_or_msg_ids) | |
311 | for i,index in enumerate(indices_or_msg_ids): |
|
311 | for i,index in enumerate(indices_or_msg_ids): | |
312 | if isinstance(index, int): |
|
312 | if isinstance(index, int): | |
313 | indices_or_msg_ids[i] = self.history[index] |
|
313 | indices_or_msg_ids[i] = self.history[index] | |
314 | return self.client.get_result(indices_or_msg_ids) |
|
314 | return self.client.get_result(indices_or_msg_ids) | |
315 |
|
315 | |||
316 | #------------------------------------------------------------------- |
|
316 | #------------------------------------------------------------------- | |
317 | # Map |
|
317 | # Map | |
318 | #------------------------------------------------------------------- |
|
318 | #------------------------------------------------------------------- | |
319 |
|
319 | |||
320 | def map(self, f, *sequences, **kwargs): |
|
320 | def map(self, f, *sequences, **kwargs): | |
321 | """override in subclasses""" |
|
321 | """override in subclasses""" | |
322 | raise NotImplementedError |
|
322 | raise NotImplementedError | |
323 |
|
323 | |||
324 | def map_async(self, f, *sequences, **kwargs): |
|
324 | def map_async(self, f, *sequences, **kwargs): | |
325 | """Parallel version of builtin `map`, using this view's engines. |
|
325 | """Parallel version of builtin `map`, using this view's engines. | |
326 |
|
326 | |||
327 | This is equivalent to map(...block=False) |
|
327 | This is equivalent to map(...block=False) | |
328 |
|
328 | |||
329 | See `self.map` for details. |
|
329 | See `self.map` for details. | |
330 | """ |
|
330 | """ | |
331 | if 'block' in kwargs: |
|
331 | if 'block' in kwargs: | |
332 | raise TypeError("map_async doesn't take a `block` keyword argument.") |
|
332 | raise TypeError("map_async doesn't take a `block` keyword argument.") | |
333 | kwargs['block'] = False |
|
333 | kwargs['block'] = False | |
334 | return self.map(f,*sequences,**kwargs) |
|
334 | return self.map(f,*sequences,**kwargs) | |
335 |
|
335 | |||
336 | def map_sync(self, f, *sequences, **kwargs): |
|
336 | def map_sync(self, f, *sequences, **kwargs): | |
337 | """Parallel version of builtin `map`, using this view's engines. |
|
337 | """Parallel version of builtin `map`, using this view's engines. | |
338 |
|
338 | |||
339 | This is equivalent to map(...block=True) |
|
339 | This is equivalent to map(...block=True) | |
340 |
|
340 | |||
341 | See `self.map` for details. |
|
341 | See `self.map` for details. | |
342 | """ |
|
342 | """ | |
343 | if 'block' in kwargs: |
|
343 | if 'block' in kwargs: | |
344 | raise TypeError("map_sync doesn't take a `block` keyword argument.") |
|
344 | raise TypeError("map_sync doesn't take a `block` keyword argument.") | |
345 | kwargs['block'] = True |
|
345 | kwargs['block'] = True | |
346 | return self.map(f,*sequences,**kwargs) |
|
346 | return self.map(f,*sequences,**kwargs) | |
347 |
|
347 | |||
348 | def imap(self, f, *sequences, **kwargs): |
|
348 | def imap(self, f, *sequences, **kwargs): | |
349 | """Parallel version of `itertools.imap`. |
|
349 | """Parallel version of `itertools.imap`. | |
350 |
|
350 | |||
351 | See `self.map` for details. |
|
351 | See `self.map` for details. | |
352 |
|
352 | |||
353 | """ |
|
353 | """ | |
354 |
|
354 | |||
355 | return iter(self.map_async(f,*sequences, **kwargs)) |
|
355 | return iter(self.map_async(f,*sequences, **kwargs)) | |
356 |
|
356 | |||
357 | #------------------------------------------------------------------- |
|
357 | #------------------------------------------------------------------- | |
358 | # Decorators |
|
358 | # Decorators | |
359 | #------------------------------------------------------------------- |
|
359 | #------------------------------------------------------------------- | |
360 |
|
360 | |||
361 | def remote(self, block=True, **flags): |
|
361 | def remote(self, block=True, **flags): | |
362 | """Decorator for making a RemoteFunction""" |
|
362 | """Decorator for making a RemoteFunction""" | |
363 | block = self.block if block is None else block |
|
363 | block = self.block if block is None else block | |
364 | return remote(self, block=block, **flags) |
|
364 | return remote(self, block=block, **flags) | |
365 |
|
365 | |||
366 | def parallel(self, dist='b', block=None, **flags): |
|
366 | def parallel(self, dist='b', block=None, **flags): | |
367 | """Decorator for making a ParallelFunction""" |
|
367 | """Decorator for making a ParallelFunction""" | |
368 | block = self.block if block is None else block |
|
368 | block = self.block if block is None else block | |
369 | return parallel(self, dist=dist, block=block, **flags) |
|
369 | return parallel(self, dist=dist, block=block, **flags) | |
370 |
|
370 | |||
371 | @skip_doctest |
|
371 | @skip_doctest | |
372 | class DirectView(View): |
|
372 | class DirectView(View): | |
373 | """Direct Multiplexer View of one or more engines. |
|
373 | """Direct Multiplexer View of one or more engines. | |
374 |
|
374 | |||
375 | These are created via indexed access to a client: |
|
375 | These are created via indexed access to a client: | |
376 |
|
376 | |||
377 | >>> dv_1 = client[1] |
|
377 | >>> dv_1 = client[1] | |
378 | >>> dv_all = client[:] |
|
378 | >>> dv_all = client[:] | |
379 | >>> dv_even = client[::2] |
|
379 | >>> dv_even = client[::2] | |
380 | >>> dv_some = client[1:3] |
|
380 | >>> dv_some = client[1:3] | |
381 |
|
381 | |||
382 | This object provides dictionary access to engine namespaces: |
|
382 | This object provides dictionary access to engine namespaces: | |
383 |
|
383 | |||
384 | # push a=5: |
|
384 | # push a=5: | |
385 | >>> dv['a'] = 5 |
|
385 | >>> dv['a'] = 5 | |
386 | # pull 'foo': |
|
386 | # pull 'foo': | |
387 | >>> db['foo'] |
|
387 | >>> db['foo'] | |
388 |
|
388 | |||
389 | """ |
|
389 | """ | |
390 |
|
390 | |||
391 | def __init__(self, client=None, socket=None, targets=None): |
|
391 | def __init__(self, client=None, socket=None, targets=None): | |
392 | super(DirectView, self).__init__(client=client, socket=socket, targets=targets) |
|
392 | super(DirectView, self).__init__(client=client, socket=socket, targets=targets) | |
393 |
|
393 | |||
394 | @property |
|
394 | @property | |
395 | def importer(self): |
|
395 | def importer(self): | |
396 | """sync_imports(local=True) as a property. |
|
396 | """sync_imports(local=True) as a property. | |
397 |
|
397 | |||
398 | See sync_imports for details. |
|
398 | See sync_imports for details. | |
399 |
|
399 | |||
400 | """ |
|
400 | """ | |
401 | return self.sync_imports(True) |
|
401 | return self.sync_imports(True) | |
402 |
|
402 | |||
403 | @contextmanager |
|
403 | @contextmanager | |
404 | def sync_imports(self, local=True): |
|
404 | def sync_imports(self, local=True, quiet=False): | |
405 | """Context Manager for performing simultaneous local and remote imports. |
|
405 | """Context Manager for performing simultaneous local and remote imports. | |
406 |
|
406 | |||
407 | 'import x as y' will *not* work. The 'as y' part will simply be ignored. |
|
407 | 'import x as y' will *not* work. The 'as y' part will simply be ignored. | |
408 |
|
408 | |||
409 | If `local=True`, then the package will also be imported locally. |
|
409 | If `local=True`, then the package will also be imported locally. | |
410 |
|
410 | |||
|
411 | If `quiet=True`, then no message concerning the success of import will be | |||
|
412 | reported. | |||
|
413 | ||||
411 | Note that remote-only (`local=False`) imports have not been implemented. |
|
414 | Note that remote-only (`local=False`) imports have not been implemented. | |
412 |
|
415 | |||
413 | >>> with view.sync_imports(): |
|
416 | >>> with view.sync_imports(): | |
414 | ... from numpy import recarray |
|
417 | ... from numpy import recarray | |
415 | importing recarray from numpy on engine(s) |
|
418 | importing recarray from numpy on engine(s) | |
416 |
|
419 | |||
417 | """ |
|
420 | """ | |
418 | import __builtin__ |
|
421 | import __builtin__ | |
419 | local_import = __builtin__.__import__ |
|
422 | local_import = __builtin__.__import__ | |
420 | modules = set() |
|
423 | modules = set() | |
421 | results = [] |
|
424 | results = [] | |
422 | @util.interactive |
|
425 | @util.interactive | |
423 | def remote_import(name, fromlist, level): |
|
426 | def remote_import(name, fromlist, level): | |
424 | """the function to be passed to apply, that actually performs the import |
|
427 | """the function to be passed to apply, that actually performs the import | |
425 | on the engine, and loads up the user namespace. |
|
428 | on the engine, and loads up the user namespace. | |
426 | """ |
|
429 | """ | |
427 | import sys |
|
430 | import sys | |
428 | user_ns = globals() |
|
431 | user_ns = globals() | |
429 | mod = __import__(name, fromlist=fromlist, level=level) |
|
432 | mod = __import__(name, fromlist=fromlist, level=level) | |
430 | if fromlist: |
|
433 | if fromlist: | |
431 | for key in fromlist: |
|
434 | for key in fromlist: | |
432 | user_ns[key] = getattr(mod, key) |
|
435 | user_ns[key] = getattr(mod, key) | |
433 | else: |
|
436 | else: | |
434 | user_ns[name] = sys.modules[name] |
|
437 | user_ns[name] = sys.modules[name] | |
435 |
|
438 | |||
436 | def view_import(name, globals={}, locals={}, fromlist=[], level=-1): |
|
439 | def view_import(name, globals={}, locals={}, fromlist=[], level=-1): | |
437 | """the drop-in replacement for __import__, that optionally imports |
|
440 | """the drop-in replacement for __import__, that optionally imports | |
438 | locally as well. |
|
441 | locally as well. | |
439 | """ |
|
442 | """ | |
440 | # don't override nested imports |
|
443 | # don't override nested imports | |
441 | save_import = __builtin__.__import__ |
|
444 | save_import = __builtin__.__import__ | |
442 | __builtin__.__import__ = local_import |
|
445 | __builtin__.__import__ = local_import | |
443 |
|
446 | |||
444 | if imp.lock_held(): |
|
447 | if imp.lock_held(): | |
445 | # this is a side-effect import, don't do it remotely, or even |
|
448 | # this is a side-effect import, don't do it remotely, or even | |
446 | # ignore the local effects |
|
449 | # ignore the local effects | |
447 | return local_import(name, globals, locals, fromlist, level) |
|
450 | return local_import(name, globals, locals, fromlist, level) | |
448 |
|
451 | |||
449 | imp.acquire_lock() |
|
452 | imp.acquire_lock() | |
450 | if local: |
|
453 | if local: | |
451 | mod = local_import(name, globals, locals, fromlist, level) |
|
454 | mod = local_import(name, globals, locals, fromlist, level) | |
452 | else: |
|
455 | else: | |
453 | raise NotImplementedError("remote-only imports not yet implemented") |
|
456 | raise NotImplementedError("remote-only imports not yet implemented") | |
454 | imp.release_lock() |
|
457 | imp.release_lock() | |
455 |
|
458 | |||
456 | key = name+':'+','.join(fromlist or []) |
|
459 | key = name+':'+','.join(fromlist or []) | |
457 | if level == -1 and key not in modules: |
|
460 | if level == -1 and key not in modules: | |
458 | modules.add(key) |
|
461 | modules.add(key) | |
459 |
if |
|
462 | if not quiet: | |
460 | print "importing %s from %s on engine(s)"%(','.join(fromlist), name) |
|
463 | if fromlist: | |
461 | else: |
|
464 | print "importing %s from %s on engine(s)"%(','.join(fromlist), name) | |
462 | print "importing %s on engine(s)"%name |
|
465 | else: | |
|
466 | print "importing %s on engine(s)"%name | |||
463 | results.append(self.apply_async(remote_import, name, fromlist, level)) |
|
467 | results.append(self.apply_async(remote_import, name, fromlist, level)) | |
464 | # restore override |
|
468 | # restore override | |
465 | __builtin__.__import__ = save_import |
|
469 | __builtin__.__import__ = save_import | |
466 |
|
470 | |||
467 | return mod |
|
471 | return mod | |
468 |
|
472 | |||
469 | # override __import__ |
|
473 | # override __import__ | |
470 | __builtin__.__import__ = view_import |
|
474 | __builtin__.__import__ = view_import | |
471 | try: |
|
475 | try: | |
472 | # enter the block |
|
476 | # enter the block | |
473 | yield |
|
477 | yield | |
474 | except ImportError: |
|
478 | except ImportError: | |
475 | if local: |
|
479 | if local: | |
476 | raise |
|
480 | raise | |
477 | else: |
|
481 | else: | |
478 | # ignore import errors if not doing local imports |
|
482 | # ignore import errors if not doing local imports | |
479 | pass |
|
483 | pass | |
480 | finally: |
|
484 | finally: | |
481 | # always restore __import__ |
|
485 | # always restore __import__ | |
482 | __builtin__.__import__ = local_import |
|
486 | __builtin__.__import__ = local_import | |
483 |
|
487 | |||
484 | for r in results: |
|
488 | for r in results: | |
485 | # raise possible remote ImportErrors here |
|
489 | # raise possible remote ImportErrors here | |
486 | r.get() |
|
490 | r.get() | |
487 |
|
491 | |||
488 |
|
492 | |||
489 | @sync_results |
|
493 | @sync_results | |
490 | @save_ids |
|
494 | @save_ids | |
491 | def _really_apply(self, f, args=None, kwargs=None, targets=None, block=None, track=None): |
|
495 | def _really_apply(self, f, args=None, kwargs=None, targets=None, block=None, track=None): | |
492 | """calls f(*args, **kwargs) on remote engines, returning the result. |
|
496 | """calls f(*args, **kwargs) on remote engines, returning the result. | |
493 |
|
497 | |||
494 | This method sets all of `apply`'s flags via this View's attributes. |
|
498 | This method sets all of `apply`'s flags via this View's attributes. | |
495 |
|
499 | |||
496 | Parameters |
|
500 | Parameters | |
497 | ---------- |
|
501 | ---------- | |
498 |
|
502 | |||
499 | f : callable |
|
503 | f : callable | |
500 |
|
504 | |||
501 | args : list [default: empty] |
|
505 | args : list [default: empty] | |
502 |
|
506 | |||
503 | kwargs : dict [default: empty] |
|
507 | kwargs : dict [default: empty] | |
504 |
|
508 | |||
505 | targets : target list [default: self.targets] |
|
509 | targets : target list [default: self.targets] | |
506 | where to run |
|
510 | where to run | |
507 | block : bool [default: self.block] |
|
511 | block : bool [default: self.block] | |
508 | whether to block |
|
512 | whether to block | |
509 | track : bool [default: self.track] |
|
513 | track : bool [default: self.track] | |
510 | whether to ask zmq to track the message, for safe non-copying sends |
|
514 | whether to ask zmq to track the message, for safe non-copying sends | |
511 |
|
515 | |||
512 | Returns |
|
516 | Returns | |
513 | ------- |
|
517 | ------- | |
514 |
|
518 | |||
515 | if self.block is False: |
|
519 | if self.block is False: | |
516 | returns AsyncResult |
|
520 | returns AsyncResult | |
517 | else: |
|
521 | else: | |
518 | returns actual result of f(*args, **kwargs) on the engine(s) |
|
522 | returns actual result of f(*args, **kwargs) on the engine(s) | |
519 | This will be a list of self.targets is also a list (even length 1), or |
|
523 | This will be a list of self.targets is also a list (even length 1), or | |
520 | the single result if self.targets is an integer engine id |
|
524 | the single result if self.targets is an integer engine id | |
521 | """ |
|
525 | """ | |
522 | args = [] if args is None else args |
|
526 | args = [] if args is None else args | |
523 | kwargs = {} if kwargs is None else kwargs |
|
527 | kwargs = {} if kwargs is None else kwargs | |
524 | block = self.block if block is None else block |
|
528 | block = self.block if block is None else block | |
525 | track = self.track if track is None else track |
|
529 | track = self.track if track is None else track | |
526 | targets = self.targets if targets is None else targets |
|
530 | targets = self.targets if targets is None else targets | |
527 |
|
531 | |||
528 | _idents = self.client._build_targets(targets)[0] |
|
532 | _idents = self.client._build_targets(targets)[0] | |
529 | msg_ids = [] |
|
533 | msg_ids = [] | |
530 | trackers = [] |
|
534 | trackers = [] | |
531 | for ident in _idents: |
|
535 | for ident in _idents: | |
532 | msg = self.client.send_apply_message(self._socket, f, args, kwargs, track=track, |
|
536 | msg = self.client.send_apply_message(self._socket, f, args, kwargs, track=track, | |
533 | ident=ident) |
|
537 | ident=ident) | |
534 | if track: |
|
538 | if track: | |
535 | trackers.append(msg['tracker']) |
|
539 | trackers.append(msg['tracker']) | |
536 | msg_ids.append(msg['header']['msg_id']) |
|
540 | msg_ids.append(msg['header']['msg_id']) | |
537 | tracker = None if track is False else zmq.MessageTracker(*trackers) |
|
541 | tracker = None if track is False else zmq.MessageTracker(*trackers) | |
538 | ar = AsyncResult(self.client, msg_ids, fname=getname(f), targets=targets, tracker=tracker) |
|
542 | ar = AsyncResult(self.client, msg_ids, fname=getname(f), targets=targets, tracker=tracker) | |
539 | if block: |
|
543 | if block: | |
540 | try: |
|
544 | try: | |
541 | return ar.get() |
|
545 | return ar.get() | |
542 | except KeyboardInterrupt: |
|
546 | except KeyboardInterrupt: | |
543 | pass |
|
547 | pass | |
544 | return ar |
|
548 | return ar | |
545 |
|
549 | |||
546 | @spin_after |
|
550 | @spin_after | |
547 | def map(self, f, *sequences, **kwargs): |
|
551 | def map(self, f, *sequences, **kwargs): | |
548 | """view.map(f, *sequences, block=self.block) => list|AsyncMapResult |
|
552 | """view.map(f, *sequences, block=self.block) => list|AsyncMapResult | |
549 |
|
553 | |||
550 | Parallel version of builtin `map`, using this View's `targets`. |
|
554 | Parallel version of builtin `map`, using this View's `targets`. | |
551 |
|
555 | |||
552 | There will be one task per target, so work will be chunked |
|
556 | There will be one task per target, so work will be chunked | |
553 | if the sequences are longer than `targets`. |
|
557 | if the sequences are longer than `targets`. | |
554 |
|
558 | |||
555 | Results can be iterated as they are ready, but will become available in chunks. |
|
559 | Results can be iterated as they are ready, but will become available in chunks. | |
556 |
|
560 | |||
557 | Parameters |
|
561 | Parameters | |
558 | ---------- |
|
562 | ---------- | |
559 |
|
563 | |||
560 | f : callable |
|
564 | f : callable | |
561 | function to be mapped |
|
565 | function to be mapped | |
562 | *sequences: one or more sequences of matching length |
|
566 | *sequences: one or more sequences of matching length | |
563 | the sequences to be distributed and passed to `f` |
|
567 | the sequences to be distributed and passed to `f` | |
564 | block : bool |
|
568 | block : bool | |
565 | whether to wait for the result or not [default self.block] |
|
569 | whether to wait for the result or not [default self.block] | |
566 |
|
570 | |||
567 | Returns |
|
571 | Returns | |
568 | ------- |
|
572 | ------- | |
569 |
|
573 | |||
570 | if block=False: |
|
574 | if block=False: | |
571 | AsyncMapResult |
|
575 | AsyncMapResult | |
572 | An object like AsyncResult, but which reassembles the sequence of results |
|
576 | An object like AsyncResult, but which reassembles the sequence of results | |
573 | into a single list. AsyncMapResults can be iterated through before all |
|
577 | into a single list. AsyncMapResults can be iterated through before all | |
574 | results are complete. |
|
578 | results are complete. | |
575 | else: |
|
579 | else: | |
576 | list |
|
580 | list | |
577 | the result of map(f,*sequences) |
|
581 | the result of map(f,*sequences) | |
578 | """ |
|
582 | """ | |
579 |
|
583 | |||
580 | block = kwargs.pop('block', self.block) |
|
584 | block = kwargs.pop('block', self.block) | |
581 | for k in kwargs.keys(): |
|
585 | for k in kwargs.keys(): | |
582 | if k not in ['block', 'track']: |
|
586 | if k not in ['block', 'track']: | |
583 | raise TypeError("invalid keyword arg, %r"%k) |
|
587 | raise TypeError("invalid keyword arg, %r"%k) | |
584 |
|
588 | |||
585 | assert len(sequences) > 0, "must have some sequences to map onto!" |
|
589 | assert len(sequences) > 0, "must have some sequences to map onto!" | |
586 | pf = ParallelFunction(self, f, block=block, **kwargs) |
|
590 | pf = ParallelFunction(self, f, block=block, **kwargs) | |
587 | return pf.map(*sequences) |
|
591 | return pf.map(*sequences) | |
588 |
|
592 | |||
589 | def execute(self, code, targets=None, block=None): |
|
593 | def execute(self, code, targets=None, block=None): | |
590 | """Executes `code` on `targets` in blocking or nonblocking manner. |
|
594 | """Executes `code` on `targets` in blocking or nonblocking manner. | |
591 |
|
595 | |||
592 | ``execute`` is always `bound` (affects engine namespace) |
|
596 | ``execute`` is always `bound` (affects engine namespace) | |
593 |
|
597 | |||
594 | Parameters |
|
598 | Parameters | |
595 | ---------- |
|
599 | ---------- | |
596 |
|
600 | |||
597 | code : str |
|
601 | code : str | |
598 | the code string to be executed |
|
602 | the code string to be executed | |
599 | block : bool |
|
603 | block : bool | |
600 | whether or not to wait until done to return |
|
604 | whether or not to wait until done to return | |
601 | default: self.block |
|
605 | default: self.block | |
602 | """ |
|
606 | """ | |
603 | return self._really_apply(util._execute, args=(code,), block=block, targets=targets) |
|
607 | return self._really_apply(util._execute, args=(code,), block=block, targets=targets) | |
604 |
|
608 | |||
605 | def run(self, filename, targets=None, block=None): |
|
609 | def run(self, filename, targets=None, block=None): | |
606 | """Execute contents of `filename` on my engine(s). |
|
610 | """Execute contents of `filename` on my engine(s). | |
607 |
|
611 | |||
608 | This simply reads the contents of the file and calls `execute`. |
|
612 | This simply reads the contents of the file and calls `execute`. | |
609 |
|
613 | |||
610 | Parameters |
|
614 | Parameters | |
611 | ---------- |
|
615 | ---------- | |
612 |
|
616 | |||
613 | filename : str |
|
617 | filename : str | |
614 | The path to the file |
|
618 | The path to the file | |
615 | targets : int/str/list of ints/strs |
|
619 | targets : int/str/list of ints/strs | |
616 | the engines on which to execute |
|
620 | the engines on which to execute | |
617 | default : all |
|
621 | default : all | |
618 | block : bool |
|
622 | block : bool | |
619 | whether or not to wait until done |
|
623 | whether or not to wait until done | |
620 | default: self.block |
|
624 | default: self.block | |
621 |
|
625 | |||
622 | """ |
|
626 | """ | |
623 | with open(filename, 'r') as f: |
|
627 | with open(filename, 'r') as f: | |
624 | # add newline in case of trailing indented whitespace |
|
628 | # add newline in case of trailing indented whitespace | |
625 | # which will cause SyntaxError |
|
629 | # which will cause SyntaxError | |
626 | code = f.read()+'\n' |
|
630 | code = f.read()+'\n' | |
627 | return self.execute(code, block=block, targets=targets) |
|
631 | return self.execute(code, block=block, targets=targets) | |
628 |
|
632 | |||
629 | def update(self, ns): |
|
633 | def update(self, ns): | |
630 | """update remote namespace with dict `ns` |
|
634 | """update remote namespace with dict `ns` | |
631 |
|
635 | |||
632 | See `push` for details. |
|
636 | See `push` for details. | |
633 | """ |
|
637 | """ | |
634 | return self.push(ns, block=self.block, track=self.track) |
|
638 | return self.push(ns, block=self.block, track=self.track) | |
635 |
|
639 | |||
636 | def push(self, ns, targets=None, block=None, track=None): |
|
640 | def push(self, ns, targets=None, block=None, track=None): | |
637 | """update remote namespace with dict `ns` |
|
641 | """update remote namespace with dict `ns` | |
638 |
|
642 | |||
639 | Parameters |
|
643 | Parameters | |
640 | ---------- |
|
644 | ---------- | |
641 |
|
645 | |||
642 | ns : dict |
|
646 | ns : dict | |
643 | dict of keys with which to update engine namespace(s) |
|
647 | dict of keys with which to update engine namespace(s) | |
644 | block : bool [default : self.block] |
|
648 | block : bool [default : self.block] | |
645 | whether to wait to be notified of engine receipt |
|
649 | whether to wait to be notified of engine receipt | |
646 |
|
650 | |||
647 | """ |
|
651 | """ | |
648 |
|
652 | |||
649 | block = block if block is not None else self.block |
|
653 | block = block if block is not None else self.block | |
650 | track = track if track is not None else self.track |
|
654 | track = track if track is not None else self.track | |
651 | targets = targets if targets is not None else self.targets |
|
655 | targets = targets if targets is not None else self.targets | |
652 | # applier = self.apply_sync if block else self.apply_async |
|
656 | # applier = self.apply_sync if block else self.apply_async | |
653 | if not isinstance(ns, dict): |
|
657 | if not isinstance(ns, dict): | |
654 | raise TypeError("Must be a dict, not %s"%type(ns)) |
|
658 | raise TypeError("Must be a dict, not %s"%type(ns)) | |
655 | return self._really_apply(util._push, (ns,), block=block, track=track, targets=targets) |
|
659 | return self._really_apply(util._push, (ns,), block=block, track=track, targets=targets) | |
656 |
|
660 | |||
657 | def get(self, key_s): |
|
661 | def get(self, key_s): | |
658 | """get object(s) by `key_s` from remote namespace |
|
662 | """get object(s) by `key_s` from remote namespace | |
659 |
|
663 | |||
660 | see `pull` for details. |
|
664 | see `pull` for details. | |
661 | """ |
|
665 | """ | |
662 | # block = block if block is not None else self.block |
|
666 | # block = block if block is not None else self.block | |
663 | return self.pull(key_s, block=True) |
|
667 | return self.pull(key_s, block=True) | |
664 |
|
668 | |||
665 | def pull(self, names, targets=None, block=None): |
|
669 | def pull(self, names, targets=None, block=None): | |
666 | """get object(s) by `name` from remote namespace |
|
670 | """get object(s) by `name` from remote namespace | |
667 |
|
671 | |||
668 | will return one object if it is a key. |
|
672 | will return one object if it is a key. | |
669 | can also take a list of keys, in which case it will return a list of objects. |
|
673 | can also take a list of keys, in which case it will return a list of objects. | |
670 | """ |
|
674 | """ | |
671 | block = block if block is not None else self.block |
|
675 | block = block if block is not None else self.block | |
672 | targets = targets if targets is not None else self.targets |
|
676 | targets = targets if targets is not None else self.targets | |
673 | applier = self.apply_sync if block else self.apply_async |
|
677 | applier = self.apply_sync if block else self.apply_async | |
674 | if isinstance(names, basestring): |
|
678 | if isinstance(names, basestring): | |
675 | pass |
|
679 | pass | |
676 | elif isinstance(names, (list,tuple,set)): |
|
680 | elif isinstance(names, (list,tuple,set)): | |
677 | for key in names: |
|
681 | for key in names: | |
678 | if not isinstance(key, basestring): |
|
682 | if not isinstance(key, basestring): | |
679 | raise TypeError("keys must be str, not type %r"%type(key)) |
|
683 | raise TypeError("keys must be str, not type %r"%type(key)) | |
680 | else: |
|
684 | else: | |
681 | raise TypeError("names must be strs, not %r"%names) |
|
685 | raise TypeError("names must be strs, not %r"%names) | |
682 | return self._really_apply(util._pull, (names,), block=block, targets=targets) |
|
686 | return self._really_apply(util._pull, (names,), block=block, targets=targets) | |
683 |
|
687 | |||
684 | def scatter(self, key, seq, dist='b', flatten=False, targets=None, block=None, track=None): |
|
688 | def scatter(self, key, seq, dist='b', flatten=False, targets=None, block=None, track=None): | |
685 | """ |
|
689 | """ | |
686 | Partition a Python sequence and send the partitions to a set of engines. |
|
690 | Partition a Python sequence and send the partitions to a set of engines. | |
687 | """ |
|
691 | """ | |
688 | block = block if block is not None else self.block |
|
692 | block = block if block is not None else self.block | |
689 | track = track if track is not None else self.track |
|
693 | track = track if track is not None else self.track | |
690 | targets = targets if targets is not None else self.targets |
|
694 | targets = targets if targets is not None else self.targets | |
691 |
|
695 | |||
692 | mapObject = Map.dists[dist]() |
|
696 | mapObject = Map.dists[dist]() | |
693 | nparts = len(targets) |
|
697 | nparts = len(targets) | |
694 | msg_ids = [] |
|
698 | msg_ids = [] | |
695 | trackers = [] |
|
699 | trackers = [] | |
696 | for index, engineid in enumerate(targets): |
|
700 | for index, engineid in enumerate(targets): | |
697 | partition = mapObject.getPartition(seq, index, nparts) |
|
701 | partition = mapObject.getPartition(seq, index, nparts) | |
698 | if flatten and len(partition) == 1: |
|
702 | if flatten and len(partition) == 1: | |
699 | ns = {key: partition[0]} |
|
703 | ns = {key: partition[0]} | |
700 | else: |
|
704 | else: | |
701 | ns = {key: partition} |
|
705 | ns = {key: partition} | |
702 | r = self.push(ns, block=False, track=track, targets=engineid) |
|
706 | r = self.push(ns, block=False, track=track, targets=engineid) | |
703 | msg_ids.extend(r.msg_ids) |
|
707 | msg_ids.extend(r.msg_ids) | |
704 | if track: |
|
708 | if track: | |
705 | trackers.append(r._tracker) |
|
709 | trackers.append(r._tracker) | |
706 |
|
710 | |||
707 | if track: |
|
711 | if track: | |
708 | tracker = zmq.MessageTracker(*trackers) |
|
712 | tracker = zmq.MessageTracker(*trackers) | |
709 | else: |
|
713 | else: | |
710 | tracker = None |
|
714 | tracker = None | |
711 |
|
715 | |||
712 | r = AsyncResult(self.client, msg_ids, fname='scatter', targets=targets, tracker=tracker) |
|
716 | r = AsyncResult(self.client, msg_ids, fname='scatter', targets=targets, tracker=tracker) | |
713 | if block: |
|
717 | if block: | |
714 | r.wait() |
|
718 | r.wait() | |
715 | else: |
|
719 | else: | |
716 | return r |
|
720 | return r | |
717 |
|
721 | |||
718 | @sync_results |
|
722 | @sync_results | |
719 | @save_ids |
|
723 | @save_ids | |
720 | def gather(self, key, dist='b', targets=None, block=None): |
|
724 | def gather(self, key, dist='b', targets=None, block=None): | |
721 | """ |
|
725 | """ | |
722 | Gather a partitioned sequence on a set of engines as a single local seq. |
|
726 | Gather a partitioned sequence on a set of engines as a single local seq. | |
723 | """ |
|
727 | """ | |
724 | block = block if block is not None else self.block |
|
728 | block = block if block is not None else self.block | |
725 | targets = targets if targets is not None else self.targets |
|
729 | targets = targets if targets is not None else self.targets | |
726 | mapObject = Map.dists[dist]() |
|
730 | mapObject = Map.dists[dist]() | |
727 | msg_ids = [] |
|
731 | msg_ids = [] | |
728 |
|
732 | |||
729 | for index, engineid in enumerate(targets): |
|
733 | for index, engineid in enumerate(targets): | |
730 | msg_ids.extend(self.pull(key, block=False, targets=engineid).msg_ids) |
|
734 | msg_ids.extend(self.pull(key, block=False, targets=engineid).msg_ids) | |
731 |
|
735 | |||
732 | r = AsyncMapResult(self.client, msg_ids, mapObject, fname='gather') |
|
736 | r = AsyncMapResult(self.client, msg_ids, mapObject, fname='gather') | |
733 |
|
737 | |||
734 | if block: |
|
738 | if block: | |
735 | try: |
|
739 | try: | |
736 | return r.get() |
|
740 | return r.get() | |
737 | except KeyboardInterrupt: |
|
741 | except KeyboardInterrupt: | |
738 | pass |
|
742 | pass | |
739 | return r |
|
743 | return r | |
740 |
|
744 | |||
741 | def __getitem__(self, key): |
|
745 | def __getitem__(self, key): | |
742 | return self.get(key) |
|
746 | return self.get(key) | |
743 |
|
747 | |||
744 | def __setitem__(self,key, value): |
|
748 | def __setitem__(self,key, value): | |
745 | self.update({key:value}) |
|
749 | self.update({key:value}) | |
746 |
|
750 | |||
747 | def clear(self, targets=None, block=False): |
|
751 | def clear(self, targets=None, block=False): | |
748 | """Clear the remote namespaces on my engines.""" |
|
752 | """Clear the remote namespaces on my engines.""" | |
749 | block = block if block is not None else self.block |
|
753 | block = block if block is not None else self.block | |
750 | targets = targets if targets is not None else self.targets |
|
754 | targets = targets if targets is not None else self.targets | |
751 | return self.client.clear(targets=targets, block=block) |
|
755 | return self.client.clear(targets=targets, block=block) | |
752 |
|
756 | |||
753 | def kill(self, targets=None, block=True): |
|
757 | def kill(self, targets=None, block=True): | |
754 | """Kill my engines.""" |
|
758 | """Kill my engines.""" | |
755 | block = block if block is not None else self.block |
|
759 | block = block if block is not None else self.block | |
756 | targets = targets if targets is not None else self.targets |
|
760 | targets = targets if targets is not None else self.targets | |
757 | return self.client.kill(targets=targets, block=block) |
|
761 | return self.client.kill(targets=targets, block=block) | |
758 |
|
762 | |||
759 | #---------------------------------------- |
|
763 | #---------------------------------------- | |
760 | # activate for %px,%autopx magics |
|
764 | # activate for %px,%autopx magics | |
761 | #---------------------------------------- |
|
765 | #---------------------------------------- | |
762 | def activate(self): |
|
766 | def activate(self): | |
763 | """Make this `View` active for parallel magic commands. |
|
767 | """Make this `View` active for parallel magic commands. | |
764 |
|
768 | |||
765 | IPython has a magic command syntax to work with `MultiEngineClient` objects. |
|
769 | IPython has a magic command syntax to work with `MultiEngineClient` objects. | |
766 | In a given IPython session there is a single active one. While |
|
770 | In a given IPython session there is a single active one. While | |
767 | there can be many `Views` created and used by the user, |
|
771 | there can be many `Views` created and used by the user, | |
768 | there is only one active one. The active `View` is used whenever |
|
772 | there is only one active one. The active `View` is used whenever | |
769 | the magic commands %px and %autopx are used. |
|
773 | the magic commands %px and %autopx are used. | |
770 |
|
774 | |||
771 | The activate() method is called on a given `View` to make it |
|
775 | The activate() method is called on a given `View` to make it | |
772 | active. Once this has been done, the magic commands can be used. |
|
776 | active. Once this has been done, the magic commands can be used. | |
773 | """ |
|
777 | """ | |
774 |
|
778 | |||
775 | try: |
|
779 | try: | |
776 | # This is injected into __builtins__. |
|
780 | # This is injected into __builtins__. | |
777 | ip = get_ipython() |
|
781 | ip = get_ipython() | |
778 | except NameError: |
|
782 | except NameError: | |
779 | print "The IPython parallel magics (%result, %px, %autopx) only work within IPython." |
|
783 | print "The IPython parallel magics (%result, %px, %autopx) only work within IPython." | |
780 | else: |
|
784 | else: | |
781 | pmagic = ip.plugin_manager.get_plugin('parallelmagic') |
|
785 | pmagic = ip.plugin_manager.get_plugin('parallelmagic') | |
782 | if pmagic is None: |
|
786 | if pmagic is None: | |
783 | ip.magic_load_ext('parallelmagic') |
|
787 | ip.magic_load_ext('parallelmagic') | |
784 | pmagic = ip.plugin_manager.get_plugin('parallelmagic') |
|
788 | pmagic = ip.plugin_manager.get_plugin('parallelmagic') | |
785 |
|
789 | |||
786 | pmagic.active_view = self |
|
790 | pmagic.active_view = self | |
787 |
|
791 | |||
788 |
|
792 | |||
789 | @skip_doctest |
|
793 | @skip_doctest | |
790 | class LoadBalancedView(View): |
|
794 | class LoadBalancedView(View): | |
791 | """An load-balancing View that only executes via the Task scheduler. |
|
795 | """An load-balancing View that only executes via the Task scheduler. | |
792 |
|
796 | |||
793 | Load-balanced views can be created with the client's `view` method: |
|
797 | Load-balanced views can be created with the client's `view` method: | |
794 |
|
798 | |||
795 | >>> v = client.load_balanced_view() |
|
799 | >>> v = client.load_balanced_view() | |
796 |
|
800 | |||
797 | or targets can be specified, to restrict the potential destinations: |
|
801 | or targets can be specified, to restrict the potential destinations: | |
798 |
|
802 | |||
799 | >>> v = client.client.load_balanced_view([1,3]) |
|
803 | >>> v = client.client.load_balanced_view([1,3]) | |
800 |
|
804 | |||
801 | which would restrict loadbalancing to between engines 1 and 3. |
|
805 | which would restrict loadbalancing to between engines 1 and 3. | |
802 |
|
806 | |||
803 | """ |
|
807 | """ | |
804 |
|
808 | |||
805 | follow=Any() |
|
809 | follow=Any() | |
806 | after=Any() |
|
810 | after=Any() | |
807 | timeout=CFloat() |
|
811 | timeout=CFloat() | |
808 | retries = Integer(0) |
|
812 | retries = Integer(0) | |
809 |
|
813 | |||
810 | _task_scheme = Any() |
|
814 | _task_scheme = Any() | |
811 | _flag_names = List(['targets', 'block', 'track', 'follow', 'after', 'timeout', 'retries']) |
|
815 | _flag_names = List(['targets', 'block', 'track', 'follow', 'after', 'timeout', 'retries']) | |
812 |
|
816 | |||
813 | def __init__(self, client=None, socket=None, **flags): |
|
817 | def __init__(self, client=None, socket=None, **flags): | |
814 | super(LoadBalancedView, self).__init__(client=client, socket=socket, **flags) |
|
818 | super(LoadBalancedView, self).__init__(client=client, socket=socket, **flags) | |
815 | self._task_scheme=client._task_scheme |
|
819 | self._task_scheme=client._task_scheme | |
816 |
|
820 | |||
817 | def _validate_dependency(self, dep): |
|
821 | def _validate_dependency(self, dep): | |
818 | """validate a dependency. |
|
822 | """validate a dependency. | |
819 |
|
823 | |||
820 | For use in `set_flags`. |
|
824 | For use in `set_flags`. | |
821 | """ |
|
825 | """ | |
822 | if dep is None or isinstance(dep, (basestring, AsyncResult, Dependency)): |
|
826 | if dep is None or isinstance(dep, (basestring, AsyncResult, Dependency)): | |
823 | return True |
|
827 | return True | |
824 | elif isinstance(dep, (list,set, tuple)): |
|
828 | elif isinstance(dep, (list,set, tuple)): | |
825 | for d in dep: |
|
829 | for d in dep: | |
826 | if not isinstance(d, (basestring, AsyncResult)): |
|
830 | if not isinstance(d, (basestring, AsyncResult)): | |
827 | return False |
|
831 | return False | |
828 | elif isinstance(dep, dict): |
|
832 | elif isinstance(dep, dict): | |
829 | if set(dep.keys()) != set(Dependency().as_dict().keys()): |
|
833 | if set(dep.keys()) != set(Dependency().as_dict().keys()): | |
830 | return False |
|
834 | return False | |
831 | if not isinstance(dep['msg_ids'], list): |
|
835 | if not isinstance(dep['msg_ids'], list): | |
832 | return False |
|
836 | return False | |
833 | for d in dep['msg_ids']: |
|
837 | for d in dep['msg_ids']: | |
834 | if not isinstance(d, basestring): |
|
838 | if not isinstance(d, basestring): | |
835 | return False |
|
839 | return False | |
836 | else: |
|
840 | else: | |
837 | return False |
|
841 | return False | |
838 |
|
842 | |||
839 | return True |
|
843 | return True | |
840 |
|
844 | |||
841 | def _render_dependency(self, dep): |
|
845 | def _render_dependency(self, dep): | |
842 | """helper for building jsonable dependencies from various input forms.""" |
|
846 | """helper for building jsonable dependencies from various input forms.""" | |
843 | if isinstance(dep, Dependency): |
|
847 | if isinstance(dep, Dependency): | |
844 | return dep.as_dict() |
|
848 | return dep.as_dict() | |
845 | elif isinstance(dep, AsyncResult): |
|
849 | elif isinstance(dep, AsyncResult): | |
846 | return dep.msg_ids |
|
850 | return dep.msg_ids | |
847 | elif dep is None: |
|
851 | elif dep is None: | |
848 | return [] |
|
852 | return [] | |
849 | else: |
|
853 | else: | |
850 | # pass to Dependency constructor |
|
854 | # pass to Dependency constructor | |
851 | return list(Dependency(dep)) |
|
855 | return list(Dependency(dep)) | |
852 |
|
856 | |||
853 | def set_flags(self, **kwargs): |
|
857 | def set_flags(self, **kwargs): | |
854 | """set my attribute flags by keyword. |
|
858 | """set my attribute flags by keyword. | |
855 |
|
859 | |||
856 | A View is a wrapper for the Client's apply method, but with attributes |
|
860 | A View is a wrapper for the Client's apply method, but with attributes | |
857 | that specify keyword arguments, those attributes can be set by keyword |
|
861 | that specify keyword arguments, those attributes can be set by keyword | |
858 | argument with this method. |
|
862 | argument with this method. | |
859 |
|
863 | |||
860 | Parameters |
|
864 | Parameters | |
861 | ---------- |
|
865 | ---------- | |
862 |
|
866 | |||
863 | block : bool |
|
867 | block : bool | |
864 | whether to wait for results |
|
868 | whether to wait for results | |
865 | track : bool |
|
869 | track : bool | |
866 | whether to create a MessageTracker to allow the user to |
|
870 | whether to create a MessageTracker to allow the user to | |
867 | safely edit after arrays and buffers during non-copying |
|
871 | safely edit after arrays and buffers during non-copying | |
868 | sends. |
|
872 | sends. | |
869 |
|
873 | |||
870 | after : Dependency or collection of msg_ids |
|
874 | after : Dependency or collection of msg_ids | |
871 | Only for load-balanced execution (targets=None) |
|
875 | Only for load-balanced execution (targets=None) | |
872 | Specify a list of msg_ids as a time-based dependency. |
|
876 | Specify a list of msg_ids as a time-based dependency. | |
873 | This job will only be run *after* the dependencies |
|
877 | This job will only be run *after* the dependencies | |
874 | have been met. |
|
878 | have been met. | |
875 |
|
879 | |||
876 | follow : Dependency or collection of msg_ids |
|
880 | follow : Dependency or collection of msg_ids | |
877 | Only for load-balanced execution (targets=None) |
|
881 | Only for load-balanced execution (targets=None) | |
878 | Specify a list of msg_ids as a location-based dependency. |
|
882 | Specify a list of msg_ids as a location-based dependency. | |
879 | This job will only be run on an engine where this dependency |
|
883 | This job will only be run on an engine where this dependency | |
880 | is met. |
|
884 | is met. | |
881 |
|
885 | |||
882 | timeout : float/int or None |
|
886 | timeout : float/int or None | |
883 | Only for load-balanced execution (targets=None) |
|
887 | Only for load-balanced execution (targets=None) | |
884 | Specify an amount of time (in seconds) for the scheduler to |
|
888 | Specify an amount of time (in seconds) for the scheduler to | |
885 | wait for dependencies to be met before failing with a |
|
889 | wait for dependencies to be met before failing with a | |
886 | DependencyTimeout. |
|
890 | DependencyTimeout. | |
887 |
|
891 | |||
888 | retries : int |
|
892 | retries : int | |
889 | Number of times a task will be retried on failure. |
|
893 | Number of times a task will be retried on failure. | |
890 | """ |
|
894 | """ | |
891 |
|
895 | |||
892 | super(LoadBalancedView, self).set_flags(**kwargs) |
|
896 | super(LoadBalancedView, self).set_flags(**kwargs) | |
893 | for name in ('follow', 'after'): |
|
897 | for name in ('follow', 'after'): | |
894 | if name in kwargs: |
|
898 | if name in kwargs: | |
895 | value = kwargs[name] |
|
899 | value = kwargs[name] | |
896 | if self._validate_dependency(value): |
|
900 | if self._validate_dependency(value): | |
897 | setattr(self, name, value) |
|
901 | setattr(self, name, value) | |
898 | else: |
|
902 | else: | |
899 | raise ValueError("Invalid dependency: %r"%value) |
|
903 | raise ValueError("Invalid dependency: %r"%value) | |
900 | if 'timeout' in kwargs: |
|
904 | if 'timeout' in kwargs: | |
901 | t = kwargs['timeout'] |
|
905 | t = kwargs['timeout'] | |
902 | if not isinstance(t, (int, long, float, type(None))): |
|
906 | if not isinstance(t, (int, long, float, type(None))): | |
903 | raise TypeError("Invalid type for timeout: %r"%type(t)) |
|
907 | raise TypeError("Invalid type for timeout: %r"%type(t)) | |
904 | if t is not None: |
|
908 | if t is not None: | |
905 | if t < 0: |
|
909 | if t < 0: | |
906 | raise ValueError("Invalid timeout: %s"%t) |
|
910 | raise ValueError("Invalid timeout: %s"%t) | |
907 | self.timeout = t |
|
911 | self.timeout = t | |
908 |
|
912 | |||
909 | @sync_results |
|
913 | @sync_results | |
910 | @save_ids |
|
914 | @save_ids | |
911 | def _really_apply(self, f, args=None, kwargs=None, block=None, track=None, |
|
915 | def _really_apply(self, f, args=None, kwargs=None, block=None, track=None, | |
912 | after=None, follow=None, timeout=None, |
|
916 | after=None, follow=None, timeout=None, | |
913 | targets=None, retries=None): |
|
917 | targets=None, retries=None): | |
914 | """calls f(*args, **kwargs) on a remote engine, returning the result. |
|
918 | """calls f(*args, **kwargs) on a remote engine, returning the result. | |
915 |
|
919 | |||
916 | This method temporarily sets all of `apply`'s flags for a single call. |
|
920 | This method temporarily sets all of `apply`'s flags for a single call. | |
917 |
|
921 | |||
918 | Parameters |
|
922 | Parameters | |
919 | ---------- |
|
923 | ---------- | |
920 |
|
924 | |||
921 | f : callable |
|
925 | f : callable | |
922 |
|
926 | |||
923 | args : list [default: empty] |
|
927 | args : list [default: empty] | |
924 |
|
928 | |||
925 | kwargs : dict [default: empty] |
|
929 | kwargs : dict [default: empty] | |
926 |
|
930 | |||
927 | block : bool [default: self.block] |
|
931 | block : bool [default: self.block] | |
928 | whether to block |
|
932 | whether to block | |
929 | track : bool [default: self.track] |
|
933 | track : bool [default: self.track] | |
930 | whether to ask zmq to track the message, for safe non-copying sends |
|
934 | whether to ask zmq to track the message, for safe non-copying sends | |
931 |
|
935 | |||
932 | !!!!!! TODO: THE REST HERE !!!! |
|
936 | !!!!!! TODO: THE REST HERE !!!! | |
933 |
|
937 | |||
934 | Returns |
|
938 | Returns | |
935 | ------- |
|
939 | ------- | |
936 |
|
940 | |||
937 | if self.block is False: |
|
941 | if self.block is False: | |
938 | returns AsyncResult |
|
942 | returns AsyncResult | |
939 | else: |
|
943 | else: | |
940 | returns actual result of f(*args, **kwargs) on the engine(s) |
|
944 | returns actual result of f(*args, **kwargs) on the engine(s) | |
941 | This will be a list of self.targets is also a list (even length 1), or |
|
945 | This will be a list of self.targets is also a list (even length 1), or | |
942 | the single result if self.targets is an integer engine id |
|
946 | the single result if self.targets is an integer engine id | |
943 | """ |
|
947 | """ | |
944 |
|
948 | |||
945 | # validate whether we can run |
|
949 | # validate whether we can run | |
946 | if self._socket.closed: |
|
950 | if self._socket.closed: | |
947 | msg = "Task farming is disabled" |
|
951 | msg = "Task farming is disabled" | |
948 | if self._task_scheme == 'pure': |
|
952 | if self._task_scheme == 'pure': | |
949 | msg += " because the pure ZMQ scheduler cannot handle" |
|
953 | msg += " because the pure ZMQ scheduler cannot handle" | |
950 | msg += " disappearing engines." |
|
954 | msg += " disappearing engines." | |
951 | raise RuntimeError(msg) |
|
955 | raise RuntimeError(msg) | |
952 |
|
956 | |||
953 | if self._task_scheme == 'pure': |
|
957 | if self._task_scheme == 'pure': | |
954 | # pure zmq scheme doesn't support extra features |
|
958 | # pure zmq scheme doesn't support extra features | |
955 | msg = "Pure ZMQ scheduler doesn't support the following flags:" |
|
959 | msg = "Pure ZMQ scheduler doesn't support the following flags:" | |
956 | "follow, after, retries, targets, timeout" |
|
960 | "follow, after, retries, targets, timeout" | |
957 | if (follow or after or retries or targets or timeout): |
|
961 | if (follow or after or retries or targets or timeout): | |
958 | # hard fail on Scheduler flags |
|
962 | # hard fail on Scheduler flags | |
959 | raise RuntimeError(msg) |
|
963 | raise RuntimeError(msg) | |
960 | if isinstance(f, dependent): |
|
964 | if isinstance(f, dependent): | |
961 | # soft warn on functional dependencies |
|
965 | # soft warn on functional dependencies | |
962 | warnings.warn(msg, RuntimeWarning) |
|
966 | warnings.warn(msg, RuntimeWarning) | |
963 |
|
967 | |||
964 | # build args |
|
968 | # build args | |
965 | args = [] if args is None else args |
|
969 | args = [] if args is None else args | |
966 | kwargs = {} if kwargs is None else kwargs |
|
970 | kwargs = {} if kwargs is None else kwargs | |
967 | block = self.block if block is None else block |
|
971 | block = self.block if block is None else block | |
968 | track = self.track if track is None else track |
|
972 | track = self.track if track is None else track | |
969 | after = self.after if after is None else after |
|
973 | after = self.after if after is None else after | |
970 | retries = self.retries if retries is None else retries |
|
974 | retries = self.retries if retries is None else retries | |
971 | follow = self.follow if follow is None else follow |
|
975 | follow = self.follow if follow is None else follow | |
972 | timeout = self.timeout if timeout is None else timeout |
|
976 | timeout = self.timeout if timeout is None else timeout | |
973 | targets = self.targets if targets is None else targets |
|
977 | targets = self.targets if targets is None else targets | |
974 |
|
978 | |||
975 | if not isinstance(retries, int): |
|
979 | if not isinstance(retries, int): | |
976 | raise TypeError('retries must be int, not %r'%type(retries)) |
|
980 | raise TypeError('retries must be int, not %r'%type(retries)) | |
977 |
|
981 | |||
978 | if targets is None: |
|
982 | if targets is None: | |
979 | idents = [] |
|
983 | idents = [] | |
980 | else: |
|
984 | else: | |
981 | idents = self.client._build_targets(targets)[0] |
|
985 | idents = self.client._build_targets(targets)[0] | |
982 | # ensure *not* bytes |
|
986 | # ensure *not* bytes | |
983 | idents = [ ident.decode() for ident in idents ] |
|
987 | idents = [ ident.decode() for ident in idents ] | |
984 |
|
988 | |||
985 | after = self._render_dependency(after) |
|
989 | after = self._render_dependency(after) | |
986 | follow = self._render_dependency(follow) |
|
990 | follow = self._render_dependency(follow) | |
987 | subheader = dict(after=after, follow=follow, timeout=timeout, targets=idents, retries=retries) |
|
991 | subheader = dict(after=after, follow=follow, timeout=timeout, targets=idents, retries=retries) | |
988 |
|
992 | |||
989 | msg = self.client.send_apply_message(self._socket, f, args, kwargs, track=track, |
|
993 | msg = self.client.send_apply_message(self._socket, f, args, kwargs, track=track, | |
990 | subheader=subheader) |
|
994 | subheader=subheader) | |
991 | tracker = None if track is False else msg['tracker'] |
|
995 | tracker = None if track is False else msg['tracker'] | |
992 |
|
996 | |||
993 | ar = AsyncResult(self.client, msg['header']['msg_id'], fname=getname(f), targets=None, tracker=tracker) |
|
997 | ar = AsyncResult(self.client, msg['header']['msg_id'], fname=getname(f), targets=None, tracker=tracker) | |
994 |
|
998 | |||
995 | if block: |
|
999 | if block: | |
996 | try: |
|
1000 | try: | |
997 | return ar.get() |
|
1001 | return ar.get() | |
998 | except KeyboardInterrupt: |
|
1002 | except KeyboardInterrupt: | |
999 | pass |
|
1003 | pass | |
1000 | return ar |
|
1004 | return ar | |
1001 |
|
1005 | |||
1002 | @spin_after |
|
1006 | @spin_after | |
1003 | @save_ids |
|
1007 | @save_ids | |
1004 | def map(self, f, *sequences, **kwargs): |
|
1008 | def map(self, f, *sequences, **kwargs): | |
1005 | """view.map(f, *sequences, block=self.block, chunksize=1, ordered=True) => list|AsyncMapResult |
|
1009 | """view.map(f, *sequences, block=self.block, chunksize=1, ordered=True) => list|AsyncMapResult | |
1006 |
|
1010 | |||
1007 | Parallel version of builtin `map`, load-balanced by this View. |
|
1011 | Parallel version of builtin `map`, load-balanced by this View. | |
1008 |
|
1012 | |||
1009 | `block`, and `chunksize` can be specified by keyword only. |
|
1013 | `block`, and `chunksize` can be specified by keyword only. | |
1010 |
|
1014 | |||
1011 | Each `chunksize` elements will be a separate task, and will be |
|
1015 | Each `chunksize` elements will be a separate task, and will be | |
1012 | load-balanced. This lets individual elements be available for iteration |
|
1016 | load-balanced. This lets individual elements be available for iteration | |
1013 | as soon as they arrive. |
|
1017 | as soon as they arrive. | |
1014 |
|
1018 | |||
1015 | Parameters |
|
1019 | Parameters | |
1016 | ---------- |
|
1020 | ---------- | |
1017 |
|
1021 | |||
1018 | f : callable |
|
1022 | f : callable | |
1019 | function to be mapped |
|
1023 | function to be mapped | |
1020 | *sequences: one or more sequences of matching length |
|
1024 | *sequences: one or more sequences of matching length | |
1021 | the sequences to be distributed and passed to `f` |
|
1025 | the sequences to be distributed and passed to `f` | |
1022 | block : bool [default self.block] |
|
1026 | block : bool [default self.block] | |
1023 | whether to wait for the result or not |
|
1027 | whether to wait for the result or not | |
1024 | track : bool |
|
1028 | track : bool | |
1025 | whether to create a MessageTracker to allow the user to |
|
1029 | whether to create a MessageTracker to allow the user to | |
1026 | safely edit after arrays and buffers during non-copying |
|
1030 | safely edit after arrays and buffers during non-copying | |
1027 | sends. |
|
1031 | sends. | |
1028 | chunksize : int [default 1] |
|
1032 | chunksize : int [default 1] | |
1029 | how many elements should be in each task. |
|
1033 | how many elements should be in each task. | |
1030 | ordered : bool [default True] |
|
1034 | ordered : bool [default True] | |
1031 | Whether the results should be gathered as they arrive, or enforce |
|
1035 | Whether the results should be gathered as they arrive, or enforce | |
1032 | the order of submission. |
|
1036 | the order of submission. | |
1033 |
|
1037 | |||
1034 | Only applies when iterating through AsyncMapResult as results arrive. |
|
1038 | Only applies when iterating through AsyncMapResult as results arrive. | |
1035 | Has no effect when block=True. |
|
1039 | Has no effect when block=True. | |
1036 |
|
1040 | |||
1037 | Returns |
|
1041 | Returns | |
1038 | ------- |
|
1042 | ------- | |
1039 |
|
1043 | |||
1040 | if block=False: |
|
1044 | if block=False: | |
1041 | AsyncMapResult |
|
1045 | AsyncMapResult | |
1042 | An object like AsyncResult, but which reassembles the sequence of results |
|
1046 | An object like AsyncResult, but which reassembles the sequence of results | |
1043 | into a single list. AsyncMapResults can be iterated through before all |
|
1047 | into a single list. AsyncMapResults can be iterated through before all | |
1044 | results are complete. |
|
1048 | results are complete. | |
1045 | else: |
|
1049 | else: | |
1046 | the result of map(f,*sequences) |
|
1050 | the result of map(f,*sequences) | |
1047 |
|
1051 | |||
1048 | """ |
|
1052 | """ | |
1049 |
|
1053 | |||
1050 | # default |
|
1054 | # default | |
1051 | block = kwargs.get('block', self.block) |
|
1055 | block = kwargs.get('block', self.block) | |
1052 | chunksize = kwargs.get('chunksize', 1) |
|
1056 | chunksize = kwargs.get('chunksize', 1) | |
1053 | ordered = kwargs.get('ordered', True) |
|
1057 | ordered = kwargs.get('ordered', True) | |
1054 |
|
1058 | |||
1055 | keyset = set(kwargs.keys()) |
|
1059 | keyset = set(kwargs.keys()) | |
1056 | extra_keys = keyset.difference_update(set(['block', 'chunksize'])) |
|
1060 | extra_keys = keyset.difference_update(set(['block', 'chunksize'])) | |
1057 | if extra_keys: |
|
1061 | if extra_keys: | |
1058 | raise TypeError("Invalid kwargs: %s"%list(extra_keys)) |
|
1062 | raise TypeError("Invalid kwargs: %s"%list(extra_keys)) | |
1059 |
|
1063 | |||
1060 | assert len(sequences) > 0, "must have some sequences to map onto!" |
|
1064 | assert len(sequences) > 0, "must have some sequences to map onto!" | |
1061 |
|
1065 | |||
1062 | pf = ParallelFunction(self, f, block=block, chunksize=chunksize, ordered=ordered) |
|
1066 | pf = ParallelFunction(self, f, block=block, chunksize=chunksize, ordered=ordered) | |
1063 | return pf.map(*sequences) |
|
1067 | return pf.map(*sequences) | |
1064 |
|
1068 | |||
1065 | __all__ = ['LoadBalancedView', 'DirectView'] |
|
1069 | __all__ = ['LoadBalancedView', 'DirectView'] |
General Comments 0
You need to be logged in to leave comments.
Login now