source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, component_context, instance):
provides = component_context.get_handler(ipopo_constants.HANDLER_PROVIDES)
if not provides:
return ()
return [ServiceRegistrationHandler(specs, controller, is_factory,
is_prototype) for specs, controller, is_factory, is_prototype in
provides]
| 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 provides = component_context.get_handler(ipopo_constants.HANDLER_PROVIDES)\n if not provides:\n return ()\n ... |
def x(self):
stored_instance = self._ipopo_instance
def x(self, name):
return stored_instance.get_controller_state(name)
def x(self, name, new_value):
old_value = stored_instance.get_controller_state(name)
if new_value != old_value:
stored_instance.set_controller_state(name, new_value)
return new_value
return get_value, set_value
| field_controller_generator | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n stored_instance = self._ipopo_instance\n\n def x(self, name):\n return stored_instance.get_controller_state(name)\n\n def x(self, name... |
def x(self, stored_instance, component_instance):
self._ipopo_instance = stored_instance
if self.__controller is None:
return
controller_value = getattr(component_instance, self.__controller, True)
stored_instance.set_controller_state(self.__controller, controller_value)
getter_name = '{0}{1}'.format(ipopo_constants.IPOPO_CONTROLLER_PREFIX,
ipopo_constants.IPOPO_GETTER_SUFFIX)
setter_name = '{0}{1}'.format(ipopo_constants.IPOPO_CONTROLLER_PREFIX,
ipopo_constants.IPOPO_SETTER_SUFFIX)
getter, setter = self._field_controller_generator()
setattr(component_instance, getter_name, getter)
setattr(component_instance, setter_name, setter)
| manipulate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, stored_instance, component_instance):\n self._ipopo_instance = stored_instance\n if self.__controller is None:\n return\n controller_valu... |
def x(self, name, value):
if self.__controller != name:
return
self.__controller_on = value
if value:
self._register_service()
else:
self._unregister_service()
| on_controller_change | [
{
"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 if self.__controller != name:\n return\n self.__controller_on = value\n if value:\n self._register_service()\n ... |
def x(self, name, old_value, new_value):
if self._registration is not None:
self._registration.set_properties({name: new_value})
| on_property_change | [
{
"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 if self._registration is not None:\n self._registration.set_properties({name: new_value})\n",
"role": "user"... |
def x(self):
if (self._registration is None and self.specifications and self.
__validated and self.__controller_on):
properties = self._ipopo_instance.context.properties.copy()
bundle_context = self._ipopo_instance.bundle_context
self._registration = bundle_context.register_service(self.
specifications, self._ipopo_instance.instance, properties,
factory=self.__is_factory, prototype=self.__is_prototype)
self._svc_reference = self._registration.get_reference()
self._ipopo_instance.safe_callback(ipopo_constants.
IPOPO_CALLBACK_POST_REGISTRATION, self._svc_reference)
| register_service | [
{
"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._registration is None and self.specifications and self.\n __validated and self.__controller_on):\n properties = self._ipopo_... |
def x(self):
if self._registration is not None:
try:
self._registration.unregister()
except BundleException as ex:
logger = logging.getLogger('-'.join((self._ipopo_instance.name,
'ServiceRegistration')))
logger.error('Error unregistering a service: %s', ex)
self._ipopo_instance.safe_callback(ipopo_constants.
IPOPO_CALLBACK_POST_UNREGISTRATION, self._svc_reference)
self._registration = None
self._svc_reference = None
| unregister_service | [
{
"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._registration is not None:\n try:\n self._registration.unregister()\n except BundleException as ex:\n l... |
def x(bundle_context, svc_reference):
if svc_reference is None:
raise TypeError('Invalid ServiceReference')
try:
yield bundle_context.get_service(svc_reference)
finally:
try:
bundle_context.unget_service(svc_reference)
except pelix.constants.BundleException:
pass
| use_service | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bundle_context, svc_reference):\n if svc_reference is None:\n raise TypeError('Invalid ServiceReference')\n try:\n yield bundle_context.get... |
def x(*locks_attr_names, **kwargs):
locks_attr_names = [lock_name for lock_name in locks_attr_names if
lock_name]
if not locks_attr_names:
raise ValueError("The lock names list can't be empty")
if 'sorted' not in kwargs or kwargs['sorted']:
locks_attr_names = list(locks_attr_names)
locks_attr_names.sort()
def x(method):
@functools.wraps(method)
def x(self, *args, **kwargs):
locks = [getattr(self, attr_name) for attr_name in locks_attr_names
]
locked = collections.deque()
i = 0
try:
for lock in locks:
if lock is None:
raise AttributeError(
"Lock '{0}' can't be None in class {1}".format(
locks_attr_names[i], type(self).__name__))
i += 1
lock.acquire()
locked.appendleft(lock)
return method(self, *args, **kwargs)
finally:
for lock in locked:
lock.release()
locked.clear()
del locks[:]
return synchronized
return wrapped
| SynchronizedClassMethod | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*locks_attr_names, **kwargs):\n locks_attr_names = [lock_name for lock_name in locks_attr_names if\n lock_name]\n if not locks_attr_names:\n ... |
def x(lock):
if lock is None:
return False
for attr in ('acquire', 'release', '__enter__', '__exit__'):
if not hasattr(lock, attr):
return False
return True
| is_lock | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(lock):\n if lock is None:\n return False\n for attr in ('acquire', 'release', '__enter__', '__exit__'):\n if not hasattr(lock, attr):\n ... |
def x(items):
if items is None:
return items
new_list = []
for item in items:
if item not in new_list:
new_list.append(item)
return new_list
| remove_duplicates | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(items):\n if items is None:\n return items\n new_list = []\n for item in items:\n if item not in new_list:\n new_list.append(... |
def x(registry, listener):
if listener is None or listener in registry:
return False
registry.append(listener)
return True
| add_listener | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(registry, listener):\n if listener is None or listener in registry:\n return False\n registry.append(listener)\n return True\n",
"role": "u... |
def x(registry, listener):
if listener is not None and listener in registry:
registry.remove(listener)
return True
return False
| remove_listener | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(registry, listener):\n if listener is not None and listener in registry:\n registry.remove(listener)\n return True\n return False\n",
"... |
def x(value, allow_none=True):
if value is None:
if allow_none:
return None
return []
elif isinstance(value, (list, tuple, set, frozenset)):
return value
return [value]
| to_iterable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, allow_none=True):\n if value is None:\n if allow_none:\n return None\n return []\n elif isinstance(value, (list, tuple, s... |
def x(self, method_name):
if not self.__already_logged:
stack = '\n\t'.join(traceback.format_stack())
logging.getLogger(self.__logger).warning('%s: %s\n%s', method_name,
self.__message, stack)
self.__already_logged = True
| log | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method_name):\n if not self.__already_logged:\n stack = '\\n\\t'.join(traceback.format_stack())\n logging.getLogger(self.__logger).warni... |
def x(self):
with self.__lock:
self.__value -= 1
if self.__value == 0:
self.__event.set()
return True
elif self.__value < 0:
raise ValueError('The counter has gone below 0')
return False
| step | [
{
"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 self.__value -= 1\n if self.__value == 0:\n self.__event.set()\n return True\n elif ... |
def x(prompt, session, context, matches, longest_match_len):
match_pattern = '{{0: >{}}}: {{1}}'.format(longest_match_len)
matches = sorted(int(match) for match in matches)
session.write_line()
for bnd_id in matches:
bnd = context.get_bundle(bnd_id)
session.write_line(match_pattern, bnd_id, bnd.get_symbolic_name())
session.write(prompt)
session.write_line_no_feed(readline.get_line_buffer())
readline.redisplay()
| display_hook | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(prompt, session, context, matches, longest_match_len):\n match_pattern = '{{0: >{}}}: {{1}}'.format(longest_match_len)\n matches = sorted(int(match) for ... |
def x(self, config, prompt, session, context, current_arguments, current):
self.set_display_hook(self.display_hook, prompt, session, context)
rl_matches = []
for bnd in context.get_bundles():
bnd_id = '{0} '.format(bnd.get_bundle_id())
if bnd_id.startswith(current):
rl_matches.append(bnd_id)
return rl_matches
| complete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, config, prompt, session, context, current_arguments, current):\n self.set_display_hook(self.display_hook, prompt, session, context)\n rl_matches = ... |
def x(prompt, session, context, matches, longest_match_len):
try:
match_pattern = '{{0: >{}}}: {{1}}'.format(longest_match_len)
matches = sorted(int(match) for match in matches)
session.write_line()
for svc_id in matches:
svc_ref = context.get_service_reference(None, '({}={})'.format(
SERVICE_ID, svc_id))
session.write_line(match_pattern, svc_id, str(svc_ref))
session.write(prompt)
session.write_line_no_feed(readline.get_line_buffer())
readline.redisplay()
except Exception as ex:
session.write_line('\n{}\n\n', ex)
| display_hook | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(prompt, session, context, matches, longest_match_len):\n try:\n match_pattern = '{{0: >{}}}: {{1}}'.format(longest_match_len)\n matches = sort... |
def x(self, config, prompt, session, context, current_arguments, current):
self.set_display_hook(self.display_hook, prompt, session, context)
rl_matches = []
for svc_ref in context.get_all_service_references(None, None):
svc_id = '{0} '.format(svc_ref.get_property(SERVICE_ID))
if svc_id.startswith(current):
rl_matches.append(svc_id)
return rl_matches
| complete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, config, prompt, session, context, current_arguments, current):\n self.set_display_hook(self.display_hook, prompt, session, context)\n rl_matches = ... |
def x(self, exported_configs, service_intents, export_props):
return self._get_or_create_container(exported_configs, service_intents,
export_props)
| supports_export | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, exported_configs, service_intents, export_props):\n return self._get_or_create_container(exported_configs, service_intents,\n export_props)\n",... |
def x(self, exported_configs, service_intents, endpoint_props):
return self._get_or_create_container(exported_configs, service_intents,
endpoint_props)
| supports_import | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, exported_configs, service_intents, endpoint_props):\n return self._get_or_create_container(exported_configs, service_intents,\n endpoint_props)... |
def x(self):
assert self._bundle_context
assert self._container_props is not None
assert self._get_distribution_provider()
assert self.get_config_name()
assert self.get_namespace()
return True
| is_valid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n assert self._bundle_context\n assert self._container_props is not None\n assert self._get_distribution_provider()\n assert self.get_config... |
def x(self, bundle_context, container_props):
self._bundle_context = bundle_context
self._container_props = container_props
self.is_valid()
| validate_component | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bundle_context, container_props):\n self._bundle_context = bundle_context\n self._container_props = container_props\n self.is_valid()\n",
"r... |
def x(self, ed_id, inst):
with self._exported_instances_lock:
self._exported_services[ed_id] = inst
| add_export | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ed_id, inst):\n with self._exported_instances_lock:\n self._exported_services[ed_id] = inst\n",
"role": "user"
},
{
"content": "add... |
def x(self, func):
with self._exported_instances_lock:
for val in self._exported_services.values():
if func(val):
return val
return None
| find_export | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, func):\n with self._exported_instances_lock:\n for val in self._exported_services.values():\n if func(val):\n return ... |
def x(self, svc, ed):
self._add_export(ed.get_id(), (svc, ed))
| export_service | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, svc, ed):\n self._add_export(ed.get_id(), (svc, ed))\n",
"role": "user"
},
{
"content": "export_service",
"role": "assistant"
}
] |
def x(self, intfs, svc_ref, export_props):
pkg_vers = rsa.get_package_versions(intfs, export_props)
exported_configs = get_string_plus_property_value(svc_ref.get_property(
SERVICE_EXPORTED_CONFIGS))
if not exported_configs:
exported_configs = [self.get_config_name()]
service_intents = set()
svc_intents = export_props.get(SERVICE_INTENTS, None)
if svc_intents:
service_intents.update(svc_intents)
svc_exp_intents = export_props.get(SERVICE_EXPORTED_INTENTS, None)
if svc_exp_intents:
service_intents.update(svc_exp_intents)
svc_exp_intents_extra = export_props.get(SERVICE_EXPORTED_INTENTS_EXTRA,
None)
if svc_exp_intents_extra:
service_intents.update(svc_exp_intents_extra)
rsa_props = rsa.get_rsa_props(intfs, exported_configs, self.
_get_supported_intents(), svc_ref.get_property(SERVICE_ID),
export_props.get(ENDPOINT_FRAMEWORK_UUID), pkg_vers, list(
service_intents))
ecf_props = rsa.get_ecf_props(self.get_id(), self.get_namespace(), rsa.
get_next_rsid(), rsa.get_current_time_millis())
extra_props = rsa.get_extra_props(export_props)
merged = rsa.merge_dicts(rsa_props, ecf_props, extra_props)
merged.pop(SERVICE_BUNDLE_ID, None)
merged.pop(SERVICE_SCOPE, None)
return merged
| prepare_endpoint_props | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, intfs, svc_ref, export_props):\n pkg_vers = rsa.get_package_versions(intfs, export_props)\n exported_configs = get_string_plus_property_value(svc_r... |
def x(self, svc_ref, export_props):
ed = EndpointDescription.fromprops(export_props)
self._export_service(self._get_bundle_context().get_service(svc_ref), ed)
return ed
| export_service | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, svc_ref, export_props):\n ed = EndpointDescription.fromprops(export_props)\n self._export_service(self._get_bundle_context().get_service(svc_ref), ... |
def x(argv=None):
parser = argparse.ArgumentParser(prog='pelix.shell.xmpp', parents=[
make_common_parser()], description='Pelix XMPP Shell')
group = parser.add_argument_group('XMPP options')
group.add_argument('-j', '--jid', dest='jid', help='Jabber ID')
group.add_argument('--password', dest='password', help='JID password')
group.add_argument('-s', '--server', dest='server', help='XMPP server host'
)
group.add_argument('-p', '--port', dest='port', type=int, default=5222,
help='XMPP server port')
group.add_argument('--tls', dest='use_tls', action='store_true', help=
'Use a STARTTLS connection')
group.add_argument('--ssl', dest='use_ssl', action='store_true', help=
'Use an SSL connection')
args = parser.parse_args(argv)
init = handle_common_arguments(args)
if not args.verbose:
logging.getLogger('sleekxmpp').setLevel(logging.WARNING)
if not args.server and not args.jid:
_logger.error('No JID nor server given. Abandon.')
sys.exit(1)
password = args.password
if args.jid and args.password is None:
try:
import getpass
except ImportError:
_logger.error(
'getpass() unavailable: give a password in command line')
else:
try:
password = getpass.getpass()
except getpass.GetPassWarning:
pass
server = args.server
if not server:
server = sleekxmpp.JID(args.jid).domain
bundles = ['pelix.ipopo.core', 'pelix.shell.core', 'pelix.shell.ipopo',
'pelix.shell.console', 'pelix.shell.xmpp']
bundles.extend(init.bundles)
framework = pelix.framework.create_framework(remove_duplicates(bundles),
init.properties)
framework.start()
with use_ipopo(framework.get_bundle_context()) as ipopo:
ipopo.instantiate(pelix.shell.FACTORY_XMPP_SHELL, 'xmpp-shell', {
'shell.xmpp.server': server, 'shell.xmpp.port': args.port,
'shell.xmpp.jid': args.jid, 'shell.xmpp.password': password,
'shell.xmpp.tls': args.use_tls, 'shell.xmpp.ssl': args.use_ssl})
init.instantiate_components(framework.get_bundle_context())
try:
framework.wait_for_stop()
except KeyboardInterrupt:
framework.stop()
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(argv=None):\n parser = argparse.ArgumentParser(prog='pelix.shell.xmpp', parents=[\n make_common_parser()], description='Pelix XMPP Shell')\n group... |
def x(self):
content = self._buffer.getvalue()
self._buffer = StringIO()
if content:
self._client.send_message(self._target, content, mtype='chat')
| flush | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n content = self._buffer.getvalue()\n self._buffer = StringIO()\n if content:\n self._client.send_message(self._target, content, mtype='... |
def x(self, factory, svc_registration):
svc_ref = svc_registration.get_reference()
try:
service, counter = self.__factored[svc_ref]
counter.inc()
except KeyError:
service = factory.get_service(self.__bundle, svc_registration)
counter = _UsageCounter()
counter.inc()
self.__factored[svc_ref] = service, counter
return service
| get_from_factory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, factory, svc_registration):\n svc_ref = svc_registration.get_reference()\n try:\n service, counter = self.__factored[svc_ref]\n count... |
def x(self, factory, svc_registration):
svc_ref = svc_registration.get_reference()
service = factory.get_service(self.__bundle, svc_registration)
try:
services, counter = self.__factored[svc_ref]
services.append(service)
counter.inc()
except KeyError:
counter = _UsageCounter()
counter.inc()
self.__factored[svc_ref] = [service], counter
return service
| get_from_prototype | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, factory, svc_registration):\n svc_ref = svc_registration.get_reference()\n service = factory.get_service(self.__bundle, svc_registration)\n try:... |
def x(self, factory, svc_registration):
svc_ref = svc_registration.get_reference()
if svc_ref.is_prototype():
return self._get_from_prototype(factory, svc_registration)
return self._get_from_factory(factory, svc_registration)
| get_service | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, factory, svc_registration):\n svc_ref = svc_registration.get_reference()\n if svc_ref.is_prototype():\n return self._get_from_prototype(fact... |
def x(self, factory, svc_registration, service=None):
svc_ref = svc_registration.get_reference()
try:
_, counter = self.__factored[svc_ref]
except KeyError:
logging.warning('Trying to release an unknown service factory: %s',
svc_ref)
else:
if svc_ref.is_prototype():
factory.unget_service_instance(self.__bundle, svc_registration,
service)
if not counter.dec():
del self.__factored[svc_ref]
factory.unget_service(self.__bundle, svc_registration)
return True
return False
| unget_service | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, factory, svc_registration, service=None):\n svc_ref = svc_registration.get_reference()\n try:\n _, counter = self.__factored[svc_ref]\n e... |
def x(self, factory, svc_registration):
svc_ref = svc_registration.get_reference()
try:
services, _ = self.__factored.pop(svc_ref)
except KeyError:
return False
else:
if svc_ref.is_prototype() and services:
for service in services:
try:
factory.unget_service_instance(self.__bundle,
svc_registration, service)
except Exception:
pass
factory.unget_service(self.__bundle, svc_registration)
svc_ref.unused_by(self.__bundle)
return True
| cleanup_service | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, factory, svc_registration):\n svc_ref = svc_registration.get_reference()\n try:\n services, _ = self.__factored.pop(svc_ref)\n except Key... |
def x(self, bundle):
if bundle is None or bundle is self.__bundle:
return
with self.__usage_lock:
try:
if not self.__using_bundles[bundle].dec():
del self.__using_bundles[bundle]
except KeyError:
pass
| unused_by | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bundle):\n if bundle is None or bundle is self.__bundle:\n return\n with self.__usage_lock:\n try:\n if not self.__using_b... |
def x(self, bundle):
if bundle is None or bundle is self.__bundle:
return
with self.__usage_lock:
self.__using_bundles.setdefault(bundle, _UsageCounter()).inc()
| used_by | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bundle):\n if bundle is None or bundle is self.__bundle:\n return\n with self.__usage_lock:\n self.__using_bundles.setdefault(bundle,... |
def x(self, properties):
if not isinstance(properties, dict):
raise TypeError('Waiting for dictionary')
for forbidden_key in (OBJECTCLASS, SERVICE_ID):
try:
del properties[forbidden_key]
except KeyError:
pass
to_delete = []
for key, value in properties.items():
if self.__properties.get(key) == value:
to_delete.append(key)
for key in to_delete:
del properties[key]
if not properties:
return
try:
properties[SERVICE_RANKING] = int(properties[SERVICE_RANKING])
except (ValueError, TypeError):
del properties[SERVICE_RANKING]
except KeyError:
pass
with self.__reference._props_lock:
previous = self.__properties.copy()
self.__properties.update(properties)
if self.__reference.needs_sort_update():
self.__update_callback(self.__reference)
event = ServiceEvent(ServiceEvent.MODIFIED, self.__reference, previous)
self.__framework._dispatcher.fire_service_event(event)
| set_properties | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, properties):\n if not isinstance(properties, dict):\n raise TypeError('Waiting for dictionary')\n for forbidden_key in (OBJECTCLASS, SERVICE... |
def x(self):
with self.__bnd_lock:
self.__bnd_listeners = []
with self.__svc_lock:
self.__svc_listeners.clear()
with self.__fw_lock:
self.__fw_listeners = []
| clear | [
{
"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.__bnd_lock:\n self.__bnd_listeners = []\n with self.__svc_lock:\n self.__svc_listeners.clear()\n with self.__fw_lock:... |
def x(self, listener):
if listener is None or not hasattr(listener, 'bundle_changed'):
raise BundleException('Invalid bundle listener given')
with self.__bnd_lock:
if listener in self.__bnd_listeners:
self._logger.warning("Already known bundle listener '%s'", listener
)
return False
self.__bnd_listeners.append(listener)
return True
| add_bundle_listener | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, listener):\n if listener is None or not hasattr(listener, 'bundle_changed'):\n raise BundleException('Invalid bundle listener given')\n with... |
def x(self, listener):
if listener is None or not hasattr(listener, 'framework_stopping'):
raise BundleException('Invalid framework listener given')
with self.__fw_lock:
if listener in self.__fw_listeners:
self._logger.warning("Already known framework listener '%s'",
listener)
return False
self.__fw_listeners.append(listener)
return True
| add_framework_listener | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, listener):\n if listener is None or not hasattr(listener, 'framework_stopping'):\n raise BundleException('Invalid framework listener given')\n ... |
def x(self, bundle_context, listener, specification=None, ldap_filter=None):
if listener is None or not hasattr(listener, 'service_changed'):
raise BundleException('Invalid service listener given')
with self.__svc_lock:
if listener in self.__listeners_data:
self._logger.warning("Already known service listener '%s'",
listener)
return False
try:
ldap_filter = ldapfilter.get_ldap_filter(ldap_filter)
except ValueError as ex:
raise BundleException('Invalid service filter: {0}'.format(ex))
stored = ListenerInfo(bundle_context, listener, specification,
ldap_filter)
self.__listeners_data[listener] = stored
self.__svc_listeners.setdefault(specification, []).append(stored)
return True
| add_service_listener | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bundle_context, listener, specification=None, ldap_filter=None):\n if listener is None or not hasattr(listener, 'service_changed'):\n raise Bun... |
def x(self, listener):
with self.__bnd_lock:
if listener not in self.__bnd_listeners:
return False
self.__bnd_listeners.remove(listener)
return True
| remove_bundle_listener | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, listener):\n with self.__bnd_lock:\n if listener not in self.__bnd_listeners:\n return False\n self.__bnd_listeners.remove(li... |
def x(self, listener):
with self.__fw_lock:
try:
self.__fw_listeners.remove(listener)
return True
except ValueError:
return False
| remove_framework_listener | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, listener):\n with self.__fw_lock:\n try:\n self.__fw_listeners.remove(listener)\n return True\n except ValueError:... |
def x(self, listener):
with self.__svc_lock:
try:
data = self.__listeners_data.pop(listener)
spec_listeners = self.__svc_listeners[data.specification]
spec_listeners.remove(data)
if not spec_listeners:
del self.__svc_listeners[data.specification]
return True
except KeyError:
return False
| remove_service_listener | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, listener):\n with self.__svc_lock:\n try:\n data = self.__listeners_data.pop(listener)\n spec_listeners = self.__svc_list... |
def x(self, event):
with self.__bnd_lock:
listeners = self.__bnd_listeners[:]
for listener in listeners:
try:
listener.bundle_changed(event)
except:
self._logger.exception('Error calling a bundle listener')
| fire_bundle_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.__bnd_lock:\n listeners = self.__bnd_listeners[:]\n for listener in listeners:\n try:\n listener.bundl... |
def x(self):
with self.__fw_lock:
listeners = self.__fw_listeners[:]
for listener in listeners:
try:
listener.framework_stopping()
except:
self._logger.exception(
'An error occurred calling one of the framework stop listeners'
)
| fire_framework_stopping | [
{
"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.__fw_lock:\n listeners = self.__fw_listeners[:]\n for listener in listeners:\n try:\n listener.framework_stop... |
def x(self, event):
properties = event.get_service_reference().get_properties()
svc_specs = properties[OBJECTCLASS]
previous = None
endmatch_event = None
svc_modified = event.get_kind() == ServiceEvent.MODIFIED
if svc_modified:
previous = event.get_previous_properties()
endmatch_event = ServiceEvent(ServiceEvent.MODIFIED_ENDMATCH, event
.get_service_reference(), previous)
with self.__svc_lock:
listeners = set()
for spec in svc_specs:
try:
listeners.update(self.__svc_listeners[spec])
except KeyError:
pass
try:
listeners.update(self.__svc_listeners[None])
except KeyError:
pass
listeners = self._filter_with_hooks(event, listeners)
for data in listeners:
sent_event = event
ldap_filter = data.ldap_filter
if ldap_filter is not None and not ldap_filter.matches(properties):
if svc_modified and previous is not None and ldap_filter.matches(
previous):
sent_event = endmatch_event
else:
continue
try:
data.listener.service_changed(sent_event)
except:
self._logger.exception('Error calling a service listener')
| fire_service_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 properties = event.get_service_reference().get_properties()\n svc_specs = properties[OBJECTCLASS]\n previous = None\n endmatch_even... |
def x(self, svc_event, listeners):
svc_ref = svc_event.get_service_reference()
hook_refs = self._registry.find_service_references(
SERVICE_EVENT_LISTENER_HOOK)
if hook_refs:
ctx_listeners = {}
for listener in listeners:
context = listener.bundle_context
ctx_listeners.setdefault(context, []).append(listener)
shrinkable_ctx_listeners = ShrinkableMap({context: ShrinkableList(
value) for context, value in ctx_listeners.items()})
for hook_ref in hook_refs:
if not svc_ref == hook_ref:
hook_bundle = hook_ref.get_bundle()
hook_svc = self._registry.get_service(hook_bundle, hook_ref)
if hook_svc is not None:
try:
hook_svc.event(svc_event, shrinkable_ctx_listeners)
except:
self._logger.exception(
'Error calling EventListenerHook')
finally:
self._registry.unget_service(hook_bundle, hook_ref)
ret_listeners = set()
for bnd_listeners in shrinkable_ctx_listeners.values():
ret_listeners.update(bnd_listeners)
return ret_listeners
return listeners
| filter_with_hooks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, svc_event, listeners):\n svc_ref = svc_event.get_service_reference()\n hook_refs = self._registry.find_service_references(\n SERVICE_EVENT_L... |
def x(self):
with self.__svc_lock:
self.__svc_registry.clear()
self.__svc_factories.clear()
self.__svc_specs.clear()
self.__bundle_svc.clear()
self.__bundle_imports.clear()
self.__factory_usage.clear()
self.__pending_services.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 with self.__svc_lock:\n self.__svc_registry.clear()\n self.__svc_factories.clear()\n self.__svc_specs.clear()\n self.__... |
def x(self, bundle, classes, properties, svc_instance, factory, prototype):
with self.__svc_lock:
service_id = self.__next_service_id
self.__next_service_id += 1
properties[OBJECTCLASS] = classes
properties[SERVICE_ID] = service_id
properties[SERVICE_BUNDLEID] = bundle.get_bundle_id()
if prototype:
properties[SERVICE_SCOPE] = SCOPE_PROTOTYPE
elif factory:
properties[SERVICE_SCOPE] = SCOPE_BUNDLE
else:
properties[SERVICE_SCOPE] = SCOPE_SINGLETON
try:
properties[SERVICE_RANKING] = int(properties[SERVICE_RANKING])
except (KeyError, ValueError, TypeError):
properties[SERVICE_RANKING] = 0
svc_ref = ServiceReference(bundle, properties)
svc_registration = ServiceRegistration(self.__framework, svc_ref,
properties, self.__sort_registry)
if prototype or factory:
self.__svc_factories[svc_ref] = svc_instance, svc_registration
self.__svc_registry[svc_ref] = svc_instance
for spec in classes:
spec_refs = self.__svc_specs.setdefault(spec, [])
bisect.insort_left(spec_refs, svc_ref)
bundle_services = self.__bundle_svc.setdefault(bundle, set())
bundle_services.add(svc_ref)
return svc_registration
| register | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bundle, classes, properties, svc_instance, factory, prototype):\n with self.__svc_lock:\n service_id = self.__next_service_id\n self.__n... |
def x(self, svc_ref):
with self.__svc_lock:
if svc_ref not in self.__svc_registry:
raise BundleException('Unknown service: {0}'.format(svc_ref))
for spec in svc_ref.get_property(OBJECTCLASS):
spec_refs = self.__svc_specs[spec]
idx = bisect.bisect_left(spec_refs, svc_ref)
del spec_refs[idx]
svc_ref.update_sort_key()
for spec in svc_ref.get_property(OBJECTCLASS):
spec_refs = self.__svc_specs[spec]
bisect.insort_left(spec_refs, svc_ref)
| sort_registry | [
{
"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.__svc_lock:\n if svc_ref not in self.__svc_registry:\n raise BundleException('Unknown service: {0}'.format(svc... |
def x(self, svc_ref):
with self.__svc_lock:
try:
return self.__pending_services.pop(svc_ref)
except KeyError:
pass
if svc_ref not in self.__svc_registry:
raise BundleException('Unknown service: {0}'.format(svc_ref))
bundle = svc_ref.get_bundle()
service = self.__svc_registry.pop(svc_ref)
for spec in svc_ref.get_property(OBJECTCLASS):
spec_services = self.__svc_specs[spec]
idx = bisect.bisect_left(spec_services, svc_ref)
del spec_services[idx]
if not spec_services:
del self.__svc_specs[spec]
if svc_ref.is_factory():
factory, svc_reg = self.__svc_factories.pop(svc_ref)
for counter in self.__factory_usage.values():
counter.cleanup_service(factory, svc_reg)
else:
bundle_services = self.__bundle_svc[bundle]
bundle_services.remove(svc_ref)
if not bundle_services:
del self.__bundle_svc[bundle]
return service
| unregister | [
{
"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.__svc_lock:\n try:\n return self.__pending_services.pop(svc_ref)\n except KeyError:\n pass\n... |
def x(self, bundle):
with self.__svc_lock:
try:
svc_refs = self.__bundle_svc.pop(bundle)
except KeyError:
return set()
else:
specs = set()
for svc_ref in svc_refs:
if svc_ref.is_factory():
continue
self.__pending_services[svc_ref] = self.__svc_registry.pop(
svc_ref)
specs.update(svc_ref.get_property(OBJECTCLASS))
for spec in svc_ref.get_property(OBJECTCLASS):
spec_services = self.__svc_specs[spec]
idx = bisect.bisect_left(spec_services, svc_ref)
del spec_services[idx]
if not spec_services:
del self.__svc_specs[spec]
return svc_refs
| hide_bundle_services | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bundle):\n with self.__svc_lock:\n try:\n svc_refs = self.__bundle_svc.pop(bundle)\n except KeyError:\n return set... |
def x(self, clazz=None, ldap_filter=None, only_one=False):
with self.__svc_lock:
if clazz is None and ldap_filter is None:
return sorted(self.__svc_registry.keys())
if hasattr(clazz, '__name__'):
clazz = ldapfilter.escape_LDAP(clazz.__name__)
elif is_string(clazz):
clazz = ldapfilter.escape_LDAP(clazz)
if clazz is None:
refs_set = sorted(self.__svc_registry.keys())
else:
try:
refs_set = iter(self.__svc_specs[clazz])
except KeyError:
return None
try:
new_filter = ldapfilter.get_ldap_filter(ldap_filter)
except ValueError as ex:
raise BundleException(ex)
if new_filter is not None:
refs_set = (ref for ref in refs_set if new_filter.matches(ref.
get_properties()))
if only_one:
try:
return [next(refs_set)]
except StopIteration:
return None
return list(refs_set) or None
| find_service_references | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, clazz=None, ldap_filter=None, only_one=False):\n with self.__svc_lock:\n if clazz is None and ldap_filter is None:\n return sorted(s... |
def x(self, bundle):
with self.__svc_lock:
return sorted(self.__bundle_imports.get(bundle, []))
| get_bundle_imported_services | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bundle):\n with self.__svc_lock:\n return sorted(self.__bundle_imports.get(bundle, []))\n",
"role": "user"
},
{
"content": "get_bun... |
def x(self, bundle):
with self.__svc_lock:
return sorted(self.__bundle_svc.get(bundle, []))
| get_bundle_registered_services | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bundle):\n with self.__svc_lock:\n return sorted(self.__bundle_svc.get(bundle, []))\n",
"role": "user"
},
{
"content": "get_bundle_... |
def x(self, bundle, reference):
with self.__svc_lock:
if reference.is_factory():
return self.__get_service_from_factory(bundle, reference)
try:
service = self.__svc_registry[reference]
imports = self.__bundle_imports.setdefault(bundle, {})
imports.setdefault(reference, _UsageCounter()).inc()
reference.used_by(bundle)
return service
except KeyError:
raise BundleException('Service not found (reference: {0})'.
format(reference))
| get_service | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bundle, reference):\n with self.__svc_lock:\n if reference.is_factory():\n return self.__get_service_from_factory(bundle, reference)... |
def x(self, bundle, reference):
try:
factory, svc_reg = self.__svc_factories[reference]
imports = self.__bundle_imports.setdefault(bundle, {})
if reference not in imports:
usage_counter = _UsageCounter()
usage_counter.inc()
imports[reference] = usage_counter
reference.used_by(bundle)
factory_counter = self.__factory_usage.setdefault(bundle,
_FactoryCounter(bundle))
return factory_counter.get_service(factory, svc_reg)
except KeyError:
raise BundleException('Service not found (reference: {0})'.format(
reference))
| get_service_from_factory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bundle, reference):\n try:\n factory, svc_reg = self.__svc_factories[reference]\n imports = self.__bundle_imports.setdefault(bundle, {})... |
def x(self, bundle):
try:
imported_refs = list(self.__bundle_imports.pop(bundle))
except KeyError:
return
for svc_ref in imported_refs:
svc_ref.unused_by(bundle)
if svc_ref.is_prototype():
factory_counter = self.__factory_usage.pop(bundle)
factory, svc_reg = self.__svc_factories[svc_ref]
factory_counter.cleanup_service(factory, svc_reg)
elif svc_ref.is_factory():
self.__unget_service_from_factory(bundle, svc_ref)
try:
del self.__factory_usage[bundle]
except KeyError:
pass
try:
self.__bundle_imports.pop(bundle).clear()
except KeyError:
pass
| unget_used_services | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bundle):\n try:\n imported_refs = list(self.__bundle_imports.pop(bundle))\n except KeyError:\n return\n for svc_ref in imported_re... |
def x(self, bundle, reference, service=None):
with self.__svc_lock:
if reference.is_prototype():
return self.__unget_service_from_factory(bundle, reference, service
)
elif reference.is_factory():
return self.__unget_service_from_factory(bundle, reference)
try:
imports = self.__bundle_imports[bundle]
if not imports[reference].dec():
del imports[reference]
except KeyError:
return False
else:
if not imports:
del self.__bundle_imports[bundle]
reference.unused_by(bundle)
return True
| unget_service | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bundle, reference, service=None):\n with self.__svc_lock:\n if reference.is_prototype():\n return self.__unget_service_from_factory(... |
def x(self, bundle, reference, service=None):
try:
factory, svc_reg = self.__svc_factories[reference]
except KeyError:
return False
try:
counter = self.__factory_usage[bundle]
except KeyError:
return False
else:
if counter.unget_service(factory, svc_reg, service):
try:
reference.unused_by(bundle)
if not self.__factory_usage[bundle].is_used():
del self.__factory_usage[bundle]
imports = self.__bundle_imports[bundle]
del imports[reference]
except KeyError:
return False
else:
if not imports:
del self.__bundle_imports[bundle]
return True
| unget_service_from_factory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bundle, reference, service=None):\n try:\n factory, svc_reg = self.__svc_factories[reference]\n except KeyError:\n return False\n ... |
def x(vtype, value):
value = value.strip()
if vtype == TYPE_STRING:
return value
elif vtype in TYPES_INT:
return int(value)
elif vtype in TYPES_FLOAT:
return float(value)
elif vtype in TYPES_BOOLEAN:
return value.lower() not in ('false', '0')
elif vtype in TYPES_CHAR:
return value[0]
raise ValueError('Unknown value type: {0}'.format(vtype))
| convert_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(vtype, value):\n value = value.strip()\n if vtype == TYPE_STRING:\n return value\n elif vtype in TYPES_INT:\n return int(value)\n eli... |
def x(self, element, level=0, prefix='\t'):
element_prefix = '\r\n{0}'.format(level * prefix)
if len(element):
if not element.text or not element.text.strip():
element.text = element_prefix + prefix
if not element.tail or not element.tail.strip():
element.tail = element_prefix
for element in element:
self._indent(element, level + 1, prefix)
if not element.tail or not element.tail.strip():
element.tail = element_prefix
elif level and (not element.tail or not element.tail.strip()):
element.tail = element_prefix
| indent | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, element, level=0, prefix='\\t'):\n element_prefix = '\\r\\n{0}'.format(level * prefix)\n if len(element):\n if not element.text or not eleme... |
def x(props_node, tag, container):
values_node = ElementTree.SubElement(props_node, tag)
for value in container:
value_node = ElementTree.SubElement(values_node, TAG_VALUE)
value_node.text = str(value)
| add_container | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(props_node, tag, container):\n values_node = ElementTree.SubElement(props_node, tag)\n for value in container:\n value_node = ElementTree.SubEleme... |
def x(name, value):
if name in TYPED_BOOL:
return TYPE_BOOLEAN
elif name in TYPED_LONG:
return TYPE_LONG
elif name in TYPED_STRING:
return TYPE_STRING
if isinstance(value, (tuple, list, set)):
try:
value = next(iter(value))
except StopIteration:
return TYPE_STRING
if isinstance(value, int):
return TYPE_LONG
elif isinstance(value, float):
return TYPE_DOUBLE
elif isinstance(value, type(ElementTree.Element(None))):
return XML_VALUE
return TYPE_STRING
| get_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, value):\n if name in TYPED_BOOL:\n return TYPE_BOOLEAN\n elif name in TYPED_LONG:\n return TYPE_LONG\n elif name in TYPED_STRING:\... |
def x(self, endpoints):
root = self._make_xml(endpoints)
tree = ElementTree.ElementTree(root)
ElementTree.register_namespace('', EDEF_NAMESPACE)
for encoding in ('unicode', 'UTF-8'):
output = StringIO()
try:
tree.write(output, encoding=encoding, xml_declaration=True,
method='xml')
break
except LookupError:
continue
else:
raise LookupError("Couldn't find a valid encoding")
return output.getvalue()
| 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 ... |
def x(self, host, port=5222, reattempt=False, use_tls=True, use_ssl=False):
if not self._expected_server_name:
self._expected_server_name = host
if super(BasicBot, self).connect((host, port), reattempt, use_tls, use_ssl
):
self.process(threaded=True)
return True
return False
| connect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, host, port=5222, reattempt=False, use_tls=True, use_ssl=False):\n if not self._expected_server_name:\n self._expected_server_name = host\n i... |
def x(self, data):
self.send_presence(ppriority=self._initial_priority)
self.get_roster()
| on_session_start | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n self.send_presence(ppriority=self._initial_priority)\n self.get_roster()\n",
"role": "user"
},
{
"content": "on_session_start"... |
def x(self, data):
if not self._nick:
self._nick = self.boundjid.user
self.plugin['xep_0045'].joinMUC(data['from'], self._nick)
| on_invite | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n if not self._nick:\n self._nick = self.boundjid.user\n self.plugin['xep_0045'].joinMUC(data['from'], self._nick)\n",
"role": "u... |
def x(self, feature=None):
items = self['xep_0030'].get_items(jid=self.boundjid.domain, ifrom=self
.boundjid.full, block=True, timeout=10)
for item in items['disco_items']['items']:
if not feature:
yield item[0]
else:
info = self['xep_0030'].get_info(jid=item[0], ifrom=self.
boundjid.full, block=True, timeout=10)
if feature in info['disco_info']['features']:
yield item[0]
| iter_services | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, feature=None):\n items = self['xep_0030'].get_items(jid=self.boundjid.domain, ifrom=self\n .boundjid.full, block=True, timeout=10)\n for ite... |
def x(arg_token):
idx = arg_token.find('=')
while idx != -1:
if idx != 0 and arg_token[idx - 1] != '\\':
return idx
idx = arg_token.find('=', idx + 1)
return -1
| find_assignment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(arg_token):\n idx = arg_token.find('=')\n while idx != -1:\n if idx != 0 and arg_token[idx - 1] != '\\\\':\n return idx\n idx = ... |
def x(args_list, session, fw_props):
args = []
kwargs = {}
for arg_token in args_list:
idx = _find_assignment(arg_token)
if idx != -1:
key = arg_token[:idx]
value = arg_token[idx + 1:]
kwargs[key] = value
else:
args.append(arg_token)
variables = collections.defaultdict(str)
variables.update(fw_props)
variables.update(session.variables)
args = [_ArgTemplate(arg).safe_substitute(variables) for arg in args]
kwargs = {key: _ArgTemplate(value).safe_substitute(variables) for key,
value in kwargs.items()}
return args, kwargs
| make_args | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args_list, session, fw_props):\n args = []\n kwargs = {}\n for arg_token in args_list:\n idx = _find_assignment(arg_token)\n if idx != -... |
def x(cmd_token):
namespace = None
cmd_split = cmd_token.split('.', 1)
if len(cmd_split) == 1:
command = cmd_split[0]
else:
namespace = cmd_split[0]
command = cmd_split[1]
if not namespace:
namespace = ''
return namespace.lower(), command.lower()
| split_ns_command | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cmd_token):\n namespace = None\n cmd_split = cmd_token.split('.', 1)\n if len(cmd_split) == 1:\n command = cmd_split[0]\n else:\n nam... |
def x(self, namespace, command, method):
if method is None:
self._logger.error('No method given for %s.%s', namespace, command)
return False
namespace = (namespace or '').strip().lower()
command = (command or '').strip().lower()
if not namespace:
namespace = DEFAULT_NAMESPACE
if not command:
self._logger.error('No command name given')
return False
if namespace not in self._commands:
space = self._commands[namespace] = {}
else:
space = self._commands[namespace]
if command in space:
self._logger.error('Command already registered: %s.%s', namespace,
command)
return False
space[command] = method
return True
| register_command | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, namespace, command, method):\n if method is None:\n self._logger.error('No method given for %s.%s', namespace, command)\n return False\n... |
def x(self, namespace, command):
method = self._commands[namespace][command]
return getattr(method, ATTR_COMPLETERS, None)
| get_command_completers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, namespace, command):\n method = self._commands[namespace][command]\n return getattr(method, ATTR_COMPLETERS, None)\n",
"role": "user"
},
{
... |
def x(self, namespace, command=None):
if not namespace:
namespace = DEFAULT_NAMESPACE
namespace = namespace.strip().lower()
if namespace not in self._commands:
self._logger.warning('Unknown name space: %s', namespace)
return False
if command is not None:
command = command.strip().lower()
if command not in self._commands[namespace]:
self._logger.warning('Unknown command: %s.%s', namespace, command)
return False
del self._commands[namespace][command]
if not self._commands[namespace]:
del self._commands[namespace]
else:
del self._commands[namespace]
return True
| unregister | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, namespace, command=None):\n if not namespace:\n namespace = DEFAULT_NAMESPACE\n namespace = namespace.strip().lower()\n if namespace not ... |
def x(self, command):
namespaces = []
for namespace, commands in self._commands.items():
if command in commands:
namespaces.append(namespace)
namespaces.sort()
try:
namespaces.remove(DEFAULT_NAMESPACE)
namespaces.insert(0, DEFAULT_NAMESPACE)
except ValueError:
pass
return namespaces
| find_command_ns | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, command):\n namespaces = []\n for namespace, commands in self._commands.items():\n if command in commands:\n namespaces.append(na... |
def x(self):
namespaces = list(self._commands.keys())
namespaces.remove(DEFAULT_NAMESPACE)
namespaces.sort()
return namespaces
| get_namespaces | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n namespaces = list(self._commands.keys())\n namespaces.remove(DEFAULT_NAMESPACE)\n namespaces.sort()\n return namespaces\n",
"role": "u... |
def x(self, namespace):
if not namespace:
namespace = DEFAULT_NAMESPACE
try:
namespace.strip().lower()
commands = list(self._commands[namespace].keys())
commands.sort()
return commands
except KeyError:
return []
| get_commands | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, namespace):\n if not namespace:\n namespace = DEFAULT_NAMESPACE\n try:\n namespace.strip().lower()\n commands = list(self._com... |
def x(self, cmd_name):
namespace, command = _split_ns_command(cmd_name)
if not namespace:
spaces = self.__find_command_ns(command)
if not spaces:
raise ValueError('Unknown command {0}'.format(command))
else:
return sorted((namespace, command) for namespace in spaces)
return [(namespace, command)]
| get_ns_commands | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cmd_name):\n namespace, command = _split_ns_command(cmd_name)\n if not namespace:\n spaces = self.__find_command_ns(command)\n if not... |
def x(self, cmd_name):
namespace, command = _split_ns_command(cmd_name)
if not namespace:
spaces = self.__find_command_ns(command)
if not spaces:
raise ValueError('Unknown command {0}'.format(command))
elif len(spaces) > 1:
if spaces[0] == DEFAULT_NAMESPACE:
namespace = DEFAULT_NAMESPACE
else:
raise ValueError("Multiple name spaces for command '{0}': {1}"
.format(command, ', '.join(sorted(spaces))))
else:
namespace = spaces[0]
return namespace, command
| get_ns_command | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cmd_name):\n namespace, command = _split_ns_command(cmd_name)\n if not namespace:\n spaces = self.__find_command_ns(command)\n if not... |
def x(self, cmdline, session=None):
if session is None:
session = beans.ShellSession(beans.IOHandler(sys.stdin, sys.stdout), {}
)
assert isinstance(session, beans.ShellSession)
if not cmdline:
return False
cmdline = to_str(cmdline)
try:
line_split = shlex.split(cmdline, True, True)
except ValueError as ex:
session.write_line('Error reading line: {0}', ex)
return False
if not line_split:
return False
try:
namespace, command = self.get_ns_command(line_split[0])
except ValueError as ex:
session.write_line(str(ex))
return False
space = self._commands.get(namespace, None)
if not space:
session.write_line('Unknown name space {0}', namespace)
return False
method = space.get(command, None)
if method is None:
session.write_line('Unknown command: {0}.{1}', namespace, command)
return False
args, kwargs = _make_args(line_split[1:], session, self._framework.
get_properties())
try:
result = method(session, *args, **kwargs)
if result is not None:
session.set(beans.RESULT_VAR_NAME, result)
return result is not False
except TypeError as ex:
self._logger.error('Error calling %s.%s: %s', namespace, command, ex)
session.write_line('Invalid method call: {0}', ex)
self.__print_namespace_help(session, namespace, command)
return False
except Exception as ex:
self._logger.exception('Error calling %s.%s: %s', namespace,
command, ex)
session.write_line('{0}: {1}', type(ex).__name__, str(ex))
return False
finally:
try:
session.flush()
except IOError:
pass
| execute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cmdline, session=None):\n if session is None:\n session = beans.ShellSession(beans.IOHandler(sys.stdin, sys.stdout), {}\n )\n ass... |
def x(method):
if method is None:
return '(No associated method)'
arg_spec = get_method_arguments(method)
start_arg = 1
if arg_spec.defaults is not None:
nb_optional = len(arg_spec.defaults)
args = ['<{0}>'.format(arg) for arg in arg_spec.args[start_arg:-
nb_optional]]
for name, value in zip(arg_spec.args[-nb_optional:], arg_spec.
defaults[-nb_optional:]):
if value is not None:
args.append('[<{0}>={1}]'.format(name, value))
else:
args.append('[<{0}>]'.format(name))
else:
args = ['<{0}>'.format(arg) for arg in arg_spec.args[start_arg:]]
if arg_spec.keywords:
args.append('[<property=value> ...]')
if arg_spec.varargs:
args.append('[<{0} ...>]'.format(arg_spec.varargs))
doc = inspect.getdoc(method) or '(Documentation missing)'
return ' '.join(args), ' '.join(doc.split())
| extract_help | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(method):\n if method is None:\n return '(No associated method)'\n arg_spec = get_method_arguments(method)\n start_arg = 1\n if arg_spec.defa... |
def x(self, session, namespace, cmd_name):
args, doc = self.__extract_help(self._commands[namespace][cmd_name])
if args:
session.write_line('- {0} {1}', cmd_name, args)
else:
session.write_line('- {0}', cmd_name)
session.write_line('\t\t{0}', doc)
| print_command_help | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, session, namespace, cmd_name):\n args, doc = self.__extract_help(self._commands[namespace][cmd_name])\n if args:\n session.write_line('- {0}... |
def x(self, session, namespace, cmd_name=None):
session.write_line("=== Name space '{0}' ===", namespace)
if cmd_name is None:
names = [command for command in self._commands[namespace]]
names.sort()
else:
names = [cmd_name]
first_cmd = True
for command in names:
if not first_cmd:
session.write_line('\n')
self.__print_command_help(session, namespace, command)
first_cmd = False
| print_namespace_help | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, session, namespace, cmd_name=None):\n session.write_line(\"=== Name space '{0}' ===\", namespace)\n if cmd_name is None:\n names = [command ... |
def x(self, session, command=None):
if command:
if command in self._commands:
self.__print_namespace_help(session, command)
was_namespace = True
else:
was_namespace = False
try:
possibilities = self.get_ns_commands(command)
except ValueError as ex:
if not was_namespace:
session.write_line(str(ex))
return False
else:
if was_namespace:
session.write_line('\n\n')
for namespace, cmd_name in possibilities:
self.__print_namespace_help(session, namespace, cmd_name)
else:
namespaces = list(self._commands.keys())
namespaces.remove(DEFAULT_NAMESPACE)
namespaces.sort()
namespaces.insert(0, DEFAULT_NAMESPACE)
first_ns = True
for namespace in namespaces:
if not first_ns:
session.write_line('\n\n')
self.__print_namespace_help(session, namespace)
first_ns = False
return None
| print_help | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, session, command=None):\n if command:\n if command in self._commands:\n self.__print_namespace_help(session, command)\n w... |
def x(session, **kwargs):
if not kwargs:
for name, value in session.variables.items():
session.write_line('{0}={1}'.format(name, value))
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(session, **kwargs):\n if not kwargs:\n for name, value in session.variables.items():\n session.write_line('{0}={1}'.format(name, value))\n... |
def x(session, name):
name = name.strip()
try:
session.unset(name)
except KeyError:
session.write_line('Unknown variable: {0}', name)
return False
else:
session.write_line('Variable {0} unset.', name)
return None
| var_unset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(session, name):\n name = name.strip()\n try:\n session.unset(name)\n except KeyError:\n session.write_line('Unknown variable: {0}', name... |
def x(self, session, filename):
try:
with open(filename, 'r') as filep:
for lineno, line in enumerate(filep):
line = line.strip()
if not line or line.startswith('#'):
continue
session.write_line('[{0:02d}] >> {1}', lineno, line)
if not self.execute(line, session):
session.write_line('Command at line {0} failed. Abandon.',
lineno + 1)
return False
session.write_line('Script execution succeeded')
except IOError as ex:
session.write_line('Error reading file {0}: {1}', filename, ex)
return False
return None
| run_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, session, filename):\n try:\n with open(filename, 'r') as filep:\n for lineno, line in enumerate(filep):\n line = line... |
def x(self, name, params):
try:
return self.funcs[name](*params)
except KeyError:
pass
return self._dispatch_method(name, params)
| simple_dispatch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, params):\n try:\n return self.funcs[name](*params)\n except KeyError:\n pass\n return self._dispatch_method(name, params)\n"... |
def x(self, properties):
if isinstance(properties, dict):
self._properties.update(properties)
| add_properties | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, properties):\n if isinstance(properties, dict):\n self._properties.update(properties)\n",
"role": "user"
},
{
"content": "add_prope... |
def x(self, environ):
if isinstance(environ, dict):
self._environment.update(environ)
| add_environment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, environ):\n if isinstance(environ, dict):\n self._environment.update(environ)\n",
"role": "user"
},
{
"content": "add_environment",... |
def x(self, paths):
if paths:
self._paths = list(paths) + self._paths
| add_paths | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, paths):\n if paths:\n self._paths = list(paths) + self._paths\n",
"role": "user"
},
{
"content": "add_paths",
"role": "assistan... |
def x(self, components):
if components:
for component in components:
self._components[component['name']] = component['factory'
], component.get('properties', {})
| add_components | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, components):\n if components:\n for component in components:\n self._components[component['name']] = component['factory'\n ... |
def x(self):
os.environ.update(self._environment)
self._paths = remove_duplicates(os.path.realpath(os.path.expanduser(os.
path.expandvars(path))) for path in self._paths if os.path.exists(path)
)
self._bundles = remove_duplicates(self._bundles)
| normalize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n os.environ.update(self._environment)\n self._paths = remove_duplicates(os.path.realpath(os.path.expanduser(os.\n path.expandvars(path))) ... |
def x(self, filename):
for path in self.DEFAULT_PATH:
path = os.path.expanduser(os.path.expandvars(path))
fullname = os.path.realpath(os.path.join(path, filename))
if os.path.exists(fullname) and os.path.isfile(fullname):
yield fullname
| find_default | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename):\n for path in self.DEFAULT_PATH:\n path = os.path.expanduser(os.path.expandvars(path))\n fullname = os.path.realpath(os.path.... |
def x(self, filename=None):
if not filename:
for name in self.find_default('.pelix.conf'):
self.load(name)
else:
with open(filename, 'r') as filep:
self.__parse(json.load(filep))
| load | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename=None):\n if not filename:\n for name in self.find_default('.pelix.conf'):\n self.load(name)\n else:\n with open(f... |
def x(self, configuration):
for entry in ('properties', 'environment', 'paths', 'bundles', 'components'
):
reset_key = 'reset_{0}'.format(entry)
call_name = 'add' if not configuration.get(reset_key) else 'set'
method = getattr(self.__state, '{0}_{1}'.format(call_name, entry))
method(configuration.get(entry))
| parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, configuration):\n for entry in ('properties', 'environment', 'paths', 'bundles', 'components'\n ):\n reset_key = 'reset_{0}'.format(entr... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.