source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, response): stack = traceback.format_exc() self.log_error('Error handling request upon: %s\n%s\n', self.path, stack) response.send_content(500, self._service.make_exception_page(self.path, stack))
send_exception
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, response):\n stack = traceback.format_exc()\n self.log_error('Error handling request upon: %s\\n%s\\n', self.path, stack)\n response.send_content(500, self._service.make_exception_page(self.path,\n stack))\n", "role": "user" }, { "content": "send_exception", "role": "assistant" } ]
def x(self): TCPServer.server_bind(self) host, port = self.socket.getsockname()[:2] self.server_port = port try: self.server_name = socket.getfqdn(host) except ValueError: self.server_name = socket.gethostname()
server_bind
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n TCPServer.server_bind(self)\n host, port = self.socket.getsockname()[:2]\n self.server_port = port\n try:\n self.server_name = socket.getfqdn(host)\n except ValueError:\n self.server_name = socket.gethostname()\n", "role": "user" }, { "content": "server_bind", "role": "assistant" } ]
def x(key, list_): if not list_: return {} return {key: ' '.join(str(i) for i in list_)}
encode_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(key, list_):\n if not list_:\n return {}\n return {key: ' '.join(str(i) for i in list_)}\n", "role": "user" }, { "content": "encode_list", "role": "assistant" } ]
def x(package): if not package: return '' lastdot = package.rfind('.') if lastdot == -1: return package return package[:lastdot]
package_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(package):\n if not package:\n return ''\n lastdot = package.rfind('.')\n if lastdot == -1:\n return package\n return package[:lastdot]\n", "role": "user" }, { "content": "package_name", "role": "assistant" } ]
def x(ed): result_props = {} intfs = ed.get_interfaces() result_props[OBJECTCLASS] = ' '.join(intfs) for intf in intfs: pkg_name = package_name(intf) ver = ed.get_package_version(pkg_name) if ver and not ver == (0, 0, 0): result_props[ENDPOINT_PACKAGE_VERSION_] = '.'.join(str(v) for v in ver) result_props[ENDPOINT_ID] = ed.get_id() result_props[ENDPOINT_SERVICE_ID] = '{0}'.format(ed.get_service_id()) result_props[ENDPOINT_FRAMEWORK_UUID] = ed.get_framework_uuid() imp_configs = ed.get_imported_configs() if imp_configs: result_props[SERVICE_IMPORTED_CONFIGS] = ' '.join(ed. get_imported_configs()) intents = ed.get_intents() if intents: result_props[SERVICE_INTENTS] = ' '.join(intents) remote_configs = ed.get_remote_configs_supported() if remote_configs: result_props[REMOTE_CONFIGS_SUPPORTED] = ' '.join(remote_configs) remote_intents = ed.get_remote_intents_supported() if remote_intents: result_props[REMOTE_INTENTS_SUPPORTED] = ' '.join(remote_intents) return result_props
encode_osgi_props
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ed):\n result_props = {}\n intfs = ed.get_interfaces()\n result_props[OBJECTCLASS] = ' '.join(intfs)\n for intf in intfs:\n pkg_name = package_name(intf)\n ver = ed.get_package_version(pkg_name)\n if ver and not ver == (0, 0, 0):\n result_props[ENDPOINT_PACKAGE_VERSION_] = '.'.join(str(v) for v in\n ver)\n result_props[ENDPOINT_ID] = ed.get_id()\n result_props[ENDPOINT_SERVICE_ID] = '{0}'.format(ed.get_service_id())\n result_props[ENDPOINT_FRAMEWORK_UUID] = ed.get_framework_uuid()\n imp_configs = ed.get_imported_configs()\n if imp_configs:\n result_props[SERVICE_IMPORTED_CONFIGS] = ' '.join(ed.\n get_imported_configs())\n intents = ed.get_intents()\n if intents:\n result_props[SERVICE_INTENTS] = ' '.join(intents)\n remote_configs = ed.get_remote_configs_supported()\n if remote_configs:\n result_props[REMOTE_CONFIGS_SUPPORTED] = ' '.join(remote_configs)\n remote_intents = ed.get_remote_intents_supported()\n if remote_intents:\n result_props[REMOTE_INTENTS_SUPPORTED] = ' '.join(remote_intents)\n return result_props\n", "role": "user" }, { "content": "encode_osgi_props", "role": "assistant" } ]
def x(input_props, name): val_str = input_props.get(name, None) if val_str: return val_str.split(' ') return []
decode_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(input_props, name):\n val_str = input_props.get(name, None)\n if val_str:\n return val_str.split(' ')\n return []\n", "role": "user" }, { "content": "decode_list", "role": "assistant" } ]
def x(input_props): result_props = {} intfs = decode_list(input_props, OBJECTCLASS) result_props[OBJECTCLASS] = intfs for intf in intfs: package_key = ENDPOINT_PACKAGE_VERSION_ + package_name(intf) intfversionstr = input_props.get(package_key, None) if intfversionstr: result_props[package_key] = intfversionstr result_props[ENDPOINT_ID] = input_props[ENDPOINT_ID] result_props[ENDPOINT_SERVICE_ID] = input_props[ENDPOINT_SERVICE_ID] result_props[ENDPOINT_FRAMEWORK_UUID] = input_props[ENDPOINT_FRAMEWORK_UUID ] imp_configs = decode_list(input_props, SERVICE_IMPORTED_CONFIGS) if imp_configs: result_props[SERVICE_IMPORTED_CONFIGS] = imp_configs intents = decode_list(input_props, SERVICE_INTENTS) if intents: result_props[SERVICE_INTENTS] = intents remote_configs = decode_list(input_props, REMOTE_CONFIGS_SUPPORTED) if remote_configs: result_props[REMOTE_CONFIGS_SUPPORTED] = remote_configs remote_intents = decode_list(input_props, REMOTE_INTENTS_SUPPORTED) if remote_intents: result_props[REMOTE_INTENTS_SUPPORTED] = remote_intents return result_props
decode_osgi_props
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(input_props):\n result_props = {}\n intfs = decode_list(input_props, OBJECTCLASS)\n result_props[OBJECTCLASS] = intfs\n for intf in intfs:\n package_key = ENDPOINT_PACKAGE_VERSION_ + package_name(intf)\n intfversionstr = input_props.get(package_key, None)\n if intfversionstr:\n result_props[package_key] = intfversionstr\n result_props[ENDPOINT_ID] = input_props[ENDPOINT_ID]\n result_props[ENDPOINT_SERVICE_ID] = input_props[ENDPOINT_SERVICE_ID]\n result_props[ENDPOINT_FRAMEWORK_UUID] = input_props[ENDPOINT_FRAMEWORK_UUID\n ]\n imp_configs = decode_list(input_props, SERVICE_IMPORTED_CONFIGS)\n if imp_configs:\n result_props[SERVICE_IMPORTED_CONFIGS] = imp_configs\n intents = decode_list(input_props, SERVICE_INTENTS)\n if intents:\n result_props[SERVICE_INTENTS] = intents\n remote_configs = decode_list(input_props, REMOTE_CONFIGS_SUPPORTED)\n if remote_configs:\n result_props[REMOTE_CONFIGS_SUPPORTED] = remote_configs\n remote_intents = decode_list(input_props, REMOTE_INTENTS_SUPPORTED)\n if remote_intents:\n result_props[REMOTE_INTENTS_SUPPORTED] = remote_intents\n return result_props\n", "role": "user" }, { "content": "decode_osgi_props", "role": "assistant" } ]
def x(input_props): ed_props = decode_osgi_props(input_props) ed_props[ECF_ENDPOINT_CONTAINERID_NAMESPACE] = input_props[ ECF_ENDPOINT_CONTAINERID_NAMESPACE] ed_props[ECF_RSVC_ID] = int(input_props[ECF_RSVC_ID]) ed_props[ECF_ENDPOINT_ID] = input_props[ECF_ENDPOINT_ID] ed_props[ECF_ENDPOINT_TIMESTAMP] = int(input_props[ECF_ENDPOINT_TIMESTAMP]) target_id = input_props.get(ECF_ENDPOINT_CONNECTTARGET_ID, None) if target_id: ed_props[ECF_ENDPOINT_CONNECTTARGET_ID] = target_id id_filters = decode_list(input_props, ECF_ENDPOINT_IDFILTER_IDS) if id_filters: ed_props[ECF_ENDPOINT_IDFILTER_IDS] = id_filters rs_filter = input_props.get(ECF_ENDPOINT_REMOTESERVICE_FILTER, None) if rs_filter: ed_props[ECF_ENDPOINT_REMOTESERVICE_FILTER] = rs_filter async_intfs = input_props.get(ECF_SERVICE_EXPORTED_ASYNC_INTERFACES, None) if async_intfs: if async_intfs == '*': ed_props[ECF_SERVICE_EXPORTED_ASYNC_INTERFACES] = async_intfs else: async_intfs = decode_list(input_props, ECF_SERVICE_EXPORTED_ASYNC_INTERFACES) if async_intfs: ed_props[ECF_SERVICE_EXPORTED_ASYNC_INTERFACES] = async_intfs for key in input_props.keys(): if not is_reserved_property(key): val = input_props.get(key, None) if val: ed_props[key] = val return ed_props
decode_endpoint_props
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(input_props):\n ed_props = decode_osgi_props(input_props)\n ed_props[ECF_ENDPOINT_CONTAINERID_NAMESPACE] = input_props[\n ECF_ENDPOINT_CONTAINERID_NAMESPACE]\n ed_props[ECF_RSVC_ID] = int(input_props[ECF_RSVC_ID])\n ed_props[ECF_ENDPOINT_ID] = input_props[ECF_ENDPOINT_ID]\n ed_props[ECF_ENDPOINT_TIMESTAMP] = int(input_props[ECF_ENDPOINT_TIMESTAMP])\n target_id = input_props.get(ECF_ENDPOINT_CONNECTTARGET_ID, None)\n if target_id:\n ed_props[ECF_ENDPOINT_CONNECTTARGET_ID] = target_id\n id_filters = decode_list(input_props, ECF_ENDPOINT_IDFILTER_IDS)\n if id_filters:\n ed_props[ECF_ENDPOINT_IDFILTER_IDS] = id_filters\n rs_filter = input_props.get(ECF_ENDPOINT_REMOTESERVICE_FILTER, None)\n if rs_filter:\n ed_props[ECF_ENDPOINT_REMOTESERVICE_FILTER] = rs_filter\n async_intfs = input_props.get(ECF_SERVICE_EXPORTED_ASYNC_INTERFACES, None)\n if async_intfs:\n if async_intfs == '*':\n ed_props[ECF_SERVICE_EXPORTED_ASYNC_INTERFACES] = async_intfs\n else:\n async_intfs = decode_list(input_props,\n ECF_SERVICE_EXPORTED_ASYNC_INTERFACES)\n if async_intfs:\n ed_props[ECF_SERVICE_EXPORTED_ASYNC_INTERFACES] = async_intfs\n for key in input_props.keys():\n if not is_reserved_property(key):\n val = input_props.get(key, None)\n if val:\n ed_props[key] = val\n return ed_props\n", "role": "user" }, { "content": "decode_endpoint_props", "role": "assistant" } ]
def x(ed): props = encode_osgi_props(ed) props[ECF_RSVC_ID] = '{0}'.format(ed.get_remoteservice_id()[1]) props[ECF_ENDPOINT_ID] = '{0}'.format(ed.get_container_id()[1]) props[ECF_ENDPOINT_CONTAINERID_NAMESPACE] = '{0}'.format(ed. get_container_id()[0]) props[ECF_ENDPOINT_TIMESTAMP] = '{0}'.format(ed.get_timestamp()) ctid = ed.get_connect_target_id() if ctid: props[ECF_ENDPOINT_CONNECTTARGET_ID] = '{0}'.format(ctid) id_filters = ed.get_id_filters() if id_filters: props[ECF_ENDPOINT_IDFILTER_IDS] = ' '.join([x[1] for x in id_filters]) rs_filter = ed.get_remoteservice_filter() if rs_filter: props[ECF_ENDPOINT_REMOTESERVICE_FILTER] = ed.get_remoteservice_filter( ) async_intfs = ed.get_async_interfaces() if async_intfs: props[ECF_SERVICE_EXPORTED_ASYNC_INTERFACES] = ' '.join(async_intfs) all_props = ed.get_properties() other_props = {key: all_props[key] for key in all_props.keys() if not is_reserved_property(key)} return merge_dicts(props, other_props)
encode_endpoint_props
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ed):\n props = encode_osgi_props(ed)\n props[ECF_RSVC_ID] = '{0}'.format(ed.get_remoteservice_id()[1])\n props[ECF_ENDPOINT_ID] = '{0}'.format(ed.get_container_id()[1])\n props[ECF_ENDPOINT_CONTAINERID_NAMESPACE] = '{0}'.format(ed.\n get_container_id()[0])\n props[ECF_ENDPOINT_TIMESTAMP] = '{0}'.format(ed.get_timestamp())\n ctid = ed.get_connect_target_id()\n if ctid:\n props[ECF_ENDPOINT_CONNECTTARGET_ID] = '{0}'.format(ctid)\n id_filters = ed.get_id_filters()\n if id_filters:\n props[ECF_ENDPOINT_IDFILTER_IDS] = ' '.join([x[1] for x in id_filters])\n rs_filter = ed.get_remoteservice_filter()\n if rs_filter:\n props[ECF_ENDPOINT_REMOTESERVICE_FILTER] = ed.get_remoteservice_filter(\n )\n async_intfs = ed.get_async_interfaces()\n if async_intfs:\n props[ECF_SERVICE_EXPORTED_ASYNC_INTERFACES] = ' '.join(async_intfs)\n all_props = ed.get_properties()\n other_props = {key: all_props[key] for key in all_props.keys() if not\n is_reserved_property(key)}\n return merge_dicts(props, other_props)\n", "role": "user" }, { "content": "encode_endpoint_props", "role": "assistant" } ]
def x(self, package): name = '{0}{1}'.format(ENDPOINT_PACKAGE_VERSION_, package) try: version = self._properties[name] return tuple(version.split('.')) except KeyError: return 0, 0, 0
get_package_version
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, package):\n name = '{0}{1}'.format(ENDPOINT_PACKAGE_VERSION_, package)\n try:\n version = self._properties[name]\n return tuple(version.split('.'))\n except KeyError:\n return 0, 0, 0\n", "role": "user" }, { "content": "get_package_version", "role": "assistant" } ]
def x(self, endpoint): return self.get_framework_uuid() == endpoint.get_framework_uuid( ) and self.get_service_id() == endpoint.get_service_id()
is_same_service
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, endpoint):\n return self.get_framework_uuid() == endpoint.get_framework_uuid(\n ) and self.get_service_id() == endpoint.get_service_id()\n", "role": "user" }, { "content": "is_same_service", "role": "assistant" } ]
def x(cls, prefix='pelix-'): if not prefix: prefix = '' else: prefix = prefix[:8] nb_bytes = (23 - len(prefix)) // 2 random_bytes = os.urandom(nb_bytes) if sys.version_info[0] >= 3: random_ints = [char for char in random_bytes] else: random_ints = [ord(char) for char in random_bytes] random_id = ''.join('{0:02x}'.format(value) for value in random_ints) return '{0}{1}'.format(prefix, random_id)
generate_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, prefix='pelix-'):\n if not prefix:\n prefix = ''\n else:\n prefix = prefix[:8]\n nb_bytes = (23 - len(prefix)) // 2\n random_bytes = os.urandom(nb_bytes)\n if sys.version_info[0] >= 3:\n random_ints = [char for char in random_bytes]\n else:\n random_ints = [ord(char) for char in random_bytes]\n random_id = ''.join('{0:02x}'.format(value) for value in random_ints)\n return '{0}{1}'.format(prefix, random_id)\n", "role": "user" }, { "content": "generate_id", "role": "assistant" } ]
def x(self, topic, payload, qos=0, retain=False): self.__mqtt.will_set(topic, payload, qos, retain=retain)
set_will
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, topic, payload, qos=0, retain=False):\n self.__mqtt.will_set(topic, payload, qos, retain=retain)\n", "role": "user" }, { "content": "set_will", "role": "assistant" } ]
def x(self, host='localhost', port=1883, keepalive=60): self.disconnect() self.__mqtt.connect(host, port, keepalive) self.__mqtt.loop_start()
connect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, host='localhost', port=1883, keepalive=60):\n self.disconnect()\n self.__mqtt.connect(host, port, keepalive)\n self.__mqtt.loop_start()\n", "role": "user" }, { "content": "connect", "role": "assistant" } ]
def x(self): self.__stop_timer() for event in self.__in_flight.values(): event.set() self.__mqtt.disconnect() thread = threading.Thread(target=self.__mqtt.loop_stop) thread.daemon = True thread.start() thread.join(4)
disconnect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.__stop_timer()\n for event in self.__in_flight.values():\n event.set()\n self.__mqtt.disconnect()\n thread = threading.Thread(target=self.__mqtt.loop_stop)\n thread.daemon = True\n thread.start()\n thread.join(4)\n", "role": "user" }, { "content": "disconnect", "role": "assistant" } ]
def x(self, topic, payload, qos=0, retain=False, wait=False): result = self.__mqtt.publish(topic, payload, qos, retain) if wait and not result[0]: self.__in_flight[result[1]] = threading.Event() _logger.debug('Waiting for publication of %s', topic) return result[1]
publish
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, topic, payload, qos=0, retain=False, wait=False):\n result = self.__mqtt.publish(topic, payload, qos, retain)\n if wait and not result[0]:\n self.__in_flight[result[1]] = threading.Event()\n _logger.debug('Waiting for publication of %s', topic)\n return result[1]\n", "role": "user" }, { "content": "publish", "role": "assistant" } ]
def x(self, delay): self.__timer = threading.Timer(delay, self.__reconnect) self.__timer.daemon = True self.__timer.start()
start_timer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, delay):\n self.__timer = threading.Timer(delay, self.__reconnect)\n self.__timer.daemon = True\n self.__timer.start()\n", "role": "user" }, { "content": "start_timer", "role": "assistant" } ]
def x(self): self.__stop_timer() try: result_code = self.__mqtt.reconnect() if result_code: message = 'Error connecting the MQTT server: {0} ({1})'.format( result_code, paho.error_string(result_code)) _logger.error(message) raise ValueError(message) except Exception as ex: _logger.error('Exception connecting server: %s', ex) finally: self.__start_timer(10)
reconnect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.__stop_timer()\n try:\n result_code = self.__mqtt.reconnect()\n if result_code:\n message = 'Error connecting the MQTT server: {0} ({1})'.format(\n result_code, paho.error_string(result_code))\n _logger.error(message)\n raise ValueError(message)\n except Exception as ex:\n _logger.error('Exception connecting server: %s', ex)\n finally:\n self.__start_timer(10)\n", "role": "user" }, { "content": "reconnect", "role": "assistant" } ]
def x(self, client, userdata, flags, result_code): if result_code: _logger.error('Error connecting the MQTT server: %s (%d)', paho. connack_string(result_code), result_code) else: self.__stop_timer() if self.on_connect is not None: try: self.on_connect(self, result_code) except Exception as ex: _logger.exception('Error notifying MQTT listener: %s', ex)
on_connect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, client, userdata, flags, result_code):\n if result_code:\n _logger.error('Error connecting the MQTT server: %s (%d)', paho.\n connack_string(result_code), result_code)\n else:\n self.__stop_timer()\n if self.on_connect is not None:\n try:\n self.on_connect(self, result_code)\n except Exception as ex:\n _logger.exception('Error notifying MQTT listener: %s', ex)\n", "role": "user" }, { "content": "on_connect", "role": "assistant" } ]
def x(self, client, userdata, result_code): if result_code: _logger.error('Unexpected disconnection from the MQTT server: %s (%d)', paho.connack_string(result_code), result_code) self.__stop_timer() self.__start_timer(2) if self.on_disconnect is not None: try: self.on_disconnect(self, result_code) except Exception as ex: _logger.exception('Error notifying MQTT listener: %s', ex)
on_disconnect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, client, userdata, result_code):\n if result_code:\n _logger.error('Unexpected disconnection from the MQTT server: %s (%d)',\n paho.connack_string(result_code), result_code)\n self.__stop_timer()\n self.__start_timer(2)\n if self.on_disconnect is not None:\n try:\n self.on_disconnect(self, result_code)\n except Exception as ex:\n _logger.exception('Error notifying MQTT listener: %s', ex)\n", "role": "user" }, { "content": "on_disconnect", "role": "assistant" } ]
def x(self, client, userdata, msg): if self.on_message is not None: try: self.on_message(self, msg) except Exception as ex: _logger.exception('Error notifying MQTT listener: %s', ex)
on_message
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, client, userdata, msg):\n if self.on_message is not None:\n try:\n self.on_message(self, msg)\n except Exception as ex:\n _logger.exception('Error notifying MQTT listener: %s', ex)\n", "role": "user" }, { "content": "on_message", "role": "assistant" } ]
def x(self, client, userdata, mid): try: self.__in_flight[mid].set() except KeyError: pass
on_publish
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, client, userdata, mid):\n try:\n self.__in_flight[mid].set()\n except KeyError:\n pass\n", "role": "user" }, { "content": "on_publish", "role": "assistant" } ]
def x(properties): props = properties.copy() props[pelix.remote.PROP_IMPORTED] = True try: props[pelix.remote.PROP_ENDPOINT_SERVICE_ID] = props.pop(pelix. constants.SERVICE_ID) except KeyError: pass configs = props.pop(pelix.remote.PROP_EXPORTED_CONFIGS, None) if configs: props[pelix.remote.PROP_IMPORTED_CONFIGS] = configs for key in (pelix.remote.PROP_EXPORTED_INTENTS, pelix.remote. PROP_EXPORTED_INTENTS_EXTRA, pelix.remote.PROP_EXPORTED_INTERFACES): try: del props[key] except KeyError: pass return props
to_import_properties
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(properties):\n props = properties.copy()\n props[pelix.remote.PROP_IMPORTED] = True\n try:\n props[pelix.remote.PROP_ENDPOINT_SERVICE_ID] = props.pop(pelix.\n constants.SERVICE_ID)\n except KeyError:\n pass\n configs = props.pop(pelix.remote.PROP_EXPORTED_CONFIGS, None)\n if configs:\n props[pelix.remote.PROP_IMPORTED_CONFIGS] = configs\n for key in (pelix.remote.PROP_EXPORTED_INTENTS, pelix.remote.\n PROP_EXPORTED_INTENTS_EXTRA, pelix.remote.PROP_EXPORTED_INTERFACES):\n try:\n del props[key]\n except KeyError:\n pass\n return props\n", "role": "user" }, { "content": "to_import_properties", "role": "assistant" } ]
def x(svc_ref): if svc_ref.get_property(pelix.remote.PROP_EXPORT_NONE): return [] specs = svc_ref.get_property(pelix.constants.OBJECTCLASS) exported_specs = svc_ref.get_property(pelix.remote.PROP_EXPORTED_INTERFACES ) if exported_specs and exported_specs != '*': iterable_exports = pelix.utilities.to_iterable(exported_specs, False) all_exported_specs = [spec for spec in specs if spec in iterable_exports] else: all_exported_specs = pelix.utilities.to_iterable(specs) export_only_specs = pelix.utilities.to_iterable(svc_ref.get_property( pelix.remote.PROP_EXPORT_ONLY), False) if export_only_specs: return [spec for spec in all_exported_specs if spec in export_only_specs] rejected_specs = pelix.utilities.to_iterable(svc_ref.get_property(pelix .remote.PROP_EXPORT_REJECT), False) return [spec for spec in all_exported_specs if spec not in rejected_specs]
compute_exported_specifications
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(svc_ref):\n if svc_ref.get_property(pelix.remote.PROP_EXPORT_NONE):\n return []\n specs = svc_ref.get_property(pelix.constants.OBJECTCLASS)\n exported_specs = svc_ref.get_property(pelix.remote.PROP_EXPORTED_INTERFACES\n )\n if exported_specs and exported_specs != '*':\n iterable_exports = pelix.utilities.to_iterable(exported_specs, False)\n all_exported_specs = [spec for spec in specs if spec in\n iterable_exports]\n else:\n all_exported_specs = pelix.utilities.to_iterable(specs)\n export_only_specs = pelix.utilities.to_iterable(svc_ref.get_property(\n pelix.remote.PROP_EXPORT_ONLY), False)\n if export_only_specs:\n return [spec for spec in all_exported_specs if spec in\n export_only_specs]\n rejected_specs = pelix.utilities.to_iterable(svc_ref.get_property(pelix\n .remote.PROP_EXPORT_REJECT), False)\n return [spec for spec in all_exported_specs if spec not in rejected_specs]\n", "role": "user" }, { "content": "compute_exported_specifications", "role": "assistant" } ]
def x(specifications, properties): all_specs = set(pelix.utilities.to_iterable(specifications)) try: synonyms = pelix.utilities.to_iterable(properties[pelix.remote. PROP_SYNONYMS], False) all_specs.update(synonyms) except KeyError: pass filtered_specs = set() for original in all_specs: try: lang, spec = _extract_specification_parts(original) if lang == PYTHON_LANGUAGE: filtered_specs.add(spec) else: filtered_specs.add(original) except ValueError: pass return list(filtered_specs)
extract_specifications
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(specifications, properties):\n all_specs = set(pelix.utilities.to_iterable(specifications))\n try:\n synonyms = pelix.utilities.to_iterable(properties[pelix.remote.\n PROP_SYNONYMS], False)\n all_specs.update(synonyms)\n except KeyError:\n pass\n filtered_specs = set()\n for original in all_specs:\n try:\n lang, spec = _extract_specification_parts(original)\n if lang == PYTHON_LANGUAGE:\n filtered_specs.add(spec)\n else:\n filtered_specs.add(original)\n except ValueError:\n pass\n return list(filtered_specs)\n", "role": "user" }, { "content": "extract_specifications", "role": "assistant" } ]
def x(specifications): transformed = set() for original in specifications: try: lang, spec = _extract_specification_parts(original) transformed.add(_format_specification(lang, spec)) except ValueError: pass return list(transformed)
format_specifications
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(specifications):\n transformed = set()\n for original in specifications:\n try:\n lang, spec = _extract_specification_parts(original)\n transformed.add(_format_specification(lang, spec))\n except ValueError:\n pass\n return list(transformed)\n", "role": "user" }, { "content": "format_specifications", "role": "assistant" } ]
def x(specification): try: parsed = urlparse(specification) except: raise ValueError('Invalid specification URL: {0}'.format(specification) ) interface = parsed.path language = parsed.scheme if not language: language = PYTHON_LANGUAGE else: interface = _unescape_specification(interface[1:]) return language, interface
extract_specification_parts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(specification):\n try:\n parsed = urlparse(specification)\n except:\n raise ValueError('Invalid specification URL: {0}'.format(specification)\n )\n interface = parsed.path\n language = parsed.scheme\n if not language:\n language = PYTHON_LANGUAGE\n else:\n interface = _unescape_specification(interface[1:])\n return language, interface\n", "role": "user" }, { "content": "extract_specification_parts", "role": "assistant" } ]
def x(self): properties = self.__reference.get_properties() properties.update(self.__properties) for key in (pelix.constants.OBJECTCLASS, pelix.constants.SERVICE_ID): properties[key] = self.__reference.get_property(key) properties[pelix.remote.PROP_EXPORTED_CONFIGS] = self.configurations return properties
get_properties
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n properties = self.__reference.get_properties()\n properties.update(self.__properties)\n for key in (pelix.constants.OBJECTCLASS, pelix.constants.SERVICE_ID):\n properties[key] = self.__reference.get_property(key)\n properties[pelix.remote.PROP_EXPORTED_CONFIGS] = self.configurations\n return properties\n", "role": "user" }, { "content": "get_properties", "role": "assistant" } ]
def x(self): props = to_import_properties(self.get_properties()) props[pelix.remote.PROP_ENDPOINT_FRAMEWORK_UUID] = self.__fw_uid return props
make_import_properties
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n props = to_import_properties(self.get_properties())\n props[pelix.remote.PROP_ENDPOINT_FRAMEWORK_UUID] = self.__fw_uid\n return props\n", "role": "user" }, { "content": "make_import_properties", "role": "assistant" } ]
def x(props): mandatory = (pelix.remote.PROP_ENDPOINT_ID, pelix.remote. PROP_IMPORTED_CONFIGS, pelix.constants.OBJECTCLASS) for key in mandatory: if key not in props: raise ValueError('Missing property: {0}'.format(key)) props_export = (pelix.remote.PROP_EXPORTED_CONFIGS, pelix.remote. PROP_EXPORTED_INTERFACES) for key in props_export: if key in props: raise ValueError('Export property found: {0}'.format(key))
check_properties
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(props):\n mandatory = (pelix.remote.PROP_ENDPOINT_ID, pelix.remote.\n PROP_IMPORTED_CONFIGS, pelix.constants.OBJECTCLASS)\n for key in mandatory:\n if key not in props:\n raise ValueError('Missing property: {0}'.format(key))\n props_export = (pelix.remote.PROP_EXPORTED_CONFIGS, pelix.remote.\n PROP_EXPORTED_INTERFACES)\n for key in props_export:\n if key in props:\n raise ValueError('Export property found: {0}'.format(key))\n", "role": "user" }, { "content": "check_properties", "role": "assistant" } ]
def x(self, package): name = '{0}{1}'.format(pelix.remote.PROP_ENDPOINT_PACKAGE_VERSION_, package ) try: version = self.__properties[name] return tuple(version.split('.')) except KeyError: return 0, 0, 0
get_package_version
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, package):\n name = '{0}{1}'.format(pelix.remote.PROP_ENDPOINT_PACKAGE_VERSION_, package\n )\n try:\n version = self.__properties[name]\n return tuple(version.split('.'))\n except KeyError:\n return 0, 0, 0\n", "role": "user" }, { "content": "get_package_version", "role": "assistant" } ]
def x(self, ldap_filter): return pelix.ldapfilter.get_ldap_filter(ldap_filter).matches(self. __properties)
matches
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ldap_filter):\n return pelix.ldapfilter.get_ldap_filter(ldap_filter).matches(self.\n __properties)\n", "role": "user" }, { "content": "matches", "role": "assistant" } ]
def x(self): properties = self.get_properties() fw_uid = self.get_framework_uuid() try: name = properties[pelix.remote.PROP_ENDPOINT_NAME] except KeyError: name = '{0}.{1}'.format(fw_uid, self.get_service_id()) configurations = self.get_configuration_types() specifications = self.get_interfaces() return ImportEndpoint(self.get_id(), fw_uid, configurations, name, specifications, properties)
to_import
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n properties = self.get_properties()\n fw_uid = self.get_framework_uuid()\n try:\n name = properties[pelix.remote.PROP_ENDPOINT_NAME]\n except KeyError:\n name = '{0}.{1}'.format(fw_uid, self.get_service_id())\n configurations = self.get_configuration_types()\n specifications = self.get_interfaces()\n return ImportEndpoint(self.get_id(), fw_uid, configurations, name,\n specifications, properties)\n", "role": "user" }, { "content": "to_import", "role": "assistant" } ]
def x(cls, endpoint): assert isinstance(endpoint, ExportEndpoint) properties = endpoint.get_properties() properties[pelix.remote.PROP_ENDPOINT_ID] = endpoint.uid properties[pelix.remote.PROP_IMPORTED_CONFIGS] = endpoint.configurations properties[pelix.remote.PROP_EXPORTED_INTERFACES] = endpoint.specifications for key in (pelix.remote.PROP_EXPORTED_CONFIGS, pelix.remote. PROP_EXPORTED_INTERFACES, pelix.remote.PROP_EXPORTED_INTENTS, pelix .remote.PROP_EXPORTED_INTENTS_EXTRA): try: del properties[key] except KeyError: pass properties[pelix.remote.PROP_ENDPOINT_NAME] = endpoint.name properties[pelix.remote.PROP_ENDPOINT_FRAMEWORK_UUID] = endpoint.framework return EndpointDescription(None, properties)
from_export
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, endpoint):\n assert isinstance(endpoint, ExportEndpoint)\n properties = endpoint.get_properties()\n properties[pelix.remote.PROP_ENDPOINT_ID] = endpoint.uid\n properties[pelix.remote.PROP_IMPORTED_CONFIGS] = endpoint.configurations\n properties[pelix.remote.PROP_EXPORTED_INTERFACES] = endpoint.specifications\n for key in (pelix.remote.PROP_EXPORTED_CONFIGS, pelix.remote.\n PROP_EXPORTED_INTERFACES, pelix.remote.PROP_EXPORTED_INTENTS, pelix\n .remote.PROP_EXPORTED_INTENTS_EXTRA):\n try:\n del properties[key]\n except KeyError:\n pass\n properties[pelix.remote.PROP_ENDPOINT_NAME] = endpoint.name\n properties[pelix.remote.PROP_ENDPOINT_FRAMEWORK_UUID] = endpoint.framework\n return EndpointDescription(None, properties)\n", "role": "user" }, { "content": "from_export", "role": "assistant" } ]
def x(self, node): endpoint = {} for prop_node in node.findall(TAG_PROPERTY): name, value = self._parse_property(prop_node) endpoint[name] = value return EndpointDescription(None, endpoint)
parse_description
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node):\n endpoint = {}\n for prop_node in node.findall(TAG_PROPERTY):\n name, value = self._parse_property(prop_node)\n endpoint[name] = value\n return EndpointDescription(None, endpoint)\n", "role": "user" }, { "content": "parse_description", "role": "assistant" } ]
def x(self, node): name = node.attrib[ATTR_NAME] vtype = node.attrib.get(ATTR_VALUE_TYPE, TYPE_STRING) try: value_node = next(iter(node)) value = self._parse_value_node(vtype, value_node) except StopIteration: value = self._convert_value(vtype, node.attrib[ATTR_VALUE]) return name, value
parse_property
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node):\n name = node.attrib[ATTR_NAME]\n vtype = node.attrib.get(ATTR_VALUE_TYPE, TYPE_STRING)\n try:\n value_node = next(iter(node))\n value = self._parse_value_node(vtype, value_node)\n except StopIteration:\n value = self._convert_value(vtype, node.attrib[ATTR_VALUE])\n return name, value\n", "role": "user" }, { "content": "parse_property", "role": "assistant" } ]
def x(self, vtype, node): kind = node.tag if kind == TAG_XML: return next(iter(node)) elif kind == TAG_LIST or kind == TAG_ARRAY: return [self._convert_value(vtype, value_node.text) for value_node in node.findall(TAG_VALUE)] elif kind == TAG_SET: return set(self._convert_value(vtype, value_node.text) for value_node in node.findall(TAG_VALUE)) else: raise ValueError('Unknown value tag: {0}'.format(kind))
parse_value_node
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, vtype, node):\n kind = node.tag\n if kind == TAG_XML:\n return next(iter(node))\n elif kind == TAG_LIST or kind == TAG_ARRAY:\n return [self._convert_value(vtype, value_node.text) for value_node in\n node.findall(TAG_VALUE)]\n elif kind == TAG_SET:\n return set(self._convert_value(vtype, value_node.text) for\n value_node in node.findall(TAG_VALUE))\n else:\n raise ValueError('Unknown value tag: {0}'.format(kind))\n", "role": "user" }, { "content": "parse_value_node", "role": "assistant" } ]
def x(self, xml_str): root = ElementTree.fromstring(xml_str) if root.tag != TAG_ENDPOINT_DESCRIPTIONS: raise ValueError('Not an EDEF XML: {0}'.format(root.tag)) return [self._parse_description(node) for node in root.findall( TAG_ENDPOINT_DESCRIPTION)]
parse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, xml_str):\n root = ElementTree.fromstring(xml_str)\n if root.tag != TAG_ENDPOINT_DESCRIPTIONS:\n raise ValueError('Not an EDEF XML: {0}'.format(root.tag))\n return [self._parse_description(node) for node in root.findall(\n TAG_ENDPOINT_DESCRIPTION)]\n", "role": "user" }, { "content": "parse", "role": "assistant" } ]
def x(self, root_node, endpoint): endpoint_node = ElementTree.SubElement(root_node, TAG_ENDPOINT_DESCRIPTION) for name, value in endpoint.get_properties().items(): vtype = self._get_type(name, value) prop_node = ElementTree.SubElement(endpoint_node, TAG_PROPERTY, { ATTR_NAME: name}) if vtype == XML_VALUE: prop_node.append(value) continue prop_node.set(ATTR_VALUE_TYPE, vtype) if isinstance(value, tuple): self._add_container(prop_node, TAG_ARRAY, value) elif isinstance(value, list): self._add_container(prop_node, TAG_ARRAY, value) elif isinstance(value, set): self._add_container(prop_node, TAG_SET, value) elif isinstance(value, type(root_node)): prop_node.append(value) else: prop_node.set(ATTR_VALUE, str(value))
make_endpoint
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, root_node, endpoint):\n endpoint_node = ElementTree.SubElement(root_node, TAG_ENDPOINT_DESCRIPTION)\n for name, value in endpoint.get_properties().items():\n vtype = self._get_type(name, value)\n prop_node = ElementTree.SubElement(endpoint_node, TAG_PROPERTY, {\n ATTR_NAME: name})\n if vtype == XML_VALUE:\n prop_node.append(value)\n continue\n prop_node.set(ATTR_VALUE_TYPE, vtype)\n if isinstance(value, tuple):\n self._add_container(prop_node, TAG_ARRAY, value)\n elif isinstance(value, list):\n self._add_container(prop_node, TAG_ARRAY, value)\n elif isinstance(value, set):\n self._add_container(prop_node, TAG_SET, value)\n elif isinstance(value, type(root_node)):\n prop_node.append(value)\n else:\n prop_node.set(ATTR_VALUE, str(value))\n", "role": "user" }, { "content": "make_endpoint", "role": "assistant" } ]
def x(self, endpoints): root = ElementTree.Element(TAG_ENDPOINT_DESCRIPTIONS) for endpoint in endpoints: self._make_endpoint(root, endpoint) self._indent(root) return root
make_xml
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, endpoints):\n root = ElementTree.Element(TAG_ENDPOINT_DESCRIPTIONS)\n for endpoint in endpoints:\n self._make_endpoint(root, endpoint)\n self._indent(root)\n return root\n", "role": "user" }, { "content": "make_xml", "role": "assistant" } ]
def x(self, endpoints): root = self._make_xml(endpoints) tree = ElementTree.ElementTree(root) ElementTree.register_namespace('', EDEF_NAMESPACE) output = StringIO() tree.write(output, encoding=self._encoding, xml_declaration=self. _xml_declaration) return output.getvalue().strip()
to_string
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, endpoints):\n root = self._make_xml(endpoints)\n tree = ElementTree.ElementTree(root)\n ElementTree.register_namespace('', EDEF_NAMESPACE)\n output = StringIO()\n tree.write(output, encoding=self._encoding, xml_declaration=self.\n _xml_declaration)\n return output.getvalue().strip()\n", "role": "user" }, { "content": "to_string", "role": "assistant" } ]
def x(self, endpoints, filename): with open(filename, 'w') as filep: filep.write(self.to_string(endpoints))
write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, endpoints, filename):\n with open(filename, 'w') as filep:\n filep.write(self.to_string(endpoints))\n", "role": "user" }, { "content": "write", "role": "assistant" } ]
def x(cls, attribute_name, value=None): if value is None: try: value = getattr(cls, attribute_name) except AttributeError: return False for base in cls.__bases__: try: return getattr(base, attribute_name) is value except AttributeError: pass return False
is_from_parent
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, attribute_name, value=None):\n if value is None:\n try:\n value = getattr(cls, attribute_name)\n except AttributeError:\n return False\n for base in cls.__bases__:\n try:\n return getattr(base, attribute_name) is value\n except AttributeError:\n pass\n return False\n", "role": "user" }, { "content": "is_from_parent", "role": "assistant" } ]
def x(cls): context = getattr(cls, constants.IPOPO_FACTORY_CONTEXT, None) if context is None: context = FactoryContext() elif is_from_parent(cls, constants.IPOPO_FACTORY_CONTEXT): context = context.copy(True) context.completed = False else: return context setattr(cls, constants.IPOPO_FACTORY_CONTEXT, context) return context
get_factory_context
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n context = getattr(cls, constants.IPOPO_FACTORY_CONTEXT, None)\n if context is None:\n context = FactoryContext()\n elif is_from_parent(cls, constants.IPOPO_FACTORY_CONTEXT):\n context = context.copy(True)\n context.completed = False\n else:\n return context\n setattr(cls, constants.IPOPO_FACTORY_CONTEXT, context)\n return context\n", "role": "user" }, { "content": "get_factory_context", "role": "assistant" } ]
def x(method): try: try: line_no = inspect.getsourcelines(method)[1] except IOError: line_no = -1 return "'{method}' ({file}:{line})".format(method=method.__name__, file=inspect.getfile(method), line=line_no) except TypeError: return "'{0}'".format(method.__name__)
get_method_description
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(method):\n try:\n try:\n line_no = inspect.getsourcelines(method)[1]\n except IOError:\n line_no = -1\n return \"'{method}' ({file}:{line})\".format(method=method.__name__,\n file=inspect.getfile(method), line=line_no)\n except TypeError:\n return \"'{0}'\".format(method.__name__)\n", "role": "user" }, { "content": "get_method_description", "role": "assistant" } ]
def x(method, *needed_args): nb_needed_args = len(needed_args) arg_spec = get_method_arguments(method) method_args = arg_spec.args try: if method_args[0] == 'self': del method_args[0] except IndexError: pass nb_args = len(method_args) if arg_spec.varargs is not None: if nb_args != 0: raise TypeError( "When using '*args', the decorated {0} method must only accept the 'self' argument" .format(get_method_description(method))) elif arg_spec.keywords is not None: raise TypeError("Methods using '**kwargs' are not handled") elif nb_args != nb_needed_args: raise TypeError( 'The decorated method {0} must accept exactly {1} parameters: (self, {2})' .format(get_method_description(method), nb_needed_args + 1, ', '.join(needed_args)))
validate_method_arity
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(method, *needed_args):\n nb_needed_args = len(needed_args)\n arg_spec = get_method_arguments(method)\n method_args = arg_spec.args\n try:\n if method_args[0] == 'self':\n del method_args[0]\n except IndexError:\n pass\n nb_args = len(method_args)\n if arg_spec.varargs is not None:\n if nb_args != 0:\n raise TypeError(\n \"When using '*args', the decorated {0} method must only accept the 'self' argument\"\n .format(get_method_description(method)))\n elif arg_spec.keywords is not None:\n raise TypeError(\"Methods using '**kwargs' are not handled\")\n elif nb_args != nb_needed_args:\n raise TypeError(\n 'The decorated method {0} must accept exactly {1} parameters: (self, {2})'\n .format(get_method_description(method), nb_needed_args + 1,\n ', '.join(needed_args)))\n", "role": "user" }, { "content": "validate_method_arity", "role": "assistant" } ]
def x(cls, context): assert inspect.isclass(cls) assert isinstance(context, FactoryContext) if context.callbacks is not None: callbacks = context.callbacks.copy() else: callbacks = {} functions = inspect.getmembers(cls, inspect.isroutine) for _, func in functions: if not hasattr(func, constants.IPOPO_METHOD_CALLBACKS): continue method_callbacks = getattr(func, constants.IPOPO_METHOD_CALLBACKS) if not isinstance(method_callbacks, list): _logger.warning('Invalid callback information %s in %s', constants.IPOPO_METHOD_CALLBACKS, get_method_description(func)) continue for _callback in method_callbacks: if _callback in callbacks and not is_from_parent(cls, callbacks [_callback].__name__, callbacks[_callback]): _logger.warning( """Redefining the callback %s in class '%s'. Previous callback : %s New callback : %s""" , _callback, cls.__name__, get_method_description( callbacks[_callback]), get_method_description(func)) callbacks[_callback] = func context.callbacks.clear() context.callbacks.update(callbacks)
ipopo_setup_callback
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, context):\n assert inspect.isclass(cls)\n assert isinstance(context, FactoryContext)\n if context.callbacks is not None:\n callbacks = context.callbacks.copy()\n else:\n callbacks = {}\n functions = inspect.getmembers(cls, inspect.isroutine)\n for _, func in functions:\n if not hasattr(func, constants.IPOPO_METHOD_CALLBACKS):\n continue\n method_callbacks = getattr(func, constants.IPOPO_METHOD_CALLBACKS)\n if not isinstance(method_callbacks, list):\n _logger.warning('Invalid callback information %s in %s',\n constants.IPOPO_METHOD_CALLBACKS, get_method_description(func))\n continue\n for _callback in method_callbacks:\n if _callback in callbacks and not is_from_parent(cls, callbacks\n [_callback].__name__, callbacks[_callback]):\n _logger.warning(\n \"\"\"Redefining the callback %s in class '%s'.\n\tPrevious callback : %s\n\tNew callback : %s\"\"\"\n , _callback, cls.__name__, get_method_description(\n callbacks[_callback]), get_method_description(func))\n callbacks[_callback] = func\n context.callbacks.clear()\n context.callbacks.update(callbacks)\n", "role": "user" }, { "content": "ipopo_setup_callback", "role": "assistant" } ]
def x(cls, context): assert inspect.isclass(cls) assert isinstance(context, FactoryContext) if context.field_callbacks is not None: callbacks = context.field_callbacks.copy() else: callbacks = {} functions = inspect.getmembers(cls, inspect.isroutine) for name, func in functions: if not hasattr(func, constants.IPOPO_METHOD_FIELD_CALLBACKS): continue method_callbacks = getattr(func, constants.IPOPO_METHOD_FIELD_CALLBACKS ) if not isinstance(method_callbacks, list): _logger.warning('Invalid attribute %s in %s', constants. IPOPO_METHOD_FIELD_CALLBACKS, name) continue for kind, field, if_valid in method_callbacks: fields_cbs = callbacks.setdefault(field, {}) if kind in fields_cbs and not is_from_parent(cls, fields_cbs[ kind][0].__name__): _logger.warning( "Redefining the callback %s in '%s'. Previous callback : '%s' (%s). New callback : %s" , kind, name, fields_cbs[kind][0].__name__, fields_cbs[ kind][0], func) fields_cbs[kind] = func, if_valid context.field_callbacks.clear() context.field_callbacks.update(callbacks)
ipopo_setup_field_callback
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, context):\n assert inspect.isclass(cls)\n assert isinstance(context, FactoryContext)\n if context.field_callbacks is not None:\n callbacks = context.field_callbacks.copy()\n else:\n callbacks = {}\n functions = inspect.getmembers(cls, inspect.isroutine)\n for name, func in functions:\n if not hasattr(func, constants.IPOPO_METHOD_FIELD_CALLBACKS):\n continue\n method_callbacks = getattr(func, constants.IPOPO_METHOD_FIELD_CALLBACKS\n )\n if not isinstance(method_callbacks, list):\n _logger.warning('Invalid attribute %s in %s', constants.\n IPOPO_METHOD_FIELD_CALLBACKS, name)\n continue\n for kind, field, if_valid in method_callbacks:\n fields_cbs = callbacks.setdefault(field, {})\n if kind in fields_cbs and not is_from_parent(cls, fields_cbs[\n kind][0].__name__):\n _logger.warning(\n \"Redefining the callback %s in '%s'. Previous callback : '%s' (%s). New callback : %s\"\n , kind, name, fields_cbs[kind][0].__name__, fields_cbs[\n kind][0], func)\n fields_cbs[kind] = func, if_valid\n context.field_callbacks.clear()\n context.field_callbacks.update(callbacks)\n", "role": "user" }, { "content": "ipopo_setup_field_callback", "role": "assistant" } ]
def x(obj, list_name, entry): obj_list = getattr(obj, list_name, None) if obj_list is None: obj_list = [] setattr(obj, list_name, obj_list) assert isinstance(obj_list, list) if entry not in obj_list: obj_list.append(entry)
append_object_entry
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, list_name, entry):\n obj_list = getattr(obj, list_name, None)\n if obj_list is None:\n obj_list = []\n setattr(obj, list_name, obj_list)\n assert isinstance(obj_list, list)\n if entry not in obj_list:\n obj_list.append(entry)\n", "role": "user" }, { "content": "append_object_entry", "role": "assistant" } ]
def x(name, value, methods_prefix): lock = threading.RLock() getter_name = '{0}{1}'.format(methods_prefix, constants.IPOPO_GETTER_SUFFIX ) setter_name = '{0}{1}'.format(methods_prefix, constants.IPOPO_SETTER_SUFFIX ) local_holder = Holder(value) def x(self): getter = getattr(self, getter_name, None) if getter is not None: with lock: return getter(self, name) else: return local_holder.value def x(self, new_value): setter = getattr(self, setter_name, None) if setter is not None: with lock: setter(self, name, new_value) else: local_holder.value = new_value return property(get_value, set_value)
ipopo_class_field_property
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, value, methods_prefix):\n lock = threading.RLock()\n getter_name = '{0}{1}'.format(methods_prefix, constants.IPOPO_GETTER_SUFFIX\n )\n setter_name = '{0}{1}'.format(methods_prefix, constants.IPOPO_SETTER_SUFFIX\n )\n local_holder = Holder(value)\n\n def x(self):\n getter = getattr(self, getter_name, None)\n if getter is not None:\n with lock:\n return getter(self, name)\n else:\n return local_holder.value\n\n def x(self, new_value):\n setter = getattr(self, setter_name, None)\n if setter is not None:\n with lock:\n setter(self, name, new_value)\n else:\n local_holder.value = new_value\n return property(get_value, set_value)\n", "role": "user" }, { "content": "ipopo_class_field_property", "role": "assistant" } ]
def x(specifications): if not specifications or specifications is object: raise ValueError('No specifications given') elif inspect.isclass(specifications): if Provides.USE_MODULE_QUALNAME: if sys.version_info < (3, 3, 0): raise ValueError( 'Qualified name capability requires Python 3.3+') if not specifications.__module__: return [specifications.__qualname__] return ['{0}.{1}'.format(specifications.__module__, specifications.__qualname__)] else: return [specifications.__name__] elif is_string(specifications): specifications = specifications.strip() if not specifications: raise ValueError('Empty specification given') return [specifications] elif isinstance(specifications, (list, tuple)): results = [] for specification in specifications: results.extend(_get_specifications(specification)) return results else: raise ValueError('Unhandled specifications type : {0}'.format(type( specifications).__name__))
get_specifications
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(specifications):\n if not specifications or specifications is object:\n raise ValueError('No specifications given')\n elif inspect.isclass(specifications):\n if Provides.USE_MODULE_QUALNAME:\n if sys.version_info < (3, 3, 0):\n raise ValueError(\n 'Qualified name capability requires Python 3.3+')\n if not specifications.__module__:\n return [specifications.__qualname__]\n return ['{0}.{1}'.format(specifications.__module__,\n specifications.__qualname__)]\n else:\n return [specifications.__name__]\n elif is_string(specifications):\n specifications = specifications.strip()\n if not specifications:\n raise ValueError('Empty specification given')\n return [specifications]\n elif isinstance(specifications, (list, tuple)):\n results = []\n for specification in specifications:\n results.extend(_get_specifications(specification))\n return results\n else:\n raise ValueError('Unhandled specifications type : {0}'.format(type(\n specifications).__name__))\n", "role": "user" }, { "content": "get_specifications", "role": "assistant" } ]
def x(method): if not inspect.isroutine(method): raise TypeError('@Bind can only be applied on functions') validate_method_arity(method, 'service', 'service_reference') _append_object_entry(method, constants.IPOPO_METHOD_CALLBACKS, constants.IPOPO_CALLBACK_BIND) return method
Bind
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(method):\n if not inspect.isroutine(method):\n raise TypeError('@Bind can only be applied on functions')\n validate_method_arity(method, 'service', 'service_reference')\n _append_object_entry(method, constants.IPOPO_METHOD_CALLBACKS,\n constants.IPOPO_CALLBACK_BIND)\n return method\n", "role": "user" }, { "content": "Bind", "role": "assistant" } ]
def x(method): if not isinstance(method, types.FunctionType): raise TypeError('@Update can only be applied on functions') validate_method_arity(method, 'service', 'service_reference', 'old_properties') _append_object_entry(method, constants.IPOPO_METHOD_CALLBACKS, constants.IPOPO_CALLBACK_UPDATE) return method
Update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(method):\n if not isinstance(method, types.FunctionType):\n raise TypeError('@Update can only be applied on functions')\n validate_method_arity(method, 'service', 'service_reference',\n 'old_properties')\n _append_object_entry(method, constants.IPOPO_METHOD_CALLBACKS,\n constants.IPOPO_CALLBACK_UPDATE)\n return method\n", "role": "user" }, { "content": "Update", "role": "assistant" } ]
def x(method): if not isinstance(method, types.FunctionType): raise TypeError('@Unbind can only be applied on functions') validate_method_arity(method, 'service', 'service_reference') _append_object_entry(method, constants.IPOPO_METHOD_CALLBACKS, constants.IPOPO_CALLBACK_UNBIND) return method
Unbind
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(method):\n if not isinstance(method, types.FunctionType):\n raise TypeError('@Unbind can only be applied on functions')\n validate_method_arity(method, 'service', 'service_reference')\n _append_object_entry(method, constants.IPOPO_METHOD_CALLBACKS,\n constants.IPOPO_CALLBACK_UNBIND)\n return method\n", "role": "user" }, { "content": "Unbind", "role": "assistant" } ]
def x(method): if not isinstance(method, types.FunctionType): raise TypeError('@PostRegistration can only be applied on functions') validate_method_arity(method, 'service_reference') _append_object_entry(method, constants.IPOPO_METHOD_CALLBACKS, constants.IPOPO_CALLBACK_POST_REGISTRATION) return method
PostRegistration
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(method):\n if not isinstance(method, types.FunctionType):\n raise TypeError('@PostRegistration can only be applied on functions')\n validate_method_arity(method, 'service_reference')\n _append_object_entry(method, constants.IPOPO_METHOD_CALLBACKS,\n constants.IPOPO_CALLBACK_POST_REGISTRATION)\n return method\n", "role": "user" }, { "content": "PostRegistration", "role": "assistant" } ]
def x(method): if not isinstance(method, types.FunctionType): raise TypeError('@PostUnregistration can only be applied on functions') validate_method_arity(method, 'service_reference') _append_object_entry(method, constants.IPOPO_METHOD_CALLBACKS, constants.IPOPO_CALLBACK_POST_UNREGISTRATION) return method
PostUnregistration
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(method):\n if not isinstance(method, types.FunctionType):\n raise TypeError('@PostUnregistration can only be applied on functions')\n validate_method_arity(method, 'service_reference')\n _append_object_entry(method, constants.IPOPO_METHOD_CALLBACKS,\n constants.IPOPO_CALLBACK_POST_UNREGISTRATION)\n return method\n", "role": "user" }, { "content": "PostUnregistration", "role": "assistant" } ]
def x(state): states = {pelix.Bundle.INSTALLED: 'INSTALLED', pelix.Bundle.ACTIVE: 'ACTIVE', pelix.Bundle.RESOLVED: 'RESOLVED', pelix.Bundle.STARTING: 'STARTING', pelix.Bundle.STOPPING: 'STOPPING', pelix.Bundle. UNINSTALLED: 'UNINSTALLED'} return states.get(state, 'Unknown state ({0})'.format(state))
bundlestate_to_str
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(state):\n states = {pelix.Bundle.INSTALLED: 'INSTALLED', pelix.Bundle.ACTIVE:\n 'ACTIVE', pelix.Bundle.RESOLVED: 'RESOLVED', pelix.Bundle.STARTING:\n 'STARTING', pelix.Bundle.STOPPING: 'STOPPING', pelix.Bundle.\n UNINSTALLED: 'UNINSTALLED'}\n return states.get(state, 'Unknown state ({0})'.format(state))\n", "role": "user" }, { "content": "bundlestate_to_str", "role": "assistant" } ]
def x(headers, lines, prefix=None): prefix = str(prefix or '') lengths = [len(title) for title in headers] nb_columns = len(lengths) - 1 str_lines = [] for idx, line in enumerate(lines): str_line = [] str_lines.append(str_line) column = -1 try: for column, entry in enumerate(line): str_entry = str(entry) str_line.append(str_entry) if len(str_entry) > lengths[column]: lengths[column] = len(str_entry) except IndexError: raise ValueError('Different sizes for header and lines (line {0})' .format(idx + 1)) except (TypeError, AttributeError): raise ValueError('Invalid type of line: %s', type(line).__name__) else: if column != nb_columns: raise ValueError( 'Different sizes for header and lines (line {0})'. format(idx + 1)) format_str = '{0}|'.format(prefix) for column, length in enumerate(lengths): format_str += ' {%d:^%d} |' % (column, length) head_str = format_str.format(*headers) separator = '{0}{1}'.format(prefix, '-' * (len(head_str) - len(prefix))) idx = head_str.find('|') while idx != -1: separator = '+'.join((separator[:idx], separator[idx + 1:])) idx = head_str.find('|', idx + 1) output = [separator, head_str, separator.replace('-', '=')] format_str = format_str.replace('^', '<') for line in str_lines: output.append(format_str.format(*line)) output.append(separator) output.append('') return '\n'.join(output)
make_table
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(headers, lines, prefix=None):\n prefix = str(prefix or '')\n lengths = [len(title) for title in headers]\n nb_columns = len(lengths) - 1\n str_lines = []\n for idx, line in enumerate(lines):\n str_line = []\n str_lines.append(str_line)\n column = -1\n try:\n for column, entry in enumerate(line):\n str_entry = str(entry)\n str_line.append(str_entry)\n if len(str_entry) > lengths[column]:\n lengths[column] = len(str_entry)\n except IndexError:\n raise ValueError('Different sizes for header and lines (line {0})'\n .format(idx + 1))\n except (TypeError, AttributeError):\n raise ValueError('Invalid type of line: %s', type(line).__name__)\n else:\n if column != nb_columns:\n raise ValueError(\n 'Different sizes for header and lines (line {0})'.\n format(idx + 1))\n format_str = '{0}|'.format(prefix)\n for column, length in enumerate(lengths):\n format_str += ' {%d:^%d} |' % (column, length)\n head_str = format_str.format(*headers)\n separator = '{0}{1}'.format(prefix, '-' * (len(head_str) - len(prefix)))\n idx = head_str.find('|')\n while idx != -1:\n separator = '+'.join((separator[:idx], separator[idx + 1:]))\n idx = head_str.find('|', idx + 1)\n output = [separator, head_str, separator.replace('-', '=')]\n format_str = format_str.replace('^', '<')\n for line in str_lines:\n output.append(format_str.format(*line))\n output.append(separator)\n output.append('')\n return '\\n'.join(output)\n", "role": "user" }, { "content": "make_table", "role": "assistant" } ]
def x(self, svc_ref): if svc_ref in self._bound_references: return False handler = self._context.get_service(svc_ref) namespace = handler.get_namespace() commands = [] for command, method in handler.get_methods(): self.register_command(namespace, command, method) commands.append(command) self._bound_references[svc_ref] = handler self._reference_commands[svc_ref] = namespace, commands return True
bind_handler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, svc_ref):\n if svc_ref in self._bound_references:\n return False\n handler = self._context.get_service(svc_ref)\n namespace = handler.get_namespace()\n commands = []\n for command, method in handler.get_methods():\n self.register_command(namespace, command, method)\n commands.append(command)\n self._bound_references[svc_ref] = handler\n self._reference_commands[svc_ref] = namespace, commands\n return True\n", "role": "user" }, { "content": "bind_handler", "role": "assistant" } ]
def x(self, svc_ref): if svc_ref not in self._bound_references: return False namespace, commands = self._reference_commands[svc_ref] for command in commands: self.unregister(namespace, command) self._context.unget_service(svc_ref) del self._bound_references[svc_ref] del self._reference_commands[svc_ref] return True
unbind_handler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, svc_ref):\n if svc_ref not in self._bound_references:\n return False\n namespace, commands = self._reference_commands[svc_ref]\n for command in commands:\n self.unregister(namespace, command)\n self._context.unget_service(svc_ref)\n del self._bound_references[svc_ref]\n del self._reference_commands[svc_ref]\n return True\n", "role": "user" }, { "content": "unbind_handler", "role": "assistant" } ]
def x(self, session, **kwargs): if not kwargs: session.write_line(self._utils.make_table(('Name', 'Value'), session.variables.items())) else: for name, value in kwargs.items(): name = name.strip() session.set(name, value) session.write_line('{0}={1}', name, value)
var_set
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, session, **kwargs):\n if not kwargs:\n session.write_line(self._utils.make_table(('Name', 'Value'),\n session.variables.items()))\n else:\n for name, value in kwargs.items():\n name = name.strip()\n session.set(name, value)\n session.write_line('{0}={1}', name, value)\n", "role": "user" }, { "content": "var_set", "role": "assistant" } ]
def x(self, io_handler, bundle_id): bundle = None try: bundle_id = int(bundle_id) except ValueError: for bundle in self._context.get_bundles(): if bundle.get_symbolic_name() == bundle_id: break else: bundle = None else: try: bundle = self._context.get_bundle(bundle_id) except constants.BundleException: pass if bundle is None: io_handler.write_line('Unknown bundle ID: {0}', bundle_id) return False lines = ['ID......: {0}'.format(bundle.get_bundle_id()), 'Name....: {0}'.format(bundle.get_symbolic_name()), 'Version.: {0}' .format(bundle.get_version()), 'State...: {0}'.format(self._utils. bundlestate_to_str(bundle.get_state())), 'Location: {0}'.format( bundle.get_location()), 'Published services:'] try: services = bundle.get_registered_services() if services: for svc_ref in services: lines.append('\t{0}'.format(svc_ref)) else: lines.append('\tn/a') except constants.BundleException as ex: lines.append('\tError: {0}'.format(ex)) lines.append('Services used by this bundle:') try: services = bundle.get_services_in_use() if services: for svc_ref in services: lines.append('\t{0}'.format(svc_ref)) else: lines.append('\tn/a') except constants.BundleException as ex: lines.append('\tError: {0}'.format(ex)) lines.append('') io_handler.write('\n'.join(lines)) return None
bundle_details
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, io_handler, bundle_id):\n bundle = None\n try:\n bundle_id = int(bundle_id)\n except ValueError:\n for bundle in self._context.get_bundles():\n if bundle.get_symbolic_name() == bundle_id:\n break\n else:\n bundle = None\n else:\n try:\n bundle = self._context.get_bundle(bundle_id)\n except constants.BundleException:\n pass\n if bundle is None:\n io_handler.write_line('Unknown bundle ID: {0}', bundle_id)\n return False\n lines = ['ID......: {0}'.format(bundle.get_bundle_id()),\n 'Name....: {0}'.format(bundle.get_symbolic_name()), 'Version.: {0}'\n .format(bundle.get_version()), 'State...: {0}'.format(self._utils.\n bundlestate_to_str(bundle.get_state())), 'Location: {0}'.format(\n bundle.get_location()), 'Published services:']\n try:\n services = bundle.get_registered_services()\n if services:\n for svc_ref in services:\n lines.append('\\t{0}'.format(svc_ref))\n else:\n lines.append('\\tn/a')\n except constants.BundleException as ex:\n lines.append('\\tError: {0}'.format(ex))\n lines.append('Services used by this bundle:')\n try:\n services = bundle.get_services_in_use()\n if services:\n for svc_ref in services:\n lines.append('\\t{0}'.format(svc_ref))\n else:\n lines.append('\\tn/a')\n except constants.BundleException as ex:\n lines.append('\\tError: {0}'.format(ex))\n lines.append('')\n io_handler.write('\\n'.join(lines))\n return None\n", "role": "user" }, { "content": "bundle_details", "role": "assistant" } ]
def x(self, io_handler, name=None): headers = 'ID', 'Name', 'State', 'Version' bundles = self._context.get_bundles() bundles.insert(0, self._context.get_framework()) if name is not None: bundles = [bundle for bundle in bundles if name in bundle. get_symbolic_name()] lines = [[str(entry) for entry in (bundle.get_bundle_id(), bundle. get_symbolic_name(), self._utils.bundlestate_to_str(bundle. get_state()), bundle.get_version())] for bundle in bundles] io_handler.write(self._utils.make_table(headers, lines)) if name is None: io_handler.write_line('{0} bundles installed', len(lines)) else: io_handler.write_line('{0} filtered bundles', len(lines))
bundles_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, io_handler, name=None):\n headers = 'ID', 'Name', 'State', 'Version'\n bundles = self._context.get_bundles()\n bundles.insert(0, self._context.get_framework())\n if name is not None:\n bundles = [bundle for bundle in bundles if name in bundle.\n get_symbolic_name()]\n lines = [[str(entry) for entry in (bundle.get_bundle_id(), bundle.\n get_symbolic_name(), self._utils.bundlestate_to_str(bundle.\n get_state()), bundle.get_version())] for bundle in bundles]\n io_handler.write(self._utils.make_table(headers, lines))\n if name is None:\n io_handler.write_line('{0} bundles installed', len(lines))\n else:\n io_handler.write_line('{0} filtered bundles', len(lines))\n", "role": "user" }, { "content": "bundles_list", "role": "assistant" } ]
def x(self, io_handler, service_id): svc_ref = self._context.get_service_reference(None, '({0}={1})'.format( constants.SERVICE_ID, service_id)) if svc_ref is None: io_handler.write_line('Service not found: {0}', service_id) return False lines = ['ID............: {0}'.format(svc_ref.get_property(constants. SERVICE_ID)), 'Rank..........: {0}'.format(svc_ref.get_property( constants.SERVICE_RANKING)), 'Specifications: {0}'.format(svc_ref. get_property(constants.OBJECTCLASS)), 'Bundle........: {0}'.format( svc_ref.get_bundle()), 'Properties....:'] for key, value in sorted(svc_ref.get_properties().items()): lines.append('\t{0} = {1}'.format(key, value)) lines.append('Bundles using this service:') for bundle in svc_ref.get_using_bundles(): lines.append('\t{0}'.format(bundle)) lines.append('') io_handler.write('\n'.join(lines)) return None
service_details
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, io_handler, service_id):\n svc_ref = self._context.get_service_reference(None, '({0}={1})'.format(\n constants.SERVICE_ID, service_id))\n if svc_ref is None:\n io_handler.write_line('Service not found: {0}', service_id)\n return False\n lines = ['ID............: {0}'.format(svc_ref.get_property(constants.\n SERVICE_ID)), 'Rank..........: {0}'.format(svc_ref.get_property(\n constants.SERVICE_RANKING)), 'Specifications: {0}'.format(svc_ref.\n get_property(constants.OBJECTCLASS)), 'Bundle........: {0}'.format(\n svc_ref.get_bundle()), 'Properties....:']\n for key, value in sorted(svc_ref.get_properties().items()):\n lines.append('\\t{0} = {1}'.format(key, value))\n lines.append('Bundles using this service:')\n for bundle in svc_ref.get_using_bundles():\n lines.append('\\t{0}'.format(bundle))\n lines.append('')\n io_handler.write('\\n'.join(lines))\n return None\n", "role": "user" }, { "content": "service_details", "role": "assistant" } ]
def x(self, io_handler, specification=None): headers = 'ID', 'Specifications', 'Bundle', 'Ranking' references = self._context.get_all_service_references(specification, None ) or [] lines = [[str(entry) for entry in (ref.get_property(constants. SERVICE_ID), ref.get_property(constants.OBJECTCLASS), ref. get_bundle(), ref.get_property(constants.SERVICE_RANKING))] for ref in references] if not lines and specification: io_handler.write_line("No service provides '{0}'", specification) return False io_handler.write(self._utils.make_table(headers, lines)) io_handler.write_line('{0} services registered', len(lines)) return None
services_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, io_handler, specification=None):\n headers = 'ID', 'Specifications', 'Bundle', 'Ranking'\n references = self._context.get_all_service_references(specification, None\n ) or []\n lines = [[str(entry) for entry in (ref.get_property(constants.\n SERVICE_ID), ref.get_property(constants.OBJECTCLASS), ref.\n get_bundle(), ref.get_property(constants.SERVICE_RANKING))] for ref in\n references]\n if not lines and specification:\n io_handler.write_line(\"No service provides '{0}'\", specification)\n return False\n io_handler.write(self._utils.make_table(headers, lines))\n io_handler.write_line('{0} services registered', len(lines))\n return None\n", "role": "user" }, { "content": "services_list", "role": "assistant" } ]
def x(self, io_handler): framework = self._context.get_framework() headers = 'Property Name', 'Value' lines = [item for item in framework.get_properties().items()] lines.sort() io_handler.write(self._utils.make_table(headers, lines))
properties_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, io_handler):\n framework = self._context.get_framework()\n headers = 'Property Name', 'Value'\n lines = [item for item in framework.get_properties().items()]\n lines.sort()\n io_handler.write(self._utils.make_table(headers, lines))\n", "role": "user" }, { "content": "properties_list", "role": "assistant" } ]
def x(self, io_handler, name): value = self._context.get_property(name) if value is None: value = '' io_handler.write_line(str(value))
property_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, io_handler, name):\n value = self._context.get_property(name)\n if value is None:\n value = ''\n io_handler.write_line(str(value))\n", "role": "user" }, { "content": "property_value", "role": "assistant" } ]
def x(self, io_handler): headers = 'Environment Variable', 'Value' lines = [item for item in os.environ.items()] lines.sort() io_handler.write(self._utils.make_table(headers, lines))
environment_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, io_handler):\n headers = 'Environment Variable', 'Value'\n lines = [item for item in os.environ.items()]\n lines.sort()\n io_handler.write(self._utils.make_table(headers, lines))\n", "role": "user" }, { "content": "environment_list", "role": "assistant" } ]
def x(io_handler, max_depth=1): try: max_depth = int(max_depth) if max_depth < 1: max_depth = None except (ValueError, TypeError): max_depth = None try: frames = sys._current_frames() names = threading._active.copy() except AttributeError: io_handler.write_line('sys._current_frames() is not available.') return thread_ids = sorted(frames.keys()) lines = [] for thread_id in thread_ids: stack = frames[thread_id] try: name = names[thread_id].name except KeyError: name = '<unknown>' lines.append('Thread ID: {0} - Name: {1}'.format(thread_id, name)) lines.append('Stack Trace:') trace_lines = [] depth = 0 frame = stack while frame is not None and (max_depth is None or depth < max_depth): trace_lines.append(format_frame_info(frame)) frame = frame.f_back depth += 1 trace_lines.reverse() lines.extend(trace_lines) lines.append('') lines.append('') io_handler.write('\n'.join(lines))
threads_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(io_handler, max_depth=1):\n try:\n max_depth = int(max_depth)\n if max_depth < 1:\n max_depth = None\n except (ValueError, TypeError):\n max_depth = None\n try:\n frames = sys._current_frames()\n names = threading._active.copy()\n except AttributeError:\n io_handler.write_line('sys._current_frames() is not available.')\n return\n thread_ids = sorted(frames.keys())\n lines = []\n for thread_id in thread_ids:\n stack = frames[thread_id]\n try:\n name = names[thread_id].name\n except KeyError:\n name = '<unknown>'\n lines.append('Thread ID: {0} - Name: {1}'.format(thread_id, name))\n lines.append('Stack Trace:')\n trace_lines = []\n depth = 0\n frame = stack\n while frame is not None and (max_depth is None or depth < max_depth):\n trace_lines.append(format_frame_info(frame))\n frame = frame.f_back\n depth += 1\n trace_lines.reverse()\n lines.extend(trace_lines)\n lines.append('')\n lines.append('')\n io_handler.write('\\n'.join(lines))\n", "role": "user" }, { "content": "threads_list", "role": "assistant" } ]
def x(io_handler, thread_id, max_depth=0): try: max_depth = int(max_depth) if max_depth < 1: max_depth = None except (ValueError, TypeError): max_depth = None try: thread_id = int(thread_id) stack = sys._current_frames()[thread_id] except KeyError: io_handler.write_line('Unknown thread ID: {0}', thread_id) except ValueError: io_handler.write_line('Invalid thread ID: {0}', thread_id) except AttributeError: io_handler.write_line('sys._current_frames() is not available.') else: try: name = threading._active[thread_id].name except KeyError: name = '<unknown>' lines = ['Thread ID: {0} - Name: {1}'.format(thread_id, name), 'Stack trace:'] trace_lines = [] depth = 0 frame = stack while frame is not None and (max_depth is None or depth < max_depth): trace_lines.append(format_frame_info(frame)) frame = frame.f_back depth += 1 trace_lines.reverse() lines.extend(trace_lines) lines.append('') io_handler.write('\n'.join(lines))
thread_details
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(io_handler, thread_id, max_depth=0):\n try:\n max_depth = int(max_depth)\n if max_depth < 1:\n max_depth = None\n except (ValueError, TypeError):\n max_depth = None\n try:\n thread_id = int(thread_id)\n stack = sys._current_frames()[thread_id]\n except KeyError:\n io_handler.write_line('Unknown thread ID: {0}', thread_id)\n except ValueError:\n io_handler.write_line('Invalid thread ID: {0}', thread_id)\n except AttributeError:\n io_handler.write_line('sys._current_frames() is not available.')\n else:\n try:\n name = threading._active[thread_id].name\n except KeyError:\n name = '<unknown>'\n lines = ['Thread ID: {0} - Name: {1}'.format(thread_id, name),\n 'Stack trace:']\n trace_lines = []\n depth = 0\n frame = stack\n while frame is not None and (max_depth is None or depth < max_depth):\n trace_lines.append(format_frame_info(frame))\n frame = frame.f_back\n depth += 1\n trace_lines.reverse()\n lines.extend(trace_lines)\n lines.append('')\n io_handler.write('\\n'.join(lines))\n", "role": "user" }, { "content": "thread_details", "role": "assistant" } ]
def x(io_handler, level=None, name=None): logger = logging.getLogger(name) if not name: name = 'Root' if not level: io_handler.write_line('{0} log level: {1} (real: {2})', name, logging.getLevelName(logger.getEffectiveLevel()), logging. getLevelName(logger.level)) else: try: logger.setLevel(level.upper()) io_handler.write_line('New level for {0}: {1}', name, level) except ValueError: io_handler.write_line('Invalid log level: {0}', level)
log_level
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(io_handler, level=None, name=None):\n logger = logging.getLogger(name)\n if not name:\n name = 'Root'\n if not level:\n io_handler.write_line('{0} log level: {1} (real: {2})', name,\n logging.getLevelName(logger.getEffectiveLevel()), logging.\n getLevelName(logger.level))\n else:\n try:\n logger.setLevel(level.upper())\n io_handler.write_line('New level for {0}: {1}', name, level)\n except ValueError:\n io_handler.write_line('Invalid log level: {0}', level)\n", "role": "user" }, { "content": "log_level", "role": "assistant" } ]
def x(self, session, path): if path == '-': path = self._previous_path or '.' try: previous = os.getcwd() os.chdir(path) except IOError as ex: session.write_line('Error changing directory: {0}', ex) else: self._previous_path = previous session.write_line(os.getcwd())
change_dir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, session, path):\n if path == '-':\n path = self._previous_path or '.'\n try:\n previous = os.getcwd()\n os.chdir(path)\n except IOError as ex:\n session.write_line('Error changing directory: {0}', ex)\n else:\n self._previous_path = previous\n session.write_line(os.getcwd())\n", "role": "user" }, { "content": "change_dir", "role": "assistant" } ]
def x(self, io_handler, bundle_id): try: bundle_id = int(bundle_id) return self._context.get_bundle(bundle_id) except (TypeError, ValueError): io_handler.write_line('Invalid bundle ID: {0}', bundle_id) except constants.BundleException: io_handler.write_line('Unknown bundle: {0}', bundle_id)
get_bundle
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, io_handler, bundle_id):\n try:\n bundle_id = int(bundle_id)\n return self._context.get_bundle(bundle_id)\n except (TypeError, ValueError):\n io_handler.write_line('Invalid bundle ID: {0}', bundle_id)\n except constants.BundleException:\n io_handler.write_line('Unknown bundle: {0}', bundle_id)\n", "role": "user" }, { "content": "get_bundle", "role": "assistant" } ]
def x(self, io_handler, bundle_id, *bundles_ids): for bid in ((bundle_id,) + bundles_ids): try: bid = int(bid) except ValueError: bid = self.install(io_handler, bid) bundle = self.__get_bundle(io_handler, bid) if bundle is not None: io_handler.write_line('Starting bundle {0} ({1})...', bid, bundle.get_symbolic_name()) bundle.start() else: return False return None
start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, io_handler, bundle_id, *bundles_ids):\n for bid in ((bundle_id,) + bundles_ids):\n try:\n bid = int(bid)\n except ValueError:\n bid = self.install(io_handler, bid)\n bundle = self.__get_bundle(io_handler, bid)\n if bundle is not None:\n io_handler.write_line('Starting bundle {0} ({1})...', bid,\n bundle.get_symbolic_name())\n bundle.start()\n else:\n return False\n return None\n", "role": "user" }, { "content": "start", "role": "assistant" } ]
def x(self, io_handler, bundle_id, *bundles_ids): for bid in ((bundle_id,) + bundles_ids): bundle = self.__get_bundle(io_handler, bid) if bundle is not None: io_handler.write_line('Stopping bundle {0} ({1})...', bid, bundle.get_symbolic_name()) bundle.stop() else: return False return None
stop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, io_handler, bundle_id, *bundles_ids):\n for bid in ((bundle_id,) + bundles_ids):\n bundle = self.__get_bundle(io_handler, bid)\n if bundle is not None:\n io_handler.write_line('Stopping bundle {0} ({1})...', bid,\n bundle.get_symbolic_name())\n bundle.stop()\n else:\n return False\n return None\n", "role": "user" }, { "content": "stop", "role": "assistant" } ]
def x(self, io_handler, module_name): bundle = self._context.install_bundle(module_name) io_handler.write_line('Bundle ID: {0}', bundle.get_bundle_id()) return bundle.get_bundle_id()
install
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, io_handler, module_name):\n bundle = self._context.install_bundle(module_name)\n io_handler.write_line('Bundle ID: {0}', bundle.get_bundle_id())\n return bundle.get_bundle_id()\n", "role": "user" }, { "content": "install", "role": "assistant" } ]
def x(configs, requires_filters, temporal_timeouts): if not isinstance(requires_filters, dict): requires_filters = {} if not isinstance(temporal_timeouts, dict): temporal_timeouts = {} if not requires_filters and not temporal_timeouts: return configs new_configs = {} for field, config in configs.items(): requirement, timeout = config explicit_filter = requires_filters.get(field) explicit_timeout = temporal_timeouts.get(field) try: explicit_timeout = int(explicit_timeout) if explicit_timeout <= 0: explicit_timeout = timeout except (ValueError, TypeError): explicit_timeout = timeout if not explicit_filter and not explicit_timeout: new_configs[field] = config else: try: requirement_copy = requirement.copy() if explicit_filter: requirement_copy.set_filter(explicit_filter) new_configs[field] = requirement_copy, explicit_timeout except (TypeError, ValueError): new_configs[field] = config return new_configs
prepare_configs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(configs, requires_filters, temporal_timeouts):\n if not isinstance(requires_filters, dict):\n requires_filters = {}\n if not isinstance(temporal_timeouts, dict):\n temporal_timeouts = {}\n if not requires_filters and not temporal_timeouts:\n return configs\n new_configs = {}\n for field, config in configs.items():\n requirement, timeout = config\n explicit_filter = requires_filters.get(field)\n explicit_timeout = temporal_timeouts.get(field)\n try:\n explicit_timeout = int(explicit_timeout)\n if explicit_timeout <= 0:\n explicit_timeout = timeout\n except (ValueError, TypeError):\n explicit_timeout = timeout\n if not explicit_filter and not explicit_timeout:\n new_configs[field] = config\n else:\n try:\n requirement_copy = requirement.copy()\n if explicit_filter:\n requirement_copy.set_filter(explicit_filter)\n new_configs[field] = requirement_copy, explicit_timeout\n except (TypeError, ValueError):\n new_configs[field] = config\n return new_configs\n", "role": "user" }, { "content": "prepare_configs", "role": "assistant" } ]
def x(self, component_context, instance): configs = component_context.get_handler(ipopo_constants.HANDLER_TEMPORAL) requires_filters = component_context.properties.get(ipopo_constants. IPOPO_REQUIRES_FILTERS, None) temporal_timeouts = component_context.properties.get(ipopo_constants. IPOPO_TEMPORAL_TIMEOUTS, None) new_configs = self._prepare_configs(configs, requires_filters, temporal_timeouts) return [TemporalDependency(field, requirement, timeout) for field, ( requirement, timeout) in new_configs.items()]
get_handlers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, component_context, instance):\n configs = component_context.get_handler(ipopo_constants.HANDLER_TEMPORAL)\n requires_filters = component_context.properties.get(ipopo_constants.\n IPOPO_REQUIRES_FILTERS, None)\n temporal_timeouts = component_context.properties.get(ipopo_constants.\n IPOPO_TEMPORAL_TIMEOUTS, None)\n new_configs = self._prepare_configs(configs, requires_filters,\n temporal_timeouts)\n return [TemporalDependency(field, requirement, timeout) for field, (\n requirement, timeout) in new_configs.items()]\n", "role": "user" }, { "content": "get_handlers", "role": "assistant" } ]
def x(self): self.__cancel_timer() self.__timer = None self.__timer_args = None self.__still_valid = False self._value = None super(TemporalDependency, self).clear()
clear
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.__cancel_timer()\n self.__timer = None\n self.__timer_args = None\n self.__still_valid = False\n self._value = None\n super(TemporalDependency, self).clear()\n", "role": "user" }, { "content": "clear", "role": "assistant" } ]
def x(self, svc_ref): with self._lock: if self.reference is None: service = self._context.get_service(svc_ref) self.reference = svc_ref self._value.set_service(service) self.__still_valid = True self.__cancel_timer() self._ipopo_instance.bind(self, self._value, self.reference) return True return None
on_service_arrival
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, svc_ref):\n with self._lock:\n if self.reference is None:\n service = self._context.get_service(svc_ref)\n self.reference = svc_ref\n self._value.set_service(service)\n self.__still_valid = True\n self.__cancel_timer()\n self._ipopo_instance.bind(self, self._value, self.reference)\n return True\n return None\n", "role": "user" }, { "content": "on_service_arrival", "role": "assistant" } ]
def x(self, svc_ref): with self._lock: if svc_ref is self.reference: self._value.unset_service() self.reference = None self._pending_ref = self._context.get_service_reference(self. requirement.specification, self.requirement.filter) if self._pending_ref is None: self.__still_valid = True self.__timer_args = self._value, svc_ref self.__timer = threading.Timer(self.__timeout, self. __unbind_call, (False,)) self.__timer.start() else: self._ipopo_instance.unbind(self, self._value, svc_ref) return True return None
on_service_departure
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, svc_ref):\n with self._lock:\n if svc_ref is self.reference:\n self._value.unset_service()\n self.reference = None\n self._pending_ref = self._context.get_service_reference(self.\n requirement.specification, self.requirement.filter)\n if self._pending_ref is None:\n self.__still_valid = True\n self.__timer_args = self._value, svc_ref\n self.__timer = threading.Timer(self.__timeout, self.\n __unbind_call, (False,))\n self.__timer.start()\n else:\n self._ipopo_instance.unbind(self, self._value, svc_ref)\n return True\n return None\n", "role": "user" }, { "content": "on_service_departure", "role": "assistant" } ]
def x(self): if self.__timer is not None: self.__timer.cancel() self.__unbind_call(True) self.__timer_args = None self.__timer = None
cancel_timer
[ { "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.__timer is not None:\n self.__timer.cancel()\n self.__unbind_call(True)\n self.__timer_args = None\n self.__timer = None\n", "role": "user" }, { "content": "cancel_timer", "role": "assistant" } ]
def x(self, still_valid): with self._lock: if self.__timer is not None: self.__timer = None self.__still_valid = still_valid self._ipopo_instance.unbind(self, self.__timer_args[0], self. __timer_args[1])
unbind_call
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, still_valid):\n with self._lock:\n if self.__timer is not None:\n self.__timer = None\n self.__still_valid = still_valid\n self._ipopo_instance.unbind(self, self.__timer_args[0], self.\n __timer_args[1])\n", "role": "user" }, { "content": "unbind_call", "role": "assistant" } ]
def x(self, request, response): data = jsonrpclib.loads(to_str(request.read_data())) data = jabsorb.from_jabsorb(data) try: result = self._unmarshaled_dispatch(data, self._simple_dispatch) except NoMulticallResult: result = None if result is not None: if 'result' in result: result['result'] = jabsorb.to_jabsorb(result['result']) result = jsonrpclib.jdumps(result) else: result = '' response.send_content(200, result, 'application/json-rpc')
do_POST
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, response):\n data = jsonrpclib.loads(to_str(request.read_data()))\n data = jabsorb.from_jabsorb(data)\n try:\n result = self._unmarshaled_dispatch(data, self._simple_dispatch)\n except NoMulticallResult:\n result = None\n if result is not None:\n if 'result' in result:\n result['result'] = jabsorb.to_jabsorb(result['result'])\n result = jsonrpclib.jdumps(result)\n else:\n result = ''\n response.send_content(200, result, 'application/json-rpc')\n", "role": "user" }, { "content": "do_POST", "role": "assistant" } ]
def x(self, request, response): http_verb = request.get_command() sub_path = request.get_sub_path() max_valid_args = -1 best_method = None best_args = None best_match = None for route, method in self.__routes.get(http_verb, {}).items(): match = route.match(sub_path) if not match: continue method_args = self.__methods_args[method] nb_valid_args = 0 for name in method_args: try: match.group(name) nb_valid_args += 1 except IndexError: pass if nb_valid_args > max_valid_args: max_valid_args = nb_valid_args best_method = method best_args = method_args best_match = match if best_method is None: response.send_content(404, 'No method to handle path {0}'.format( sub_path), 'text/plain') else: kwargs = {} if best_args: for name, converter in best_args.items(): try: str_value = best_match.group(name) except IndexError: pass else: if str_value: if converter is not None: kwargs[name] = converter(str_value) else: kwargs[name] = str_value extra_pos_args = [] if kwargs: method_args = get_method_arguments(best_method).args[:2] for pos_arg in method_args: try: extra_pos_args.append(kwargs.pop(pos_arg)) except KeyError: pass best_method(request, response, *extra_pos_args, **kwargs)
rest_dispatch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, response):\n http_verb = request.get_command()\n sub_path = request.get_sub_path()\n max_valid_args = -1\n best_method = None\n best_args = None\n best_match = None\n for route, method in self.__routes.get(http_verb, {}).items():\n match = route.match(sub_path)\n if not match:\n continue\n method_args = self.__methods_args[method]\n nb_valid_args = 0\n for name in method_args:\n try:\n match.group(name)\n nb_valid_args += 1\n except IndexError:\n pass\n if nb_valid_args > max_valid_args:\n max_valid_args = nb_valid_args\n best_method = method\n best_args = method_args\n best_match = match\n if best_method is None:\n response.send_content(404, 'No method to handle path {0}'.format(\n sub_path), 'text/plain')\n else:\n kwargs = {}\n if best_args:\n for name, converter in best_args.items():\n try:\n str_value = best_match.group(name)\n except IndexError:\n pass\n else:\n if str_value:\n if converter is not None:\n kwargs[name] = converter(str_value)\n else:\n kwargs[name] = str_value\n extra_pos_args = []\n if kwargs:\n method_args = get_method_arguments(best_method).args[:2]\n for pos_arg in method_args:\n try:\n extra_pos_args.append(kwargs.pop(pos_arg))\n except KeyError:\n pass\n best_method(request, response, *extra_pos_args, **kwargs)\n", "role": "user" }, { "content": "rest_dispatch", "role": "assistant" } ]
def x(self): for _, method in inspect.getmembers(self, inspect.isroutine): try: config = getattr(method, HTTP_ROUTE_ATTRIBUTE) except AttributeError: continue for route in config['routes']: pattern, arguments = self.__convert_route(route) self.__methods_args.setdefault(method, {}).update(arguments) for http_verb in config['methods']: self.__routes.setdefault(http_verb, {})[pattern] = method
setup_rest_dispatcher
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for _, method in inspect.getmembers(self, inspect.isroutine):\n try:\n config = getattr(method, HTTP_ROUTE_ATTRIBUTE)\n except AttributeError:\n continue\n for route in config['routes']:\n pattern, arguments = self.__convert_route(route)\n self.__methods_args.setdefault(method, {}).update(arguments)\n for http_verb in config['methods']:\n self.__routes.setdefault(http_verb, {})[pattern] = method\n", "role": "user" }, { "content": "setup_rest_dispatcher", "role": "assistant" } ]
def x(route): arguments = {} last_idx = 0 final_pattern = [] match_iter = _MARKER_PATTERN.finditer(route) for match_pattern in match_iter: final_pattern.append(route[last_idx:match_pattern.start()]) last_idx = match_pattern.end() + 1 match_type = _TYPED_MARKER_PATTERN.match(match_pattern.group()) if not match_type: raise ValueError('Invalid argument declaration: {0}'.format( match_pattern.group())) name, kind = match_type.groups() if kind: kind = kind.lower() regex = TYPE_PATTERNS[kind] arguments[name] = TYPE_CONVERTERS.get(kind) final_pattern.append('((?P<') final_pattern.append(match_type.group(1)) final_pattern.append('>') final_pattern.append(regex) final_pattern.append(')/?)?') final_pattern.append(route[last_idx:]) final_pattern.append('$') return re.compile(''.join(final_pattern)), arguments
convert_route
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(route):\n arguments = {}\n last_idx = 0\n final_pattern = []\n match_iter = _MARKER_PATTERN.finditer(route)\n for match_pattern in match_iter:\n final_pattern.append(route[last_idx:match_pattern.start()])\n last_idx = match_pattern.end() + 1\n match_type = _TYPED_MARKER_PATTERN.match(match_pattern.group())\n if not match_type:\n raise ValueError('Invalid argument declaration: {0}'.format(\n match_pattern.group()))\n name, kind = match_type.groups()\n if kind:\n kind = kind.lower()\n regex = TYPE_PATTERNS[kind]\n arguments[name] = TYPE_CONVERTERS.get(kind)\n final_pattern.append('((?P<')\n final_pattern.append(match_type.group(1))\n final_pattern.append('>')\n final_pattern.append(regex)\n final_pattern.append(')/?)?')\n final_pattern.append(route[last_idx:])\n final_pattern.append('$')\n return re.compile(''.join(final_pattern)), arguments\n", "role": "user" }, { "content": "convert_route", "role": "assistant" } ]
def x(self, event): with self._lock: if self.state == StoredInstance.KILLED: return False return self.__safe_handlers_callback('check_event', event)
check_event
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n with self._lock:\n if self.state == StoredInstance.KILLED:\n return False\n return self.__safe_handlers_callback('check_event', event)\n", "role": "user" }, { "content": "check_event", "role": "assistant" } ]
def x(self, dependency, svc, svc_ref): with self._lock: self.__set_binding(dependency, svc, svc_ref) self.check_lifecycle()
bind
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dependency, svc, svc_ref):\n with self._lock:\n self.__set_binding(dependency, svc, svc_ref)\n self.check_lifecycle()\n", "role": "user" }, { "content": "bind", "role": "assistant" } ]
def x(self, dependency, svc, svc_ref, old_properties, new_value=False): with self._lock: self.__update_binding(dependency, svc, svc_ref, old_properties, new_value) self.check_lifecycle()
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dependency, svc, svc_ref, old_properties, new_value=False):\n with self._lock:\n self.__update_binding(dependency, svc, svc_ref, old_properties,\n new_value)\n self.check_lifecycle()\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(self, dependency, svc, svc_ref): with self._lock: self.check_lifecycle() self.__unset_binding(dependency, svc, svc_ref) if self.update_bindings(): self.check_lifecycle()
unbind
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dependency, svc, svc_ref):\n with self._lock:\n self.check_lifecycle()\n self.__unset_binding(dependency, svc, svc_ref)\n if self.update_bindings():\n self.check_lifecycle()\n", "role": "user" }, { "content": "unbind", "role": "assistant" } ]
def x(self, name, value): with self._lock: self._controllers_state[name] = value self.__safe_handlers_callback('on_controller_change', name, value)
set_controller_state
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, value):\n with self._lock:\n self._controllers_state[name] = value\n self.__safe_handlers_callback('on_controller_change', name, value)\n", "role": "user" }, { "content": "set_controller_state", "role": "assistant" } ]
def x(self, name, old_value, new_value): with self._lock: self.__safe_handlers_callback('on_property_change', name, old_value, new_value)
update_property
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, old_value, new_value):\n with self._lock:\n self.__safe_handlers_callback('on_property_change', name, old_value,\n new_value)\n", "role": "user" }, { "content": "update_property", "role": "assistant" } ]
def x(self, name, old_value, new_value): with self._lock: self.__safe_handlers_callback('on_hidden_property_change', name, old_value, new_value)
update_hidden_property
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, old_value, new_value):\n with self._lock:\n self.__safe_handlers_callback('on_hidden_property_change', name,\n old_value, new_value)\n", "role": "user" }, { "content": "update_hidden_property", "role": "assistant" } ]
def x(self, kind=None): with self._lock: if kind is not None: try: return self._handlers[kind][:] except KeyError: return [] return self.__all_handlers.copy()
get_handlers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, kind=None):\n with self._lock:\n if kind is not None:\n try:\n return self._handlers[kind][:]\n except KeyError:\n return []\n return self.__all_handlers.copy()\n", "role": "user" }, { "content": "get_handlers", "role": "assistant" } ]
def x(self): with self._lock: was_valid = self.state == StoredInstance.VALID can_validate = self.state not in (StoredInstance.VALIDATING, StoredInstance.VALID) handlers_valid = self.__safe_handlers_callback('is_valid', break_on_false=True) if was_valid and not handlers_valid: self.invalidate(True) elif can_validate and handlers_valid and self._ipopo_service.running: self.validate(True)
check_lifecycle
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with self._lock:\n was_valid = self.state == StoredInstance.VALID\n can_validate = self.state not in (StoredInstance.VALIDATING,\n StoredInstance.VALID)\n handlers_valid = self.__safe_handlers_callback('is_valid',\n break_on_false=True)\n if was_valid and not handlers_valid:\n self.invalidate(True)\n elif can_validate and handlers_valid and self._ipopo_service.running:\n self.validate(True)\n", "role": "user" }, { "content": "check_lifecycle", "role": "assistant" } ]
def x(self): with self._lock: all_valid = True for handler in self.get_handlers(handlers_const.KIND_DEPENDENCY): self.__safe_handler_callback(handler, 'try_binding') all_valid &= self.__safe_handler_callback(handler, 'is_valid', only_boolean=True, none_as_true=True) return all_valid
update_bindings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with self._lock:\n all_valid = True\n for handler in self.get_handlers(handlers_const.KIND_DEPENDENCY):\n self.__safe_handler_callback(handler, 'try_binding')\n all_valid &= self.__safe_handler_callback(handler, 'is_valid',\n only_boolean=True, none_as_true=True)\n return all_valid\n", "role": "user" }, { "content": "update_bindings", "role": "assistant" } ]
def x(self, properties_update): with self._lock: if self.state != StoredInstance.ERRONEOUS: return self.state if properties_update: self.context.properties.update(properties_update) self.state = StoredInstance.INVALID self.error_trace = None self.check_lifecycle() return self.state
retry_erroneous
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, properties_update):\n with self._lock:\n if self.state != StoredInstance.ERRONEOUS:\n return self.state\n if properties_update:\n self.context.properties.update(properties_update)\n self.state = StoredInstance.INVALID\n self.error_trace = None\n self.check_lifecycle()\n return self.state\n", "role": "user" }, { "content": "retry_erroneous", "role": "assistant" } ]
def x(self, callback=True): with self._lock: if self.state != StoredInstance.VALID: return False self.state = StoredInstance.INVALID self.__safe_handlers_callback('pre_invalidate') if callback: self.__safe_validation_callback(constants.IPOPO_CALLBACK_INVALIDATE ) self._ipopo_service._fire_ipopo_event(constants.IPopoEvent. INVALIDATED, self.factory_name, self.name) self.__safe_handlers_callback('post_invalidate') return True
invalidate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, callback=True):\n with self._lock:\n if self.state != StoredInstance.VALID:\n return False\n self.state = StoredInstance.INVALID\n self.__safe_handlers_callback('pre_invalidate')\n if callback:\n self.__safe_validation_callback(constants.IPOPO_CALLBACK_INVALIDATE\n )\n self._ipopo_service._fire_ipopo_event(constants.IPopoEvent.\n INVALIDATED, self.factory_name, self.name)\n self.__safe_handlers_callback('post_invalidate')\n return True\n", "role": "user" }, { "content": "invalidate", "role": "assistant" } ]
def x(self): with self._lock: if self.state == StoredInstance.KILLED: return False try: self.invalidate(True) except: self._logger.exception('%s: Error invalidating the instance', self.name) assert not self._ipopo_service.is_registered_instance(self.name) for handler in self.get_handlers(): results = self.__safe_handler_callback(handler, 'stop') if results: try: for binding in results: self.__unset_binding(handler, binding[0], binding[1]) except Exception as ex: self._logger.exception("Error stopping handler '%s': %s", handler, ex) self.__safe_handlers_callback('clear') self.state = StoredInstance.KILLED self._ipopo_service._fire_ipopo_event(constants.IPopoEvent.KILLED, self.factory_name, self.name) self._handlers.clear() self.__all_handlers.clear() self._handlers = None self.__all_handlers = None self.context = None self.instance = None self._ipopo_service = None return True
kill
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with self._lock:\n if self.state == StoredInstance.KILLED:\n return False\n try:\n self.invalidate(True)\n except:\n self._logger.exception('%s: Error invalidating the instance',\n self.name)\n assert not self._ipopo_service.is_registered_instance(self.name)\n for handler in self.get_handlers():\n results = self.__safe_handler_callback(handler, 'stop')\n if results:\n try:\n for binding in results:\n self.__unset_binding(handler, binding[0], binding[1])\n except Exception as ex:\n self._logger.exception(\"Error stopping handler '%s': %s\",\n handler, ex)\n self.__safe_handlers_callback('clear')\n self.state = StoredInstance.KILLED\n self._ipopo_service._fire_ipopo_event(constants.IPopoEvent.KILLED,\n self.factory_name, self.name)\n self._handlers.clear()\n self.__all_handlers.clear()\n self._handlers = None\n self.__all_handlers = None\n self.context = None\n self.instance = None\n self._ipopo_service = None\n return True\n", "role": "user" }, { "content": "kill", "role": "assistant" } ]