source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(type='tEXt', key='Comment', value='', compression_flag=0, compression_method=0, lang='', translated_key=''): if type == 'tEXt': data = key.encode('latin-1') + b'\x00' + value.encode('latin-1') elif type == 'zTXt': data = key.encode('latin-1') + struct.pack('!xb', compression_method ) + zlib.compress(value.encode('latin-1')) elif type == 'iTXt': data = key.encode('latin-1') + struct.pack('!xbb', compression_flag, compression_method) + lang.encode('latin-1' ) + b'\x00' + translated_key.encode('utf-8') + b'\x00' if compression_flag: data += zlib.compress(value.encode('utf-8')) else: data += value.encode('utf-8') else: raise TypeError('unknown type {!r}'.format(type)) return Chunk(type, make_chunk(type, data))
make_text_chunk
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(type='tEXt', key='Comment', value='', compression_flag=0,\n compression_method=0, lang='', translated_key=''):\n if type == 'tEXt':\n data = key.encode('latin-1') + b'\\x00' + value.encode('latin-1')\n elif type == 'zTXt':\n data = key.encode('latin-1') + struct.pack('!xb', compression_method\n ) + zlib.compress(value.encode('latin-1'))\n elif type == 'iTXt':\n data = key.encode('latin-1') + struct.pack('!xbb', compression_flag,\n compression_method) + lang.encode('latin-1'\n ) + b'\\x00' + translated_key.encode('utf-8') + b'\\x00'\n if compression_flag:\n data += zlib.compress(value.encode('utf-8'))\n else:\n data += value.encode('utf-8')\n else:\n raise TypeError('unknown type {!r}'.format(type))\n return Chunk(type, make_chunk(type, data))\n", "role": "user" }, { "content": "make_text_chunk", "role": "assistant" } ]
def x(file): if hasattr(file, 'read'): return file.read() if hasattr(file, 'read_bytes'): return file.read_bytes() with open(file, 'rb') as f: return f.read()
read_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file):\n if hasattr(file, 'read'):\n return file.read()\n if hasattr(file, 'read_bytes'):\n return file.read_bytes()\n with open(file, 'rb') as f:\n return f.read()\n", "role": "user" }, { "content": "read_file", "role": "assistant" } ]
def x(file, b): if hasattr(file, 'write_bytes'): file.write_bytes(b) elif hasattr(file, 'write'): file.write(b) else: with open(file, 'wb') as f: f.write(b)
write_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file, b):\n if hasattr(file, 'write_bytes'):\n file.write_bytes(b)\n elif hasattr(file, 'write'):\n file.write(b)\n else:\n with open(file, 'wb') as f:\n f.write(b)\n", "role": "user" }, { "content": "write_file", "role": "assistant" } ]
def x(file, mode): if hasattr(file, 'read'): return file if hasattr(file, 'open'): return file.open(mode) return open(file, mode)
open_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file, mode):\n if hasattr(file, 'read'):\n return file\n if hasattr(file, 'open'):\n return file.open(mode)\n return open(file, mode)\n", "role": "user" }, { "content": "open_file", "role": "assistant" } ]
def x(fp): import PIL.Image with io.BytesIO() as dest: PIL.Image.open(fp).save(dest, 'PNG', optimize=True) return dest.getvalue()
file_to_png
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fp):\n import PIL.Image\n with io.BytesIO() as dest:\n PIL.Image.open(fp).save(dest, 'PNG', optimize=True)\n return dest.getvalue()\n", "role": "user" }, { "content": "file_to_png", "role": "assistant" } ]
def x(self): for type_, data in self.chunks: if type_ == 'IHDR': self.hdr = data elif type_ == 'IEND': self.end = data if self.hdr: self.width, self.height = struct.unpack('!II', self.hdr[8:16])
init
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for type_, data in self.chunks:\n if type_ == 'IHDR':\n self.hdr = data\n elif type_ == 'IEND':\n self.end = data\n if self.hdr:\n self.width, self.height = struct.unpack('!II', self.hdr[8:16])\n", "role": "user" }, { "content": "init", "role": "assistant" } ]
def x(cls, file): with open_file(file, 'rb') as f: header = f.read(8) f.seek(0) if header != PNG_SIGN: b = file_to_png(f) else: b = f.read() return cls.from_bytes(b)
open_any
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, file):\n with open_file(file, 'rb') as f:\n header = f.read(8)\n f.seek(0)\n if header != PNG_SIGN:\n b = file_to_png(f)\n else:\n b = f.read()\n return cls.from_bytes(b)\n", "role": "user" }, { "content": "open_any", "role": "assistant" } ]
def x(cls, b): im = cls() im.chunks = list(parse_chunks(b)) im.init() return im
from_bytes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, b):\n im = cls()\n im.chunks = list(parse_chunks(b))\n im.init()\n return im\n", "role": "user" }, { "content": "from_bytes", "role": "assistant" } ]
def x(cls, chunks): im = cls() im.chunks = chunks im.init() return im
from_chunks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, chunks):\n im = cls()\n im.chunks = chunks\n im.init()\n return im\n", "role": "user" }, { "content": "from_chunks", "role": "assistant" } ]
def x(self): chunks = [PNG_SIGN] chunks.extend(c[1] for c in self.chunks) return b''.join(chunks)
to_bytes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n chunks = [PNG_SIGN]\n chunks.extend(c[1] for c in self.chunks)\n return b''.join(chunks)\n", "role": "user" }, { "content": "to_bytes", "role": "assistant" } ]
def x(self): return struct.pack('!IIIIHHbb', self.width, self.height, self.x_offset, self.y_offset, self.delay, self.delay_den, self.depose_op, self. blend_op)
to_bytes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return struct.pack('!IIIIHHbb', self.width, self.height, self.x_offset,\n self.y_offset, self.delay, self.delay_den, self.depose_op, self.\n blend_op)\n", "role": "user" }, { "content": "to_bytes", "role": "assistant" } ]
def x(self, png, **options): if not isinstance(png, PNG): raise TypeError('Expect an instance of `PNG` but got `{}`'.format(png)) control = FrameControl(**options) if control.width is None: control.width = png.width if control.height is None: control.height = png.height self.frames.append((png, control))
append
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, png, **options):\n if not isinstance(png, PNG):\n raise TypeError('Expect an instance of `PNG` but got `{}`'.format(png))\n control = FrameControl(**options)\n if control.width is None:\n control.width = png.width\n if control.height is None:\n control.height = png.height\n self.frames.append((png, control))\n", "role": "user" }, { "content": "append", "role": "assistant" } ]
def x(self, file, **options): self.append(PNG.open_any(file), **options)
append_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, file, **options):\n self.append(PNG.open_any(file), **options)\n", "role": "user" }, { "content": "append_file", "role": "assistant" } ]
def x(self): out = [PNG_SIGN] other_chunks = [] seq = 0 png, control = self.frames[0] out.append(png.hdr) out.append(make_chunk('acTL', struct.pack('!II', len(self.frames), self .num_plays))) if control: out.append(make_chunk('fcTL', struct.pack('!I', seq) + control. to_bytes())) seq += 1 idat_chunks = [] for type_, data in png.chunks: if type_ in ('IHDR', 'IEND'): continue if type_ == 'IDAT': idat_chunks.append(data) continue out.append(data) out.extend(idat_chunks) for png, control in self.frames[1:]: out.append(make_chunk('fcTL', struct.pack('!I', seq) + control. to_bytes())) seq += 1 for type_, data in png.chunks: if type_ in ('IHDR', 'IEND') or type_ in CHUNK_BEFORE_IDAT: continue elif type_ == 'IDAT': out.append(make_chunk('fdAT', struct.pack('!I', seq) + data [8:-4])) seq += 1 else: other_chunks.append(data) out.extend(other_chunks) out.append(png.end) return b''.join(out)
to_bytes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n out = [PNG_SIGN]\n other_chunks = []\n seq = 0\n png, control = self.frames[0]\n out.append(png.hdr)\n out.append(make_chunk('acTL', struct.pack('!II', len(self.frames), self\n .num_plays)))\n if control:\n out.append(make_chunk('fcTL', struct.pack('!I', seq) + control.\n to_bytes()))\n seq += 1\n idat_chunks = []\n for type_, data in png.chunks:\n if type_ in ('IHDR', 'IEND'):\n continue\n if type_ == 'IDAT':\n idat_chunks.append(data)\n continue\n out.append(data)\n out.extend(idat_chunks)\n for png, control in self.frames[1:]:\n out.append(make_chunk('fcTL', struct.pack('!I', seq) + control.\n to_bytes()))\n seq += 1\n for type_, data in png.chunks:\n if type_ in ('IHDR', 'IEND') or type_ in CHUNK_BEFORE_IDAT:\n continue\n elif type_ == 'IDAT':\n out.append(make_chunk('fdAT', struct.pack('!I', seq) + data\n [8:-4]))\n seq += 1\n else:\n other_chunks.append(data)\n out.extend(other_chunks)\n out.append(png.end)\n return b''.join(out)\n", "role": "user" }, { "content": "to_bytes", "role": "assistant" } ]
def x(cls, files, **options): im = cls() for file in files: im.append_file(file, **options) return im
from_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, files, **options):\n im = cls()\n for file in files:\n im.append_file(file, **options)\n return im\n", "role": "user" }, { "content": "from_files", "role": "assistant" } ]
def x(cls, b): hdr = None head_chunks = [] end = 'IEND', make_chunk('IEND', b'') frame_chunks = [] frames = [] num_plays = 0 frame_has_head_chunks = False control = None for type_, data in parse_chunks(b): if type_ == 'IHDR': hdr = data frame_chunks.append((type_, data)) elif type_ == 'acTL': _num_frames, num_plays = struct.unpack('!II', data[8:-4]) continue elif type_ == 'fcTL': if any(type_ == 'IDAT' for type_, data in frame_chunks): frame_chunks.append(end) frames.append((PNG.from_chunks(frame_chunks), control)) frame_has_head_chunks = False control = FrameControl.from_bytes(data[12:-4]) hdr = make_chunk('IHDR', struct.pack('!II', control.width, control.height) + hdr[16:-4]) frame_chunks = [('IHDR', hdr)] else: control = FrameControl.from_bytes(data[12:-4]) elif type_ == 'IDAT': if not frame_has_head_chunks: frame_chunks.extend(head_chunks) frame_has_head_chunks = True frame_chunks.append((type_, data)) elif type_ == 'fdAT': if not frame_has_head_chunks: frame_chunks.extend(head_chunks) frame_has_head_chunks = True frame_chunks.append(('IDAT', make_chunk('IDAT', data[12:-4]))) elif type_ == 'IEND': frame_chunks.append(end) frames.append((PNG.from_chunks(frame_chunks), control)) break elif type_ in CHUNK_BEFORE_IDAT: head_chunks.append((type_, data)) else: frame_chunks.append((type_, data)) o = cls() o.frames = frames o.num_plays = num_plays return o
from_bytes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, b):\n hdr = None\n head_chunks = []\n end = 'IEND', make_chunk('IEND', b'')\n frame_chunks = []\n frames = []\n num_plays = 0\n frame_has_head_chunks = False\n control = None\n for type_, data in parse_chunks(b):\n if type_ == 'IHDR':\n hdr = data\n frame_chunks.append((type_, data))\n elif type_ == 'acTL':\n _num_frames, num_plays = struct.unpack('!II', data[8:-4])\n continue\n elif type_ == 'fcTL':\n if any(type_ == 'IDAT' for type_, data in frame_chunks):\n frame_chunks.append(end)\n frames.append((PNG.from_chunks(frame_chunks), control))\n frame_has_head_chunks = False\n control = FrameControl.from_bytes(data[12:-4])\n hdr = make_chunk('IHDR', struct.pack('!II', control.width,\n control.height) + hdr[16:-4])\n frame_chunks = [('IHDR', hdr)]\n else:\n control = FrameControl.from_bytes(data[12:-4])\n elif type_ == 'IDAT':\n if not frame_has_head_chunks:\n frame_chunks.extend(head_chunks)\n frame_has_head_chunks = True\n frame_chunks.append((type_, data))\n elif type_ == 'fdAT':\n if not frame_has_head_chunks:\n frame_chunks.extend(head_chunks)\n frame_has_head_chunks = True\n frame_chunks.append(('IDAT', make_chunk('IDAT', data[12:-4])))\n elif type_ == 'IEND':\n frame_chunks.append(end)\n frames.append((PNG.from_chunks(frame_chunks), control))\n break\n elif type_ in CHUNK_BEFORE_IDAT:\n head_chunks.append((type_, data))\n else:\n frame_chunks.append((type_, data))\n o = cls()\n o.frames = frames\n o.num_plays = num_plays\n return o\n", "role": "user" }, { "content": "from_bytes", "role": "assistant" } ]
def x(): from livereload import Server server = Server() server.watch('README.rst', 'py cute.py readme_build') server.serve(open_url_delay=1, root='build/readme')
readme
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n from livereload import Server\n server = Server()\n server.watch('README.rst', 'py cute.py readme_build')\n server.serve(open_url_delay=1, root='build/readme')\n", "role": "user" }, { "content": "readme", "role": "assistant" } ]
def x(self, sock, msg): self.add_sensor(Sensor(int, 'int_sensor%d' % len(self._sensors), 'descr', 'unit', params=[-10, 10])) return Message.reply('add-sensor', 'ok')
request_add_sensor
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sock, msg):\n self.add_sensor(Sensor(int, 'int_sensor%d' % len(self._sensors),\n 'descr', 'unit', params=[-10, 10]))\n return Message.reply('add-sensor', 'ok')\n", "role": "user" }, { "content": "request_add_sensor", "role": "assistant" } ]
def x(params): def x(val): try: return str(float(val)) except ValueError: return str(val) if isinstance(params, basestring): params = params.split(' ') return tuple(fixup_numbers(p) for p in params)
normalize_strategy_parameters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(params):\n\n def x(val):\n try:\n return str(float(val))\n except ValueError:\n return str(val)\n if isinstance(params, basestring):\n params = params.split(' ')\n return tuple(fixup_numbers(p) for p in params)\n", "role": "user" }, { "content": "normalize_strategy_parameters", "role": "assistant" } ]
def x(self, sensor_name, condition_or_value, timeout=5): sensor_name = escape_name(sensor_name) sensor = self.sensor[sensor_name] try: yield sensor.wait(condition_or_value, timeout) except tornado.gen.TimeoutError: raise tornado.gen.Return(False) else: raise tornado.gen.Return(True)
wait
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sensor_name, condition_or_value, timeout=5):\n sensor_name = escape_name(sensor_name)\n sensor = self.sensor[sensor_name]\n try:\n yield sensor.wait(condition_or_value, timeout)\n except tornado.gen.TimeoutError:\n raise tornado.gen.Return(False)\n else:\n raise tornado.gen.Return(True)\n", "role": "user" }, { "content": "wait", "role": "assistant" } ]
def x(self, filter='', strategy=False, status='', use_python_identifiers= True, tuple=False, refresh=False):
list_sensors
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filter='', strategy=False, status='', use_python_identifiers=\n True, tuple=False, refresh=False):\n", "role": "user" }, { "content": "list_sensors", "role": "assistant" } ]
def x(self, filter, strategy_and_params): sensors_strategies = {} sensor_results = yield self.list_sensors(filter) for sensor_reslt in sensor_results: norm_name = sensor_reslt.object.normalised_name try: sensor_strat = yield self.set_sampling_strategy(norm_name, strategy_and_params) sensors_strategies[norm_name] = sensor_strat[norm_name] except Exception: sensors_strategies[norm_name] = False, sys.exc_info() raise tornado.gen.Return(sensors_strategies)
set_sampling_strategies
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filter, strategy_and_params):\n sensors_strategies = {}\n sensor_results = yield self.list_sensors(filter)\n for sensor_reslt in sensor_results:\n norm_name = sensor_reslt.object.normalised_name\n try:\n sensor_strat = yield self.set_sampling_strategy(norm_name,\n strategy_and_params)\n sensors_strategies[norm_name] = sensor_strat[norm_name]\n except Exception:\n sensors_strategies[norm_name] = False, sys.exc_info()\n raise tornado.gen.Return(sensors_strategies)\n", "role": "user" }, { "content": "set_sampling_strategies", "role": "assistant" } ]
def x(self, sensor_name, strategy_and_params): sensors_strategies = {} try: sensor_obj = self.sensor.get(sensor_name) yield sensor_obj.set_sampling_strategy(strategy_and_params) sensors_strategies[sensor_obj.normalised_name ] = True, sensor_obj.sampling_strategy except Exception: sensors_strategies[sensor_obj.normalised_name] = False, sys.exc_info() raise tornado.gen.Return(sensors_strategies)
set_sampling_strategy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sensor_name, strategy_and_params):\n sensors_strategies = {}\n try:\n sensor_obj = self.sensor.get(sensor_name)\n yield sensor_obj.set_sampling_strategy(strategy_and_params)\n sensors_strategies[sensor_obj.normalised_name\n ] = True, sensor_obj.sampling_strategy\n except Exception:\n sensors_strategies[sensor_obj.normalised_name] = False, sys.exc_info()\n raise tornado.gen.Return(sensors_strategies)\n", "role": "user" }, { "content": "set_sampling_strategy", "role": "assistant" } ]
def x(self, strategy, params=None): if not params: param_args = [] elif isinstance(params, basestring): param_args = [str(p) for p in params.split(' ')] else: if not isinstance(params, collections.Iterable): params = params, param_args = [str(p) for p in params] samp_strategy = ' '.join([strategy] + param_args) return self._manager.set_sampling_strategy(self.name, samp_strategy)
set_strategy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, strategy, params=None):\n if not params:\n param_args = []\n elif isinstance(params, basestring):\n param_args = [str(p) for p in params.split(' ')]\n else:\n if not isinstance(params, collections.Iterable):\n params = params,\n param_args = [str(p) for p in params]\n samp_strategy = ' '.join([strategy] + param_args)\n return self._manager.set_sampling_strategy(self.name, samp_strategy)\n", "role": "user" }, { "content": "set_strategy", "role": "assistant" } ]
def x(self, listener, reading=False): listener_id = hashable_identity(listener) self._listeners[listener_id] = listener, reading logger.debug('Register listener for {}'.format(self.name))
register_listener
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, listener, reading=False):\n listener_id = hashable_identity(listener)\n self._listeners[listener_id] = listener, reading\n logger.debug('Register listener for {}'.format(self.name))\n", "role": "user" }, { "content": "register_listener", "role": "assistant" } ]
def x(self, listener): listener_id = hashable_identity(listener) self._listeners.pop(listener_id, None)
unregister_listener
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, listener):\n listener_id = hashable_identity(listener)\n self._listeners.pop(listener_id, None)\n", "role": "user" }, { "content": "unregister_listener", "role": "assistant" } ]
def x(self, timestamp, status, value): received_timestamp = self._manager.time() reading = KATCPSensorReading(received_timestamp, timestamp, status, value) self._reading = reading self.call_listeners(reading)
set
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, timestamp, status, value):\n received_timestamp = self._manager.time()\n reading = KATCPSensorReading(received_timestamp, timestamp, status, value)\n self._reading = reading\n self.call_listeners(reading)\n", "role": "user" }, { "content": "set", "role": "assistant" } ]
def x(self, value, status=Sensor.NOMINAL, timestamp=None): if timestamp is None: timestamp = self._manager.time() self.set(timestamp, status, value)
set_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value, status=Sensor.NOMINAL, timestamp=None):\n if timestamp is None:\n timestamp = self._manager.time()\n self.set(timestamp, status, value)\n", "role": "user" }, { "content": "set_value", "role": "assistant" } ]
def x(self): yield self._manager.poll_sensor(self._name) raise Return(self._reading)
get_reading
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n yield self._manager.poll_sensor(self._name)\n raise Return(self._reading)\n", "role": "user" }, { "content": "get_reading", "role": "assistant" } ]
def x(self): yield self._manager.poll_sensor(self._name) raise Return(self._reading.value)
get_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n yield self._manager.poll_sensor(self._name)\n raise Return(self._reading.value)\n", "role": "user" }, { "content": "get_value", "role": "assistant" } ]
def x(self): yield self._manager.poll_sensor(self._name) raise Return(self._reading.status)
get_status
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n yield self._manager.poll_sensor(self._name)\n raise Return(self._reading.status)\n", "role": "user" }, { "content": "get_status", "role": "assistant" } ]
def x(self, condition_or_value, timeout=None): if isinstance(condition_or_value, collections.Sequence) and not isinstance( condition_or_value, basestring): raise NotImplementedError( 'Currently only single conditions are supported') condition_test = condition_or_value if callable(condition_or_value ) else lambda s: s.value == condition_or_value ioloop = tornado.ioloop.IOLoop.current() f = Future() if self.sampling_strategy == ('none',): raise KATCPSensorError( 'Cannot wait on a sensor that does not have a strategy set') def x(sensor, reading): try: assert sensor is self if condition_test(reading): self.unregister_listener(handle_update) if not f.done(): ioloop.add_callback(f.set_result, True) except Exception: f.set_exc_info(sys.exc_info()) self.unregister_listener(handle_update) self.register_listener(handle_update, reading=True) ioloop.add_callback(handle_update, self, self._reading) if timeout: to = ioloop.time() + timeout timeout_f = with_timeout(to, f) timeout_f.add_done_callback(lambda f: self.unregister_listener( handle_update)) return timeout_f else: return f
wait
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, condition_or_value, timeout=None):\n if isinstance(condition_or_value, collections.Sequence) and not isinstance(\n condition_or_value, basestring):\n raise NotImplementedError(\n 'Currently only single conditions are supported')\n condition_test = condition_or_value if callable(condition_or_value\n ) else lambda s: s.value == condition_or_value\n ioloop = tornado.ioloop.IOLoop.current()\n f = Future()\n if self.sampling_strategy == ('none',):\n raise KATCPSensorError(\n 'Cannot wait on a sensor that does not have a strategy set')\n\n def x(sensor, reading):\n try:\n assert sensor is self\n if condition_test(reading):\n self.unregister_listener(handle_update)\n if not f.done():\n ioloop.add_callback(f.set_result, True)\n except Exception:\n f.set_exc_info(sys.exc_info())\n self.unregister_listener(handle_update)\n self.register_listener(handle_update, reading=True)\n ioloop.add_callback(handle_update, self, self._reading)\n if timeout:\n to = ioloop.time() + timeout\n timeout_f = with_timeout(to, f)\n timeout_f.add_done_callback(lambda f: self.unregister_listener(\n handle_update))\n return timeout_f\n else:\n return f\n", "role": "user" }, { "content": "wait", "role": "assistant" } ]
def x(KATCPClientResourceClass, fake_options, resource_spec, *args, **kwargs): allow_any_request = fake_options.get('allow_any_request', False) class FakeKATCPClientResource(KATCPClientResourceClass): def x(self, host, port, ioloop_set_to): real_instance = super(FakeKATCPClientResource, self ).inspecting_client_factory(host, port, ioloop_set_to) fic, fic_manager = fake_inspecting_client_factory(real_instance .__class__, fake_options, host, port, ioloop=ioloop_set_to, auto_reconnect=self.auto_reconnect) self.fake_inspecting_client_manager = fic_manager return fic fkcr = FakeKATCPClientResource(resource_spec, *args, **kwargs) fkcr_manager = FakeKATCPClientResourceManager(fkcr) return fkcr, fkcr_manager
fake_KATCP_client_resource_factory
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(KATCPClientResourceClass, fake_options, resource_spec, *args, **kwargs):\n allow_any_request = fake_options.get('allow_any_request', False)\n\n\n class FakeKATCPClientResource(KATCPClientResourceClass):\n\n def x(self, host, port, ioloop_set_to):\n real_instance = super(FakeKATCPClientResource, self\n ).inspecting_client_factory(host, port, ioloop_set_to)\n fic, fic_manager = fake_inspecting_client_factory(real_instance\n .__class__, fake_options, host, port, ioloop=ioloop_set_to,\n auto_reconnect=self.auto_reconnect)\n self.fake_inspecting_client_manager = fic_manager\n return fic\n fkcr = FakeKATCPClientResource(resource_spec, *args, **kwargs)\n fkcr_manager = FakeKATCPClientResourceManager(fkcr)\n return fkcr, fkcr_manager\n", "role": "user" }, { "content": "fake_KATCP_client_resource_factory", "role": "assistant" } ]
def x(KATCPClientResourceContainerClass, fake_options, resources_spec, * args, **kwargs): allow_any_request = fake_options.get('allow_any_request', False) class FakeKATCPClientResourceContainer(KATCPClientResourceContainerClass): def x(self, *args, **kwargs): self.fake_client_resource_managers = {} super(FakeKATCPClientResourceContainer, self).__init__(*args, **kwargs) def x(self, res_spec, parent, logger): real_instance = super(FakeKATCPClientResourceContainer, self ).client_resource_factory(res_spec, parent, logger) fkcr, fkcr_manager = fake_KATCP_client_resource_factory( real_instance.__class__, fake_options, res_spec, parent= self, logger=logger) self.fake_client_resource_managers[resource.escape_name(fkcr.name) ] = fkcr_manager return fkcr fkcrc = FakeKATCPClientResourceContainer(resources_spec, *args, **kwargs) fkcrc_manager = FakeKATCPClientResourceContainerManager(fkcrc) return fkcrc, fkcrc_manager
fake_KATCP_client_resource_container_factory
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(KATCPClientResourceContainerClass, fake_options, resources_spec, *\n args, **kwargs):\n allow_any_request = fake_options.get('allow_any_request', False)\n\n\n class FakeKATCPClientResourceContainer(KATCPClientResourceContainerClass):\n\n def x(self, *args, **kwargs):\n self.fake_client_resource_managers = {}\n super(FakeKATCPClientResourceContainer, self).__init__(*args,\n **kwargs)\n\n def x(self, res_spec, parent, logger):\n real_instance = super(FakeKATCPClientResourceContainer, self\n ).client_resource_factory(res_spec, parent, logger)\n fkcr, fkcr_manager = fake_KATCP_client_resource_factory(\n real_instance.__class__, fake_options, res_spec, parent=\n self, logger=logger)\n self.fake_client_resource_managers[resource.escape_name(fkcr.name)\n ] = fkcr_manager\n return fkcr\n fkcrc = FakeKATCPClientResourceContainer(resources_spec, *args, **kwargs)\n fkcrc_manager = FakeKATCPClientResourceContainerManager(fkcrc)\n return fkcrc, fkcrc_manager\n", "role": "user" }, { "content": "fake_KATCP_client_resource_container_factory", "role": "assistant" } ]
def x(self, req, msg): if msg.arguments: name = msg.arguments[0], keys = name, if name not in self.fake_sensor_infos: return 'fail', 'Unknown sensor name.' else: keys = self.fake_sensor_infos.keys() num_informs = 0 for sensor_name in keys: infos = self.fake_sensor_infos[sensor_name] num_informs += 1 req.inform(sensor_name, *infos) return 'ok', num_informs
request_sensor_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, req, msg):\n if msg.arguments:\n name = msg.arguments[0],\n keys = name,\n if name not in self.fake_sensor_infos:\n return 'fail', 'Unknown sensor name.'\n else:\n keys = self.fake_sensor_infos.keys()\n num_informs = 0\n for sensor_name in keys:\n infos = self.fake_sensor_infos[sensor_name]\n num_informs += 1\n req.inform(sensor_name, *infos)\n return 'ok', num_informs\n", "role": "user" }, { "content": "request_sensor_list", "role": "assistant" } ]
def x(self, sensor_infos): for s_name, s_info in sensor_infos.items(): s_type = Sensor.parse_type(s_info[2]) s_params = Sensor.parse_params(s_type, s_info[3:]) self.fake_sensor_infos.update(sensor_infos) self._fic._interface_changed.set()
add_sensors
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sensor_infos):\n for s_name, s_info in sensor_infos.items():\n s_type = Sensor.parse_type(s_info[2])\n s_params = Sensor.parse_params(s_type, s_info[3:])\n self.fake_sensor_infos.update(sensor_infos)\n self._fic._interface_changed.set()\n", "role": "user" }, { "content": "add_sensors", "role": "assistant" } ]
def x(self, rh_obj): rh_dict = {} for name in dir(rh_obj): if not callable(getattr(rh_obj, name)): continue if name.startswith('request_'): request_name = convert_method_name('request_', name) req_meth = getattr(rh_obj, name) rh_dict[request_name] = req_meth self.add_request_handlers_dict(rh_dict)
add_request_handlers_object
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, rh_obj):\n rh_dict = {}\n for name in dir(rh_obj):\n if not callable(getattr(rh_obj, name)):\n continue\n if name.startswith('request_'):\n request_name = convert_method_name('request_', name)\n req_meth = getattr(rh_obj, name)\n rh_dict[request_name] = req_meth\n self.add_request_handlers_dict(rh_dict)\n", "role": "user" }, { "content": "add_request_handlers_object", "role": "assistant" } ]
def x(self, rh_dict): for req_func in rh_dict.values(): assert req_func.__doc__, 'Even fake request handlers must have docstrings' self._fkc.request_handlers.update(rh_dict) self._fic._interface_changed.set()
add_request_handlers_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, rh_dict):\n for req_func in rh_dict.values():\n assert req_func.__doc__, 'Even fake request handlers must have docstrings'\n self._fkc.request_handlers.update(rh_dict)\n self._fic._interface_changed.set()\n", "role": "user" }, { "content": "add_request_handlers_dict", "role": "assistant" } ]
def x(self, msg, timeout=None, use_mid=None): mid = self._get_mid_and_update_msg(msg, use_mid) if msg.name in self.request_handlers: req = FakeClientRequestConnection(self.client_connection, msg) reply_msg = yield tornado.gen.maybe_future(self.request_handlers[ msg.name](req, msg)) reply_informs = req.informs_sent else: reply_msg = Message.reply(msg.name, 'ok') reply_informs = [] reply_msg.mid = mid raise Return((reply_msg, reply_informs))
future_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, msg, timeout=None, use_mid=None):\n mid = self._get_mid_and_update_msg(msg, use_mid)\n if msg.name in self.request_handlers:\n req = FakeClientRequestConnection(self.client_connection, msg)\n reply_msg = yield tornado.gen.maybe_future(self.request_handlers[\n msg.name](req, msg))\n reply_informs = req.informs_sent\n else:\n reply_msg = Message.reply(msg.name, 'ok')\n reply_informs = []\n reply_msg.mid = mid\n raise Return((reply_msg, reply_informs))\n", "role": "user" }, { "content": "future_request", "role": "assistant" } ]
def x(self): try: self._validate_parameters() self._base_delay = min(self._base_delay * self.exp_fac, self.delay_max) self._update_delay() except Exception: ic_logger.exception( 'Unhandled exception trying to calculate a retry timout')
failed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n try:\n self._validate_parameters()\n self._base_delay = min(self._base_delay * self.exp_fac, self.delay_max)\n self._update_delay()\n except Exception:\n ic_logger.exception(\n 'Unhandled exception trying to calculate a retry timout')\n", "role": "user" }, { "content": "failed", "role": "assistant" } ]
def x(self, inform_name, callback): if callback not in self._inform_hooks[inform_name]: self._inform_hooks[inform_name].append(callback)
hook_inform
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, inform_name, callback):\n if callback not in self._inform_hooks[inform_name]:\n self._inform_hooks[inform_name].append(callback)\n", "role": "user" }, { "content": "hook_inform", "role": "assistant" } ]
def x(self, msg): try: for func in self._inform_hooks.get(msg.name, []): func(msg) except Exception: self._logger.warning('Call to function "{0}" with message "{1}".'. format(func, msg), exc_info=True) super(_InformHookDeviceClient, self).handle_inform(msg)
handle_inform
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, msg):\n try:\n for func in self._inform_hooks.get(msg.name, []):\n func(msg)\n except Exception:\n self._logger.warning('Call to function \"{0}\" with message \"{1}\".'.\n format(func, msg), exc_info=True)\n super(_InformHookDeviceClient, self).handle_inform(msg)\n", "role": "user" }, { "content": "handle_inform", "role": "assistant" } ]
def x(self, host, port, *args, **kwargs): return _InformHookDeviceClient(host, port, *args, **kwargs)
inform_hook_client_factory
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, host, port, *args, **kwargs):\n return _InformHookDeviceClient(host, port, *args, **kwargs)\n", "role": "user" }, { "content": "inform_hook_client_factory", "role": "assistant" } ]
def x(self, desired_state, timeout=None): return self._state.until_state(desired_state, timeout=timeout)
until_state
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, desired_state, timeout=None):\n return self._state.until_state(desired_state, timeout=timeout)\n", "role": "user" }, { "content": "until_state", "role": "assistant" } ]
def x(self, timeout=None): assert not self._running maybe_timeout = future_timeout_manager(timeout) self._logger.debug('Starting katcp client') self.katcp_client.start() try: yield maybe_timeout(self.katcp_client.until_running()) self._logger.debug('Katcp client running') except tornado.gen.TimeoutError: self.katcp_client.stop() raise if timeout: yield maybe_timeout(self.katcp_client.until_connected()) self._logger.debug('Katcp client connected') self._running = True self._state_loop()
connect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, timeout=None):\n assert not self._running\n maybe_timeout = future_timeout_manager(timeout)\n self._logger.debug('Starting katcp client')\n self.katcp_client.start()\n try:\n yield maybe_timeout(self.katcp_client.until_running())\n self._logger.debug('Katcp client running')\n except tornado.gen.TimeoutError:\n self.katcp_client.stop()\n raise\n if timeout:\n yield maybe_timeout(self.katcp_client.until_connected())\n self._logger.debug('Katcp client connected')\n self._running = True\n self._state_loop()\n", "role": "user" }, { "content": "connect", "role": "assistant" } ]
def x(self): timeout_manager = future_timeout_manager(self.sync_timeout) sensor_index_before = copy.copy(self._sensors_index) request_index_before = copy.copy(self._requests_index) try: request_changes = yield self.inspect_requests(timeout= timeout_manager.remaining()) sensor_changes = yield self.inspect_sensors(timeout=timeout_manager .remaining()) except Exception: self._sensors_index = sensor_index_before self._requests_index = request_index_before raise model_changes = AttrDict() if request_changes: model_changes.requests = request_changes if sensor_changes: model_changes.sensors = sensor_changes if model_changes: raise Return(model_changes)
inspect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n timeout_manager = future_timeout_manager(self.sync_timeout)\n sensor_index_before = copy.copy(self._sensors_index)\n request_index_before = copy.copy(self._requests_index)\n try:\n request_changes = yield self.inspect_requests(timeout=\n timeout_manager.remaining())\n sensor_changes = yield self.inspect_sensors(timeout=timeout_manager\n .remaining())\n except Exception:\n self._sensors_index = sensor_index_before\n self._requests_index = request_index_before\n raise\n model_changes = AttrDict()\n if request_changes:\n model_changes.requests = request_changes\n if sensor_changes:\n model_changes.sensors = sensor_changes\n if model_changes:\n raise Return(model_changes)\n", "role": "user" }, { "content": "inspect", "role": "assistant" } ]
def x(self, name=None, timeout=None): maybe_timeout = future_timeout_manager(timeout) if name is None: msg = katcp.Message.request('help') else: msg = katcp.Message.request('help', name) reply, informs = yield self.katcp_client.future_request(msg, timeout= maybe_timeout.remaining()) if not reply.reply_ok(): if name is None or 'Unknown request' not in reply.arguments[1]: raise SyncError('Error reply during sync process for {}: {}'. format(self.bind_address_string, reply)) timeout_hints_available = (self.katcp_client.protocol_flags. request_timeout_hints) if timeout_hints_available: timeout_hints = yield self._get_request_timeout_hints(name, timeout =maybe_timeout.remaining()) else: timeout_hints = {} requests_old = set(self._requests_index.keys()) requests_updated = set() for msg in informs: req_name = msg.arguments[0] req = {'name': req_name, 'description': msg.arguments[1], 'timeout_hint': timeout_hints.get(req_name)} requests_updated.add(req_name) self._update_index(self._requests_index, req_name, req) added, removed = self._difference(requests_old, requests_updated, name, self._requests_index) if added or removed: raise Return(AttrDict(added=added, removed=removed))
inspect_requests
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name=None, timeout=None):\n maybe_timeout = future_timeout_manager(timeout)\n if name is None:\n msg = katcp.Message.request('help')\n else:\n msg = katcp.Message.request('help', name)\n reply, informs = yield self.katcp_client.future_request(msg, timeout=\n maybe_timeout.remaining())\n if not reply.reply_ok():\n if name is None or 'Unknown request' not in reply.arguments[1]:\n raise SyncError('Error reply during sync process for {}: {}'.\n format(self.bind_address_string, reply))\n timeout_hints_available = (self.katcp_client.protocol_flags.\n request_timeout_hints)\n if timeout_hints_available:\n timeout_hints = yield self._get_request_timeout_hints(name, timeout\n =maybe_timeout.remaining())\n else:\n timeout_hints = {}\n requests_old = set(self._requests_index.keys())\n requests_updated = set()\n for msg in informs:\n req_name = msg.arguments[0]\n req = {'name': req_name, 'description': msg.arguments[1],\n 'timeout_hint': timeout_hints.get(req_name)}\n requests_updated.add(req_name)\n self._update_index(self._requests_index, req_name, req)\n added, removed = self._difference(requests_old, requests_updated, name,\n self._requests_index)\n if added or removed:\n raise Return(AttrDict(added=added, removed=removed))\n", "role": "user" }, { "content": "inspect_requests", "role": "assistant" } ]
def x(self, name=None, timeout=None): timeout_hints = {} req_msg_args = ['request-timeout-hint'] if name: req_msg_args.append(name) req_msg = katcp.Message.request(*req_msg_args) reply, informs = yield self.katcp_client.future_request(req_msg, timeout=timeout) if not reply.reply_ok(): raise SyncError( """Error retrieving request timeout hints: "{}" in reply to request {}, continuing with sync""" .format(reply, req_msg)) for inform in informs: request_name = inform.arguments[0] timeout_hint = float(inform.arguments[1]) if timeout_hint > 0: timeout_hints[request_name] = timeout_hint raise Return(timeout_hints)
get_request_timeout_hints
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name=None, timeout=None):\n timeout_hints = {}\n req_msg_args = ['request-timeout-hint']\n if name:\n req_msg_args.append(name)\n req_msg = katcp.Message.request(*req_msg_args)\n reply, informs = yield self.katcp_client.future_request(req_msg,\n timeout=timeout)\n if not reply.reply_ok():\n raise SyncError(\n \"\"\"Error retrieving request timeout hints: \"{}\"\nin reply to request {}, continuing with sync\"\"\"\n .format(reply, req_msg))\n for inform in informs:\n request_name = inform.arguments[0]\n timeout_hint = float(inform.arguments[1])\n if timeout_hint > 0:\n timeout_hints[request_name] = timeout_hint\n raise Return(timeout_hints)\n", "role": "user" }, { "content": "get_request_timeout_hints", "role": "assistant" } ]
def x(self, name=None, timeout=None): if name is None: msg = katcp.Message.request('sensor-list') else: msg = katcp.Message.request('sensor-list', name) reply, informs = yield self.katcp_client.future_request(msg, timeout= timeout) self._logger.debug('{} received {} sensor-list informs, reply: {}'. format(self.bind_address_string, len(informs), reply)) if not reply.reply_ok(): if name is None or 'Unknown sensor' not in reply.arguments[1]: raise SyncError('Error reply during sync process: {}'.format(reply) ) sensors_old = set(self._sensors_index.keys()) sensors_updated = set() for msg in informs: sen_name = msg.arguments[0] sensors_updated.add(sen_name) sen = {'description': msg.arguments[1], 'units': msg.arguments[2], 'sensor_type': msg.arguments[3], 'params': msg.arguments[4:]} self._update_index(self._sensors_index, sen_name, sen) added, removed = self._difference(sensors_old, sensors_updated, name, self._sensors_index) for sensor_name in removed: if sensor_name in self._sensor_object_cache: del self._sensor_object_cache[sensor_name] if added or removed: raise Return(AttrDict(added=added, removed=removed))
inspect_sensors
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name=None, timeout=None):\n if name is None:\n msg = katcp.Message.request('sensor-list')\n else:\n msg = katcp.Message.request('sensor-list', name)\n reply, informs = yield self.katcp_client.future_request(msg, timeout=\n timeout)\n self._logger.debug('{} received {} sensor-list informs, reply: {}'.\n format(self.bind_address_string, len(informs), reply))\n if not reply.reply_ok():\n if name is None or 'Unknown sensor' not in reply.arguments[1]:\n raise SyncError('Error reply during sync process: {}'.format(reply)\n )\n sensors_old = set(self._sensors_index.keys())\n sensors_updated = set()\n for msg in informs:\n sen_name = msg.arguments[0]\n sensors_updated.add(sen_name)\n sen = {'description': msg.arguments[1], 'units': msg.arguments[2],\n 'sensor_type': msg.arguments[3], 'params': msg.arguments[4:]}\n self._update_index(self._sensors_index, sen_name, sen)\n added, removed = self._difference(sensors_old, sensors_updated, name,\n self._sensors_index)\n for sensor_name in removed:\n if sensor_name in self._sensor_object_cache:\n del self._sensor_object_cache[sensor_name]\n if added or removed:\n raise Return(AttrDict(added=added, removed=removed))\n", "role": "user" }, { "content": "inspect_sensors", "role": "assistant" } ]
def x(self, name, update=None): exist = False yield self.until_data_synced() if name in self._sensors_index: exist = True elif update or update is None and self._update_on_lookup: yield self.inspect_sensors(name) exist = yield self.future_check_sensor(name, False) raise tornado.gen.Return(exist)
future_check_sensor
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, update=None):\n exist = False\n yield self.until_data_synced()\n if name in self._sensors_index:\n exist = True\n elif update or update is None and self._update_on_lookup:\n yield self.inspect_sensors(name)\n exist = yield self.future_check_sensor(name, False)\n raise tornado.gen.Return(exist)\n", "role": "user" }, { "content": "future_check_sensor", "role": "assistant" } ]
def x(self, name, update=None): obj = None exist = yield self.future_check_sensor(name, update) if exist: sensor_info = self._sensors_index[name] obj = sensor_info.get('obj') if obj is None: sensor_type = katcp.Sensor.parse_type(sensor_info.get( 'sensor_type')) sensor_params = katcp.Sensor.parse_params(sensor_type, sensor_info.get('params')) obj = self.sensor_factory(name=name, sensor_type=sensor_type, description=sensor_info.get('description'), units= sensor_info.get('units'), params=sensor_params) self._sensors_index[name]['obj'] = obj self._sensor_object_cache[name] = obj raise tornado.gen.Return(obj)
future_get_sensor
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, update=None):\n obj = None\n exist = yield self.future_check_sensor(name, update)\n if exist:\n sensor_info = self._sensors_index[name]\n obj = sensor_info.get('obj')\n if obj is None:\n sensor_type = katcp.Sensor.parse_type(sensor_info.get(\n 'sensor_type'))\n sensor_params = katcp.Sensor.parse_params(sensor_type,\n sensor_info.get('params'))\n obj = self.sensor_factory(name=name, sensor_type=sensor_type,\n description=sensor_info.get('description'), units=\n sensor_info.get('units'), params=sensor_params)\n self._sensors_index[name]['obj'] = obj\n self._sensor_object_cache[name] = obj\n raise tornado.gen.Return(obj)\n", "role": "user" }, { "content": "future_get_sensor", "role": "assistant" } ]
def x(self, name, update=None): exist = False yield self.until_data_synced() if name in self._requests_index: exist = True elif update or update is None and self._update_on_lookup: yield self.inspect_requests(name) exist = yield self.future_check_request(name, False) raise tornado.gen.Return(exist)
future_check_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, update=None):\n exist = False\n yield self.until_data_synced()\n if name in self._requests_index:\n exist = True\n elif update or update is None and self._update_on_lookup:\n yield self.inspect_requests(name)\n exist = yield self.future_check_request(name, False)\n raise tornado.gen.Return(exist)\n", "role": "user" }, { "content": "future_check_request", "role": "assistant" } ]
def x(self, name, update=None): obj = None exist = yield self.future_check_request(name, update) if exist: request_info = self._requests_index[name] obj = request_info.get('obj') if obj is None: obj = self.request_factory(**request_info) self._requests_index[name]['obj'] = obj raise tornado.gen.Return(obj)
future_get_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, update=None):\n obj = None\n exist = yield self.future_check_request(name, update)\n if exist:\n request_info = self._requests_index[name]\n obj = request_info.get('obj')\n if obj is None:\n obj = self.request_factory(**request_info)\n self._requests_index[name]['obj'] = obj\n raise tornado.gen.Return(obj)\n", "role": "user" }, { "content": "future_get_request", "role": "assistant" } ]
def x(self, msg): timestamp = msg.arguments[0] num_sensors = int(msg.arguments[1]) assert len(msg.arguments) == 2 + num_sensors * 3 for n in xrange(num_sensors): name = msg.arguments[2 + n * 3] status = msg.arguments[3 + n * 3] value = msg.arguments[4 + n * 3] self.update_sensor(name, timestamp, status, value)
cb_inform_sensor_status
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, msg):\n timestamp = msg.arguments[0]\n num_sensors = int(msg.arguments[1])\n assert len(msg.arguments) == 2 + num_sensors * 3\n for n in xrange(num_sensors):\n name = msg.arguments[2 + n * 3]\n status = msg.arguments[3 + n * 3]\n value = msg.arguments[4 + n * 3]\n self.update_sensor(name, timestamp, status, value)\n", "role": "user" }, { "content": "cb_inform_sensor_status", "role": "assistant" } ]
def x(self, msg): self._logger.debug('cb_inform_interface_change(%s)', msg) self._interface_changed.set()
cb_inform_interface_change
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, msg):\n self._logger.debug('cb_inform_interface_change(%s)', msg)\n self._interface_changed.set()\n", "role": "user" }, { "content": "cb_inform_interface_change", "role": "assistant" } ]
def x(self, request, *args, **kwargs): use_mid = kwargs.get('use_mid') timeout = kwargs.get('timeout') mid = kwargs.get('mid') msg = katcp.Message.request(request, *args, mid=mid) return self.katcp_client.future_request(msg, timeout, use_mid)
simple_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, *args, **kwargs):\n use_mid = kwargs.get('use_mid')\n timeout = kwargs.get('timeout')\n mid = kwargs.get('mid')\n msg = katcp.Message.request(request, *args, mid=mid)\n return self.katcp_client.future_request(msg, timeout, use_mid)\n", "role": "user" }, { "content": "simple_request", "role": "assistant" } ]
def x(self, original_keys, updated_keys, name, item_index): original_keys = set(original_keys) updated_keys = set(updated_keys) added_keys = updated_keys.difference(original_keys) removed_keys = set() if name is None: removed_keys = original_keys.difference(updated_keys) elif name not in updated_keys and name in original_keys: removed_keys = set([name]) for key in removed_keys: if key in item_index: del item_index[key] for key in updated_keys.difference(added_keys.union(removed_keys)): if item_index[key].get('_changed'): item_index[key]['_changed'] = False removed_keys.add(key) added_keys.add(key) return added_keys, removed_keys
difference
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, original_keys, updated_keys, name, item_index):\n original_keys = set(original_keys)\n updated_keys = set(updated_keys)\n added_keys = updated_keys.difference(original_keys)\n removed_keys = set()\n if name is None:\n removed_keys = original_keys.difference(updated_keys)\n elif name not in updated_keys and name in original_keys:\n removed_keys = set([name])\n for key in removed_keys:\n if key in item_index:\n del item_index[key]\n for key in updated_keys.difference(added_keys.union(removed_keys)):\n if item_index[key].get('_changed'):\n item_index[key]['_changed'] = False\n removed_keys.add(key)\n added_keys.add(key)\n return added_keys, removed_keys\n", "role": "user" }, { "content": "difference", "role": "assistant" } ]
def x(self, req): r = random.choice(self.FRUIT + [None]) if r is None: return 'fail', 'No fruit.' delay = random.randrange(1, 5) req.inform('Picking will take %d seconds' % delay) def x(): self._fruit_result.set_value(r) req.reply('ok', r) self.ioloop.add_callback(self.ioloop.call_later, delay, pick_handler) raise AsyncReply
request_pick_fruit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, req):\n r = random.choice(self.FRUIT + [None])\n if r is None:\n return 'fail', 'No fruit.'\n delay = random.randrange(1, 5)\n req.inform('Picking will take %d seconds' % delay)\n\n def x():\n self._fruit_result.set_value(r)\n req.reply('ok', r)\n self.ioloop.add_callback(self.ioloop.call_later, delay, pick_handler)\n raise AsyncReply\n", "role": "user" }, { "content": "request_pick_fruit", "role": "assistant" } ]
def x(update): @wraps(update) def x(self, sensor, reading): if get_thread_ident() == self._ioloop_thread_id: update(self, sensor, reading) else: self.ioloop.add_callback(update, self, sensor, reading) return wrapped_update
update_in_ioloop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(update):\n\n @wraps(update)\n def x(self, sensor, reading):\n if get_thread_ident() == self._ioloop_thread_id:\n update(self, sensor, reading)\n else:\n self.ioloop.add_callback(update, self, sensor, reading)\n return wrapped_update\n", "role": "user" }, { "content": "update_in_ioloop", "role": "assistant" } ]
def x(cls, strategyName, inform_callback, sensor, *params, **kwargs): if strategyName not in cls.SAMPLING_LOOKUP_REV: raise ValueError( "Unknown sampling strategy '%s'. Known strategies are %s." % ( strategyName, cls.SAMPLING_LOOKUP.values())) strategyType = cls.SAMPLING_LOOKUP_REV[strategyName] if strategyType == cls.NONE: return SampleNone(inform_callback, sensor, *params, **kwargs) elif strategyType == cls.AUTO: return SampleAuto(inform_callback, sensor, *params, **kwargs) elif strategyType == cls.EVENT: return SampleEvent(inform_callback, sensor, *params, **kwargs) elif strategyType == cls.DIFFERENTIAL: return SampleDifferential(inform_callback, sensor, *params, **kwargs) elif strategyType == cls.PERIOD: return SamplePeriod(inform_callback, sensor, *params, **kwargs) elif strategyType == cls.EVENT_RATE: return SampleEventRate(inform_callback, sensor, *params, **kwargs) elif strategyType == cls.DIFFERENTIAL_RATE: return SampleDifferentialRate(inform_callback, sensor, *params, ** kwargs)
get_strategy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, strategyName, inform_callback, sensor, *params, **kwargs):\n if strategyName not in cls.SAMPLING_LOOKUP_REV:\n raise ValueError(\n \"Unknown sampling strategy '%s'. Known strategies are %s.\" % (\n strategyName, cls.SAMPLING_LOOKUP.values()))\n strategyType = cls.SAMPLING_LOOKUP_REV[strategyName]\n if strategyType == cls.NONE:\n return SampleNone(inform_callback, sensor, *params, **kwargs)\n elif strategyType == cls.AUTO:\n return SampleAuto(inform_callback, sensor, *params, **kwargs)\n elif strategyType == cls.EVENT:\n return SampleEvent(inform_callback, sensor, *params, **kwargs)\n elif strategyType == cls.DIFFERENTIAL:\n return SampleDifferential(inform_callback, sensor, *params, **kwargs)\n elif strategyType == cls.PERIOD:\n return SamplePeriod(inform_callback, sensor, *params, **kwargs)\n elif strategyType == cls.EVENT_RATE:\n return SampleEventRate(inform_callback, sensor, *params, **kwargs)\n elif strategyType == cls.DIFFERENTIAL_RATE:\n return SampleDifferentialRate(inform_callback, sensor, *params, **\n kwargs)\n", "role": "user" }, { "content": "get_strategy", "role": "assistant" } ]
def x(self): strategy = self.get_sampling() strategy = self.SAMPLING_LOOKUP[strategy] params = [str(p) for p in self._params] return strategy, params
get_sampling_formatted
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n strategy = self.get_sampling()\n strategy = self.SAMPLING_LOOKUP[strategy]\n params = [str(p) for p in self._params]\n return strategy, params\n", "role": "user" }, { "content": "get_sampling_formatted", "role": "assistant" } ]
def x(self): s = self._sensor self.update(s, s.read()) self._sensor.attach(self)
attach
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n s = self._sensor\n self.update(s, s.read())\n self._sensor.attach(self)\n", "role": "user" }, { "content": "attach", "role": "assistant" } ]
def x(self): if self.OBSERVE_UPDATES: self.detach() self.ioloop.add_callback(self.cancel_timeouts)
cancel
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self.OBSERVE_UPDATES:\n self.detach()\n self.ioloop.add_callback(self.cancel_timeouts)\n", "role": "user" }, { "content": "cancel", "role": "assistant" } ]
def x(self): def x(): self._ioloop_thread_id = get_thread_ident() if self.OBSERVE_UPDATES: self.attach() self.ioloop.add_callback(first_run)
start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n\n def x():\n self._ioloop_thread_id = get_thread_ident()\n if self.OBSERVE_UPDATES:\n self.attach()\n self.ioloop.add_callback(first_run)\n", "role": "user" }, { "content": "start", "role": "assistant" } ]
def x(self, reading): try: self._inform_callback(self._sensor, reading) except Exception: log.exception( 'Unhandled exception trying to send {!r} for sensor {!r} of type {!r}' .format(reading, self._sensor.name, self._sensor.type))
inform
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, reading):\n try:\n self._inform_callback(self._sensor, reading)\n except Exception:\n log.exception(\n 'Unhandled exception trying to send {!r} for sensor {!r} of type {!r}'\n .format(reading, self._sensor.name, self._sensor.type))\n", "role": "user" }, { "content": "inform", "role": "assistant" } ]
def x(self, timeout=None): if not self._ioloop: raise RuntimeError('Call get_ioloop() or set_ioloop() first') self._ioloop.add_callback(self._running.set) if self._ioloop_managed: self._run_managed_ioloop() else: self._running.set() if timeout: return self._running.wait(timeout)
start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, timeout=None):\n if not self._ioloop:\n raise RuntimeError('Call get_ioloop() or set_ioloop() first')\n self._ioloop.add_callback(self._running.set)\n if self._ioloop_managed:\n self._run_managed_ioloop()\n else:\n self._running.set()\n if timeout:\n return self._running.wait(timeout)\n", "role": "user" }, { "content": "start", "role": "assistant" } ]
def x(self, timeout=None, callback=None): if timeout: self._running.wait(timeout) stopped_future = Future() @gen.coroutine def x(): if callback: try: yield gen.maybe_future(callback()) except Exception: self._logger.exception( 'Unhandled exception calling stop callback') if self._ioloop_managed: self._logger.info('Stopping ioloop {0!r}'.format(self._ioloop)) yield gen.moment self._ioloop.stop() self._running.clear() try: self._ioloop.add_callback(lambda : gen.chain_future(_stop(), stopped_future)) except AttributeError: pass return stopped_future
stop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, timeout=None, callback=None):\n if timeout:\n self._running.wait(timeout)\n stopped_future = Future()\n\n @gen.coroutine\n def x():\n if callback:\n try:\n yield gen.maybe_future(callback())\n except Exception:\n self._logger.exception(\n 'Unhandled exception calling stop callback')\n if self._ioloop_managed:\n self._logger.info('Stopping ioloop {0!r}'.format(self._ioloop))\n yield gen.moment\n self._ioloop.stop()\n self._running.clear()\n try:\n self._ioloop.add_callback(lambda : gen.chain_future(_stop(),\n stopped_future))\n except AttributeError:\n pass\n return stopped_future\n", "role": "user" }, { "content": "stop", "role": "assistant" } ]
def x(self, timeout=None): if not self._ioloop_managed: return try: self._ioloop_thread.join(timeout) except AttributeError: raise RuntimeError('Cannot join if not started')
join
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, timeout=None):\n if not self._ioloop_managed:\n return\n try:\n self._ioloop_thread.join(timeout)\n except AttributeError:\n raise RuntimeError('Cannot join if not started')\n", "role": "user" }, { "content": "join", "role": "assistant" } ]
def x(self, callable_): @wraps(callable_) def x(*args, **kwargs): timeout = kwargs.get('timeout') return self.call_in_ioloop(callable_, args, kwargs, timeout) decorated.__doc__ = '\n\n'.join(( """Wrapped async call. Will call in ioloop. This call will block until the original callable has finished running on the ioloop, and will pass on the return value. If the original callable returns a future, this call will wait for the future to resolve and return the value or raise the exception that the future resolves with. Original Callable Docstring --------------------------- """ , textwrap.dedent(decorated.__doc__ or ''))) return decorated
decorate_callable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, callable_):\n\n @wraps(callable_)\n def x(*args, **kwargs):\n timeout = kwargs.get('timeout')\n return self.call_in_ioloop(callable_, args, kwargs, timeout)\n decorated.__doc__ = '\\n\\n'.join((\n \"\"\"Wrapped async call. Will call in ioloop.\n\nThis call will block until the original callable has finished running on the ioloop, and\nwill pass on the return value. If the original callable returns a future, this call will\nwait for the future to resolve and return the value or raise the exception that the future\nresolves with.\n\nOriginal Callable Docstring\n---------------------------\n\"\"\"\n , textwrap.dedent(decorated.__doc__ or '')))\n return decorated\n", "role": "user" }, { "content": "decorate_callable", "role": "assistant" } ]
def x(self, sensor, reading): parents = list(self._child_to_parents[sensor]) for parent in parents: self.recalculate(parent, (sensor,))
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sensor, reading):\n parents = list(self._child_to_parents[sensor])\n for parent in parents:\n self.recalculate(parent, (sensor,))\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(self, sensor): self._parent_to_children[sensor] = set() self._child_to_parents[sensor] = set()
add_sensor
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sensor):\n self._parent_to_children[sensor] = set()\n self._child_to_parents[sensor] = set()\n", "role": "user" }, { "content": "add_sensor", "role": "assistant" } ]
def x(self, parent, children): new_sensors = [] if parent not in self: self._add_sensor(parent) new_sensors.append(parent) for child in children: if child not in self: self._add_sensor(child) new_sensors.append(child) self._parent_to_children[parent].add(child) self._child_to_parents[child].add(parent) self.recalculate(parent, children) for sensor in new_sensors: sensor.attach(self)
add_links
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, parent, children):\n new_sensors = []\n if parent not in self:\n self._add_sensor(parent)\n new_sensors.append(parent)\n for child in children:\n if child not in self:\n self._add_sensor(child)\n new_sensors.append(child)\n self._parent_to_children[parent].add(child)\n self._child_to_parents[child].add(parent)\n self.recalculate(parent, children)\n for sensor in new_sensors:\n sensor.attach(self)\n", "role": "user" }, { "content": "add_links", "role": "assistant" } ]
def x(self, parent, children): old_sensors = [] if parent in self: for child in children: if child not in self: continue self._parent_to_children[parent].discard(child) self._child_to_parents[child].discard(parent) if not self._child_to_parents[child ] and not self._parent_to_children[child]: self._remove_sensor(child) old_sensors.append(child) if not self._child_to_parents[parent] and not self._parent_to_children[ parent]: self._remove_sensor(parent) old_sensors.append(parent) for sensor in old_sensors: sensor.detach(self) self.recalculate(parent, children)
remove_links
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, parent, children):\n old_sensors = []\n if parent in self:\n for child in children:\n if child not in self:\n continue\n self._parent_to_children[parent].discard(child)\n self._child_to_parents[child].discard(parent)\n if not self._child_to_parents[child\n ] and not self._parent_to_children[child]:\n self._remove_sensor(child)\n old_sensors.append(child)\n if not self._child_to_parents[parent] and not self._parent_to_children[\n parent]:\n self._remove_sensor(parent)\n old_sensors.append(parent)\n for sensor in old_sensors:\n sensor.detach(self)\n self.recalculate(parent, children)\n", "role": "user" }, { "content": "remove_links", "role": "assistant" } ]
def x(self, parent): if parent not in self._parent_to_children: raise ValueError('Parent sensor %r not in tree.' % parent) return self._parent_to_children[parent].copy()
children
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, parent):\n if parent not in self._parent_to_children:\n raise ValueError('Parent sensor %r not in tree.' % parent)\n return self._parent_to_children[parent].copy()\n", "role": "user" }, { "content": "children", "role": "assistant" } ]
def x(self, child): if child not in self._child_to_parents: raise ValueError('Child sensor %r not in tree.' % child) return self._child_to_parents[child].copy()
parents
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, child):\n if child not in self._child_to_parents:\n raise ValueError('Child sensor %r not in tree.' % child)\n return self._child_to_parents[child].copy()\n", "role": "user" }, { "content": "parents", "role": "assistant" } ]
def x(self, parent, child): if parent not in self: if parent.stype != 'boolean': raise ValueError('Parent sensor %r is not boolean' % child) self._parent_to_not_ok[parent] = set() if child not in self: if child.stype != 'boolean': raise ValueError('Child sensor %r is not booelan' % child) self._parent_to_not_ok[child] = set() self.add_links(parent, (child,))
add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, parent, child):\n if parent not in self:\n if parent.stype != 'boolean':\n raise ValueError('Parent sensor %r is not boolean' % child)\n self._parent_to_not_ok[parent] = set()\n if child not in self:\n if child.stype != 'boolean':\n raise ValueError('Child sensor %r is not booelan' % child)\n self._parent_to_not_ok[child] = set()\n self.add_links(parent, (child,))\n", "role": "user" }, { "content": "add", "role": "assistant" } ]
def x(self, parent, child): self.remove_links(parent, (child,)) if parent not in self and parent in self._parent_to_not_ok: del self._parent_to_not_ok[parent] if child not in self and child in self._parent_to_not_ok: del self._parent_to_not_ok[child]
remove
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, parent, child):\n self.remove_links(parent, (child,))\n if parent not in self and parent in self._parent_to_not_ok:\n del self._parent_to_not_ok[parent]\n if child not in self and child in self._parent_to_not_ok:\n del self._parent_to_not_ok[child]\n", "role": "user" }, { "content": "remove", "role": "assistant" } ]
def x(self, parent, updates): not_ok = self._parent_to_not_ok[parent] children = self.children(parent) if parent in self else set() for sensor in updates: if sensor not in children or sensor.value(): not_ok.discard(sensor) else: not_ok.add(sensor) parent.set_value(not not_ok)
recalculate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, parent, updates):\n not_ok = self._parent_to_not_ok[parent]\n children = self.children(parent) if parent in self else set()\n for sensor in updates:\n if sensor not in children or sensor.value():\n not_ok.discard(sensor)\n else:\n not_ok.add(sensor)\n parent.set_value(not not_ok)\n", "role": "user" }, { "content": "recalculate", "role": "assistant" } ]
def x(self, parent, rule_function, children): if parent in self._aggregates or parent in self._incomplete_aggregates: raise ValueError( 'Sensor %r already has an aggregate rule associated' % parent) self._aggregates[parent] = rule_function, children self.add_links(parent, children)
add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, parent, rule_function, children):\n if parent in self._aggregates or parent in self._incomplete_aggregates:\n raise ValueError(\n 'Sensor %r already has an aggregate rule associated' % parent)\n self._aggregates[parent] = rule_function, children\n self.add_links(parent, children)\n", "role": "user" }, { "content": "add", "role": "assistant" } ]
def x(self, parent, rule_function, child_names): if parent in self._aggregates or parent in self._incomplete_aggregates: raise ValueError( 'Sensor %r already has an aggregate rule associated' % parent) reg = self._registered_sensors names = set(name for name in child_names if name not in reg) sensors = set(reg[name] for name in child_names if name in reg) if names: self._incomplete_aggregates[parent] = rule_function, names, sensors else: self.add(parent, rule_function, sensors)
add_delayed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, parent, rule_function, child_names):\n if parent in self._aggregates or parent in self._incomplete_aggregates:\n raise ValueError(\n 'Sensor %r already has an aggregate rule associated' % parent)\n reg = self._registered_sensors\n names = set(name for name in child_names if name not in reg)\n sensors = set(reg[name] for name in child_names if name in reg)\n if names:\n self._incomplete_aggregates[parent] = rule_function, names, sensors\n else:\n self.add(parent, rule_function, sensors)\n", "role": "user" }, { "content": "add_delayed", "role": "assistant" } ]
def x(self, child): child_name = self._get_sensor_reference(child) if child_name in self._registered_sensors: raise ValueError('Sensor %r already registered with aggregate tree' % child) self._registered_sensors[child_name] = child completed = [] for parent, (_rule, names, sensors ) in self._incomplete_aggregates.iteritems(): if child_name in names: names.remove(child_name) sensors.add(child) if not names: completed.append(parent) for parent in completed: rule_function, _names, sensors = self._incomplete_aggregates[parent] del self._incomplete_aggregates[parent] self.add(parent, rule_function, sensors)
register_sensor
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, child):\n child_name = self._get_sensor_reference(child)\n if child_name in self._registered_sensors:\n raise ValueError('Sensor %r already registered with aggregate tree' %\n child)\n self._registered_sensors[child_name] = child\n completed = []\n for parent, (_rule, names, sensors\n ) in self._incomplete_aggregates.iteritems():\n if child_name in names:\n names.remove(child_name)\n sensors.add(child)\n if not names:\n completed.append(parent)\n for parent in completed:\n rule_function, _names, sensors = self._incomplete_aggregates[parent]\n del self._incomplete_aggregates[parent]\n self.add(parent, rule_function, sensors)\n", "role": "user" }, { "content": "register_sensor", "role": "assistant" } ]
def x(self, reference): for child in self._child_to_parents: if self._get_sensor_reference(child) == reference: return child
child_from_reference
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, reference):\n for child in self._child_to_parents:\n if self._get_sensor_reference(child) == reference:\n return child\n", "role": "user" }, { "content": "child_from_reference", "role": "assistant" } ]
def x(self, parent): if parent not in self._aggregates: raise ValueError( 'Sensor %r does not have an aggregate rule associated' % parent) children = self.children(parent) try: self.remove_links(parent, children) except Exception: pass del self._aggregates[parent]
remove
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, parent):\n if parent not in self._aggregates:\n raise ValueError(\n 'Sensor %r does not have an aggregate rule associated' % parent)\n children = self.children(parent)\n try:\n self.remove_links(parent, children)\n except Exception:\n pass\n del self._aggregates[parent]\n", "role": "user" }, { "content": "remove", "role": "assistant" } ]
def x(self, parent, updates): rule_function, children = self._aggregates[parent] rule_function(parent, children)
recalculate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, parent, updates):\n rule_function, children = self._aggregates[parent]\n rule_function(parent, children)\n", "role": "user" }, { "content": "recalculate", "role": "assistant" } ]
def x(*types, **options): include_msg = options.pop('include_msg', False) has_req = options.pop('has_req', True) major = options.pop('major', DEFAULT_KATCP_MAJOR) check_req = options.pop('_check_req', True) if len(options) > 0: raise TypeError('does not take keyword argument(s) %r.' % options. keys()) if len(types) > 1: for type_ in types[:-1]: if type_._multiple: raise TypeError( 'Only the last parameter type can accept multiple arguments.' ) def x(handler): argnames = [] all_argnames = getattr(handler, '_orig_argnames', None) if all_argnames is None: all_argnames = inspect.getargspec(handler)[0] params_start = 1 if has_req: params_start += 1 if include_msg: params_start += 1 argnames = all_argnames[params_start:] if has_req and include_msg: def x(self, req, msg): new_args = unpack_types(types, msg.arguments, argnames, major) return handler(self, req, msg, *new_args) elif has_req and not include_msg: def x(self, req, msg): new_args = unpack_types(types, msg.arguments, argnames, major) return handler(self, req, *new_args) elif not has_req and include_msg: def x(self, msg): new_args = unpack_types(types, msg.arguments, argnames, major) return handler(self, msg, *new_args) elif not has_req and not include_msg: def x(self, msg): new_args = unpack_types(types, msg.arguments, argnames, major) return handler(self, *new_args) update_wrapper(raw_handler, handler) raw_handler._request_decorated = True return raw_handler return decorator
request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*types, **options):\n include_msg = options.pop('include_msg', False)\n has_req = options.pop('has_req', True)\n major = options.pop('major', DEFAULT_KATCP_MAJOR)\n check_req = options.pop('_check_req', True)\n if len(options) > 0:\n raise TypeError('does not take keyword argument(s) %r.' % options.\n keys())\n if len(types) > 1:\n for type_ in types[:-1]:\n if type_._multiple:\n raise TypeError(\n 'Only the last parameter type can accept multiple arguments.'\n )\n\n def x(handler):\n argnames = []\n all_argnames = getattr(handler, '_orig_argnames', None)\n if all_argnames is None:\n all_argnames = inspect.getargspec(handler)[0]\n params_start = 1\n if has_req:\n params_start += 1\n if include_msg:\n params_start += 1\n argnames = all_argnames[params_start:]\n if has_req and include_msg:\n\n def x(self, req, msg):\n new_args = unpack_types(types, msg.arguments, argnames, major)\n return handler(self, req, msg, *new_args)\n elif has_req and not include_msg:\n\n def x(self, req, msg):\n new_args = unpack_types(types, msg.arguments, argnames, major)\n return handler(self, req, *new_args)\n elif not has_req and include_msg:\n\n def x(self, msg):\n new_args = unpack_types(types, msg.arguments, argnames, major)\n return handler(self, msg, *new_args)\n elif not has_req and not include_msg:\n\n def x(self, msg):\n new_args = unpack_types(types, msg.arguments, argnames, major)\n return handler(self, *new_args)\n update_wrapper(raw_handler, handler)\n raw_handler._request_decorated = True\n return raw_handler\n return decorator\n", "role": "user" }, { "content": "request", "role": "assistant" } ]
def x(*types, **options): major = options.pop('major', DEFAULT_KATCP_MAJOR) if len(options) > 0: raise TypeError( 'return_reply does not take keyword argument(s) %r.' % options. keys()) if len(types) > 1: for type_ in types[:-1]: if type_._multiple: raise TypeError( 'Only the last parameter type can accept multiple arguments.' ) def x(handler): if not handler.__name__.startswith('request_'): raise ValueError( "This decorator can only be used on a katcp request handler (method name should start with 'request_')." ) msgname = convert_method_name('request_', handler.__name__) @wraps(handler) def x(self, *args): reply_args = handler(self, *args) if gen.is_future(reply_args): return async_make_reply(msgname, types, reply_args, major) else: return make_reply(msgname, types, reply_args, major) if not getattr(handler, '_request_decorated', False): raw_handler._orig_argnames = inspect.getargspec(handler)[0] return raw_handler return decorator
return_reply
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*types, **options):\n major = options.pop('major', DEFAULT_KATCP_MAJOR)\n if len(options) > 0:\n raise TypeError(\n 'return_reply does not take keyword argument(s) %r.' % options.\n keys())\n if len(types) > 1:\n for type_ in types[:-1]:\n if type_._multiple:\n raise TypeError(\n 'Only the last parameter type can accept multiple arguments.'\n )\n\n def x(handler):\n if not handler.__name__.startswith('request_'):\n raise ValueError(\n \"This decorator can only be used on a katcp request handler (method name should start with 'request_').\"\n )\n msgname = convert_method_name('request_', handler.__name__)\n\n @wraps(handler)\n def x(self, *args):\n reply_args = handler(self, *args)\n if gen.is_future(reply_args):\n return async_make_reply(msgname, types, reply_args, major)\n else:\n return make_reply(msgname, types, reply_args, major)\n if not getattr(handler, '_request_decorated', False):\n raw_handler._orig_argnames = inspect.getargspec(handler)[0]\n return raw_handler\n return decorator\n", "role": "user" }, { "content": "return_reply", "role": "assistant" } ]
def x(*types, **options): major = options.pop('major', DEFAULT_KATCP_MAJOR) if len(options) > 0: raise TypeError('send_reply does not take keyword argument(s) %r.' % options.keys()) def x(handler): @wraps(handler) def x(self, *args): reply_args = handler(self, *args) req = reply_args[0] reply = make_reply(req.msg.name, types, reply_args[1:], major) req.reply_with_message(reply) return raw_handler return decorator
send_reply
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*types, **options):\n major = options.pop('major', DEFAULT_KATCP_MAJOR)\n if len(options) > 0:\n raise TypeError('send_reply does not take keyword argument(s) %r.' %\n options.keys())\n\n def x(handler):\n\n @wraps(handler)\n def x(self, *args):\n reply_args = handler(self, *args)\n req = reply_args[0]\n reply = make_reply(req.msg.name, types, reply_args[1:], major)\n req.reply_with_message(reply)\n return raw_handler\n return decorator\n", "role": "user" }, { "content": "send_reply", "role": "assistant" } ]
def x(msgname, types, arguments, major): status = arguments[0] if status == 'fail': return Message.reply(msgname, *pack_types((Str(), Str()), arguments, major)) if status == 'ok': return Message.reply(msgname, *pack_types((Str(),) + types, arguments, major)) raise ValueError("First returned value must be 'ok' or 'fail'.")
make_reply
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(msgname, types, arguments, major):\n status = arguments[0]\n if status == 'fail':\n return Message.reply(msgname, *pack_types((Str(), Str()), arguments,\n major))\n if status == 'ok':\n return Message.reply(msgname, *pack_types((Str(),) + types,\n arguments, major))\n raise ValueError(\"First returned value must be 'ok' or 'fail'.\")\n", "role": "user" }, { "content": "make_reply", "role": "assistant" } ]
def x(major, minor=0): version_tuple = major, minor def x(handler): handler._minimum_katcp_version = version_tuple return handler return decorator
minimum_katcp_version
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(major, minor=0):\n version_tuple = major, minor\n\n def x(handler):\n handler._minimum_katcp_version = version_tuple\n return handler\n return decorator\n", "role": "user" }, { "content": "minimum_katcp_version", "role": "assistant" } ]
def x(timeout_hint): if timeout_hint is not None: timeout_hint = float(timeout_hint) def x(handler): handler.request_timeout_hint = timeout_hint return handler return decorator
request_timeout_hint
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(timeout_hint):\n if timeout_hint is not None:\n timeout_hint = float(timeout_hint)\n\n def x(handler):\n handler.request_timeout_hint = timeout_hint\n return handler\n return decorator\n", "role": "user" }, { "content": "request_timeout_hint", "role": "assistant" } ]
def x(msgname, types, arguments_future, major): arguments = yield arguments_future raise gen.Return(make_reply(msgname, types, arguments, major))
async_make_reply
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(msgname, types, arguments_future, major):\n arguments = yield arguments_future\n raise gen.Return(make_reply(msgname, types, arguments, major))\n", "role": "user" }, { "content": "async_make_reply", "role": "assistant" } ]
def x(types, args, argnames, major): if len(types) > 0: multiple = types[-1]._multiple else: multiple = False if len(types) < len(args) and not multiple: raise FailReply('Too many parameters given.') params = [] for i, kattype in enumerate(types): name = '' if i < len(argnames): name = argnames[i] params.append(Parameter(i + 1, name, kattype, major)) if len(args) > len(types) and multiple: for i in range(len(types), len(args)): params.append(Parameter(i + 1, name, kattype, major)) return map(lambda param, arg: param.unpack(arg), params, args)
unpack_types
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(types, args, argnames, major):\n if len(types) > 0:\n multiple = types[-1]._multiple\n else:\n multiple = False\n if len(types) < len(args) and not multiple:\n raise FailReply('Too many parameters given.')\n params = []\n for i, kattype in enumerate(types):\n name = ''\n if i < len(argnames):\n name = argnames[i]\n params.append(Parameter(i + 1, name, kattype, major))\n if len(args) > len(types) and multiple:\n for i in range(len(types), len(args)):\n params.append(Parameter(i + 1, name, kattype, major))\n return map(lambda param, arg: param.unpack(arg), params, args)\n", "role": "user" }, { "content": "unpack_types", "role": "assistant" } ]
def x(types, args, major): if len(types) > 0: multiple = types[-1]._multiple else: multiple = False if len(types) < len(args) and not multiple: raise ValueError('Too many arguments to pack.') if len(args) < len(types): retvals = map(lambda ktype, arg: ktype.pack(arg, major=major), types, args) else: retvals = [ktype.pack(arg, major=major) for ktype, arg in zip(types, args)] if len(args) > len(types) and multiple: last_ktype = types[-1] for arg in args[len(types):]: retvals.append(last_ktype.pack(arg, major=major)) return retvals
pack_types
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(types, args, major):\n if len(types) > 0:\n multiple = types[-1]._multiple\n else:\n multiple = False\n if len(types) < len(args) and not multiple:\n raise ValueError('Too many arguments to pack.')\n if len(args) < len(types):\n retvals = map(lambda ktype, arg: ktype.pack(arg, major=major),\n types, args)\n else:\n retvals = [ktype.pack(arg, major=major) for ktype, arg in zip(types,\n args)]\n if len(args) > len(types) and multiple:\n last_ktype = types[-1]\n for arg in args[len(types):]:\n retvals.append(last_ktype.pack(arg, major=major))\n return retvals\n", "role": "user" }, { "content": "pack_types", "role": "assistant" } ]
def x(self, value, nocheck=False, major=DEFAULT_KATCP_MAJOR): if value is None: value = self.get_default() if value is None: raise ValueError('Cannot pack a None value.') if not nocheck: self.check(value, major) return self.encode(value, major)
pack
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value, nocheck=False, major=DEFAULT_KATCP_MAJOR):\n if value is None:\n value = self.get_default()\n if value is None:\n raise ValueError('Cannot pack a None value.')\n if not nocheck:\n self.check(value, major)\n return self.encode(value, major)\n", "role": "user" }, { "content": "pack", "role": "assistant" } ]
def x(self, packed_value, major=DEFAULT_KATCP_MAJOR): if packed_value is None: value = self.get_default() else: try: value = self.decode(packed_value, major) except Exception: raise if value is not None: self.check(value, major) return value
unpack
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, packed_value, major=DEFAULT_KATCP_MAJOR):\n if packed_value is None:\n value = self.get_default()\n else:\n try:\n value = self.decode(packed_value, major)\n except Exception:\n raise\n if value is not None:\n self.check(value, major)\n return value\n", "role": "user" }, { "content": "unpack", "role": "assistant" } ]
def x(self, value, major): if self._min is not None and value < self._min: raise ValueError('Integer %d is lower than minimum %d.' % (value, self._min)) if self._max is not None and value > self._max: raise ValueError('Integer %d is higher than maximum %d.' % (value, self._max))
check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value, major):\n if self._min is not None and value < self._min:\n raise ValueError('Integer %d is lower than minimum %d.' % (value,\n self._min))\n if self._max is not None and value > self._max:\n raise ValueError('Integer %d is higher than maximum %d.' % (value,\n self._max))\n", "role": "user" }, { "content": "check", "role": "assistant" } ]
def x(self, value, major): if self._case_insensitive: value = value.lower() values = self._valid_values_lower caseflag = ' (case-insensitive)' else: values = self._valid_values caseflag = '' if value not in values: raise ValueError("Discrete value '%s' is not one of %s%s." % (value, list(self._values), caseflag))
check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value, major):\n if self._case_insensitive:\n value = value.lower()\n values = self._valid_values_lower\n caseflag = ' (case-insensitive)'\n else:\n values = self._valid_values\n caseflag = ''\n if value not in values:\n raise ValueError(\"Discrete value '%s' is not one of %s%s.\" % (value,\n list(self._values), caseflag))\n", "role": "user" }, { "content": "check", "role": "assistant" } ]
def x(self, value, major): for v in value: super(DiscreteMulti, self).check(v, major)
check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value, major):\n for v in value:\n super(DiscreteMulti, self).check(v, major)\n", "role": "user" }, { "content": "check", "role": "assistant" } ]
def x(fn): @wraps(fn) def x(*args, **kwargs): return gen.maybe_future(fn(*args, **kwargs)) return decorated
return_future
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fn):\n\n @wraps(fn)\n def x(*args, **kwargs):\n return gen.maybe_future(fn(*args, **kwargs))\n return decorated\n", "role": "user" }, { "content": "return_future", "role": "assistant" } ]
def x(pattern): if pattern is None: return False, lambda name: True if pattern.startswith('/') and pattern.endswith('/'): name_re = re.compile(pattern[1:-1]) return False, lambda name: name_re.search(name) is not None return True, lambda name: name == pattern
construct_name_filter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pattern):\n if pattern is None:\n return False, lambda name: True\n if pattern.startswith('/') and pattern.endswith('/'):\n name_re = re.compile(pattern[1:-1])\n return False, lambda name: name_re.search(name) is not None\n return True, lambda name: name == pattern\n", "role": "user" }, { "content": "construct_name_filter", "role": "assistant" } ]