source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self):
self.__state.normalize()
whole_path = list(self.__state.paths)
whole_path.extend(sys.path)
sys.path = ['.']
for path in whole_path:
if path not in sys.path:
sys.path.append(path)
|
normalize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.__state.normalize()\n whole_path = list(self.__state.paths)\n whole_path.extend(sys.path)\n sys.path = ['.']\n for path in whole_path:\n if path not in sys.path:\n sys.path.append(path)\n",
"role": "user"
},
{
"content": "normalize",
"role": "assistant"
}
] |
def x(self, context):
with use_ipopo(context) as ipopo:
for name, (factory, properties) in self.__state.components.items():
ipopo.instantiate(factory, name, properties)
|
instantiate_components
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, context):\n with use_ipopo(context) as ipopo:\n for name, (factory, properties) in self.__state.components.items():\n ipopo.instantiate(factory, name, properties)\n",
"role": "user"
},
{
"content": "instantiate_components",
"role": "assistant"
}
] |
def x(content, is_unicode=False):
quote_mark = "'"
if "'" in content:
quote_mark = '"'
if '"' in content:
quote_mark = "'"
content = content.replace("'", "\\'")
if '\n' in content:
quote_mark *= 3
return 'u'[not is_unicode:] + quote_mark + content + quote_mark
|
literalize_string
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(content, is_unicode=False):\n quote_mark = \"'\"\n if \"'\" in content:\n quote_mark = '\"'\n if '\"' in content:\n quote_mark = \"'\"\n content = content.replace(\"'\", \"\\\\'\")\n if '\\n' in content:\n quote_mark *= 3\n return 'u'[not is_unicode:] + quote_mark + content + quote_mark\n",
"role": "user"
},
{
"content": "literalize_string",
"role": "assistant"
}
] |
def x(literal, encoding):
if encoding is None:
encoding = getfilesystemencoding()
if literal[0] in 'uU':
return literalize_string(literal[2:-1].decode('unicode-escape').
encode(encoding), is_unicode=True)
else:
content = literal[1:-1].decode('string-escape')
try:
content.decode(encoding)
except UnicodeDecodeError:
return literal
return literalize_string(content)
|
unescape_string_literal
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(literal, encoding):\n if encoding is None:\n encoding = getfilesystemencoding()\n if literal[0] in 'uU':\n return literalize_string(literal[2:-1].decode('unicode-escape').\n encode(encoding), is_unicode=True)\n else:\n content = literal[1:-1].decode('string-escape')\n try:\n content.decode(encoding)\n except UnicodeDecodeError:\n return literal\n return literalize_string(content)\n",
"role": "user"
},
{
"content": "unescape_string_literal",
"role": "assistant"
}
] |
def x(b, encoding):
return string_literal_re.sub(lambda m: unescape_string_literal(m.group(
), encoding), b)
|
unescape
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(b, encoding):\n return string_literal_re.sub(lambda m: unescape_string_literal(m.group(\n ), encoding), b)\n",
"role": "user"
},
{
"content": "unescape",
"role": "assistant"
}
] |
def x(stream):
unistream = lambda : 'I am an unistream!'
for attr_name in dir(stream):
if not attr_name.startswith('_'):
setattr(unistream, attr_name, getattr(stream, attr_name))
unistream.write = lambda b: stream.write(unescape(to_bytes(b, unistream
.encoding), unistream.encoding))
return unistream
|
make_unistream
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(stream):\n unistream = lambda : 'I am an unistream!'\n for attr_name in dir(stream):\n if not attr_name.startswith('_'):\n setattr(unistream, attr_name, getattr(stream, attr_name))\n unistream.write = lambda b: stream.write(unescape(to_bytes(b, unistream\n .encoding), unistream.encoding))\n return unistream\n",
"role": "user"
},
{
"content": "make_unistream",
"role": "assistant"
}
] |
def x(frame):
line_no = frame.f_lineno
code = frame.f_code
filename = code.co_filename
method_name = code.co_name
linecache.checkcache(filename)
try:
instance = frame.f_locals['self']
method_name = '{0}::{1}'.format(type(instance).__name__, method_name)
except KeyError:
pass
output_lines = [' File "{0}", line {1}, in {2}'.format(filename,
line_no, method_name)]
if frame.f_locals:
arg_info = inspect.getargvalues(frame)
for name in arg_info.args:
try:
output_lines.append(' - {0:s} = {1}'.format(name, repr(
frame.f_locals[name])))
except TypeError:
name = name[0]
output_lines.append(' - {0:s} = {1}'.format(name, repr(
frame.f_locals[name])))
if arg_info.varargs:
output_lines.append(' - *{0:s} = {1}'.format(arg_info.
varargs, frame.f_locals[arg_info.varargs]))
if arg_info.keywords:
output_lines.append(' - **{0:s} = {1}'.format(arg_info.
keywords, frame.f_locals[arg_info.keywords]))
lines = _extract_lines(filename, frame.f_globals, line_no, 3)
if lines:
output_lines.append('')
prefix = ' '
output_lines.append('{0}{1}'.format(prefix, '\n{0}'.format(prefix).
join(lines)))
return '\n'.join(output_lines)
|
format_frame_info
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(frame):\n line_no = frame.f_lineno\n code = frame.f_code\n filename = code.co_filename\n method_name = code.co_name\n linecache.checkcache(filename)\n try:\n instance = frame.f_locals['self']\n method_name = '{0}::{1}'.format(type(instance).__name__, method_name)\n except KeyError:\n pass\n output_lines = [' File \"{0}\", line {1}, in {2}'.format(filename,\n line_no, method_name)]\n if frame.f_locals:\n arg_info = inspect.getargvalues(frame)\n for name in arg_info.args:\n try:\n output_lines.append(' - {0:s} = {1}'.format(name, repr(\n frame.f_locals[name])))\n except TypeError:\n name = name[0]\n output_lines.append(' - {0:s} = {1}'.format(name, repr(\n frame.f_locals[name])))\n if arg_info.varargs:\n output_lines.append(' - *{0:s} = {1}'.format(arg_info.\n varargs, frame.f_locals[arg_info.varargs]))\n if arg_info.keywords:\n output_lines.append(' - **{0:s} = {1}'.format(arg_info.\n keywords, frame.f_locals[arg_info.keywords]))\n lines = _extract_lines(filename, frame.f_globals, line_no, 3)\n if lines:\n output_lines.append('')\n prefix = ' '\n output_lines.append('{0}{1}'.format(prefix, '\\n{0}'.format(prefix).\n join(lines)))\n return '\\n'.join(output_lines)\n",
"role": "user"
},
{
"content": "format_frame_info",
"role": "assistant"
}
] |
def x(filename, f_globals, line_no, around):
current_line = linecache.getline(filename, line_no, f_globals)
if not current_line:
return ''
lines = []
for pre_line_no in range(line_no - around, line_no):
pre_line = linecache.getline(filename, pre_line_no, f_globals)
lines.append('{0}'.format(pre_line.rstrip()))
lines.append('{0}'.format(current_line.rstrip()))
for pre_line_no in range(line_no + 1, line_no + around + 1):
pre_line = linecache.getline(filename, pre_line_no, f_globals)
lines.append('{0}'.format(pre_line.rstrip()))
minimal_tab = None
for line in lines:
if line.strip():
tab = len(line) - len(line.lstrip())
if minimal_tab is None or tab < minimal_tab:
minimal_tab = tab
if minimal_tab > 0:
lines = [line[minimal_tab:] for line in lines]
marked_line = '>> {0}'.format(lines[around])
lines = [' {0}'.format(line) for line in lines]
lines[around] = marked_line
lines.append('')
return lines
|
extract_lines
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, f_globals, line_no, around):\n current_line = linecache.getline(filename, line_no, f_globals)\n if not current_line:\n return ''\n lines = []\n for pre_line_no in range(line_no - around, line_no):\n pre_line = linecache.getline(filename, pre_line_no, f_globals)\n lines.append('{0}'.format(pre_line.rstrip()))\n lines.append('{0}'.format(current_line.rstrip()))\n for pre_line_no in range(line_no + 1, line_no + around + 1):\n pre_line = linecache.getline(filename, pre_line_no, f_globals)\n lines.append('{0}'.format(pre_line.rstrip()))\n minimal_tab = None\n for line in lines:\n if line.strip():\n tab = len(line) - len(line.lstrip())\n if minimal_tab is None or tab < minimal_tab:\n minimal_tab = tab\n if minimal_tab > 0:\n lines = [line[minimal_tab:] for line in lines]\n marked_line = '>> {0}'.format(lines[around])\n lines = [' {0}'.format(line) for line in lines]\n lines[around] = marked_line\n lines.append('')\n return lines\n",
"role": "user"
},
{
"content": "extract_lines",
"role": "assistant"
}
] |
def x(self):
return [('levels', self.print_levels), ('make', self.make_report), (
'clear', self.clear_report), ('show', self.show_report), ('write',
self.write_report)]
|
get_methods
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return [('levels', self.print_levels), ('make', self.make_report), (\n 'clear', self.clear_report), ('show', self.show_report), ('write',\n self.write_report)]\n",
"role": "user"
},
{
"content": "get_methods",
"role": "assistant"
}
] |
def x(self, level):
try:
return set(self.__levels[level])
except KeyError:
result = set()
for sub_level in self.__aliases[level]:
result.update(self.get_level_methods(sub_level))
return result
|
get_level_methods
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, level):\n try:\n return set(self.__levels[level])\n except KeyError:\n result = set()\n for sub_level in self.__aliases[level]:\n result.update(self.get_level_methods(sub_level))\n return result\n",
"role": "user"
},
{
"content": "get_level_methods",
"role": "assistant"
}
] |
def x(self, session):
lines = []
for level in sorted(self.get_levels()):
methods = sorted(method.__name__ for method in self.
get_level_methods(level))
lines.append('- {0}:'.format(level))
lines.append('\t{0}'.format(', '.join(methods)))
session.write_line('\n'.join(lines))
|
print_levels
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, session):\n lines = []\n for level in sorted(self.get_levels()):\n methods = sorted(method.__name__ for method in self.\n get_level_methods(level))\n lines.append('- {0}:'.format(level))\n lines.append('\\t{0}'.format(', '.join(methods)))\n session.write_line('\\n'.join(lines))\n",
"role": "user"
},
{
"content": "print_levels",
"role": "assistant"
}
] |
def x():
bits, linkage = platform.architecture()
results = {'platform.arch.bits': bits, 'platform.arch.linkage': linkage,
'platform.machine': platform.machine(), 'platform.process':
platform.processor(), 'sys.byteorder': sys.byteorder, 'os.name': os
.name, 'host.name': socket.gethostname(), 'sys.platform': sys.
platform, 'platform.system': platform.system(), 'platform.release':
platform.release(), 'platform.version': platform.version(),
'encoding.filesystem': sys.getfilesystemencoding()}
for name in ('sep', 'altsep', 'pathsep', 'linesep'):
results['os.{0}'.format(name)] = getattr(os, name, None)
try:
results['os.cpu_count'] = os.cpu_count()
except AttributeError:
results['os.cpu_count'] = None
try:
results['sys.dlopenflags'] = sys.getdlopenflags()
except AttributeError:
results['sys.dlopenflags'] = None
return results
|
os_details
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n bits, linkage = platform.architecture()\n results = {'platform.arch.bits': bits, 'platform.arch.linkage': linkage,\n 'platform.machine': platform.machine(), 'platform.process':\n platform.processor(), 'sys.byteorder': sys.byteorder, 'os.name': os\n .name, 'host.name': socket.gethostname(), 'sys.platform': sys.\n platform, 'platform.system': platform.system(), 'platform.release':\n platform.release(), 'platform.version': platform.version(),\n 'encoding.filesystem': sys.getfilesystemencoding()}\n for name in ('sep', 'altsep', 'pathsep', 'linesep'):\n results['os.{0}'.format(name)] = getattr(os, name, None)\n try:\n results['os.cpu_count'] = os.cpu_count()\n except AttributeError:\n results['os.cpu_count'] = None\n try:\n results['sys.dlopenflags'] = sys.getdlopenflags()\n except AttributeError:\n results['sys.dlopenflags'] = None\n return results\n",
"role": "user"
},
{
"content": "os_details",
"role": "assistant"
}
] |
def x():
results = {'argv': sys.argv, 'working.directory': os.getcwd()}
for key, method in {'pid': 'getpid', 'ppid': 'getppid', 'login':
'getlogin', 'uid': 'getuid', 'euid': 'geteuid', 'gid': 'getgid',
'egid': 'getegid', 'groups': 'getgroups'}.items():
try:
results[key] = getattr(os, method)()
except (AttributeError, OSError):
results[key] = None
return results
|
process_details
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n results = {'argv': sys.argv, 'working.directory': os.getcwd()}\n for key, method in {'pid': 'getpid', 'ppid': 'getppid', 'login':\n 'getlogin', 'uid': 'getuid', 'euid': 'geteuid', 'gid': 'getgid',\n 'egid': 'getegid', 'groups': 'getgroups'}.items():\n try:\n results[key] = getattr(os, method)()\n except (AttributeError, OSError):\n results[key] = None\n return results\n",
"role": "user"
},
{
"content": "process_details",
"role": "assistant"
}
] |
def x():
ipv4_addresses = [info[4][0] for info in socket.getaddrinfo(socket.
gethostname(), None, socket.AF_INET)]
ipv4_addresses.extend(info[4][0] for info in socket.getaddrinfo(
'localhost', None, socket.AF_INET))
ipv4_addresses = sorted(set(ipv4_addresses))
try:
ipv6_addresses = [info[4][0] for info in socket.getaddrinfo(socket.
gethostname(), None, socket.AF_INET6)]
ipv6_addresses.extend(info[4][0] for info in socket.getaddrinfo(
'localhost', None, socket.AF_INET6))
ipv6_addresses = sorted(set(ipv6_addresses))
except (socket.gaierror, AttributeError):
ipv6_addresses = None
return {'IPv4': ipv4_addresses, 'IPv6': ipv6_addresses, 'host.name':
socket.gethostname(), 'host.fqdn': socket.getfqdn()}
|
network_details
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n ipv4_addresses = [info[4][0] for info in socket.getaddrinfo(socket.\n gethostname(), None, socket.AF_INET)]\n ipv4_addresses.extend(info[4][0] for info in socket.getaddrinfo(\n 'localhost', None, socket.AF_INET))\n ipv4_addresses = sorted(set(ipv4_addresses))\n try:\n ipv6_addresses = [info[4][0] for info in socket.getaddrinfo(socket.\n gethostname(), None, socket.AF_INET6)]\n ipv6_addresses.extend(info[4][0] for info in socket.getaddrinfo(\n 'localhost', None, socket.AF_INET6))\n ipv6_addresses = sorted(set(ipv6_addresses))\n except (socket.gaierror, AttributeError):\n ipv6_addresses = None\n return {'IPv4': ipv4_addresses, 'IPv6': ipv6_addresses, 'host.name':\n socket.gethostname(), 'host.fqdn': socket.getfqdn()}\n",
"role": "user"
},
{
"content": "network_details",
"role": "assistant"
}
] |
def x():
build_no, build_date = platform.python_build()
results = {'build.number': build_no, 'build.date': build_date,
'compiler': platform.python_compiler(), 'branch': platform.
python_branch(), 'revision': platform.python_revision(),
'implementation': platform.python_implementation(), 'version': '.'.
join(str(v) for v in sys.version_info), 'api.version': sys.
api_version, 'prefix': sys.prefix, 'base_prefix': getattr(sys,
'base_prefix', None), 'exec_prefix': sys.exec_prefix,
'base_exec_prefix': getattr(sys, 'base_exec_prefix', None),
'executable': sys.executable, 'encoding.default': sys.
getdefaultencoding(), 'recursion_limit': sys.getrecursionlimit()}
thread_info = getattr(sys, 'thread_info', (None, None, None))
results['thread_info.name'] = thread_info[0]
results['thread_info.lock'] = thread_info[1]
results['thread_info.version'] = thread_info[2]
results['abiflags'] = getattr(sys, 'abiflags', None)
results['x_options'] = getattr(sys, '_xoptions', None)
return results
|
python_details
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n build_no, build_date = platform.python_build()\n results = {'build.number': build_no, 'build.date': build_date,\n 'compiler': platform.python_compiler(), 'branch': platform.\n python_branch(), 'revision': platform.python_revision(),\n 'implementation': platform.python_implementation(), 'version': '.'.\n join(str(v) for v in sys.version_info), 'api.version': sys.\n api_version, 'prefix': sys.prefix, 'base_prefix': getattr(sys,\n 'base_prefix', None), 'exec_prefix': sys.exec_prefix,\n 'base_exec_prefix': getattr(sys, 'base_exec_prefix', None),\n 'executable': sys.executable, 'encoding.default': sys.\n getdefaultencoding(), 'recursion_limit': sys.getrecursionlimit()}\n thread_info = getattr(sys, 'thread_info', (None, None, None))\n results['thread_info.name'] = thread_info[0]\n results['thread_info.lock'] = thread_info[1]\n results['thread_info.version'] = thread_info[2]\n results['abiflags'] = getattr(sys, 'abiflags', None)\n results['x_options'] = getattr(sys, '_xoptions', None)\n return results\n",
"role": "user"
},
{
"content": "python_details",
"role": "assistant"
}
] |
def x():
imported = {}
results = {'builtins': sys.builtin_module_names, 'imported': imported}
for module_name, module_ in sys.modules.items():
if module_name not in sys.builtin_module_names:
try:
imported[module_name] = inspect.getfile(module_)
except TypeError:
imported[module_name] = '<no file information :: {0}>'.format(
repr(module_))
return results
|
python_modules
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n imported = {}\n results = {'builtins': sys.builtin_module_names, 'imported': imported}\n for module_name, module_ in sys.modules.items():\n if module_name not in sys.builtin_module_names:\n try:\n imported[module_name] = inspect.getfile(module_)\n except TypeError:\n imported[module_name] = '<no file information :: {0}>'.format(\n repr(module_))\n return results\n",
"role": "user"
},
{
"content": "python_modules",
"role": "assistant"
}
] |
def x(self):
framework = self.__context.get_framework()
return {'version': framework.get_version(), 'properties': framework.
get_properties()}
|
pelix_infos
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n framework = self.__context.get_framework()\n return {'version': framework.get_version(), 'properties': framework.\n get_properties()}\n",
"role": "user"
},
{
"content": "pelix_infos",
"role": "assistant"
}
] |
def x(self):
framework = self.__context.get_framework()
return {bundle.get_bundle_id(): {'name': bundle.get_symbolic_name(),
'version': bundle.get_version(), 'state': bundle.get_state(),
'location': bundle.get_location()} for bundle in framework.
get_bundles()}
|
pelix_bundles
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n framework = self.__context.get_framework()\n return {bundle.get_bundle_id(): {'name': bundle.get_symbolic_name(),\n 'version': bundle.get_version(), 'state': bundle.get_state(),\n 'location': bundle.get_location()} for bundle in framework.\n get_bundles()}\n",
"role": "user"
},
{
"content": "pelix_bundles",
"role": "assistant"
}
] |
def x(self):
return {svc_ref.get_property(pelix.constants.SERVICE_ID): {
'specifications': svc_ref.get_property(pelix.constants.OBJECTCLASS),
'ranking': svc_ref.get_property(pelix.constants.SERVICE_RANKING),
'properties': svc_ref.get_properties(), 'bundle.id': svc_ref.
get_bundle().get_bundle_id(), 'bundle.name': svc_ref.get_bundle().
get_symbolic_name()} for svc_ref in self.__context.
get_all_service_references(None)}
|
pelix_services
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return {svc_ref.get_property(pelix.constants.SERVICE_ID): {\n 'specifications': svc_ref.get_property(pelix.constants.OBJECTCLASS),\n 'ranking': svc_ref.get_property(pelix.constants.SERVICE_RANKING),\n 'properties': svc_ref.get_properties(), 'bundle.id': svc_ref.\n get_bundle().get_bundle_id(), 'bundle.name': svc_ref.get_bundle().\n get_symbolic_name()} for svc_ref in self.__context.\n get_all_service_references(None)}\n",
"role": "user"
},
{
"content": "pelix_services",
"role": "assistant"
}
] |
def x(self):
try:
with use_ipopo(self.__context) as ipopo:
return {name: ipopo.get_factory_details(name) for name in ipopo
.get_factories()}
except BundleException:
return None
|
ipopo_factories
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n with use_ipopo(self.__context) as ipopo:\n return {name: ipopo.get_factory_details(name) for name in ipopo\n .get_factories()}\n except BundleException:\n return None\n",
"role": "user"
},
{
"content": "ipopo_factories",
"role": "assistant"
}
] |
def x(self):
try:
with use_ipopo(self.__context) as ipopo:
return {instance[0]: ipopo.get_instance_details(instance[0]) for
instance in ipopo.get_instances()}
except BundleException:
return None
|
ipopo_instances
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n with use_ipopo(self.__context) as ipopo:\n return {instance[0]: ipopo.get_instance_details(instance[0]) for\n instance in ipopo.get_instances()}\n except BundleException:\n return None\n",
"role": "user"
},
{
"content": "ipopo_instances",
"role": "assistant"
}
] |
def x():
results = {}
try:
frames = sys._current_frames()
names = threading._active.copy()
except AttributeError:
return results
thread_ids = sorted(frames.keys())
for thread_id in thread_ids:
stack = frames[thread_id]
try:
name = names[thread_id].name
except KeyError:
name = '<unknown>'
trace_lines = []
frame = stack
while frame is not None:
trace_lines.append(format_frame_info(frame))
frame = frame.f_back
results[thread_id] = {'name': name, 'stacktrace': '\n'.join(
reversed(trace_lines))}
return results
|
threads_list
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n results = {}\n try:\n frames = sys._current_frames()\n names = threading._active.copy()\n except AttributeError:\n return results\n thread_ids = sorted(frames.keys())\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 trace_lines = []\n frame = stack\n while frame is not None:\n trace_lines.append(format_frame_info(frame))\n frame = frame.f_back\n results[thread_id] = {'name': name, 'stacktrace': '\\n'.join(\n reversed(trace_lines))}\n return results\n",
"role": "user"
},
{
"content": "threads_list",
"role": "assistant"
}
] |
def x(self, session, *levels):
if not levels:
levels = ['full']
try:
methods = set()
for level in levels:
methods.update(self.get_level_methods(level))
except KeyError as ex:
session.write_line('Unknown report level: {0}', ex)
self.__report = None
else:
self.__report = {method.__name__: method() for method in methods}
self.__report['report'] = {'report.levels': levels, 'time.stamp':
time.time(), 'time.local': str(datetime.datetime.now()),
'time.utc': str(datetime.datetime.utcnow())}
return self.__report
|
make_report
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, session, *levels):\n if not levels:\n levels = ['full']\n try:\n methods = set()\n for level in levels:\n methods.update(self.get_level_methods(level))\n except KeyError as ex:\n session.write_line('Unknown report level: {0}', ex)\n self.__report = None\n else:\n self.__report = {method.__name__: method() for method in methods}\n self.__report['report'] = {'report.levels': levels, 'time.stamp':\n time.time(), 'time.local': str(datetime.datetime.now()),\n 'time.utc': str(datetime.datetime.utcnow())}\n return self.__report\n",
"role": "user"
},
{
"content": "make_report",
"role": "assistant"
}
] |
def x(self, data):
return json.dumps(data, sort_keys=True, indent=4, separators=(',', ': '
), default=self.json_converter) + '\n'
|
to_json
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n return json.dumps(data, sort_keys=True, indent=4, separators=(',', ': '\n ), default=self.json_converter) + '\\n'\n",
"role": "user"
},
{
"content": "to_json",
"role": "assistant"
}
] |
def x(self, session, *levels):
if levels:
self.make_report(session, *levels)
if self.__report:
session.write_line(self.to_json(self.__report))
else:
session.write_line('No report to show')
|
show_report
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, session, *levels):\n if levels:\n self.make_report(session, *levels)\n if self.__report:\n session.write_line(self.to_json(self.__report))\n else:\n session.write_line('No report to show')\n",
"role": "user"
},
{
"content": "show_report",
"role": "assistant"
}
] |
def x(self, session, filename):
if not self.__report:
session.write_line('No report to write down')
return
try:
with open(filename, 'w+') as out_file:
out_file.write(self.to_json(self.__report))
except IOError as ex:
session.write_line('Error writing to file: {0}', ex)
|
write_report
|
[
{
"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 if not self.__report:\n session.write_line('No report to write down')\n return\n try:\n with open(filename, 'w+') as out_file:\n out_file.write(self.to_json(self.__report))\n except IOError as ex:\n session.write_line('Error writing to file: {0}', ex)\n",
"role": "user"
},
{
"content": "write_report",
"role": "assistant"
}
] |
def x(self, result, error):
if not self._error and not self._result:
self._error = error
self._result = result
self._event.set()
|
handle_result
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, result, error):\n if not self._error and not self._result:\n self._error = error\n self._result = result\n self._event.set()\n",
"role": "user"
},
{
"content": "handle_result",
"role": "assistant"
}
] |
def x(self, service_event, listener_dict):
print('EventListenerHookImpl: service_event=', service_event,
', listener_dict=', listener_dict, sep='')
svc_ref = service_event.get_service_reference()
to_filter = svc_ref.get_property('to_filter')
if self._context in listener_dict and to_filter:
if self._count >= 3:
print(
'EventListenerHookSample removing our service listener so it will not be notified'
)
listener_dict.pop(self._context)
else:
self._count += 1
|
event
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, service_event, listener_dict):\n print('EventListenerHookImpl: service_event=', service_event,\n ', listener_dict=', listener_dict, sep='')\n svc_ref = service_event.get_service_reference()\n to_filter = svc_ref.get_property('to_filter')\n if self._context in listener_dict and to_filter:\n if self._count >= 3:\n print(\n 'EventListenerHookSample removing our service listener so it will not be notified'\n )\n listener_dict.pop(self._context)\n else:\n self._count += 1\n",
"role": "user"
},
{
"content": "event",
"role": "assistant"
}
] |
def x():
framework = pelix.framework.create_framework(('pelix.ipopo.core',
'pelix.shell.core', 'pelix.shell.console'))
framework.start()
context = framework.get_bundle_context()
context.install_bundle('spell_dictionary_EN').start()
context.install_bundle('spell_dictionary_FR').start()
context.install_bundle('spell_checker').start()
ref_config = context.get_service_reference('spell_checker_service')
with use_service(context, ref_config) as svc_config:
passage = 'Welcome to our framwork iPOPO'
print('1. Testing Spell Checker:', passage)
misspelled_words = svc_config.check(passage)
print('> Misspelled_words are:', misspelled_words)
context.install_bundle('spell_client').start()
framework.wait_for_stop()
|
main
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n framework = pelix.framework.create_framework(('pelix.ipopo.core',\n 'pelix.shell.core', 'pelix.shell.console'))\n framework.start()\n context = framework.get_bundle_context()\n context.install_bundle('spell_dictionary_EN').start()\n context.install_bundle('spell_dictionary_FR').start()\n context.install_bundle('spell_checker').start()\n ref_config = context.get_service_reference('spell_checker_service')\n with use_service(context, ref_config) as svc_config:\n passage = 'Welcome to our framwork iPOPO'\n print('1. Testing Spell Checker:', passage)\n misspelled_words = svc_config.check(passage)\n print('> Misspelled_words are:', misspelled_words)\n context.install_bundle('spell_client').start()\n framework.wait_for_stop()\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(socket, certfile, keyfile, password=None):
logger = logging.getLogger('ssl_wrap')
def x():
if password:
logger.error(
"The ssl.wrap_socket() fallback method doesn't support key files with a password."
)
raise OSError(
"Can't decode the SSL key file: this version of Python doesn't support it"
)
try:
default_context = ssl.create_default_context()
except AttributeError:
default_context = None
try:
context = ssl.SSLContext(ssl.PROTOCOL_SSLv23)
if default_context is not None:
context.options = default_context.options
else:
context.options |= ssl.OP_NO_SSLv2 | ssl.OP_NO_SSLv3
context.set_ciphers(_RESTRICTED_SERVER_CIPHERS)
try:
context.load_cert_chain(certfile, keyfile, password)
except TypeError:
_password_support_error()
context.load_cert_chain(certfile, keyfile)
return context.wrap_socket(socket, server_side=True)
except AttributeError as ex:
logger.warning(
"Can't create a custom SSLContext. The server should be considered insecure."
)
logger.debug('Missing attribute: %s', ex)
_password_support_error()
return ssl.wrap_socket(socket, server_side=True, certfile=certfile,
keyfile=keyfile)
|
wrap_socket
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(socket, certfile, keyfile, password=None):\n logger = logging.getLogger('ssl_wrap')\n\n def x():\n if password:\n logger.error(\n \"The ssl.wrap_socket() fallback method doesn't support key files with a password.\"\n )\n raise OSError(\n \"Can't decode the SSL key file: this version of Python doesn't support it\"\n )\n try:\n default_context = ssl.create_default_context()\n except AttributeError:\n default_context = None\n try:\n context = ssl.SSLContext(ssl.PROTOCOL_SSLv23)\n if default_context is not None:\n context.options = default_context.options\n else:\n context.options |= ssl.OP_NO_SSLv2 | ssl.OP_NO_SSLv3\n context.set_ciphers(_RESTRICTED_SERVER_CIPHERS)\n try:\n context.load_cert_chain(certfile, keyfile, password)\n except TypeError:\n _password_support_error()\n context.load_cert_chain(certfile, keyfile)\n return context.wrap_socket(socket, server_side=True)\n except AttributeError as ex:\n logger.warning(\n \"Can't create a custom SSLContext. The server should be considered insecure.\"\n )\n logger.debug('Missing attribute: %s', ex)\n _password_support_error()\n return ssl.wrap_socket(socket, server_side=True, certfile=certfile,\n keyfile=keyfile)\n",
"role": "user"
},
{
"content": "wrap_socket",
"role": "assistant"
}
] |
def x(items, tag='ul'):
html_list = '\n'.join('<li><a href="{0}">{0}</a></li>'.format(item) for
item in items)
return '<{0}>\n{1}\n</{0}>'.format(tag, html_list)
|
make_html_list
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(items, tag='ul'):\n html_list = '\\n'.join('<li><a href=\"{0}\">{0}</a></li>'.format(item) for\n item in items)\n return '<{0}>\\n{1}\\n</{0}>'.format(tag, html_list)\n",
"role": "user"
},
{
"content": "make_html_list",
"role": "assistant"
}
] |
def x(self):
try:
size = int(self.get_header('content-length'))
except (ValueError, TypeError):
size = -1
return self.get_rfile().read(size)
|
read_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n size = int(self.get_header('content-length'))\n except (ValueError, TypeError):\n size = -1\n return self.get_rfile().read(size)\n",
"role": "user"
},
{
"content": "read_data",
"role": "assistant"
}
] |
def x(self, http_code, content, mime_type='text/html', http_message=None,
content_length=-1):
self.set_response(http_code, http_message)
if mime_type and not self.is_header_set('content-type'):
self.set_header('content-type', mime_type)
raw_content = to_bytes(content)
if content_length is not None and not self.is_header_set('content-length'):
if content_length < 0:
content_length = len(raw_content)
self.set_header('content-length', content_length)
self.end_headers()
self.write(raw_content)
|
send_content
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, http_code, content, mime_type='text/html', http_message=None,\n content_length=-1):\n self.set_response(http_code, http_message)\n if mime_type and not self.is_header_set('content-type'):\n self.set_header('content-type', mime_type)\n raw_content = to_bytes(content)\n if content_length is not None and not self.is_header_set('content-length'):\n if content_length < 0:\n content_length = len(raw_content)\n self.set_header('content-length', content_length)\n self.end_headers()\n self.write(raw_content)\n",
"role": "user"
},
{
"content": "send_content",
"role": "assistant"
}
] |
def x(family, address):
if not address:
raise ValueError('Empty address')
group_bin = pton(family, address)
if family == socket.AF_INET:
return group_bin + struct.pack('=I', socket.INADDR_ANY)
elif family == socket.AF_INET6:
return group_bin + struct.pack('@I', 0)
raise ValueError('Unknown family {0}'.format(family))
|
make_mreq
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(family, address):\n if not address:\n raise ValueError('Empty address')\n group_bin = pton(family, address)\n if family == socket.AF_INET:\n return group_bin + struct.pack('=I', socket.INADDR_ANY)\n elif family == socket.AF_INET6:\n return group_bin + struct.pack('@I', 0)\n raise ValueError('Unknown family {0}'.format(family))\n",
"role": "user"
},
{
"content": "make_mreq",
"role": "assistant"
}
] |
def x(address, port):
try:
addrs_info = socket.getaddrinfo(address, port, socket.AF_UNSPEC,
socket.SOCK_DGRAM)
except socket.gaierror:
raise ValueError('Error retrieving address informations ({0}, {1})'
.format(address, port))
if len(addrs_info) > 1:
_logger.debug(
'More than one address information found. Using the first one.')
addr_info = addrs_info[0]
if addr_info[0] not in (socket.AF_INET, socket.AF_INET6):
raise ValueError('Unhandled socket family : %d' % addr_info[0])
sock = socket.socket(addr_info[0], socket.SOCK_DGRAM, socket.IPPROTO_UDP)
sock.setsockopt(socket.SOL_SOCKET, socket.SO_REUSEADDR, 1)
if hasattr(socket, 'SO_REUSEPORT'):
sock.setsockopt(socket.SOL_SOCKET, socket.SO_REUSEPORT, 1)
if sock.family == socket.AF_INET:
sock.bind(('0.0.0.0', port))
else:
sock.bind(('::', port))
mreq = make_mreq(sock.family, addr_info[4][0])
if sock.family == socket.AF_INET:
sock.setsockopt(socket.IPPROTO_IP, socket.IP_ADD_MEMBERSHIP, mreq)
sock.setsockopt(socket.IPPROTO_IP, socket.IP_MULTICAST_LOOP, 1)
elif sock.family == socket.AF_INET6:
sock.setsockopt(ipproto_ipv6(), socket.IPV6_JOIN_GROUP, mreq)
sock.setsockopt(ipproto_ipv6(), socket.IPV6_MULTICAST_LOOP, 1)
return sock, addr_info[4][0]
|
create_multicast_socket
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(address, port):\n try:\n addrs_info = socket.getaddrinfo(address, port, socket.AF_UNSPEC,\n socket.SOCK_DGRAM)\n except socket.gaierror:\n raise ValueError('Error retrieving address informations ({0}, {1})'\n .format(address, port))\n if len(addrs_info) > 1:\n _logger.debug(\n 'More than one address information found. Using the first one.')\n addr_info = addrs_info[0]\n if addr_info[0] not in (socket.AF_INET, socket.AF_INET6):\n raise ValueError('Unhandled socket family : %d' % addr_info[0])\n sock = socket.socket(addr_info[0], socket.SOCK_DGRAM, socket.IPPROTO_UDP)\n sock.setsockopt(socket.SOL_SOCKET, socket.SO_REUSEADDR, 1)\n if hasattr(socket, 'SO_REUSEPORT'):\n sock.setsockopt(socket.SOL_SOCKET, socket.SO_REUSEPORT, 1)\n if sock.family == socket.AF_INET:\n sock.bind(('0.0.0.0', port))\n else:\n sock.bind(('::', port))\n mreq = make_mreq(sock.family, addr_info[4][0])\n if sock.family == socket.AF_INET:\n sock.setsockopt(socket.IPPROTO_IP, socket.IP_ADD_MEMBERSHIP, mreq)\n sock.setsockopt(socket.IPPROTO_IP, socket.IP_MULTICAST_LOOP, 1)\n elif sock.family == socket.AF_INET6:\n sock.setsockopt(ipproto_ipv6(), socket.IPV6_JOIN_GROUP, mreq)\n sock.setsockopt(ipproto_ipv6(), socket.IPV6_MULTICAST_LOOP, 1)\n return sock, addr_info[4][0]\n",
"role": "user"
},
{
"content": "create_multicast_socket",
"role": "assistant"
}
] |
def x(sock, address):
if sock is None:
return
if address:
mreq = make_mreq(sock.family, address)
if sock.family == socket.AF_INET:
sock.setsockopt(socket.IPPROTO_IP, socket.IP_DROP_MEMBERSHIP, mreq)
elif sock.family == socket.AF_INET6:
sock.setsockopt(ipproto_ipv6(), socket.IPV6_LEAVE_GROUP, mreq)
sock.close()
|
close_multicast_socket
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sock, address):\n if sock is None:\n return\n if address:\n mreq = make_mreq(sock.family, address)\n if sock.family == socket.AF_INET:\n sock.setsockopt(socket.IPPROTO_IP, socket.IP_DROP_MEMBERSHIP, mreq)\n elif sock.family == socket.AF_INET6:\n sock.setsockopt(ipproto_ipv6(), socket.IPV6_LEAVE_GROUP, mreq)\n sock.close()\n",
"role": "user"
},
{
"content": "close_multicast_socket",
"role": "assistant"
}
] |
def x(self, name='Not given', message='nothing'):
print("Python.sayHello called by: {0} with message: '{1}'".format(name,
message))
return ("PythonSync says: Howdy {0} that's a nice runtime you got there"
.format(name))
|
sayHello
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name='Not given', message='nothing'):\n print(\"Python.sayHello called by: {0} with message: '{1}'\".format(name,\n message))\n return (\"PythonSync says: Howdy {0} that's a nice runtime you got there\"\n .format(name))\n",
"role": "user"
},
{
"content": "sayHello",
"role": "assistant"
}
] |
def x(self, name='Not given', message='nothing'):
print("Python.sayHelloAsync called by: {0} with message: '{1}'".format(
name, message))
return ("PythonAsync says: Howdy {0} that's a nice runtime you got there"
.format(name))
|
sayHelloAsync
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name='Not given', message='nothing'):\n print(\"Python.sayHelloAsync called by: {0} with message: '{1}'\".format(\n name, message))\n return (\"PythonAsync says: Howdy {0} that's a nice runtime you got there\"\n .format(name))\n",
"role": "user"
},
{
"content": "sayHelloAsync",
"role": "assistant"
}
] |
def x(self, name='Not given', message='nothing'):
print("Python.sayHelloPromise called by: {0} with message: '{1}'".
format(name, message))
return ("PythonPromise says: Howdy {0} that's a nice runtime you got there"
.format(name))
|
sayHelloPromise
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name='Not given', message='nothing'):\n print(\"Python.sayHelloPromise called by: {0} with message: '{1}'\".\n format(name, message))\n return (\"PythonPromise says: Howdy {0} that's a nice runtime you got there\"\n .format(name))\n",
"role": "user"
},
{
"content": "sayHelloPromise",
"role": "assistant"
}
] |
def x(factory_class, bundle_context):
try:
context = getattr(factory_class, constants.IPOPO_FACTORY_CONTEXT)
except AttributeError:
return None
if not context.completed:
return None
context.set_bundle_context(bundle_context)
return context
|
set_factory_context
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(factory_class, bundle_context):\n try:\n context = getattr(factory_class, constants.IPOPO_FACTORY_CONTEXT)\n except AttributeError:\n return None\n if not context.completed:\n return None\n context.set_bundle_context(bundle_context)\n return context\n",
"role": "user"
},
{
"content": "set_factory_context",
"role": "assistant"
}
] |
def x(bundle):
result = []
module_ = bundle.get_module()
bundle_context = bundle.get_bundle_context()
for name in dir(module_):
try:
factory_class = getattr(module_, name)
if not inspect.isclass(factory_class):
continue
if sys.modules[factory_class.__module__] is not module_:
continue
except (AttributeError, KeyError):
continue
context = _set_factory_context(factory_class, bundle_context)
if context is None:
continue
result.append((context, factory_class))
return result
|
load_bundle_factories
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bundle):\n result = []\n module_ = bundle.get_module()\n bundle_context = bundle.get_bundle_context()\n for name in dir(module_):\n try:\n factory_class = getattr(module_, name)\n if not inspect.isclass(factory_class):\n continue\n if sys.modules[factory_class.__module__] is not module_:\n continue\n except (AttributeError, KeyError):\n continue\n context = _set_factory_context(factory_class, bundle_context)\n if context is None:\n continue\n result.append((context, factory_class))\n return result\n",
"role": "user"
},
{
"content": "load_bundle_factories",
"role": "assistant"
}
] |
def x(self):
svc_refs = self.__context.get_all_service_references(handlers_const.
SERVICE_IPOPO_HANDLER_FACTORY)
if svc_refs:
for svc_ref in svc_refs:
self.__add_handler_factory(svc_ref)
|
find_handler_factories
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n svc_refs = self.__context.get_all_service_references(handlers_const.\n SERVICE_IPOPO_HANDLER_FACTORY)\n if svc_refs:\n for svc_ref in svc_refs:\n self.__add_handler_factory(svc_ref)\n",
"role": "user"
},
{
"content": "find_handler_factories",
"role": "assistant"
}
] |
def x(self, svc_ref):
with self.__handlers_lock:
handler_id = svc_ref.get_property(handlers_const.PROP_HANDLER_ID)
if handler_id in self._handlers:
_logger.warning('Already registered handler ID: %s', handler_id)
else:
self._handlers_refs.add(svc_ref)
self._handlers[handler_id] = self.__context.get_service(svc_ref)
succeeded = set()
for name, (context, instance) in self.__waiting_handlers.items():
if self.__try_instantiate(context, instance):
succeeded.add(name)
for name in succeeded:
del self.__waiting_handlers[name]
|
add_handler_factory
|
[
{
"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.__handlers_lock:\n handler_id = svc_ref.get_property(handlers_const.PROP_HANDLER_ID)\n if handler_id in self._handlers:\n _logger.warning('Already registered handler ID: %s', handler_id)\n else:\n self._handlers_refs.add(svc_ref)\n self._handlers[handler_id] = self.__context.get_service(svc_ref)\n succeeded = set()\n for name, (context, instance) in self.__waiting_handlers.items():\n if self.__try_instantiate(context, instance):\n succeeded.add(name)\n for name in succeeded:\n del self.__waiting_handlers[name]\n",
"role": "user"
},
{
"content": "add_handler_factory",
"role": "assistant"
}
] |
def x(self, svc_ref):
with self.__handlers_lock:
handler_id = svc_ref.get_property(handlers_const.PROP_HANDLER_ID)
if svc_ref not in self._handlers_refs:
return
self.__context.unget_service(svc_ref)
self._handlers_refs.remove(svc_ref)
del self._handlers[handler_id]
to_stop = set()
for factory_name in self.__factories:
_, factory_context = self.__get_factory_with_context(factory_name)
if handler_id in factory_context.get_handlers_ids():
to_stop.update(self.__get_stored_instances(factory_name))
with self.__instances_lock:
for stored_instance in to_stop:
context = stored_instance.context
name = context.name
instance = stored_instance.instance
del self.__instances[name]
stored_instance.kill()
self.__waiting_handlers[name] = context, instance
new_ref = self.__context.get_service_reference(handlers_const.
SERVICE_IPOPO_HANDLER_FACTORY, '({0}={1})'.format(
handlers_const.PROP_HANDLER_ID, handler_id))
if new_ref is not None:
self.__add_handler_factory(new_ref)
|
remove_handler_factory
|
[
{
"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.__handlers_lock:\n handler_id = svc_ref.get_property(handlers_const.PROP_HANDLER_ID)\n if svc_ref not in self._handlers_refs:\n return\n self.__context.unget_service(svc_ref)\n self._handlers_refs.remove(svc_ref)\n del self._handlers[handler_id]\n to_stop = set()\n for factory_name in self.__factories:\n _, factory_context = self.__get_factory_with_context(factory_name)\n if handler_id in factory_context.get_handlers_ids():\n to_stop.update(self.__get_stored_instances(factory_name))\n with self.__instances_lock:\n for stored_instance in to_stop:\n context = stored_instance.context\n name = context.name\n instance = stored_instance.instance\n del self.__instances[name]\n stored_instance.kill()\n self.__waiting_handlers[name] = context, instance\n new_ref = self.__context.get_service_reference(handlers_const.\n SERVICE_IPOPO_HANDLER_FACTORY, '({0}={1})'.format(\n handlers_const.PROP_HANDLER_ID, handler_id))\n if new_ref is not None:\n self.__add_handler_factory(new_ref)\n",
"role": "user"
},
{
"content": "remove_handler_factory",
"role": "assistant"
}
] |
def x(self, factory_name):
factory = self.__factories.get(factory_name)
if factory is None:
raise TypeError("Unknown factory '{0}'".format(factory_name))
factory_context = getattr(factory, constants.IPOPO_FACTORY_CONTEXT, None)
if factory_context is None:
raise TypeError("Factory context missing in '{0}'".format(factory_name)
)
return factory, factory_context
|
get_factory_with_context
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, factory_name):\n factory = self.__factories.get(factory_name)\n if factory is None:\n raise TypeError(\"Unknown factory '{0}'\".format(factory_name))\n factory_context = getattr(factory, constants.IPOPO_FACTORY_CONTEXT, None)\n if factory_context is None:\n raise TypeError(\"Factory context missing in '{0}'\".format(factory_name)\n )\n return factory, factory_context\n",
"role": "user"
},
{
"content": "get_factory_with_context",
"role": "assistant"
}
] |
def x(self, factory_name):
with self.__instances_lock:
return [stored_instance for stored_instance in self.__instances.
values() if stored_instance.factory_name == factory_name]
|
get_stored_instances
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, factory_name):\n with self.__instances_lock:\n return [stored_instance for stored_instance in self.__instances.\n values() if stored_instance.factory_name == factory_name]\n",
"role": "user"
},
{
"content": "get_stored_instances",
"role": "assistant"
}
] |
def x(self, component_context, instance):
with self.__instances_lock:
factory_context = component_context.factory_context
handlers_ids = factory_context.get_handlers_ids()
name = component_context.name
factory_name = factory_context.name
try:
handler_factories = self.__get_handler_factories(handlers_ids)
except KeyError:
return False
all_handlers = set()
for handler_factory in handler_factories:
handlers = handler_factory.get_handlers(component_context, instance
)
if handlers:
all_handlers.update(handlers)
stored_instance = StoredInstance(self, component_context, instance,
all_handlers)
for handler in all_handlers:
handler.manipulate(stored_instance, instance)
self.__instances[name] = stored_instance
stored_instance.start()
self._fire_ipopo_event(constants.IPopoEvent.INSTANTIATED, factory_name,
name)
stored_instance.update_bindings()
stored_instance.check_lifecycle()
return True
|
try_instantiate
|
[
{
"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 with self.__instances_lock:\n factory_context = component_context.factory_context\n handlers_ids = factory_context.get_handlers_ids()\n name = component_context.name\n factory_name = factory_context.name\n try:\n handler_factories = self.__get_handler_factories(handlers_ids)\n except KeyError:\n return False\n all_handlers = set()\n for handler_factory in handler_factories:\n handlers = handler_factory.get_handlers(component_context, instance\n )\n if handlers:\n all_handlers.update(handlers)\n stored_instance = StoredInstance(self, component_context, instance,\n all_handlers)\n for handler in all_handlers:\n handler.manipulate(stored_instance, instance)\n self.__instances[name] = stored_instance\n stored_instance.start()\n self._fire_ipopo_event(constants.IPopoEvent.INSTANTIATED, factory_name,\n name)\n stored_instance.update_bindings()\n stored_instance.check_lifecycle()\n return True\n",
"role": "user"
},
{
"content": "try_instantiate",
"role": "assistant"
}
] |
def x(self, bundle):
with self.__instances_lock:
store = self.__auto_restart.setdefault(bundle, [])
for stored_instance in self.__instances.values():
factory = stored_instance.factory_name
if self.get_factory_bundle(factory) is bundle:
properties = stored_instance.context.properties
if properties.get(constants.IPOPO_AUTO_RESTART):
store.append((factory, stored_instance.name, properties))
|
autorestart_store_components
|
[
{
"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.__instances_lock:\n store = self.__auto_restart.setdefault(bundle, [])\n for stored_instance in self.__instances.values():\n factory = stored_instance.factory_name\n if self.get_factory_bundle(factory) is bundle:\n properties = stored_instance.context.properties\n if properties.get(constants.IPOPO_AUTO_RESTART):\n store.append((factory, stored_instance.name, properties))\n",
"role": "user"
},
{
"content": "autorestart_store_components",
"role": "assistant"
}
] |
def x(self, bundle):
with self.__instances_lock:
instances = self.__auto_restart.get(bundle)
if not instances:
return
for factory, name, properties in instances:
try:
self.instantiate(factory, name, properties)
except Exception as ex:
_logger.exception(
"Error restarting component '%s' ('%s') from bundle %s (%d): %s"
, name, factory, bundle.get_symbolic_name(), bundle.
get_bundle_id(), ex)
|
autorestart_components
|
[
{
"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.__instances_lock:\n instances = self.__auto_restart.get(bundle)\n if not instances:\n return\n for factory, name, properties in instances:\n try:\n self.instantiate(factory, name, properties)\n except Exception as ex:\n _logger.exception(\n \"Error restarting component '%s' ('%s') from bundle %s (%d): %s\"\n , name, factory, bundle.get_symbolic_name(), bundle.\n get_bundle_id(), ex)\n",
"role": "user"
},
{
"content": "autorestart_components",
"role": "assistant"
}
] |
def x(self, kind, factory_name, instance_name=None):
with self.__listeners_lock:
listeners = self.__listeners[:]
for listener in listeners:
try:
listener.handle_ipopo_event(constants.IPopoEvent(kind,
factory_name, instance_name))
except:
_logger.exception('Error calling an iPOPO event handler')
|
fire_ipopo_event
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, kind, factory_name, instance_name=None):\n with self.__listeners_lock:\n listeners = self.__listeners[:]\n for listener in listeners:\n try:\n listener.handle_ipopo_event(constants.IPopoEvent(kind,\n factory_name, instance_name))\n except:\n _logger.exception('Error calling an iPOPO event handler')\n",
"role": "user"
},
{
"content": "fire_ipopo_event",
"role": "assistant"
}
] |
def x(self, properties, factory_properties):
if properties is None or not isinstance(properties, dict):
properties = {}
framework = self.__context.get_framework()
for property_name in factory_properties:
if property_name not in properties:
value = framework.get_property(property_name)
if value is not None:
properties[property_name] = value
return properties
|
prepare_instance_properties
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, properties, factory_properties):\n if properties is None or not isinstance(properties, dict):\n properties = {}\n framework = self.__context.get_framework()\n for property_name in factory_properties:\n if property_name not in properties:\n value = framework.get_property(property_name)\n if value is not None:\n properties[property_name] = value\n return properties\n",
"role": "user"
},
{
"content": "prepare_instance_properties",
"role": "assistant"
}
] |
def x(self, bundle):
factories = _load_bundle_factories(bundle)
for context, factory_class in factories:
try:
self._register_factory(context.name, factory_class, False)
except ValueError as ex:
_logger.error("Cannot register factory '%s' of bundle %d (%s): %s",
context.name, bundle.get_bundle_id(), bundle.
get_symbolic_name(), ex)
_logger.error('class: %s -- module: %s', factory_class,
factory_class.__module__)
else:
for name, properties in context.get_instances().items():
self.instantiate(context.name, name, properties)
|
register_bundle_factories
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bundle):\n factories = _load_bundle_factories(bundle)\n for context, factory_class in factories:\n try:\n self._register_factory(context.name, factory_class, False)\n except ValueError as ex:\n _logger.error(\"Cannot register factory '%s' of bundle %d (%s): %s\",\n context.name, bundle.get_bundle_id(), bundle.\n get_symbolic_name(), ex)\n _logger.error('class: %s -- module: %s', factory_class,\n factory_class.__module__)\n else:\n for name, properties in context.get_instances().items():\n self.instantiate(context.name, name, properties)\n",
"role": "user"
},
{
"content": "register_bundle_factories",
"role": "assistant"
}
] |
def x(self, factory_name, factory, override):
if not factory_name or not is_string(factory_name):
raise ValueError('A factory name must be a non-empty string')
if not inspect.isclass(factory):
raise TypeError("Invalid factory class '{0}'".format(type(factory).
__name__))
with self.__factories_lock:
if factory_name in self.__factories:
if override:
_logger.info("Overriding factory '%s'", factory_name)
else:
raise ValueError("'{0}' factory already exist".format(
factory_name))
self.__factories[factory_name] = factory
self._fire_ipopo_event(constants.IPopoEvent.REGISTERED, factory_name)
|
register_factory
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, factory_name, factory, override):\n if not factory_name or not is_string(factory_name):\n raise ValueError('A factory name must be a non-empty string')\n if not inspect.isclass(factory):\n raise TypeError(\"Invalid factory class '{0}'\".format(type(factory).\n __name__))\n with self.__factories_lock:\n if factory_name in self.__factories:\n if override:\n _logger.info(\"Overriding factory '%s'\", factory_name)\n else:\n raise ValueError(\"'{0}' factory already exist\".format(\n factory_name))\n self.__factories[factory_name] = factory\n self._fire_ipopo_event(constants.IPopoEvent.REGISTERED, factory_name)\n",
"role": "user"
},
{
"content": "register_factory",
"role": "assistant"
}
] |
def x(self):
factories = list(self.__factories.keys())
for factory_name in factories:
self.unregister_factory(factory_name)
|
unregister_all_factories
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n factories = list(self.__factories.keys())\n for factory_name in factories:\n self.unregister_factory(factory_name)\n",
"role": "user"
},
{
"content": "unregister_all_factories",
"role": "assistant"
}
] |
def x(self, bundle):
with self.__factories_lock:
to_remove = [factory_name for factory_name in self.__factories if
self.get_factory_bundle(factory_name) is bundle]
for factory_name in to_remove:
try:
self.unregister_factory(factory_name)
except ValueError as ex:
_logger.warning("Error unregistering factory '%s': %s",
factory_name, ex)
|
unregister_bundle_factories
|
[
{
"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.__factories_lock:\n to_remove = [factory_name for factory_name in self.__factories if \n self.get_factory_bundle(factory_name) is bundle]\n for factory_name in to_remove:\n try:\n self.unregister_factory(factory_name)\n except ValueError as ex:\n _logger.warning(\"Error unregistering factory '%s': %s\",\n factory_name, ex)\n",
"role": "user"
},
{
"content": "unregister_bundle_factories",
"role": "assistant"
}
] |
def x(self):
self.running = False
self.__context.remove_service_listener(self)
with self.__instances_lock:
for svc_ref in self._handlers_refs:
self.__context.unget_service(svc_ref)
self._handlers.clear()
self._handlers_refs.clear()
|
stop
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.running = False\n self.__context.remove_service_listener(self)\n with self.__instances_lock:\n for svc_ref in self._handlers_refs:\n self.__context.unget_service(svc_ref)\n self._handlers.clear()\n self._handlers_refs.clear()\n",
"role": "user"
},
{
"content": "stop",
"role": "assistant"
}
] |
def x(self, event):
kind = event.get_kind()
bundle = event.get_bundle()
if kind == BundleEvent.STOPPING_PRECLEAN:
self._unregister_bundle_factories(bundle)
elif kind == BundleEvent.STARTED:
self._register_bundle_factories(bundle)
elif kind == BundleEvent.UPDATE_BEGIN:
self._autorestart_store_components(bundle)
elif kind == BundleEvent.UPDATED:
self._autorestart_components(bundle)
self._autorestart_clear_components(bundle)
elif kind == BundleEvent.UPDATE_FAILED:
self._autorestart_clear_components(bundle)
|
bundle_changed
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n kind = event.get_kind()\n bundle = event.get_bundle()\n if kind == BundleEvent.STOPPING_PRECLEAN:\n self._unregister_bundle_factories(bundle)\n elif kind == BundleEvent.STARTED:\n self._register_bundle_factories(bundle)\n elif kind == BundleEvent.UPDATE_BEGIN:\n self._autorestart_store_components(bundle)\n elif kind == BundleEvent.UPDATED:\n self._autorestart_components(bundle)\n self._autorestart_clear_components(bundle)\n elif kind == BundleEvent.UPDATE_FAILED:\n self._autorestart_clear_components(bundle)\n",
"role": "user"
},
{
"content": "bundle_changed",
"role": "assistant"
}
] |
def x(self, event):
kind = event.get_kind()
svc_ref = event.get_service_reference()
if kind == ServiceEvent.REGISTERED:
with self.__instances_lock:
self.__add_handler_factory(svc_ref)
elif kind == ServiceEvent.UNREGISTERING:
with self.__instances_lock:
self.__remove_handler_factory(svc_ref)
|
service_changed
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n kind = event.get_kind()\n svc_ref = event.get_service_reference()\n if kind == ServiceEvent.REGISTERED:\n with self.__instances_lock:\n self.__add_handler_factory(svc_ref)\n elif kind == ServiceEvent.UNREGISTERING:\n with self.__instances_lock:\n self.__remove_handler_factory(svc_ref)\n",
"role": "user"
},
{
"content": "service_changed",
"role": "assistant"
}
] |
def x(self, factory_name, name, properties=None):
if not factory_name or not is_string(factory_name):
raise ValueError('Invalid factory name')
if not name or not is_string(name):
raise ValueError('Invalid component name')
if not self.running:
raise ValueError('Framework is stopping')
with self.__instances_lock:
if name in self.__instances or name in self.__waiting_handlers:
raise ValueError("'{0}' is an already running instance name".
format(name))
with self.__factories_lock:
factory, factory_context = self.__get_factory_with_context(
factory_name)
if (factory_context.is_singleton and factory_context.
is_singleton_active):
raise ValueError(
"{0} is a singleton: {1} can't be instantiated.".format
(factory_name, name))
try:
instance = factory()
except Exception:
_logger.exception(
"Error creating the instance '%s' from factory '%s'",
name, factory_name)
raise TypeError("Factory '{0}' failed to create '{1}'".
format(factory_name, name))
if factory_context.is_singleton:
factory_context.is_singleton_active = True
properties = self._prepare_instance_properties(properties,
factory_context.properties)
component_context = ComponentContext(factory_context, name, properties)
if not self.__try_instantiate(component_context, instance):
self.__waiting_handlers[name] = component_context, instance
return instance
|
instantiate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, factory_name, name, properties=None):\n if not factory_name or not is_string(factory_name):\n raise ValueError('Invalid factory name')\n if not name or not is_string(name):\n raise ValueError('Invalid component name')\n if not self.running:\n raise ValueError('Framework is stopping')\n with self.__instances_lock:\n if name in self.__instances or name in self.__waiting_handlers:\n raise ValueError(\"'{0}' is an already running instance name\".\n format(name))\n with self.__factories_lock:\n factory, factory_context = self.__get_factory_with_context(\n factory_name)\n if (factory_context.is_singleton and factory_context.\n is_singleton_active):\n raise ValueError(\n \"{0} is a singleton: {1} can't be instantiated.\".format\n (factory_name, name))\n try:\n instance = factory()\n except Exception:\n _logger.exception(\n \"Error creating the instance '%s' from factory '%s'\",\n name, factory_name)\n raise TypeError(\"Factory '{0}' failed to create '{1}'\".\n format(factory_name, name))\n if factory_context.is_singleton:\n factory_context.is_singleton_active = True\n properties = self._prepare_instance_properties(properties,\n factory_context.properties)\n component_context = ComponentContext(factory_context, name, properties)\n if not self.__try_instantiate(component_context, instance):\n self.__waiting_handlers[name] = component_context, instance\n return instance\n",
"role": "user"
},
{
"content": "instantiate",
"role": "assistant"
}
] |
def x(self, name, properties_update=None):
with self.__instances_lock:
try:
stored_instance = self.__instances[name]
except KeyError:
raise ValueError("Unknown component instance '{0}'".format(name))
else:
return stored_instance.retry_erroneous(properties_update)
|
retry_erroneous
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, properties_update=None):\n with self.__instances_lock:\n try:\n stored_instance = self.__instances[name]\n except KeyError:\n raise ValueError(\"Unknown component instance '{0}'\".format(name))\n else:\n return stored_instance.retry_erroneous(properties_update)\n",
"role": "user"
},
{
"content": "retry_erroneous",
"role": "assistant"
}
] |
def x(self, name):
with self.__instances_lock:
try:
stored_instance = self.__instances[name]
except KeyError:
raise ValueError("Unknown component instance '{0}'".format(name))
else:
stored_instance.invalidate(True)
|
invalidate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n with self.__instances_lock:\n try:\n stored_instance = self.__instances[name]\n except KeyError:\n raise ValueError(\"Unknown component instance '{0}'\".format(name))\n else:\n stored_instance.invalidate(True)\n",
"role": "user"
},
{
"content": "invalidate",
"role": "assistant"
}
] |
def x(self, name):
if not name:
raise ValueError("Name can't be None or empty")
with self.__instances_lock:
try:
stored_instance = self.__instances.pop(name)
factory_context = stored_instance.context.factory_context
stored_instance.kill()
factory_context.is_singleton_active = False
except KeyError:
try:
context, _ = self.__waiting_handlers.pop(name)
context.factory_context.is_singleton_active = False
except KeyError:
raise ValueError("Unknown component instance '{0}'".format(
name))
|
kill
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n if not name:\n raise ValueError(\"Name can't be None or empty\")\n with self.__instances_lock:\n try:\n stored_instance = self.__instances.pop(name)\n factory_context = stored_instance.context.factory_context\n stored_instance.kill()\n factory_context.is_singleton_active = False\n except KeyError:\n try:\n context, _ = self.__waiting_handlers.pop(name)\n context.factory_context.is_singleton_active = False\n except KeyError:\n raise ValueError(\"Unknown component instance '{0}'\".format(\n name))\n",
"role": "user"
},
{
"content": "kill",
"role": "assistant"
}
] |
def x(self, bundle_context, factory):
if factory is None or bundle_context is None:
raise ValueError('Invalid parameter')
context = _set_factory_context(factory, bundle_context)
if not context:
raise TypeError('Not a manipulated class (no context found)')
self._register_factory(context.name, factory, False)
return True
|
register_factory
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bundle_context, factory):\n if factory is None or bundle_context is None:\n raise ValueError('Invalid parameter')\n context = _set_factory_context(factory, bundle_context)\n if not context:\n raise TypeError('Not a manipulated class (no context found)')\n self._register_factory(context.name, factory, False)\n return True\n",
"role": "user"
},
{
"content": "register_factory",
"role": "assistant"
}
] |
def x(self, factory_name):
if not factory_name or not is_string(factory_name):
return False
with self.__factories_lock:
try:
factory_class = self.__factories.pop(factory_name)
except KeyError:
return False
self._fire_ipopo_event(constants.IPopoEvent.UNREGISTERED, factory_name)
with self.__instances_lock:
to_remove = self.__get_stored_instances(factory_name)
for instance in to_remove:
try:
self.kill(instance.name)
except ValueError:
pass
names = [name for name, (context, _) in self.__waiting_handlers
.items() if context.factory_context.name == factory_name]
for name in names:
del self.__waiting_handlers[name]
_set_factory_context(factory_class, None)
return True
|
unregister_factory
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, factory_name):\n if not factory_name or not is_string(factory_name):\n return False\n with self.__factories_lock:\n try:\n factory_class = self.__factories.pop(factory_name)\n except KeyError:\n return False\n self._fire_ipopo_event(constants.IPopoEvent.UNREGISTERED, factory_name)\n with self.__instances_lock:\n to_remove = self.__get_stored_instances(factory_name)\n for instance in to_remove:\n try:\n self.kill(instance.name)\n except ValueError:\n pass\n names = [name for name, (context, _) in self.__waiting_handlers\n .items() if context.factory_context.name == factory_name]\n for name in names:\n del self.__waiting_handlers[name]\n _set_factory_context(factory_class, None)\n return True\n",
"role": "user"
},
{
"content": "unregister_factory",
"role": "assistant"
}
] |
def x(self):
with self.__instances_lock:
return sorted((name, stored_instance.factory_name, stored_instance.
state) for name, stored_instance in self.__instances.items())
|
get_instances
|
[
{
"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.__instances_lock:\n return sorted((name, stored_instance.factory_name, stored_instance.\n state) for name, stored_instance in self.__instances.items())\n",
"role": "user"
},
{
"content": "get_instances",
"role": "assistant"
}
] |
def x(self):
with self.__instances_lock:
result = []
for name, (context, _) in self.__waiting_handlers.items():
missing = set(context.factory_context.get_handlers_ids())
missing.difference_update(self._handlers.keys())
result.append((name, context.factory_context.name, missing))
result.sort()
return result
|
get_waiting_components
|
[
{
"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.__instances_lock:\n result = []\n for name, (context, _) in self.__waiting_handlers.items():\n missing = set(context.factory_context.get_handlers_ids())\n missing.difference_update(self._handlers.keys())\n result.append((name, context.factory_context.name, missing))\n result.sort()\n return result\n",
"role": "user"
},
{
"content": "get_waiting_components",
"role": "assistant"
}
] |
def x(self, name):
if not is_string(name):
raise ValueError('Component name must be a string')
with self.__instances_lock:
if name not in self.__instances:
raise ValueError('Unknown component: {0}'.format(name))
stored_instance = self.__instances[name]
assert isinstance(stored_instance, StoredInstance)
with stored_instance._lock:
result = {}
result['name'] = stored_instance.name
result['factory'] = stored_instance.factory_name
result['bundle_id'] = stored_instance.bundle_context.get_bundle(
).get_bundle_id()
result['state'] = stored_instance.state
result['error_trace'] = stored_instance.error_trace
result['services'] = {}
for handler in stored_instance.get_handlers(handlers_const.
KIND_SERVICE_PROVIDER):
svc_ref = handler.get_service_reference()
if svc_ref is not None:
svc_id = svc_ref.get_property(SERVICE_ID)
result['services'][svc_id] = svc_ref
result['dependencies'] = {}
for dependency in stored_instance.get_handlers(handlers_const.
KIND_DEPENDENCY):
info = result['dependencies'][dependency.get_field()] = {}
info['handler'] = type(dependency).__name__
req = dependency.requirement
info['specification'] = req.specification
info['filter'] = str(req.filter) if req.filter else None
info['optional'] = req.optional
info['aggregate'] = req.aggregate
info['bindings'] = dependency.get_bindings()
properties = stored_instance.context.properties.items()
result['properties'] = {str(key): str(value) for key, value in
properties}
return result
|
get_instance_details
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n if not is_string(name):\n raise ValueError('Component name must be a string')\n with self.__instances_lock:\n if name not in self.__instances:\n raise ValueError('Unknown component: {0}'.format(name))\n stored_instance = self.__instances[name]\n assert isinstance(stored_instance, StoredInstance)\n with stored_instance._lock:\n result = {}\n result['name'] = stored_instance.name\n result['factory'] = stored_instance.factory_name\n result['bundle_id'] = stored_instance.bundle_context.get_bundle(\n ).get_bundle_id()\n result['state'] = stored_instance.state\n result['error_trace'] = stored_instance.error_trace\n result['services'] = {}\n for handler in stored_instance.get_handlers(handlers_const.\n KIND_SERVICE_PROVIDER):\n svc_ref = handler.get_service_reference()\n if svc_ref is not None:\n svc_id = svc_ref.get_property(SERVICE_ID)\n result['services'][svc_id] = svc_ref\n result['dependencies'] = {}\n for dependency in stored_instance.get_handlers(handlers_const.\n KIND_DEPENDENCY):\n info = result['dependencies'][dependency.get_field()] = {}\n info['handler'] = type(dependency).__name__\n req = dependency.requirement\n info['specification'] = req.specification\n info['filter'] = str(req.filter) if req.filter else None\n info['optional'] = req.optional\n info['aggregate'] = req.aggregate\n info['bindings'] = dependency.get_bindings()\n properties = stored_instance.context.properties.items()\n result['properties'] = {str(key): str(value) for key, value in\n properties}\n return result\n",
"role": "user"
},
{
"content": "get_instance_details",
"role": "assistant"
}
] |
def x(self, name):
with self.__factories_lock:
try:
factory = self.__factories[name]
except KeyError:
raise ValueError("Unknown factory '{0}'".format(name))
else:
factory_context = getattr(factory, constants.IPOPO_FACTORY_CONTEXT)
return factory_context.bundle_context.get_bundle()
|
get_factory_bundle
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n with self.__factories_lock:\n try:\n factory = self.__factories[name]\n except KeyError:\n raise ValueError(\"Unknown factory '{0}'\".format(name))\n else:\n factory_context = getattr(factory, constants.IPOPO_FACTORY_CONTEXT)\n return factory_context.bundle_context.get_bundle()\n",
"role": "user"
},
{
"content": "get_factory_bundle",
"role": "assistant"
}
] |
def x(self, name):
with self.__factories_lock:
try:
factory = self.__factories[name]
except KeyError:
raise ValueError("Unknown factory '{0}'".format(name))
context = getattr(factory, constants.IPOPO_FACTORY_CONTEXT)
assert isinstance(context, FactoryContext)
result = {}
result['name'] = context.name
result['bundle'] = context.bundle_context.get_bundle()
result['properties'] = {prop_name: context.properties.get(prop_name
) for prop_name in context.properties_fields.values()}
reqs = result['requirements'] = []
handler_requires = context.get_handler(constants.HANDLER_REQUIRES)
if handler_requires is not None:
for field, requirement in handler_requires.items():
reqs.append({'id': field, 'specification': requirement.
specification, 'aggregate': requirement.aggregate,
'optional': requirement.optional, 'filter': requirement
.original_filter})
handler_provides = context.get_handler(constants.HANDLER_PROVIDES)
if handler_provides is not None:
result['services'] = [specs_controller[0] for specs_controller in
handler_provides]
else:
result['services'] = []
handlers = set(context.get_handlers_ids())
handlers.difference_update((constants.HANDLER_PROPERTY, constants.
HANDLER_PROVIDES, constants.HANDLER_REQUIRES))
result['handlers'] = {handler: copy.deepcopy(context.get_handler(
handler)) for handler in handlers}
return result
|
get_factory_details
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n with self.__factories_lock:\n try:\n factory = self.__factories[name]\n except KeyError:\n raise ValueError(\"Unknown factory '{0}'\".format(name))\n context = getattr(factory, constants.IPOPO_FACTORY_CONTEXT)\n assert isinstance(context, FactoryContext)\n result = {}\n result['name'] = context.name\n result['bundle'] = context.bundle_context.get_bundle()\n result['properties'] = {prop_name: context.properties.get(prop_name\n ) for prop_name in context.properties_fields.values()}\n reqs = result['requirements'] = []\n handler_requires = context.get_handler(constants.HANDLER_REQUIRES)\n if handler_requires is not None:\n for field, requirement in handler_requires.items():\n reqs.append({'id': field, 'specification': requirement.\n specification, 'aggregate': requirement.aggregate,\n 'optional': requirement.optional, 'filter': requirement\n .original_filter})\n handler_provides = context.get_handler(constants.HANDLER_PROVIDES)\n if handler_provides is not None:\n result['services'] = [specs_controller[0] for specs_controller in\n handler_provides]\n else:\n result['services'] = []\n handlers = set(context.get_handlers_ids())\n handlers.difference_update((constants.HANDLER_PROPERTY, constants.\n HANDLER_PROVIDES, constants.HANDLER_REQUIRES))\n result['handlers'] = {handler: copy.deepcopy(context.get_handler(\n handler)) for handler in handlers}\n return result\n",
"role": "user"
},
{
"content": "get_factory_details",
"role": "assistant"
}
] |
def x(socket_obj, double_stack=True):
try:
opt_ipv6_only = socket.IPV6_V6ONLY
except AttributeError:
if os.name == 'nt':
opt_ipv6_only = 27
elif platform.system() == 'Linux':
opt_ipv6_only = 26
else:
raise
socket_obj.setsockopt(ipproto_ipv6(), opt_ipv6_only, int(not double_stack))
|
set_double_stack
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(socket_obj, double_stack=True):\n try:\n opt_ipv6_only = socket.IPV6_V6ONLY\n except AttributeError:\n if os.name == 'nt':\n opt_ipv6_only = 27\n elif platform.system() == 'Linux':\n opt_ipv6_only = 26\n else:\n raise\n socket_obj.setsockopt(ipproto_ipv6(), opt_ipv6_only, int(not double_stack))\n",
"role": "user"
},
{
"content": "set_double_stack",
"role": "assistant"
}
] |
def x(ldap_string):
if not ldap_string:
return ldap_string
assert is_string(ldap_string)
ldap_string = ldap_string.replace(ESCAPE_CHARACTER, ESCAPE_CHARACTER +
ESCAPE_CHARACTER)
if ldap_string.startswith(' '):
ldap_string = '\\ {0}'.format(ldap_string[1:])
if ldap_string.endswith(' '):
ldap_string = '{0}\\ '.format(ldap_string[:-1])
for escaped in ESCAPED_CHARACTERS:
ldap_string = ldap_string.replace(escaped, ESCAPE_CHARACTER + escaped)
return ldap_string
|
escape_LDAP
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ldap_string):\n if not ldap_string:\n return ldap_string\n assert is_string(ldap_string)\n ldap_string = ldap_string.replace(ESCAPE_CHARACTER, ESCAPE_CHARACTER +\n ESCAPE_CHARACTER)\n if ldap_string.startswith(' '):\n ldap_string = '\\\\ {0}'.format(ldap_string[1:])\n if ldap_string.endswith(' '):\n ldap_string = '{0}\\\\ '.format(ldap_string[:-1])\n for escaped in ESCAPED_CHARACTERS:\n ldap_string = ldap_string.replace(escaped, ESCAPE_CHARACTER + escaped)\n return ldap_string\n",
"role": "user"
},
{
"content": "escape_LDAP",
"role": "assistant"
}
] |
def x(ldap_string):
if ldap_string is None:
return None
if ESCAPE_CHARACTER not in ldap_string:
return ldap_string
escaped = False
result = ''
for character in ldap_string:
if not escaped and character == ESCAPE_CHARACTER:
escaped = True
else:
escaped = False
result += character
return result
|
unescape_LDAP
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ldap_string):\n if ldap_string is None:\n return None\n if ESCAPE_CHARACTER not in ldap_string:\n return ldap_string\n escaped = False\n result = ''\n for character in ldap_string:\n if not escaped and character == ESCAPE_CHARACTER:\n escaped = True\n else:\n escaped = False\n result += character\n return result\n",
"role": "user"
},
{
"content": "unescape_LDAP",
"role": "assistant"
}
] |
def x(_, tested_value):
if tested_value is None:
return False
elif hasattr(tested_value, '__len__'):
return len(tested_value) != 0
return True
|
comparator_presence
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(_, tested_value):\n if tested_value is None:\n return False\n elif hasattr(tested_value, '__len__'):\n return len(tested_value) != 0\n return True\n",
"role": "user"
},
{
"content": "comparator_presence",
"role": "assistant"
}
] |
def x(filter_value, tested_value):
if isinstance(tested_value, ITERABLES):
for value in tested_value:
if _star_comparison(filter_value, value):
return True
return False
return _star_comparison(filter_value, tested_value)
|
comparator_star
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filter_value, tested_value):\n if isinstance(tested_value, ITERABLES):\n for value in tested_value:\n if _star_comparison(filter_value, value):\n return True\n return False\n return _star_comparison(filter_value, tested_value)\n",
"role": "user"
},
{
"content": "comparator_star",
"role": "assistant"
}
] |
def x(filter_value, tested_value):
if not is_string(tested_value):
return False
parts = filter_value.split('*')
i = 0
last_part = len(parts) - 1
idx = 0
for part in parts:
idx = tested_value.find(part, idx)
if idx == -1:
return False
len_part = len(part)
if i == 0 and len_part != 0 and idx != 0:
return False
if i == last_part and len_part != 0 and idx != len(tested_value
) - len_part:
return False
idx += len_part
i += 1
return True
|
star_comparison
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filter_value, tested_value):\n if not is_string(tested_value):\n return False\n parts = filter_value.split('*')\n i = 0\n last_part = len(parts) - 1\n idx = 0\n for part in parts:\n idx = tested_value.find(part, idx)\n if idx == -1:\n return False\n len_part = len(part)\n if i == 0 and len_part != 0 and idx != 0:\n return False\n if i == last_part and len_part != 0 and idx != len(tested_value\n ) - len_part:\n return False\n idx += len_part\n i += 1\n return True\n",
"role": "user"
},
{
"content": "star_comparison",
"role": "assistant"
}
] |
def x(filter_value, tested_value):
if isinstance(tested_value, ITERABLES):
for value in tested_value:
if not is_string(value):
value = repr(value)
if filter_value == value:
return True
elif not is_string(tested_value):
return filter_value == repr(tested_value)
else:
return filter_value == tested_value
return False
|
comparator_eq
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filter_value, tested_value):\n if isinstance(tested_value, ITERABLES):\n for value in tested_value:\n if not is_string(value):\n value = repr(value)\n if filter_value == value:\n return True\n elif not is_string(tested_value):\n return filter_value == repr(tested_value)\n else:\n return filter_value == tested_value\n return False\n",
"role": "user"
},
{
"content": "comparator_eq",
"role": "assistant"
}
] |
def x(filter_value, tested_value):
lower_filter_value = filter_value.lower()
if is_string(tested_value):
return _comparator_eq(lower_filter_value, tested_value.lower())
elif hasattr(tested_value, '__iter__'):
new_tested = [value.lower() for value in tested_value if is_string(
value)]
if _comparator_eq(lower_filter_value, new_tested):
return True
return _comparator_eq(filter_value, tested_value) or _comparator_eq(
lower_filter_value, tested_value)
|
comparator_approximate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filter_value, tested_value):\n lower_filter_value = filter_value.lower()\n if is_string(tested_value):\n return _comparator_eq(lower_filter_value, tested_value.lower())\n elif hasattr(tested_value, '__iter__'):\n new_tested = [value.lower() for value in tested_value if is_string(\n value)]\n if _comparator_eq(lower_filter_value, new_tested):\n return True\n return _comparator_eq(filter_value, tested_value) or _comparator_eq(\n lower_filter_value, tested_value)\n",
"role": "user"
},
{
"content": "comparator_approximate",
"role": "assistant"
}
] |
def x(filter_value, tested_value):
lower_filter_value = filter_value.lower()
if is_string(tested_value):
return _comparator_star(lower_filter_value, tested_value.lower())
elif hasattr(tested_value, '__iter__'):
new_tested = [value.lower() for value in tested_value if is_string(
value)]
if _comparator_star(lower_filter_value, new_tested):
return True
return _comparator_star(filter_value, tested_value) or _comparator_star(
lower_filter_value, tested_value)
|
comparator_approximate_star
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filter_value, tested_value):\n lower_filter_value = filter_value.lower()\n if is_string(tested_value):\n return _comparator_star(lower_filter_value, tested_value.lower())\n elif hasattr(tested_value, '__iter__'):\n new_tested = [value.lower() for value in tested_value if is_string(\n value)]\n if _comparator_star(lower_filter_value, new_tested):\n return True\n return _comparator_star(filter_value, tested_value) or _comparator_star(\n lower_filter_value, tested_value)\n",
"role": "user"
},
{
"content": "comparator_approximate_star",
"role": "assistant"
}
] |
def x(filter_value, tested_value):
if is_string(filter_value):
value_type = type(tested_value)
try:
filter_value = value_type(filter_value)
except (TypeError, ValueError):
if value_type is int:
try:
filter_value = float(filter_value)
except (TypeError, ValueError):
return False
else:
return False
try:
return tested_value < filter_value
except TypeError:
return False
|
comparator_lt
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filter_value, tested_value):\n if is_string(filter_value):\n value_type = type(tested_value)\n try:\n filter_value = value_type(filter_value)\n except (TypeError, ValueError):\n if value_type is int:\n try:\n filter_value = float(filter_value)\n except (TypeError, ValueError):\n return False\n else:\n return False\n try:\n return tested_value < filter_value\n except TypeError:\n return False\n",
"role": "user"
},
{
"content": "comparator_lt",
"role": "assistant"
}
] |
def x(string, idx):
part1 = string[idx]
try:
part2 = string[idx + 1]
except IndexError:
return None
if part1 == '=':
return _comparator_eq
elif part2 != '=':
if part1 == '<':
return _comparator_lt
elif part1 == '>':
return _comparator_gt
elif part1 == '<':
return _comparator_le
elif part1 == '>':
return _comparator_ge
elif part1 == '~':
return _comparator_approximate
return None
|
compute_comparator
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string, idx):\n part1 = string[idx]\n try:\n part2 = string[idx + 1]\n except IndexError:\n return None\n if part1 == '=':\n return _comparator_eq\n elif part2 != '=':\n if part1 == '<':\n return _comparator_lt\n elif part1 == '>':\n return _comparator_gt\n elif part1 == '<':\n return _comparator_le\n elif part1 == '>':\n return _comparator_ge\n elif part1 == '~':\n return _comparator_approximate\n return None\n",
"role": "user"
},
{
"content": "compute_comparator",
"role": "assistant"
}
] |
def x(string, idx):
operator = string[idx]
if operator == '&':
return AND
elif operator == '|':
return OR
elif operator == '!':
return NOT
return None
|
compute_operation
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string, idx):\n operator = string[idx]\n if operator == '&':\n return AND\n elif operator == '|':\n return OR\n elif operator == '!':\n return NOT\n return None\n",
"role": "user"
},
{
"content": "compute_operation",
"role": "assistant"
}
] |
def x(string, idx):
i = idx
for char in string[idx:]:
if not char.isspace():
return i
i += 1
return -1
|
skip_spaces
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string, idx):\n i = idx\n for char in string[idx:]:\n if not char.isspace():\n return i\n i += 1\n return -1\n",
"role": "user"
},
{
"content": "skip_spaces",
"role": "assistant"
}
] |
def x(ldap_filter, startidx=0, endidx=-1):
comparators = '=<>~'
if startidx < 0:
raise ValueError('Invalid string range start={0}, end={1}'.format(
startidx, endidx))
escaped = False
idx = startidx
for char in ldap_filter[startidx:endidx]:
if not escaped:
if char == ESCAPE_CHARACTER:
escaped = True
elif char in comparators:
break
else:
escaped = False
idx += 1
else:
raise ValueError("Comparator not found in '{0}'".format(ldap_filter
[startidx:endidx]))
attribute_name = ldap_filter[startidx:idx].strip()
if not attribute_name:
raise ValueError("Attribute name is missing in '{0}'".format(
ldap_filter[startidx:endidx]))
comparator = _compute_comparator(ldap_filter, idx)
if comparator is None:
raise ValueError("Unknown comparator in '{0}' - {1}\nFilter : {2}".
format(ldap_filter[startidx:endidx], ldap_filter[idx], ldap_filter)
)
while ldap_filter[idx] in comparators:
idx += 1
idx = _skip_spaces(ldap_filter, idx)
value = ldap_filter[idx:endidx].strip()
if value == '*':
comparator = _comparator_presence
elif '*' in value:
if comparator == _comparator_eq:
comparator = _comparator_star
elif comparator == _comparator_approximate:
comparator = _comparator_approximate_star
return LDAPCriteria(unescape_LDAP(attribute_name), unescape_LDAP(value),
comparator)
|
parse_ldap_criteria
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ldap_filter, startidx=0, endidx=-1):\n comparators = '=<>~'\n if startidx < 0:\n raise ValueError('Invalid string range start={0}, end={1}'.format(\n startidx, endidx))\n escaped = False\n idx = startidx\n for char in ldap_filter[startidx:endidx]:\n if not escaped:\n if char == ESCAPE_CHARACTER:\n escaped = True\n elif char in comparators:\n break\n else:\n escaped = False\n idx += 1\n else:\n raise ValueError(\"Comparator not found in '{0}'\".format(ldap_filter\n [startidx:endidx]))\n attribute_name = ldap_filter[startidx:idx].strip()\n if not attribute_name:\n raise ValueError(\"Attribute name is missing in '{0}'\".format(\n ldap_filter[startidx:endidx]))\n comparator = _compute_comparator(ldap_filter, idx)\n if comparator is None:\n raise ValueError(\"Unknown comparator in '{0}' - {1}\\nFilter : {2}\".\n format(ldap_filter[startidx:endidx], ldap_filter[idx], ldap_filter)\n )\n while ldap_filter[idx] in comparators:\n idx += 1\n idx = _skip_spaces(ldap_filter, idx)\n value = ldap_filter[idx:endidx].strip()\n if value == '*':\n comparator = _comparator_presence\n elif '*' in value:\n if comparator == _comparator_eq:\n comparator = _comparator_star\n elif comparator == _comparator_approximate:\n comparator = _comparator_approximate_star\n return LDAPCriteria(unescape_LDAP(attribute_name), unescape_LDAP(value),\n comparator)\n",
"role": "user"
},
{
"content": "parse_ldap_criteria",
"role": "assistant"
}
] |
def x(ldap_filter):
if ldap_filter is None:
return None
assert is_string(ldap_filter)
ldap_filter = ldap_filter.strip()
if not ldap_filter:
return None
escaped = False
filter_len = len(ldap_filter)
root = None
stack = []
subfilter_stack = []
idx = 0
while idx < filter_len:
if not escaped:
if ldap_filter[idx] == '(':
idx = _skip_spaces(ldap_filter, idx + 1)
if idx == -1:
raise ValueError('Missing filter operator: {0}'.format(
ldap_filter))
operator = _compute_operation(ldap_filter, idx)
if operator is not None:
stack.append(LDAPFilter(operator))
else:
subfilter_stack.append(idx)
elif ldap_filter[idx] == ')':
if subfilter_stack:
start_idx = subfilter_stack.pop()
criterion = _parse_ldap_criteria(ldap_filter, start_idx,
idx)
if stack:
top = stack.pop()
top.append(criterion)
stack.append(top)
else:
root = LDAPFilter(AND)
root.append(criterion)
elif stack:
ended_filter = stack.pop()
if stack:
top = stack.pop()
top.append(ended_filter)
stack.append(top)
else:
root = ended_filter
else:
raise ValueError('Too many end of parenthesis:{0}: {1}'
.format(idx, ldap_filter[idx:]))
elif ldap_filter[idx] == '\\':
escaped = True
else:
escaped = False
idx += 1
if root is None:
raise ValueError('Invalid filter string: {0}'.format(ldap_filter))
return root.normalize()
|
parse_ldap
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ldap_filter):\n if ldap_filter is None:\n return None\n assert is_string(ldap_filter)\n ldap_filter = ldap_filter.strip()\n if not ldap_filter:\n return None\n escaped = False\n filter_len = len(ldap_filter)\n root = None\n stack = []\n subfilter_stack = []\n idx = 0\n while idx < filter_len:\n if not escaped:\n if ldap_filter[idx] == '(':\n idx = _skip_spaces(ldap_filter, idx + 1)\n if idx == -1:\n raise ValueError('Missing filter operator: {0}'.format(\n ldap_filter))\n operator = _compute_operation(ldap_filter, idx)\n if operator is not None:\n stack.append(LDAPFilter(operator))\n else:\n subfilter_stack.append(idx)\n elif ldap_filter[idx] == ')':\n if subfilter_stack:\n start_idx = subfilter_stack.pop()\n criterion = _parse_ldap_criteria(ldap_filter, start_idx,\n idx)\n if stack:\n top = stack.pop()\n top.append(criterion)\n stack.append(top)\n else:\n root = LDAPFilter(AND)\n root.append(criterion)\n elif stack:\n ended_filter = stack.pop()\n if stack:\n top = stack.pop()\n top.append(ended_filter)\n stack.append(top)\n else:\n root = ended_filter\n else:\n raise ValueError('Too many end of parenthesis:{0}: {1}'\n .format(idx, ldap_filter[idx:]))\n elif ldap_filter[idx] == '\\\\':\n escaped = True\n else:\n escaped = False\n idx += 1\n if root is None:\n raise ValueError('Invalid filter string: {0}'.format(ldap_filter))\n return root.normalize()\n",
"role": "user"
},
{
"content": "parse_ldap",
"role": "assistant"
}
] |
def x(ldap_filter):
if ldap_filter is None:
return None
if isinstance(ldap_filter, (LDAPFilter, LDAPCriteria)):
return ldap_filter
elif is_string(ldap_filter):
return _parse_ldap(ldap_filter)
raise TypeError('Unhandled filter type {0}'.format(type(ldap_filter).
__name__))
|
get_ldap_filter
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ldap_filter):\n if ldap_filter is None:\n return None\n if isinstance(ldap_filter, (LDAPFilter, LDAPCriteria)):\n return ldap_filter\n elif is_string(ldap_filter):\n return _parse_ldap(ldap_filter)\n raise TypeError('Unhandled filter type {0}'.format(type(ldap_filter).\n __name__))\n",
"role": "user"
},
{
"content": "get_ldap_filter",
"role": "assistant"
}
] |
def x(filters, operator=AND):
if not filters:
return None
if not hasattr(filters, '__iter__') or is_string(filters):
raise TypeError('Filters argument must be iterable')
ldap_filters = []
for sub_filter in filters:
if sub_filter is None:
continue
ldap_filter = get_ldap_filter(sub_filter)
if ldap_filter is not None:
ldap_filters.append(ldap_filter)
if not ldap_filters:
return None
elif len(ldap_filters) == 1:
return ldap_filters[0]
new_filter = LDAPFilter(operator)
for sub_filter in ldap_filters:
new_filter.append(sub_filter)
return new_filter.normalize()
|
combine_filters
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filters, operator=AND):\n if not filters:\n return None\n if not hasattr(filters, '__iter__') or is_string(filters):\n raise TypeError('Filters argument must be iterable')\n ldap_filters = []\n for sub_filter in filters:\n if sub_filter is None:\n continue\n ldap_filter = get_ldap_filter(sub_filter)\n if ldap_filter is not None:\n ldap_filters.append(ldap_filter)\n if not ldap_filters:\n return None\n elif len(ldap_filters) == 1:\n return ldap_filters[0]\n new_filter = LDAPFilter(operator)\n for sub_filter in ldap_filters:\n new_filter.append(sub_filter)\n return new_filter.normalize()\n",
"role": "user"
},
{
"content": "combine_filters",
"role": "assistant"
}
] |
def x(self, ldap_filter):
if not isinstance(ldap_filter, (LDAPFilter, LDAPCriteria)):
raise TypeError('Invalid filter type: {0}'.format(type(ldap_filter)
.__name__))
if len(self.subfilters) >= 1 and self.operator == NOT:
raise ValueError('Not operator only handles one child')
self.subfilters.append(ldap_filter)
|
append
|
[
{
"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 if not isinstance(ldap_filter, (LDAPFilter, LDAPCriteria)):\n raise TypeError('Invalid filter type: {0}'.format(type(ldap_filter)\n .__name__))\n if len(self.subfilters) >= 1 and self.operator == NOT:\n raise ValueError('Not operator only handles one child')\n self.subfilters.append(ldap_filter)\n",
"role": "user"
},
{
"content": "append",
"role": "assistant"
}
] |
def x(self, properties):
generator = (criterion.matches(properties) for criterion in self.subfilters
)
if self.operator == OR:
result = any(generator)
else:
result = all(generator)
if self.operator == NOT:
return not result
return result
|
matches
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, properties):\n generator = (criterion.matches(properties) for criterion in self.subfilters\n )\n if self.operator == OR:\n result = any(generator)\n else:\n result = all(generator)\n if self.operator == NOT:\n return not result\n return result\n",
"role": "user"
},
{
"content": "matches",
"role": "assistant"
}
] |
def x(self):
if not self.subfilters:
return None
new_filters = []
for subfilter in self.subfilters:
norm_filter = subfilter.normalize()
if norm_filter is not None and norm_filter not in new_filters:
new_filters.append(norm_filter)
self.subfilters = new_filters
size = len(self.subfilters)
if size > 1 or self.operator == NOT:
return self
return self.subfilters[0].normalize()
|
normalize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.subfilters:\n return None\n new_filters = []\n for subfilter in self.subfilters:\n norm_filter = subfilter.normalize()\n if norm_filter is not None and norm_filter not in new_filters:\n new_filters.append(norm_filter)\n self.subfilters = new_filters\n size = len(self.subfilters)\n if size > 1 or self.operator == NOT:\n return self\n return self.subfilters[0].normalize()\n",
"role": "user"
},
{
"content": "normalize",
"role": "assistant"
}
] |
def x(self, properties):
try:
return self.comparator(self.value, properties[self.name])
except KeyError:
return False
|
matches
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, properties):\n try:\n return self.comparator(self.value, properties[self.name])\n except KeyError:\n return False\n",
"role": "user"
},
{
"content": "matches",
"role": "assistant"
}
] |
def x(is_server, discoveries, transports, http_port, other_arguments):
framework = pelix.framework.create_framework(('pelix.ipopo.core',
'pelix.ipopo.waiting', 'pelix.shell.core', 'pelix.shell.ipopo',
'pelix.shell.console', 'pelix.http.basic',
'pelix.remote.dispatcher', 'pelix.remote.registry'), {pelix.
constants.FRAMEWORK_UID: other_arguments.fw_uid})
framework.start()
context = framework.get_bundle_context()
with use_waiting_list(context) as ipopo:
ipopo.add('pelix.http.service.basic.factory', 'http-server', {
'pelix.http.address': '0.0.0.0', 'pelix.http.port': http_port})
ipopo.add(rs.FACTORY_REGISTRY_SERVLET,
'pelix-remote-dispatcher-servlet')
util = InstallUtils(context, other_arguments)
for discovery in discoveries:
getattr(util, 'discovery_{0}'.format(discovery))()
for transport in transports:
getattr(util, 'transport_{0}'.format(transport))()
if is_server:
context.install_bundle('remote.provider').start()
else:
context.install_bundle('remote.consumer').start()
framework.wait_for_stop()
|
main
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(is_server, discoveries, transports, http_port, other_arguments):\n framework = pelix.framework.create_framework(('pelix.ipopo.core',\n 'pelix.ipopo.waiting', 'pelix.shell.core', 'pelix.shell.ipopo',\n 'pelix.shell.console', 'pelix.http.basic',\n 'pelix.remote.dispatcher', 'pelix.remote.registry'), {pelix.\n constants.FRAMEWORK_UID: other_arguments.fw_uid})\n framework.start()\n context = framework.get_bundle_context()\n with use_waiting_list(context) as ipopo:\n ipopo.add('pelix.http.service.basic.factory', 'http-server', {\n 'pelix.http.address': '0.0.0.0', 'pelix.http.port': http_port})\n ipopo.add(rs.FACTORY_REGISTRY_SERVLET,\n 'pelix-remote-dispatcher-servlet')\n util = InstallUtils(context, other_arguments)\n for discovery in discoveries:\n getattr(util, 'discovery_{0}'.format(discovery))()\n for transport in transports:\n getattr(util, 'transport_{0}'.format(transport))()\n if is_server:\n context.install_bundle('remote.provider').start()\n else:\n context.install_bundle('remote.consumer').start()\n framework.wait_for_stop()\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(self):
self.context.install_bundle('pelix.remote.discovery.multicast').start()
with use_waiting_list(self.context) as ipopo:
ipopo.add(rs.FACTORY_DISCOVERY_MULTICAST, 'pelix-discovery-multicast')
|
discovery_multicast
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.context.install_bundle('pelix.remote.discovery.multicast').start()\n with use_waiting_list(self.context) as ipopo:\n ipopo.add(rs.FACTORY_DISCOVERY_MULTICAST, 'pelix-discovery-multicast')\n",
"role": "user"
},
{
"content": "discovery_multicast",
"role": "assistant"
}
] |
def x(self):
logging.getLogger('zeroconf').setLevel(logging.WARNING)
self.context.install_bundle('pelix.remote.discovery.mdns').start()
with use_waiting_list(self.context) as ipopo:
ipopo.add(rs.FACTORY_DISCOVERY_ZEROCONF, 'pelix-discovery-zeroconf')
|
discovery_mdns
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n logging.getLogger('zeroconf').setLevel(logging.WARNING)\n self.context.install_bundle('pelix.remote.discovery.mdns').start()\n with use_waiting_list(self.context) as ipopo:\n ipopo.add(rs.FACTORY_DISCOVERY_ZEROCONF, 'pelix-discovery-zeroconf')\n",
"role": "user"
},
{
"content": "discovery_mdns",
"role": "assistant"
}
] |
def x(self):
self.context.install_bundle('pelix.remote.discovery.mqtt').start()
with use_waiting_list(self.context) as ipopo:
ipopo.add(rs.FACTORY_DISCOVERY_MQTT, 'pelix-discovery-mqtt', {
'application.id': 'sample.rs', 'mqtt.host': self.arguments.
mqtt_host, 'mqtt.port': self.arguments.mqtt_port})
|
discovery_mqtt
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.context.install_bundle('pelix.remote.discovery.mqtt').start()\n with use_waiting_list(self.context) as ipopo:\n ipopo.add(rs.FACTORY_DISCOVERY_MQTT, 'pelix-discovery-mqtt', {\n 'application.id': 'sample.rs', 'mqtt.host': self.arguments.\n mqtt_host, 'mqtt.port': self.arguments.mqtt_port})\n",
"role": "user"
},
{
"content": "discovery_mqtt",
"role": "assistant"
}
] |
def x(self):
self.context.install_bundle('pelix.remote.discovery.redis').start()
with use_waiting_list(self.context) as ipopo:
ipopo.add(rs.FACTORY_DISCOVERY_REDIS, 'pelix-discovery-redis', {
'application.id': 'sample.rs', 'redis.host': self.arguments.
redis_host, 'redis.port': self.arguments.redis_port})
|
discovery_redis
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.context.install_bundle('pelix.remote.discovery.redis').start()\n with use_waiting_list(self.context) as ipopo:\n ipopo.add(rs.FACTORY_DISCOVERY_REDIS, 'pelix-discovery-redis', {\n 'application.id': 'sample.rs', 'redis.host': self.arguments.\n redis_host, 'redis.port': self.arguments.redis_port})\n",
"role": "user"
},
{
"content": "discovery_redis",
"role": "assistant"
}
] |
def x(self):
self.context.install_bundle('pelix.remote.discovery.zookeeper').start()
with use_waiting_list(self.context) as ipopo:
ipopo.add(rs.FACTORY_DISCOVERY_ZOOKEEPER,
'pelix-discovery-zookeeper', {'application.id': 'sample.rs',
'zookeeper.hosts': self.arguments.zk_hosts, 'zookeeper.prefix':
self.arguments.zk_prefix})
|
discovery_zookeeper
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.context.install_bundle('pelix.remote.discovery.zookeeper').start()\n with use_waiting_list(self.context) as ipopo:\n ipopo.add(rs.FACTORY_DISCOVERY_ZOOKEEPER,\n 'pelix-discovery-zookeeper', {'application.id': 'sample.rs',\n 'zookeeper.hosts': self.arguments.zk_hosts, 'zookeeper.prefix':\n self.arguments.zk_prefix})\n",
"role": "user"
},
{
"content": "discovery_zookeeper",
"role": "assistant"
}
] |
def x(self):
self.context.install_bundle('pelix.remote.json_rpc').start()
with use_waiting_list(self.context) as ipopo:
ipopo.add(rs.FACTORY_TRANSPORT_JSONRPC_EXPORTER,
'pelix-jsonrpc-exporter')
ipopo.add(rs.FACTORY_TRANSPORT_JSONRPC_IMPORTER,
'pelix-jsonrpc-importer')
|
transport_jsonrpc
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.context.install_bundle('pelix.remote.json_rpc').start()\n with use_waiting_list(self.context) as ipopo:\n ipopo.add(rs.FACTORY_TRANSPORT_JSONRPC_EXPORTER,\n 'pelix-jsonrpc-exporter')\n ipopo.add(rs.FACTORY_TRANSPORT_JSONRPC_IMPORTER,\n 'pelix-jsonrpc-importer')\n",
"role": "user"
},
{
"content": "transport_jsonrpc",
"role": "assistant"
}
] |
def x(self):
self.context.install_bundle('pelix.remote.transport.jabsorb_rpc').start()
with use_waiting_list(self.context) as ipopo:
ipopo.add(rs.FACTORY_TRANSPORT_JABSORBRPC_EXPORTER,
'pelix-jabsorbrpc-exporter')
ipopo.add(rs.FACTORY_TRANSPORT_JABSORBRPC_IMPORTER,
'pelix-jabsorbrpc-importer')
|
transport_jabsorbrpc
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.context.install_bundle('pelix.remote.transport.jabsorb_rpc').start()\n with use_waiting_list(self.context) as ipopo:\n ipopo.add(rs.FACTORY_TRANSPORT_JABSORBRPC_EXPORTER,\n 'pelix-jabsorbrpc-exporter')\n ipopo.add(rs.FACTORY_TRANSPORT_JABSORBRPC_IMPORTER,\n 'pelix-jabsorbrpc-importer')\n",
"role": "user"
},
{
"content": "transport_jabsorbrpc",
"role": "assistant"
}
] |
def x(self):
self.context.install_bundle('pelix.remote.transport.mqtt_rpc').start()
with use_waiting_list(self.context) as ipopo:
ipopo.add(rs.FACTORY_TRANSPORT_MQTTRPC_EXPORTER,
'pelix-mqttrpc-exporter', {'mqtt.host': self.arguments.
mqtt_host, 'mqtt.port': self.arguments.mqtt_port})
ipopo.add(rs.FACTORY_TRANSPORT_MQTTRPC_IMPORTER,
'pelix-mqttrpc-importer', {'mqtt.host': self.arguments.
mqtt_host, 'mqtt.port': self.arguments.mqtt_port})
|
transport_mqttrpc
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.context.install_bundle('pelix.remote.transport.mqtt_rpc').start()\n with use_waiting_list(self.context) as ipopo:\n ipopo.add(rs.FACTORY_TRANSPORT_MQTTRPC_EXPORTER,\n 'pelix-mqttrpc-exporter', {'mqtt.host': self.arguments.\n mqtt_host, 'mqtt.port': self.arguments.mqtt_port})\n ipopo.add(rs.FACTORY_TRANSPORT_MQTTRPC_IMPORTER,\n 'pelix-mqttrpc-importer', {'mqtt.host': self.arguments.\n mqtt_host, 'mqtt.port': self.arguments.mqtt_port})\n",
"role": "user"
},
{
"content": "transport_mqttrpc",
"role": "assistant"
}
] |
def x(self):
self.context.install_bundle('pelix.remote.xml_rpc').start()
with use_waiting_list(self.context) as ipopo:
ipopo.add(rs.FACTORY_TRANSPORT_XMLRPC_EXPORTER, 'pelix-xmlrpc-exporter'
)
ipopo.add(rs.FACTORY_TRANSPORT_XMLRPC_IMPORTER, 'pelix-xmlrpc-importer'
)
|
transport_xmlrpc
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.context.install_bundle('pelix.remote.xml_rpc').start()\n with use_waiting_list(self.context) as ipopo:\n ipopo.add(rs.FACTORY_TRANSPORT_XMLRPC_EXPORTER, 'pelix-xmlrpc-exporter'\n )\n ipopo.add(rs.FACTORY_TRANSPORT_XMLRPC_IMPORTER, 'pelix-xmlrpc-importer'\n )\n",
"role": "user"
},
{
"content": "transport_xmlrpc",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.