source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self):
ds = self.__client.options.service
if ds is not None:
return self.__find(ds)
|
ds
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ds = self.__client.options.service\n if ds is not None:\n return self.__find(ds)\n",
"role": "user"
},
{
"content": "ds",
"role": "assistant"
}
] |
def x(self, reply, status=None, description=None):
return self.__process_reply(reply, status, description)
|
process_reply
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, reply, status=None, description=None):\n return self.__process_reply(reply, status, description)\n",
"role": "user"
},
{
"content": "process_reply",
"role": "assistant"
}
] |
def x(self, reply, status, description):
if status is None:
status = httplib.OK
debug_message = 'Reply HTTP status - %d' % (status,)
if status in (httplib.ACCEPTED, httplib.NO_CONTENT):
log.debug(debug_message)
return
if status == httplib.OK:
log.debug('%s\n%s', debug_message, reply)
else:
log.debug('%s - %s\n%s', debug_message, description, reply)
plugins = PluginContainer(self.options.plugins)
ctx = plugins.message.received(reply=reply)
reply = ctx.reply
replyroot = None
if status in (httplib.OK, httplib.INTERNAL_SERVER_ERROR):
replyroot = _parse(reply)
plugins.message.parsed(reply=replyroot)
fault = self.__get_fault(replyroot)
if fault:
if status != httplib.INTERNAL_SERVER_ERROR:
log.warn(
'Web service reported a SOAP processing fault using an unexpected HTTP status code %d. Reporting as an internal server error.'
, status)
if self.options.faults:
raise WebFault(fault, replyroot)
return httplib.INTERNAL_SERVER_ERROR, fault
if status != httplib.OK:
if self.options.faults:
raise Exception((status, description))
return status, description
if self.options.retxml:
return reply
result = replyroot and self.method.binding.output.get_reply(self.method,
replyroot)
ctx = plugins.message.unmarshalled(reply=result)
result = ctx.reply
if self.options.faults:
return result
return httplib.OK, result
|
process_reply
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, reply, status, description):\n if status is None:\n status = httplib.OK\n debug_message = 'Reply HTTP status - %d' % (status,)\n if status in (httplib.ACCEPTED, httplib.NO_CONTENT):\n log.debug(debug_message)\n return\n if status == httplib.OK:\n log.debug('%s\\n%s', debug_message, reply)\n else:\n log.debug('%s - %s\\n%s', debug_message, description, reply)\n plugins = PluginContainer(self.options.plugins)\n ctx = plugins.message.received(reply=reply)\n reply = ctx.reply\n replyroot = None\n if status in (httplib.OK, httplib.INTERNAL_SERVER_ERROR):\n replyroot = _parse(reply)\n plugins.message.parsed(reply=replyroot)\n fault = self.__get_fault(replyroot)\n if fault:\n if status != httplib.INTERNAL_SERVER_ERROR:\n log.warn(\n 'Web service reported a SOAP processing fault using an unexpected HTTP status code %d. Reporting as an internal server error.'\n , status)\n if self.options.faults:\n raise WebFault(fault, replyroot)\n return httplib.INTERNAL_SERVER_ERROR, fault\n if status != httplib.OK:\n if self.options.faults:\n raise Exception((status, description))\n return status, description\n if self.options.retxml:\n return reply\n result = replyroot and self.method.binding.output.get_reply(self.method,\n replyroot)\n ctx = plugins.message.unmarshalled(reply=result)\n result = ctx.reply\n if self.options.faults:\n return result\n return httplib.OK, result\n",
"role": "user"
},
{
"content": "process_reply",
"role": "assistant"
}
] |
def x(self, replyroot):
envns = suds.bindings.binding.envns
soapenv = replyroot and replyroot.getChild('Envelope', envns)
soapbody = soapenv and soapenv.getChild('Body', envns)
fault = soapbody and soapbody.getChild('Fault', envns)
return fault is not None and UmxBasic().process(fault)
|
get_fault
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, replyroot):\n envns = suds.bindings.binding.envns\n soapenv = replyroot and replyroot.getChild('Envelope', envns)\n soapbody = soapenv and soapenv.getChild('Body', envns)\n fault = soapbody and soapbody.getChild('Fault', envns)\n return fault is not None and UmxBasic().process(fault)\n",
"role": "user"
},
{
"content": "get_fault",
"role": "assistant"
}
] |
def x(self):
action = self.method.soap.action
if isinstance(action, unicode):
action = action.encode('utf-8')
result = {'Content-Type': 'text/xml; charset=utf-8', 'SOAPAction': action}
result.update(**self.options.headers)
log.debug('headers = %s', result)
return result
|
headers
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n action = self.method.soap.action\n if isinstance(action, unicode):\n action = action.encode('utf-8')\n result = {'Content-Type': 'text/xml; charset=utf-8', 'SOAPAction': action}\n result.update(**self.options.headers)\n log.debug('headers = %s', result)\n return result\n",
"role": "user"
},
{
"content": "headers",
"role": "assistant"
}
] |
def x(self, args, kwargs):
simulation = kwargs.pop(self.__injkey)
msg = simulation.get('msg')
if msg is not None:
assert msg.__class__ is suds.byte_str_class
return self.send(_parse(msg))
msg = self.method.binding.input.get_message(self.method, args, kwargs)
log.debug('inject (simulated) send message:\n%s', msg)
reply = simulation.get('reply')
if reply is not None:
assert reply.__class__ is suds.byte_str_class
status = simulation.get('status')
description = simulation.get('description')
if description is None:
description = 'injected reply'
return self.process_reply(reply, status, description)
raise Exception('reply or msg injection parameter expected')
|
invoke
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, args, kwargs):\n simulation = kwargs.pop(self.__injkey)\n msg = simulation.get('msg')\n if msg is not None:\n assert msg.__class__ is suds.byte_str_class\n return self.send(_parse(msg))\n msg = self.method.binding.input.get_message(self.method, args, kwargs)\n log.debug('inject (simulated) send message:\\n%s', msg)\n reply = simulation.get('reply')\n if reply is not None:\n assert reply.__class__ is suds.byte_str_class\n status = simulation.get('status')\n description = simulation.get('description')\n if description is None:\n description = 'injected reply'\n return self.process_reply(reply, status, description)\n raise Exception('reply or msg injection parameter expected')\n",
"role": "user"
},
{
"content": "invoke",
"role": "assistant"
}
] |
def x(self, url):
if isinstance(url, str):
url.encode('ascii')
self.url = url
elif sys.version_info < (3, 0):
self.url = url.encode('ascii')
else:
self.url = url.decode('ascii')
|
set_URL
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url):\n if isinstance(url, str):\n url.encode('ascii')\n self.url = url\n elif sys.version_info < (3, 0):\n self.url = url.encode('ascii')\n else:\n self.url = url.decode('ascii')\n",
"role": "user"
},
{
"content": "set_URL",
"role": "assistant"
}
] |
def x(self, parent, content):
appender = self.default
for matcher, candidate_appender in self.appenders:
if matcher == content.value:
appender = candidate_appender
break
appender.append(parent, content)
|
append
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parent, content):\n appender = self.default\n for matcher, candidate_appender in self.appenders:\n if matcher == content.value:\n appender = candidate_appender\n break\n appender.append(parent, content)\n",
"role": "user"
},
{
"content": "append",
"role": "assistant"
}
] |
def x(self, parts):
result = None
name = parts[0]
log.debug('searching schema for (%s)', name)
qref = self.qualify(parts[0])
query = BlindQuery(qref)
result = query.execute(self.schema)
if result is None:
log.error('(%s) not-found', name)
raise PathResolver.BadPath(name)
log.debug('found (%s) as (%s)', name, Repr(result))
return result
|
root
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parts):\n result = None\n name = parts[0]\n log.debug('searching schema for (%s)', name)\n qref = self.qualify(parts[0])\n query = BlindQuery(qref)\n result = query.execute(self.schema)\n if result is None:\n log.error('(%s) not-found', name)\n raise PathResolver.BadPath(name)\n log.debug('found (%s) as (%s)', name, Repr(result))\n return result\n",
"role": "user"
},
{
"content": "root",
"role": "assistant"
}
] |
def x(self, root, parts):
result = root
for part in parts[1:-1]:
name = splitPrefix(part)[1]
log.debug('searching parent (%s) for (%s)', Repr(result), name)
result, ancestry = result.get_child(name)
if result is None:
log.error('(%s) not-found', name)
raise PathResolver.BadPath(name)
result = result.resolve(nobuiltin=True)
log.debug('found (%s) as (%s)', name, Repr(result))
return result
|
branch
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, root, parts):\n result = root\n for part in parts[1:-1]:\n name = splitPrefix(part)[1]\n log.debug('searching parent (%s) for (%s)', Repr(result), name)\n result, ancestry = result.get_child(name)\n if result is None:\n log.error('(%s) not-found', name)\n raise PathResolver.BadPath(name)\n result = result.resolve(nobuiltin=True)\n log.debug('found (%s) as (%s)', name, Repr(result))\n return result\n",
"role": "user"
},
{
"content": "branch",
"role": "assistant"
}
] |
def x(self, name, parent):
log.debug('searching parent (%s) for (%s)', Repr(parent), name)
if name.startswith('@'):
return parent.get_attribute(name[1:])
return parent.get_child(name)
|
getchild
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, parent):\n log.debug('searching parent (%s) for (%s)', Repr(parent), name)\n if name.startswith('@'):\n return parent.get_attribute(name[1:])\n return parent.get_child(name)\n",
"role": "user"
},
{
"content": "getchild",
"role": "assistant"
}
] |
def x(self, folder):
path_parts = path_iter(folder)
_skip_expected(path_parts, self.__base_folder_parts)
result = '/'.join(path_parts)
if result:
result += '/'
return result
|
path_prefix
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, folder):\n path_parts = path_iter(folder)\n _skip_expected(path_parts, self.__base_folder_parts)\n result = '/'.join(path_parts)\n if result:\n result += '/'\n return result\n",
"role": "user"
},
{
"content": "path_prefix",
"role": "assistant"
}
] |
def x(value):
value = XDecimal._decimal_canonical(value)
negative, digits, exponent = value.as_tuple()
assert digits
assert digits[0] != 0 or len(digits) == 1
result = []
if negative:
result.append('-')
if exponent >= 0:
result.extend(str(x) for x in digits)
result.extend('0' * exponent)
return ''.join(result)
digit_count = len(digits)
point_offset = digit_count + exponent
fractional_digit_count = min(digit_count, -exponent)
while fractional_digit_count and digits[digit_count - 1] == 0:
digit_count -= 1
fractional_digit_count -= 1
if point_offset <= 0:
result.append('0')
if digit_count > 0:
result.append('.')
result.append('0' * -point_offset)
result.extend(str(x) for x in digits[:digit_count])
else:
result.extend(str(x) for x in digits[:point_offset])
if point_offset < digit_count:
result.append('.')
result.extend(str(x) for x in digits[point_offset:digit_count])
return ''.join(result)
|
decimal_to_xsd_format
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value):\n value = XDecimal._decimal_canonical(value)\n negative, digits, exponent = value.as_tuple()\n assert digits\n assert digits[0] != 0 or len(digits) == 1\n result = []\n if negative:\n result.append('-')\n if exponent >= 0:\n result.extend(str(x) for x in digits)\n result.extend('0' * exponent)\n return ''.join(result)\n digit_count = len(digits)\n point_offset = digit_count + exponent\n fractional_digit_count = min(digit_count, -exponent)\n while fractional_digit_count and digits[digit_count - 1] == 0:\n digit_count -= 1\n fractional_digit_count -= 1\n if point_offset <= 0:\n result.append('0')\n if digit_count > 0:\n result.append('.')\n result.append('0' * -point_offset)\n result.extend(str(x) for x in digits[:digit_count])\n else:\n result.extend(str(x) for x in digits[:point_offset])\n if point_offset < digit_count:\n result.append('.')\n result.extend(str(x) for x in digits[point_offset:digit_count])\n return ''.join(result)\n",
"role": "user"
},
{
"content": "decimal_to_xsd_format",
"role": "assistant"
}
] |
def x(cls, schema, name):
fn = cls.tags.get(name, XBuiltin)
return fn(schema, name)
|
create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, schema, name):\n fn = cls.tags.get(name, XBuiltin)\n return fn(schema, name)\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(env, ez_setup):
if env.sys_version_info[:2] != (2, 5):
return
if not env.setuptools_zipped_egg:
return
pv_new = parse_version(ez_setup.setuptools_version())
if pv_new != parse_version(env.setuptools_version):
return
fixed_version = utility.lowest_version_string_with_prefix('3.5.2')
if pv_new >= parse_version(fixed_version):
return
os.remove(env.setuptools_zipped_egg)
|
avoid_setuptools_zipped_egg_upgrade_issue
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(env, ez_setup):\n if env.sys_version_info[:2] != (2, 5):\n return\n if not env.setuptools_zipped_egg:\n return\n pv_new = parse_version(ez_setup.setuptools_version())\n if pv_new != parse_version(env.setuptools_version):\n return\n fixed_version = utility.lowest_version_string_with_prefix('3.5.2')\n if pv_new >= parse_version(fixed_version):\n return\n os.remove(env.setuptools_zipped_egg)\n",
"role": "user"
},
{
"content": "avoid_setuptools_zipped_egg_upgrade_issue",
"role": "assistant"
}
] |
def x(env, installer):
if not env.setuptools_version:
return
reuse_old = config.reuse_old_setuptools
reuse_best = config.reuse_best_setuptools
reuse_future = config.reuse_future_setuptools
reuse_comment = None
if reuse_old or reuse_best or reuse_future:
pv_old = parse_version(env.setuptools_version)
pv_new = parse_version(installer.setuptools_version())
if pv_old < pv_new:
if reuse_old:
reuse_comment = '%s+ recommended' % (installer.
setuptools_version(),)
elif pv_old > pv_new:
if reuse_future:
reuse_comment = '%s+ required' % (installer.
setuptools_version(),)
elif reuse_best:
reuse_comment = ''
if reuse_comment is None:
return
if reuse_comment:
reuse_comment = ' (%s)' % (reuse_comment,)
print('Reusing pre-installed setuptools %s distribution%s.' % (env.
setuptools_version, reuse_comment))
return True
|
reuse_pre_installed_setuptools
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(env, installer):\n if not env.setuptools_version:\n return\n reuse_old = config.reuse_old_setuptools\n reuse_best = config.reuse_best_setuptools\n reuse_future = config.reuse_future_setuptools\n reuse_comment = None\n if reuse_old or reuse_best or reuse_future:\n pv_old = parse_version(env.setuptools_version)\n pv_new = parse_version(installer.setuptools_version())\n if pv_old < pv_new:\n if reuse_old:\n reuse_comment = '%s+ recommended' % (installer.\n setuptools_version(),)\n elif pv_old > pv_new:\n if reuse_future:\n reuse_comment = '%s+ required' % (installer.\n setuptools_version(),)\n elif reuse_best:\n reuse_comment = ''\n if reuse_comment is None:\n return\n if reuse_comment:\n reuse_comment = ' (%s)' % (reuse_comment,)\n print('Reusing pre-installed setuptools %s distribution%s.' % (env.\n setuptools_version, reuse_comment))\n return True\n",
"role": "user"
},
{
"content": "reuse_pre_installed_setuptools",
"role": "assistant"
}
] |
def x(env, requirements):
if config.installation_cache_folder() is None:
raise EnvironmentSetupError(
'Local installation cache folder not defined but required for downloading a pip installation.'
)
_create_installation_cache_folder_if_needed()
try:
env.execute(['-m', 'easy_install', '--zip-ok', '--multi-version',
'--always-copy', '--exclude-scripts', '--install-dir', config.
installation_cache_folder()] + requirements)
zip_eggs_in_folder(config.installation_cache_folder())
except (KeyboardInterrupt, SystemExit):
raise
except Exception:
raise EnvironmentSetupError('pip download failed.')
|
download_pip
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(env, requirements):\n if config.installation_cache_folder() is None:\n raise EnvironmentSetupError(\n 'Local installation cache folder not defined but required for downloading a pip installation.'\n )\n _create_installation_cache_folder_if_needed()\n try:\n env.execute(['-m', 'easy_install', '--zip-ok', '--multi-version',\n '--always-copy', '--exclude-scripts', '--install-dir', config.\n installation_cache_folder()] + requirements)\n zip_eggs_in_folder(config.installation_cache_folder())\n except (KeyboardInterrupt, SystemExit):\n raise\n except Exception:\n raise EnvironmentSetupError('pip download failed.')\n",
"role": "user"
},
{
"content": "download_pip",
"role": "assistant"
}
] |
def x(local_storage_folder):
if local_storage_folder is None:
return []
if ' ' in local_storage_folder:
find_links_param = utility.path_to_URL(local_storage_folder)
if find_links_param[-1] != '/':
find_links_param += '/'
else:
find_links_param = local_storage_folder
return ['-f', find_links_param, '--allow-hosts=None']
|
setuptools_install_options
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(local_storage_folder):\n if local_storage_folder is None:\n return []\n if ' ' in local_storage_folder:\n find_links_param = utility.path_to_URL(local_storage_folder)\n if find_links_param[-1] != '/':\n find_links_param += '/'\n else:\n find_links_param = local_storage_folder\n return ['-f', find_links_param, '--allow-hosts=None']\n",
"role": "user"
},
{
"content": "setuptools_install_options",
"role": "assistant"
}
] |
def x(env, requirements):
try:
installation_source_folder = config.installation_cache_folder()
options = setuptools_install_options(installation_source_folder)
if installation_source_folder is not None:
zip_eggs_in_folder(installation_source_folder)
env.execute(['-m', 'easy_install'] + options + requirements)
except (KeyboardInterrupt, SystemExit):
raise
except Exception:
raise EnvironmentSetupError('pip installation failed.')
|
install_pip
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(env, requirements):\n try:\n installation_source_folder = config.installation_cache_folder()\n options = setuptools_install_options(installation_source_folder)\n if installation_source_folder is not None:\n zip_eggs_in_folder(installation_source_folder)\n env.execute(['-m', 'easy_install'] + options + requirements)\n except (KeyboardInterrupt, SystemExit):\n raise\n except Exception:\n raise EnvironmentSetupError('pip installation failed.')\n",
"role": "user"
},
{
"content": "install_pip",
"role": "assistant"
}
] |
def x(requirements):
if utility.any_contains_any(requirements, '<>|()&^'):
file_path, janitor = pip_requirements_file(requirements)
requirements[:] = ['-r', file_path]
return janitor
|
prepare_pip_requirements_file_if_needed
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(requirements):\n if utility.any_contains_any(requirements, '<>|()&^'):\n file_path, janitor = pip_requirements_file(requirements)\n requirements[:] = ['-r', file_path]\n return janitor\n",
"role": "user"
},
{
"content": "prepare_pip_requirements_file_if_needed",
"role": "assistant"
}
] |
def x(env, pip_invocation, requirements, download_cache_folder):
if config.installation_cache_folder() is None:
raise EnvironmentSetupError(
'Local installation cache folder not defined but required for downloading pip based installations.'
)
_create_installation_cache_folder_if_needed()
try:
pip_options = ['install', '-d', config.installation_cache_folder(),
'--exists-action=i']
pip_options.extend(pip_download_cache_options(download_cache_folder))
if (2, 5) <= env.sys_version_info < (2, 6):
pip_options.append('--insecure')
env.execute(pip_invocation + pip_options + requirements)
except (KeyboardInterrupt, SystemExit):
raise
except Exception:
raise EnvironmentSetupError('pip based download failed.')
|
download_pip_based_installations
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(env, pip_invocation, requirements, download_cache_folder):\n if config.installation_cache_folder() is None:\n raise EnvironmentSetupError(\n 'Local installation cache folder not defined but required for downloading pip based installations.'\n )\n _create_installation_cache_folder_if_needed()\n try:\n pip_options = ['install', '-d', config.installation_cache_folder(),\n '--exists-action=i']\n pip_options.extend(pip_download_cache_options(download_cache_folder))\n if (2, 5) <= env.sys_version_info < (2, 6):\n pip_options.append('--insecure')\n env.execute(pip_invocation + pip_options + requirements)\n except (KeyboardInterrupt, SystemExit):\n raise\n except Exception:\n raise EnvironmentSetupError('pip based download failed.')\n",
"role": "user"
},
{
"content": "download_pip_based_installations",
"role": "assistant"
}
] |
def x(env):
def x(config_value, required):
if config_value is Config.TriBool.No:
return False
if config_value is Config.TriBool.Yes:
return True
assert config_value is Config.TriBool.IfNeeded
return bool(required)
download_supported = not (2, 4, 3) <= env.sys_version_info < (2, 4, 4)
local_install = config.installation_cache_folder() is not None
actions = set()
pip_required = False
run_pip_based_installations = enabled(config.install_environments, True)
if run_pip_based_installations:
actions.add('run pip based installations')
pip_required = True
if download_supported and enabled(config.download_installations,
local_install and run_pip_based_installations):
actions.add('download pip based installations')
pip_required = True
setuptools_required = False
run_pip_installation = enabled(config.install_environments, pip_required)
if run_pip_installation:
actions.add('run pip installation')
setuptools_required = True
if download_supported and enabled(config.download_installations,
local_install and run_pip_installation):
actions.add('download pip installation')
setuptools_required = True
if enabled(config.setup_setuptools, setuptools_required):
actions.add('setup setuptools')
return actions
|
enabled_actions_for_env
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(env):\n\n def x(config_value, required):\n if config_value is Config.TriBool.No:\n return False\n if config_value is Config.TriBool.Yes:\n return True\n assert config_value is Config.TriBool.IfNeeded\n return bool(required)\n download_supported = not (2, 4, 3) <= env.sys_version_info < (2, 4, 4)\n local_install = config.installation_cache_folder() is not None\n actions = set()\n pip_required = False\n run_pip_based_installations = enabled(config.install_environments, True)\n if run_pip_based_installations:\n actions.add('run pip based installations')\n pip_required = True\n if download_supported and enabled(config.download_installations, \n local_install and run_pip_based_installations):\n actions.add('download pip based installations')\n pip_required = True\n setuptools_required = False\n run_pip_installation = enabled(config.install_environments, pip_required)\n if run_pip_installation:\n actions.add('run pip installation')\n setuptools_required = True\n if download_supported and enabled(config.download_installations, \n local_install and run_pip_installation):\n actions.add('download pip installation')\n setuptools_required = True\n if enabled(config.setup_setuptools, setuptools_required):\n actions.add('setup setuptools')\n return actions\n",
"role": "user"
},
{
"content": "enabled_actions_for_env",
"role": "assistant"
}
] |
def x(self):
f = open(self.script_path(), 'r')
try:
matcher = re.compile('\\s*DEFAULT_VERSION\\s*=\\s*"([^"]*)"\\s*$')
for i, line in enumerate(f):
if i > 50:
break
match = matcher.match(line)
if match:
return match.group(1)
finally:
f.close()
self.__error("error parsing setuptools installation script '%s'" % (
self.script_path(),))
|
setuptools_version
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n f = open(self.script_path(), 'r')\n try:\n matcher = re.compile('\\\\s*DEFAULT_VERSION\\\\s*=\\\\s*\"([^\"]*)\"\\\\s*$')\n for i, line in enumerate(f):\n if i > 50:\n break\n match = matcher.match(line)\n if match:\n return match.group(1)\n finally:\n f.close()\n self.__error(\"error parsing setuptools installation script '%s'\" % (\n self.script_path(),))\n",
"role": "user"
},
{
"content": "setuptools_version",
"role": "assistant"
}
] |
def x(self, name):
if name is None:
raise Exception('name (%s) not-valid' % (name,))
self.prefix, self.name = splitPrefix(name)
|
rename
|
[
{
"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 name is None:\n raise Exception('name (%s) not-valid' % (name,))\n self.prefix, self.name = splitPrefix(name)\n",
"role": "user"
},
{
"content": "rename",
"role": "assistant"
}
] |
def x(self, parent=None):
root = Element(self.qname(), parent, self.namespace())
for a in self.attributes:
root.append(a.clone(self))
for c in self.children:
root.append(c.clone(self))
for ns in self.nsprefixes.items():
root.addPrefix(ns[0], ns[1])
return root
|
clone
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parent=None):\n root = Element(self.qname(), parent, self.namespace())\n for a in self.attributes:\n root.append(a.clone(self))\n for c in self.children:\n root.append(c.clone(self))\n for ns in self.nsprefixes.items():\n root.addPrefix(ns[0], ns[1])\n return root\n",
"role": "user"
},
{
"content": "clone",
"role": "assistant"
}
] |
def x(self, name):
try:
attr = self.getAttribute(name)
self.attributes.remove(attr)
except Exception:
pass
return self
|
unset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n try:\n attr = self.getAttribute(name)\n self.attributes.remove(attr)\n except Exception:\n pass\n return self\n",
"role": "user"
},
{
"content": "unset",
"role": "assistant"
}
] |
def x(self, name, ns=None, default=None):
attr = self.getAttribute(name, ns)
if attr is None or attr.value is None:
return default
return attr.getValue()
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, ns=None, default=None):\n attr = self.getAttribute(name, ns)\n if attr is None or attr.value is None:\n return default\n return attr.getValue()\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self):
if self.prefix is None:
return self.defaultNamespace()
return self.resolvePrefix(self.prefix)
|
namespace
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.prefix is None:\n return self.defaultNamespace()\n return self.resolvePrefix(self.prefix)\n",
"role": "user"
},
{
"content": "namespace",
"role": "assistant"
}
] |
def x(self):
p = self
while p is not None:
if p.expns is not None:
return None, p.expns
p = p.parent
return Namespace.default
|
defaultNamespace
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n p = self\n while p is not None:\n if p.expns is not None:\n return None, p.expns\n p = p.parent\n return Namespace.default\n",
"role": "user"
},
{
"content": "defaultNamespace",
"role": "assistant"
}
] |
def x(self, objects):
if not isinstance(objects, (list, tuple)):
objects = objects,
for child in objects:
if isinstance(child, Element):
self.children.append(child)
child.parent = self
continue
if isinstance(child, Attribute):
self.attributes.append(child)
child.parent = self
continue
raise Exception('append %s not-valid' % (child.__class__.__name__,))
return self
|
append
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, objects):\n if not isinstance(objects, (list, tuple)):\n objects = objects,\n for child in objects:\n if isinstance(child, Element):\n self.children.append(child)\n child.parent = self\n continue\n if isinstance(child, Attribute):\n self.attributes.append(child)\n child.parent = self\n continue\n raise Exception('append %s not-valid' % (child.__class__.__name__,))\n return self\n",
"role": "user"
},
{
"content": "append",
"role": "assistant"
}
] |
def x(self, objects, index=0):
objects = objects,
for child in objects:
if not isinstance(child, Element):
raise Exception('append %s not-valid' % (child.__class__.__name__,)
)
self.children.insert(index, child)
child.parent = self
return self
|
insert
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, objects, index=0):\n objects = objects,\n for child in objects:\n if not isinstance(child, Element):\n raise Exception('append %s not-valid' % (child.__class__.__name__,)\n )\n self.children.insert(index, child)\n child.parent = self\n return self\n",
"role": "user"
},
{
"content": "insert",
"role": "assistant"
}
] |
def x(self, name, ns=None, default=None):
if ns is None:
prefix, name = splitPrefix(name)
if prefix is not None:
ns = self.resolvePrefix(prefix)
for c in self.children:
if c.match(name, ns):
return c
return default
|
getChild
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, ns=None, default=None):\n if ns is None:\n prefix, name = splitPrefix(name)\n if prefix is not None:\n ns = self.resolvePrefix(prefix)\n for c in self.children:\n if c.match(name, ns):\n return c\n return default\n",
"role": "user"
},
{
"content": "getChild",
"role": "assistant"
}
] |
def x(self, path):
result = None
node = self
for name in path.split('/'):
if not name:
continue
ns = None
prefix, name = splitPrefix(name)
if prefix is not None:
ns = node.resolvePrefix(prefix)
result = node.getChild(name, ns)
if result is None:
return
node = result
return result
|
childAtPath
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path):\n result = None\n node = self\n for name in path.split('/'):\n if not name:\n continue\n ns = None\n prefix, name = splitPrefix(name)\n if prefix is not None:\n ns = node.resolvePrefix(prefix)\n result = node.getChild(name, ns)\n if result is None:\n return\n node = result\n return result\n",
"role": "user"
},
{
"content": "childAtPath",
"role": "assistant"
}
] |
def x(self, path):
parts = [p for p in path.split('/') if p]
if len(parts) == 1:
return self.getChildren(path)
return self.__childrenAtPath(parts)
|
childrenAtPath
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path):\n parts = [p for p in path.split('/') if p]\n if len(parts) == 1:\n return self.getChildren(path)\n return self.__childrenAtPath(parts)\n",
"role": "user"
},
{
"content": "childrenAtPath",
"role": "assistant"
}
] |
def x(self, name=None, ns=None):
if ns is None:
if name is None:
return self.children
prefix, name = splitPrefix(name)
if prefix is not None:
ns = self.resolvePrefix(prefix)
return [c for c in self.children if c.match(name, ns)]
|
getChildren
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name=None, ns=None):\n if ns is None:\n if name is None:\n return self.children\n prefix, name = splitPrefix(name)\n if prefix is not None:\n ns = self.resolvePrefix(prefix)\n return [c for c in self.children if c.match(name, ns)]\n",
"role": "user"
},
{
"content": "getChildren",
"role": "assistant"
}
] |
def x(self):
for c in self.children:
c.promotePrefixes()
if self.parent is None:
return
for p, u in self.nsprefixes.items():
if p in self.parent.nsprefixes:
pu = self.parent.nsprefixes[p]
if pu == u:
del self.nsprefixes[p]
continue
if p != self.parent.prefix:
self.parent.nsprefixes[p] = u
del self.nsprefixes[p]
return self
|
promotePrefixes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for c in self.children:\n c.promotePrefixes()\n if self.parent is None:\n return\n for p, u in self.nsprefixes.items():\n if p in self.parent.nsprefixes:\n pu = self.parent.nsprefixes[p]\n if pu == u:\n del self.nsprefixes[p]\n continue\n if p != self.parent.prefix:\n self.parent.nsprefixes[p] = u\n del self.nsprefixes[p]\n return self\n",
"role": "user"
},
{
"content": "promotePrefixes",
"role": "assistant"
}
] |
def x(self, content=True):
nochildren = not self.children
notext = self.text is None
nocontent = nochildren and notext
if content:
return nocontent
noattrs = not len(self.attributes)
return nocontent and noattrs
|
isempty
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, content=True):\n nochildren = not self.children\n notext = self.text is None\n nocontent = nochildren and notext\n if content:\n return nocontent\n noattrs = not len(self.attributes)\n return nocontent and noattrs\n",
"role": "user"
},
{
"content": "isempty",
"role": "assistant"
}
] |
def x(self):
nilattr = self.getAttribute('nil', ns=Namespace.xsins)
return nilattr is not None and nilattr.getValue().lower() == 'true'
|
isnil
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n nilattr = self.getAttribute('nil', ns=Namespace.xsins)\n return nilattr is not None and nilattr.getValue().lower() == 'true'\n",
"role": "user"
},
{
"content": "isnil",
"role": "assistant"
}
] |
def x(self, flag=True):
p, u = Namespace.xsins
name = ':'.join((p, 'nil'))
self.set(name, str(flag).lower())
self.addPrefix(p, u)
if flag:
self.text = None
return self
|
setnil
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, flag=True):\n p, u = Namespace.xsins\n name = ':'.join((p, 'nil'))\n self.set(name, str(flag).lower())\n self.addPrefix(p, u)\n if flag:\n self.text = None\n return self\n",
"role": "user"
},
{
"content": "setnil",
"role": "assistant"
}
] |
def x(self, ns):
if ns is None:
return
if not isinstance(ns, (list, tuple)):
raise Exception('namespace must be a list or a tuple')
if ns[0] is None:
self.expns = ns[1]
else:
self.prefix = ns[0]
self.nsprefixes[ns[0]] = ns[1]
|
applyns
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ns):\n if ns is None:\n return\n if not isinstance(ns, (list, tuple)):\n raise Exception('namespace must be a list or a tuple')\n if ns[0] is None:\n self.expns = ns[1]\n else:\n self.prefix = ns[0]\n self.nsprefixes[ns[0]] = ns[1]\n",
"role": "user"
},
{
"content": "applyns",
"role": "assistant"
}
] |
def x(self, indent=0):
tab = '%*s' % (indent * 3, '')
result = []
result.append('%s<%s' % (tab, self.qname()))
result.append(self.nsdeclarations())
for a in self.attributes:
result.append(' %s' % (unicode(a),))
if self.isempty():
result.append('/>')
return ''.join(result)
result.append('>')
if self.hasText():
result.append(self.text.escape())
for c in self.children:
result.append('\n')
result.append(c.str(indent + 1))
if len(self.children):
result.append('\n%s' % (tab,))
result.append('</%s>' % (self.qname(),))
return ''.join(result)
|
str
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, indent=0):\n tab = '%*s' % (indent * 3, '')\n result = []\n result.append('%s<%s' % (tab, self.qname()))\n result.append(self.nsdeclarations())\n for a in self.attributes:\n result.append(' %s' % (unicode(a),))\n if self.isempty():\n result.append('/>')\n return ''.join(result)\n result.append('>')\n if self.hasText():\n result.append(self.text.escape())\n for c in self.children:\n result.append('\\n')\n result.append(c.str(indent + 1))\n if len(self.children):\n result.append('\\n%s' % (tab,))\n result.append('</%s>' % (self.qname(),))\n return ''.join(result)\n",
"role": "user"
},
{
"content": "str",
"role": "assistant"
}
] |
def x(self):
result = ['<%s' % (self.qname(),), self.nsdeclarations()]
for a in self.attributes:
result.append(' %s' % (unicode(a),))
if self.isempty():
result.append('/>')
return ''.join(result)
result.append('>')
if self.hasText():
result.append(self.text.escape())
for c in self.children:
result.append(c.plain())
result.append('</%s>' % (self.qname(),))
return ''.join(result)
|
plain
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n result = ['<%s' % (self.qname(),), self.nsdeclarations()]\n for a in self.attributes:\n result.append(' %s' % (unicode(a),))\n if self.isempty():\n result.append('/>')\n return ''.join(result)\n result.append('>')\n if self.hasText():\n result.append(self.text.escape())\n for c in self.children:\n result.append(c.plain())\n result.append('</%s>' % (self.qname(),))\n return ''.join(result)\n",
"role": "user"
},
{
"content": "plain",
"role": "assistant"
}
] |
def x(self):
s = []
myns = None, self.expns
if self.parent is None:
pns = Namespace.default
else:
pns = None, self.parent.expns
if myns[1] != pns[1]:
if self.expns is not None:
s.append(' xmlns="%s"' % (self.expns,))
for item in self.nsprefixes.items():
p, u = item
if self.parent is not None:
ns = self.parent.resolvePrefix(p)
if ns[1] == u:
continue
s.append(' xmlns:%s="%s"' % (p, u))
return ''.join(s)
|
nsdeclarations
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n s = []\n myns = None, self.expns\n if self.parent is None:\n pns = Namespace.default\n else:\n pns = None, self.parent.expns\n if myns[1] != pns[1]:\n if self.expns is not None:\n s.append(' xmlns=\"%s\"' % (self.expns,))\n for item in self.nsprefixes.items():\n p, u = item\n if self.parent is not None:\n ns = self.parent.resolvePrefix(p)\n if ns[1] == u:\n continue\n s.append(' xmlns:%s=\"%s\"' % (p, u))\n return ''.join(s)\n",
"role": "user"
},
{
"content": "nsdeclarations",
"role": "assistant"
}
] |
def x(self, url):
cache = self.__cache()
id = self.mangle(url, 'wsdl')
wsdl = cache.get(id)
if wsdl is None:
wsdl = self.fn(url, self.options)
cache.put(id, wsdl)
else:
wsdl.options = self.options
for imp in wsdl.imports:
imp.imported.options = self.options
return wsdl
|
open
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url):\n cache = self.__cache()\n id = self.mangle(url, 'wsdl')\n wsdl = cache.get(id)\n if wsdl is None:\n wsdl = self.fn(url, self.options)\n cache.put(id, wsdl)\n else:\n wsdl.options = self.options\n for imp in wsdl.imports:\n imp.imported.options = self.options\n return wsdl\n",
"role": "user"
},
{
"content": "open",
"role": "assistant"
}
] |
def x(self):
if self.options.cachingpolicy == 1:
return self.options.cache
return suds.cache.NoCache()
|
cache
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.options.cachingpolicy == 1:\n return self.options.cache\n return suds.cache.NoCache()\n",
"role": "user"
},
{
"content": "cache",
"role": "assistant"
}
] |
def x(self, url):
cache = self.__cache()
id = self.mangle(url, 'document')
xml = cache.get(id)
if xml is None:
xml = self.__fetch(url)
cache.put(id, xml)
self.plugins.document.parsed(url=url, document=xml.root())
return xml
|
open
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url):\n cache = self.__cache()\n id = self.mangle(url, 'document')\n xml = cache.get(id)\n if xml is None:\n xml = self.__fetch(url)\n cache.put(id, xml)\n self.plugins.document.parsed(url=url, document=xml.root())\n return xml\n",
"role": "user"
},
{
"content": "open",
"role": "assistant"
}
] |
def x(self, url):
content = None
store = self.options.documentStore
if store is not None:
content = store.open(url)
if content is None:
request = suds.transport.Request(url)
fp = self.options.transport.open(request)
try:
content = fp.read()
finally:
fp.close()
ctx = self.plugins.document.loaded(url=url, document=content)
content = ctx.document
sax = suds.sax.parser.Parser()
return sax.parse(string=content)
|
fetch
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url):\n content = None\n store = self.options.documentStore\n if store is not None:\n content = store.open(url)\n if content is None:\n request = suds.transport.Request(url)\n fp = self.options.transport.open(request)\n try:\n content = fp.read()\n finally:\n fp.close()\n ctx = self.plugins.document.loaded(url=url, document=content)\n content = ctx.document\n sax = suds.sax.parser.Parser()\n return sax.parse(string=content)\n",
"role": "user"
},
{
"content": "fetch",
"role": "assistant"
}
] |
def x(self, s):
if isinstance(s, basestring) and self.__needs_encoding(s):
for x in self.encodings:
s = re.sub(x[0], x[1], s)
return s
|
encode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, s):\n if isinstance(s, basestring) and self.__needs_encoding(s):\n for x in self.encodings:\n s = re.sub(x[0], x[1], s)\n return s\n",
"role": "user"
},
{
"content": "encode",
"role": "assistant"
}
] |
def x(self, s):
if isinstance(s, basestring):
for c in self.special:
if c in s:
return True
|
needs_encoding
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, s):\n if isinstance(s, basestring):\n for c in self.special:\n if c in s:\n return True\n",
"role": "user"
},
{
"content": "needs_encoding",
"role": "assistant"
}
] |
def x(version_info=sys.version_info):
if version_info < (2, 5):
yield requirement_spec('virtualenv', ('<',
lowest_version_string_with_prefix('1.8')))
elif version_info < (2, 6):
yield requirement_spec('virtualenv', ('<',
lowest_version_string_with_prefix('1.10')))
else:
yield requirement_spec('virtualenv')
|
virtualenv_requirements
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(version_info=sys.version_info):\n if version_info < (2, 5):\n yield requirement_spec('virtualenv', ('<',\n lowest_version_string_with_prefix('1.8')))\n elif version_info < (2, 6):\n yield requirement_spec('virtualenv', ('<',\n lowest_version_string_with_prefix('1.10')))\n else:\n yield requirement_spec('virtualenv')\n",
"role": "user"
},
{
"content": "virtualenv_requirements",
"role": "assistant"
}
] |
def x(self):
major, minor, micro, release_level, serial = self.sys_version_info
assert release_level in ('alfa', 'beta', 'candidate', 'final')
assert release_level != 'final' or serial == 0
parts = [str(major), '.', str(minor), '.', str(micro)]
if release_level != 'final':
parts.append(release_level[0])
parts.append(str(serial))
self.python_version = ''.join(parts)
|
construct_python_version
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n major, minor, micro, release_level, serial = self.sys_version_info\n assert release_level in ('alfa', 'beta', 'candidate', 'final')\n assert release_level != 'final' or serial == 0\n parts = [str(major), '.', str(minor), '.', str(micro)]\n if release_level != 'final':\n parts.append(release_level[0])\n parts.append(str(serial))\n self.python_version = ''.join(parts)\n",
"role": "user"
},
{
"content": "construct_python_version",
"role": "assistant"
}
] |
def x(self):
string = self.sys_version_info_formatted
try:
major, minor, micro, release_level, serial = string.split(',')
if release_level in ('alfa', 'beta', 'candidate', 'final') and (
release_level != 'final' or serial == '0') and major.isdigit(
) and minor.isdigit() and micro.isdigit() and serial.isdigit():
self.sys_version_info = int(major), int(minor), int(micro
), release_level, int(serial)
self.__construct_python_version()
return
except (KeyboardInterrupt, SystemExit):
raise
except Exception:
pass
raise BadEnvironment('Unsupported Python version (%s)' % (string,))
|
parse_scanned_version_info
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n string = self.sys_version_info_formatted\n try:\n major, minor, micro, release_level, serial = string.split(',')\n if release_level in ('alfa', 'beta', 'candidate', 'final') and (\n release_level != 'final' or serial == '0') and major.isdigit(\n ) and minor.isdigit() and micro.isdigit() and serial.isdigit():\n self.sys_version_info = int(major), int(minor), int(micro\n ), release_level, int(serial)\n self.__construct_python_version()\n return\n except (KeyboardInterrupt, SystemExit):\n raise\n except Exception:\n pass\n raise BadEnvironment('Unsupported Python version (%s)' % (string,))\n",
"role": "user"
},
{
"content": "parse_scanned_version_info",
"role": "assistant"
}
] |
def x(self, d, h, n, nl=False):
if d in h:
return '{}...'
h.append(d)
s = []
if nl:
s.append('\n')
s.append(self.indent(n))
s.append('{')
for item in d.items():
s.append('\n')
s.append(self.indent(n + 1))
if isinstance(item[1], (list, tuple)):
s.append(tostr(item[0]))
s.append('[]')
else:
s.append(tostr(item[0]))
s.append(' = ')
s.append(self.process(item[1], h, n, True))
s.append('\n')
s.append(self.indent(n))
s.append('}')
h.pop()
return ''.join(s)
|
print_dictionary
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, d, h, n, nl=False):\n if d in h:\n return '{}...'\n h.append(d)\n s = []\n if nl:\n s.append('\\n')\n s.append(self.indent(n))\n s.append('{')\n for item in d.items():\n s.append('\\n')\n s.append(self.indent(n + 1))\n if isinstance(item[1], (list, tuple)):\n s.append(tostr(item[0]))\n s.append('[]')\n else:\n s.append(tostr(item[0]))\n s.append(' = ')\n s.append(self.process(item[1], h, n, True))\n s.append('\\n')\n s.append(self.indent(n))\n s.append('}')\n h.pop()\n return ''.join(s)\n",
"role": "user"
},
{
"content": "print_dictionary",
"role": "assistant"
}
] |
def x(self, c, h, n):
if c in h:
return '[]...'
h.append(c)
s = []
for item in c:
s.append('\n')
s.append(self.indent(n))
s.append(self.process(item, h, n - 2))
s.append(',')
h.pop()
return ''.join(s)
|
print_collection
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, c, h, n):\n if c in h:\n return '[]...'\n h.append(c)\n s = []\n for item in c:\n s.append('\\n')\n s.append(self.indent(n))\n s.append(self.process(item, h, n - 2))\n s.append(',')\n h.pop()\n return ''.join(s)\n",
"role": "user"
},
{
"content": "print_collection",
"role": "assistant"
}
] |
def x(self, content):
ns = content.type.namespace()
if content.type.form_qualified:
node = Element(content.tag, ns=ns)
if ns[0]:
node.addPrefix(ns[0], ns[1])
else:
node = Element(content.tag)
self.encode(node, content)
log.debug('created - node:\n%s', node)
return node
|
node
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, content):\n ns = content.type.namespace()\n if content.type.form_qualified:\n node = Element(content.tag, ns=ns)\n if ns[0]:\n node.addPrefix(ns[0], ns[1])\n else:\n node = Element(content.tag)\n self.encode(node, content)\n log.debug('created - node:\\n%s', node)\n return node\n",
"role": "user"
},
{
"content": "node",
"role": "assistant"
}
] |
def x(self, node, content):
if content.type.any():
return
if not content.real.extension():
return
if content.type.resolve() == content.real:
return
ns = None
name = content.real.name
if self.xstq:
ns = content.real.namespace('ns1')
Typer.manual(node, name, ns)
|
encode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node, content):\n if content.type.any():\n return\n if not content.real.extension():\n return\n if content.type.resolve() == content.real:\n return\n ns = None\n name = content.real.name\n if self.xstq:\n ns = content.real.namespace('ns1')\n Typer.manual(node, name, ns)\n",
"role": "user"
},
{
"content": "encode",
"role": "assistant"
}
] |
def x(self, content):
if self.optional(content):
v = content.value
if v is None:
return True
if isinstance(v, (list, tuple)) and not v:
return True
return False
|
skip
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, content):\n if self.optional(content):\n v = content.value\n if v is None:\n return True\n if isinstance(v, (list, tuple)) and not v:\n return True\n return False\n",
"role": "user"
},
{
"content": "skip",
"role": "assistant"
}
] |
def x(folder):
eggs = {}
for x in os.listdir(folder):
zip = x.endswith(_zip_ext)
if zip:
root = x[:-len(_zip_ext)]
egg = _Egg.NONE
elif x.endswith(_egg_ext):
root = x[:-len(_egg_ext)]
if os.path.isdir(os.path.join(folder, x)):
egg = _Egg.FOLDER
else:
egg = _Egg.FILE
else:
continue
try:
info = eggs[root]
except KeyError:
eggs[root] = _Egg(os.path.join(folder, root), egg, zip)
else:
if egg is not _Egg.NONE:
info.set_egg(egg)
if zip:
info.set_zip()
return eggs.values()
|
detect_eggs_in_folder
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(folder):\n eggs = {}\n for x in os.listdir(folder):\n zip = x.endswith(_zip_ext)\n if zip:\n root = x[:-len(_zip_ext)]\n egg = _Egg.NONE\n elif x.endswith(_egg_ext):\n root = x[:-len(_egg_ext)]\n if os.path.isdir(os.path.join(folder, x)):\n egg = _Egg.FOLDER\n else:\n egg = _Egg.FILE\n else:\n continue\n try:\n info = eggs[root]\n except KeyError:\n eggs[root] = _Egg(os.path.join(folder, root), egg, zip)\n else:\n if egg is not _Egg.NONE:\n info.set_egg(egg)\n if zip:\n info.set_zip()\n return eggs.values()\n",
"role": "user"
},
{
"content": "detect_eggs_in_folder",
"role": "assistant"
}
] |
def x(self):
if self.has_egg_file():
if self.has_zip():
self.__remove_zip()
else:
if self.has_egg_folder():
if not self.has_zip():
self.__zip_egg_folder()
self.__remove_egg_folder()
self.__rename_zip_to_egg()
|
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 self.has_egg_file():\n if self.has_zip():\n self.__remove_zip()\n else:\n if self.has_egg_folder():\n if not self.has_zip():\n self.__zip_egg_folder()\n self.__remove_egg_folder()\n self.__rename_zip_to_egg()\n",
"role": "user"
},
{
"content": "normalize",
"role": "assistant"
}
] |
def x(method_name, param_defs, args, kwargs, external_param_processor,
extra_parameter_errors):
arg_parser = _ArgParser(method_name, param_defs, external_param_processor)
return arg_parser(args, kwargs, extra_parameter_errors)
|
parse_args
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(method_name, param_defs, args, kwargs, external_param_processor,\n extra_parameter_errors):\n arg_parser = _ArgParser(method_name, param_defs, external_param_processor)\n return arg_parser(args, kwargs, extra_parameter_errors)\n",
"role": "user"
},
{
"content": "parse_args",
"role": "assistant"
}
] |
def x(self):
assert self.active()
sentinel_frame = self.__stack[0]
self.__pop_frames_above(sentinel_frame)
assert len(self.__stack) == 1
self.__pop_top_frame()
assert not self.active()
args_required = sentinel_frame.args_required()
args_allowed = sentinel_frame.args_allowed()
self.__check_for_extra_arguments(args_required, args_allowed)
return args_required, args_allowed
|
all_parameters_processed
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n assert self.active()\n sentinel_frame = self.__stack[0]\n self.__pop_frames_above(sentinel_frame)\n assert len(self.__stack) == 1\n self.__pop_top_frame()\n assert not self.active()\n args_required = sentinel_frame.args_required()\n args_allowed = sentinel_frame.args_allowed()\n self.__check_for_extra_arguments(args_required, args_allowed)\n return args_required, args_allowed\n",
"role": "user"
},
{
"content": "all_parameters_processed",
"role": "assistant"
}
] |
def x(self, args_required, args_allowed):
assert not self.active()
if not self.__extra_parameter_errors:
return
if self.__kwargs:
param_name = self.__kwargs.keys()[0]
if param_name in self.__params_with_arguments:
msg = "got multiple values for parameter '%s'"
else:
msg = "got an unexpected keyword argument '%s'"
self.__error(msg % (param_name,))
if self.__args:
def x(count):
if count == 1:
return ''
return 's'
def x(count):
if count == 1:
return 'was'
return 'were'
expected = args_required
if args_required != args_allowed:
expected = '%d to %d' % (args_required, args_allowed)
given = self.__args_count
msg_parts = ['takes %s positional argument' % (expected,),
plural_suffix(expected), ' but %d ' % (given,), plural_was_were
(given), ' given']
self.__error(''.join(msg_parts))
|
check_for_extra_arguments
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, args_required, args_allowed):\n assert not self.active()\n if not self.__extra_parameter_errors:\n return\n if self.__kwargs:\n param_name = self.__kwargs.keys()[0]\n if param_name in self.__params_with_arguments:\n msg = \"got multiple values for parameter '%s'\"\n else:\n msg = \"got an unexpected keyword argument '%s'\"\n self.__error(msg % (param_name,))\n if self.__args:\n\n def x(count):\n if count == 1:\n return ''\n return 's'\n\n def x(count):\n if count == 1:\n return 'was'\n return 'were'\n expected = args_required\n if args_required != args_allowed:\n expected = '%d to %d' % (args_required, args_allowed)\n given = self.__args_count\n msg_parts = ['takes %s positional argument' % (expected,),\n plural_suffix(expected), ' but %d ' % (given,), plural_was_were\n (given), ' given']\n self.__error(''.join(msg_parts))\n",
"role": "user"
},
{
"content": "check_for_extra_arguments",
"role": "assistant"
}
] |
def x(self, ancestry_item):
frame_class = Frame
if ancestry_item is not None and ancestry_item.choice():
frame_class = ChoiceFrame
return frame_class(ancestry_item, self.__error, self.
__extra_parameter_errors)
|
frame_factory
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ancestry_item):\n frame_class = Frame\n if ancestry_item is not None and ancestry_item.choice():\n frame_class = ChoiceFrame\n return frame_class(ancestry_item, self.__error, self.\n __extra_parameter_errors)\n",
"role": "user"
},
{
"content": "frame_factory",
"role": "assistant"
}
] |
def x(self, name):
if self.__args:
return True, self.__args.pop(0)
try:
value = self.__kwargs.pop(name)
except KeyError:
return False, None
return True, value
|
get_param_value
|
[
{
"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 self.__args:\n return True, self.__args.pop(0)\n try:\n value = self.__kwargs.pop(name)\n except KeyError:\n return False, None\n return True, value\n",
"role": "user"
},
{
"content": "get_param_value",
"role": "assistant"
}
] |
def x(self):
for x in self.__stack:
if x.__class__ is ChoiceFrame:
return True
return False
|
in_choice_context
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for x in self.__stack:\n if x.__class__ is ChoiceFrame:\n return True\n return False\n",
"role": "user"
},
{
"content": "in_choice_context",
"role": "assistant"
}
] |
def x(self, args, kwargs, extra_parameter_errors):
assert not self.active()
self.__args = list(args)
self.__kwargs = dict(kwargs)
self.__extra_parameter_errors = extra_parameter_errors
self.__args_count = len(args) + len(kwargs)
self.__params_with_arguments = set()
self.__stack = []
self.__push_frame(None)
|
init_run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, args, kwargs, extra_parameter_errors):\n assert not self.active()\n self.__args = list(args)\n self.__kwargs = dict(kwargs)\n self.__extra_parameter_errors = extra_parameter_errors\n self.__args_count = len(args) + len(kwargs)\n self.__params_with_arguments = set()\n self.__stack = []\n self.__push_frame(None)\n",
"role": "user"
},
{
"content": "init_run",
"role": "assistant"
}
] |
def x(self, ancestry):
stack = self.__stack
if len(stack) == 1:
return stack[0], ancestry
previous = stack[0]
for frame, n in zip(stack[1:], xrange(len(ancestry))):
if frame.id() is not ancestry[n]:
return previous, ancestry[n:]
previous = frame
return frame, ancestry[n + 1:]
|
match_ancestry
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ancestry):\n stack = self.__stack\n if len(stack) == 1:\n return stack[0], ancestry\n previous = stack[0]\n for frame, n in zip(stack[1:], xrange(len(ancestry))):\n if frame.id() is not ancestry[n]:\n return previous, ancestry[n:]\n previous = frame\n return frame, ancestry[n + 1:]\n",
"role": "user"
},
{
"content": "match_ancestry",
"role": "assistant"
}
] |
def x(self, frame):
while self.__stack[-1] is not frame:
self.__pop_top_frame()
assert self.__stack
|
pop_frames_above
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, frame):\n while self.__stack[-1] is not frame:\n self.__pop_top_frame()\n assert self.__stack\n",
"role": "user"
},
{
"content": "pop_frames_above",
"role": "assistant"
}
] |
def x(self):
popped = self.__stack.pop()
if self.__stack:
self.__stack[-1].process_subframe(popped)
|
pop_top_frame
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n popped = self.__stack.pop()\n if self.__stack:\n self.__stack[-1].process_subframe(popped)\n",
"role": "user"
},
{
"content": "pop_top_frame",
"role": "assistant"
}
] |
def x(self, param_name, param_type, ancestry=None):
assert self.active()
param_optional = param_type.optional()
has_argument, value = self.__get_param_value(param_name)
if has_argument:
self.__params_with_arguments.add(param_name)
self.__update_context(ancestry)
self.__stack[-1].process_parameter(param_optional, value is not None)
self.__external_param_processor(param_name, param_type, self.
__in_choice_context(), value)
|
process_parameter
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, param_name, param_type, ancestry=None):\n assert self.active()\n param_optional = param_type.optional()\n has_argument, value = self.__get_param_value(param_name)\n if has_argument:\n self.__params_with_arguments.add(param_name)\n self.__update_context(ancestry)\n self.__stack[-1].process_parameter(param_optional, value is not None)\n self.__external_param_processor(param_name, param_type, self.\n __in_choice_context(), value)\n",
"role": "user"
},
{
"content": "process_parameter",
"role": "assistant"
}
] |
def x(self, ancestry_item):
frame = self.__frame_factory(ancestry_item)
self.__stack.append(frame)
|
push_frame
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ancestry_item):\n frame = self.__frame_factory(ancestry_item)\n self.__stack.append(frame)\n",
"role": "user"
},
{
"content": "push_frame",
"role": "assistant"
}
] |
def x(filename):
file = open(filename, 'rt')
try:
source = file.read()
finally:
file.close()
source = source.replace('\r\n', '\n').replace('\r', '\n')
return compile(source, filename, 'exec')
|
read_python_code
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n file = open(filename, 'rt')\n try:\n source = file.read()\n finally:\n file.close()\n source = source.replace('\\r\\n', '\\n').replace('\\r', '\\n')\n return compile(source, filename, 'exec')\n",
"role": "user"
},
{
"content": "read_python_code",
"role": "assistant"
}
] |
def x(*packages):
result = set()
todo = []
for package in packages:
folder = os.path.join(script_folder, *package.split('.'))
if not os.path.isdir(folder):
raise Exception("Folder not found for package '%s'." % (package,))
todo.append((package, folder))
while todo:
package, folder = todo.pop()
if package in result:
continue
result.add(package)
for subitem in os.listdir(folder):
subpackage = '.'.join((package, subitem))
subfolder = os.path.join(folder, subitem)
if not os.path.isfile(os.path.join(subfolder, '__init__.py')):
continue
todo.append((subpackage, subfolder))
return list(result)
|
recursive_package_list
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*packages):\n result = set()\n todo = []\n for package in packages:\n folder = os.path.join(script_folder, *package.split('.'))\n if not os.path.isdir(folder):\n raise Exception(\"Folder not found for package '%s'.\" % (package,))\n todo.append((package, folder))\n while todo:\n package, folder = todo.pop()\n if package in result:\n continue\n result.add(package)\n for subitem in os.listdir(folder):\n subpackage = '.'.join((package, subitem))\n subfolder = os.path.join(folder, subitem)\n if not os.path.isfile(os.path.join(subfolder, '__init__.py')):\n continue\n todo.append((subpackage, subfolder))\n return list(result)\n",
"role": "user"
},
{
"content": "recursive_package_list",
"role": "assistant"
}
] |
def x(self):
max = self.max
if max is None:
return False
if max.isdigit():
return int(max) > 1
return max == 'unbounded'
|
multi_occurrence
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n max = self.max\n if max is None:\n return False\n if max.isdigit():\n return int(max) > 1\n return max == 'unbounded'\n",
"role": "user"
},
{
"content": "multi_occurrence",
"role": "assistant"
}
] |
def x(self, qref, classes=[], ignore=None):
if not len(classes):
classes = self.__class__,
if ignore is None:
ignore = set()
if self.qname in ignore:
return
ignore.add(self.qname)
if self.qname == qref and self.__class__ in classes:
return self
for c in self.rawchildren:
p = c.find(qref, classes, ignore=ignore)
if p is not None:
return p
|
find
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, qref, classes=[], ignore=None):\n if not len(classes):\n classes = self.__class__,\n if ignore is None:\n ignore = set()\n if self.qname in ignore:\n return\n ignore.add(self.qname)\n if self.qname == qref and self.__class__ in classes:\n return self\n for c in self.rawchildren:\n p = c.find(qref, classes, ignore=ignore)\n if p is not None:\n return p\n",
"role": "user"
},
{
"content": "find",
"role": "assistant"
}
] |
def x(self):
frame = self.top()
while True:
result = frame.next()
if result is None:
self.pop()
return self.next()
if isinstance(result, Content):
ancestry = [f.sx for f in self.stack]
return result, ancestry
self.push(result)
return self.next()
|
next
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n frame = self.top()\n while True:\n result = frame.next()\n if result is None:\n self.pop()\n return self.next()\n if isinstance(result, Content):\n ancestry = [f.sx for f in self.stack]\n return result, ancestry\n self.push(result)\n return self.next()\n",
"role": "user"
},
{
"content": "next",
"role": "assistant"
}
] |
def x(self, content):
log.debug('processing:\n%s', content)
self.reset()
if content.tag is None:
content.tag = content.value.__class__.__name__
document = Document()
self.append(document, content)
return document.root()
|
process
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, content):\n log.debug('processing:\\n%s', content)\n self.reset()\n if content.tag is None:\n content.tag = content.value.__class__.__name__\n document = Document()\n self.append(document, content)\n return document.root()\n",
"role": "user"
},
{
"content": "process",
"role": "assistant"
}
] |
def x(self):
namespaces = []
for l in (self.params, self.types):
for t, r in l:
ns = r.namespace()
if ns[1] is None:
continue
if ns[1] in namespaces:
continue
if Namespace.xs(ns) or Namespace.xsd(ns):
continue
namespaces.append(ns[1])
if t == r:
continue
ns = t.namespace()
if ns[1] is None:
continue
if ns[1] in namespaces:
continue
namespaces.append(ns[1])
i = 0
namespaces.sort()
for u in namespaces:
p = self.nextprefix()
ns = p, u
self.prefixes.append(ns)
|
getprefixes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n namespaces = []\n for l in (self.params, self.types):\n for t, r in l:\n ns = r.namespace()\n if ns[1] is None:\n continue\n if ns[1] in namespaces:\n continue\n if Namespace.xs(ns) or Namespace.xsd(ns):\n continue\n namespaces.append(ns[1])\n if t == r:\n continue\n ns = t.namespace()\n if ns[1] is None:\n continue\n if ns[1] in namespaces:\n continue\n namespaces.append(ns[1])\n i = 0\n namespaces.sort()\n for u in namespaces:\n p = self.nextprefix()\n ns = p, u\n self.prefixes.append(ns)\n",
"role": "user"
},
{
"content": "getprefixes",
"role": "assistant"
}
] |
def x(self, type):
resolved = type.resolve()
name = resolved.name
if type.multi_occurrence():
name += '[]'
ns = resolved.namespace()
if ns[1] == self.wsdl.tns[1]:
return name
prefix = self.getprefix(ns[1])
return ':'.join((prefix, name))
|
xlate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, type):\n resolved = type.resolve()\n name = resolved.name\n if type.multi_occurrence():\n name += '[]'\n ns = resolved.namespace()\n if ns[1] == self.wsdl.tns[1]:\n return name\n prefix = self.getprefix(ns[1])\n return ':'.join((prefix, name))\n",
"role": "user"
},
{
"content": "xlate",
"role": "assistant"
}
] |
def x(self):
s = []
indent = lambda n: '\n%*s' % (n * 3, ' ')
s.append('Service ( %s ) tns="%s"' % (self.service.name, self.wsdl.tns[1]))
s.append(indent(1))
s.append('Prefixes (%d)' % len(self.prefixes))
for p in self.prefixes:
s.append(indent(2))
s.append('%s = "%s"' % p)
s.append(indent(1))
s.append('Ports (%d):' % len(self.ports))
for p in self.ports:
s.append(indent(2))
s.append('(%s)' % p[0].name)
s.append(indent(3))
s.append('Methods (%d):' % len(p[1]))
for m in p[1]:
sig = []
s.append(indent(4))
sig.append(m[0])
sig.append('(')
sig.append(', '.join('%s %s' % (self.xlate(p[1]), p[0]) for p in
m[1]))
sig.append(')')
try:
s.append(''.join(sig))
except Exception:
pass
s.append(indent(3))
s.append('Types (%d):' % len(self.types))
for t in self.types:
s.append(indent(4))
s.append(self.xlate(t[0]))
s.append('\n\n')
return ''.join(s)
|
description
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n s = []\n indent = lambda n: '\\n%*s' % (n * 3, ' ')\n s.append('Service ( %s ) tns=\"%s\"' % (self.service.name, self.wsdl.tns[1]))\n s.append(indent(1))\n s.append('Prefixes (%d)' % len(self.prefixes))\n for p in self.prefixes:\n s.append(indent(2))\n s.append('%s = \"%s\"' % p)\n s.append(indent(1))\n s.append('Ports (%d):' % len(self.ports))\n for p in self.ports:\n s.append(indent(2))\n s.append('(%s)' % p[0].name)\n s.append(indent(3))\n s.append('Methods (%d):' % len(p[1]))\n for m in p[1]:\n sig = []\n s.append(indent(4))\n sig.append(m[0])\n sig.append('(')\n sig.append(', '.join('%s %s' % (self.xlate(p[1]), p[0]) for p in\n m[1]))\n sig.append(')')\n try:\n s.append(''.join(sig))\n except Exception:\n pass\n s.append(indent(3))\n s.append('Types (%d):' % len(self.types))\n for t in self.types:\n s.append(indent(4))\n s.append(self.xlate(t[0]))\n s.append('\\n\\n')\n return ''.join(s)\n",
"role": "user"
},
{
"content": "description",
"role": "assistant"
}
] |
def x(self, node):
if isinstance(node, basestring):
self.__root = Element(node)
return
if isinstance(node, Element):
self.__root = node
return
|
append
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node):\n if isinstance(node, basestring):\n self.__root = Element(node)\n return\n if isinstance(node, Element):\n self.__root = node\n return\n",
"role": "user"
},
{
"content": "append",
"role": "assistant"
}
] |
def x(self, name, ns=None, default=None):
if self.__root is None:
return default
if ns is None:
prefix, name = splitPrefix(name)
if prefix is None:
ns = None
else:
ns = self.__root.resolvePrefix(prefix)
if self.__root.match(name, ns):
return self.__root
else:
return default
|
getChild
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, ns=None, default=None):\n if self.__root is None:\n return default\n if ns is None:\n prefix, name = splitPrefix(name)\n if prefix is None:\n ns = None\n else:\n ns = self.__root.resolvePrefix(prefix)\n if self.__root.match(name, ns):\n return self.__root\n else:\n return default\n",
"role": "user"
},
{
"content": "getChild",
"role": "assistant"
}
] |
def x(self, path):
if self.__root is None:
return None
if path[0] == '/':
path = path[1:]
path = path.split('/', 1)
if self.getChild(path[0]) is None:
return None
if len(path) > 1:
return self.__root.childAtPath(path[1])
else:
return self.__root
|
childAtPath
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path):\n if self.__root is None:\n return None\n if path[0] == '/':\n path = path[1:]\n path = path.split('/', 1)\n if self.getChild(path[0]) is None:\n return None\n if len(path) > 1:\n return self.__root.childAtPath(path[1])\n else:\n return self.__root\n",
"role": "user"
},
{
"content": "childAtPath",
"role": "assistant"
}
] |
def x(self, path):
if self.__root is None:
return []
if path[0] == '/':
path = path[1:]
path = path.split('/', 1)
if self.getChild(path[0]) is None:
return []
if len(path) > 1:
return self.__root.childrenAtPath(path[1])
else:
return [self.__root]
|
childrenAtPath
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path):\n if self.__root is None:\n return []\n if path[0] == '/':\n path = path[1:]\n path = path.split('/', 1)\n if self.getChild(path[0]) is None:\n return []\n if len(path) > 1:\n return self.__root.childrenAtPath(path[1])\n else:\n return [self.__root]\n",
"role": "user"
},
{
"content": "childrenAtPath",
"role": "assistant"
}
] |
def x(self, name=None, ns=None):
if name is None:
matched = self.__root
else:
matched = self.getChild(name, ns)
if matched is None:
return []
else:
return [matched]
|
getChildren
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name=None, ns=None):\n if name is None:\n matched = self.__root\n else:\n matched = self.getChild(name, ns)\n if matched is None:\n return []\n else:\n return [matched]\n",
"role": "user"
},
{
"content": "getChildren",
"role": "assistant"
}
] |
def x(self):
s = []
s.append(self.DECL)
root = self.root()
if root is not None:
s.append(root.plain())
return ''.join(s)
|
plain
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n s = []\n s.append(self.DECL)\n root = self.root()\n if root is not None:\n s.append(root.plain())\n return ''.join(s)\n",
"role": "user"
},
{
"content": "plain",
"role": "assistant"
}
] |
def x(self):
if self.children:
schema = self.children[0]
for s in self.children[1:]:
schema.merge(s)
return schema
|
merge
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.children:\n schema = self.children[0]\n for s in self.children[1:]:\n schema.merge(s)\n return schema\n",
"role": "user"
},
{
"content": "merge",
"role": "assistant"
}
] |
def x(self):
tns = self.root.get('targetNamespace')
tns_prefix = None
if tns is not None:
tns_prefix = self.root.findPrefix(tns)
return tns_prefix, tns
|
mktns
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n tns = self.root.get('targetNamespace')\n tns_prefix = None\n if tns is not None:\n tns_prefix = self.root.findPrefix(tns)\n return tns_prefix, tns\n",
"role": "user"
},
{
"content": "mktns",
"role": "assistant"
}
] |
def x(self, options, loaded_schemata):
for imp in self.imports:
imported = imp.open(options, loaded_schemata)
if imported is None:
continue
imported.open_imports(options, loaded_schemata)
log.debug('imported:\n%s', imported)
self.merge(imported)
|
open_imports
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, options, loaded_schemata):\n for imp in self.imports:\n imported = imp.open(options, loaded_schemata)\n if imported is None:\n continue\n imported.open_imports(options, loaded_schemata)\n log.debug('imported:\\n%s', imported)\n self.merge(imported)\n",
"role": "user"
},
{
"content": "open_imports",
"role": "assistant"
}
] |
def x(self):
all = []
indexes = {}
for child in self.children:
child.content(all)
dependencies = {}
for x in all:
x.qualify()
midx, deps = x.dependencies()
dependencies[x] = deps
indexes[x] = midx
for x, deps in dependency_sort(dependencies):
midx = indexes.get(x)
if midx is None:
continue
d = deps[midx]
log.debug('(%s) merging %s <== %s', self.tns[1], Repr(x), Repr(d))
x.merge(d)
|
dereference
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n all = []\n indexes = {}\n for child in self.children:\n child.content(all)\n dependencies = {}\n for x in all:\n x.qualify()\n midx, deps = x.dependencies()\n dependencies[x] = deps\n indexes[x] = midx\n for x, deps in dependency_sort(dependencies):\n midx = indexes.get(x)\n if midx is None:\n continue\n d = deps[midx]\n log.debug('(%s) merging %s <== %s', self.tns[1], Repr(x), Repr(d))\n x.merge(d)\n",
"role": "user"
},
{
"content": "dereference",
"role": "assistant"
}
] |
def x(self, root, baseurl, loaded_schemata, options):
return Schema(root, baseurl, options, loaded_schemata)
|
instance
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, root, baseurl, loaded_schemata, options):\n return Schema(root, baseurl, options, loaded_schemata)\n",
"role": "user"
},
{
"content": "instance",
"role": "assistant"
}
] |
def x(self, topic_name, topic_arn, topic_subs):
t = self.template
arn_endpoints = []
url_endpoints = []
for sub in topic_subs:
arn_endpoints.append(sub['Endpoint'])
split_endpoint = sub['Endpoint'].split(':')
queue_url = 'https://%s.%s.amazonaws.com/%s/%s' % (split_endpoint[2
], split_endpoint[3], split_endpoint[4], split_endpoint[5])
url_endpoints.append(queue_url)
policy_doc = queue_policy(topic_arn, arn_endpoints)
t.add_resource(sqs.QueuePolicy(topic_name + 'SubPolicy', PolicyDocument
=policy_doc, Queues=url_endpoints))
|
create_sqs_policy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, topic_name, topic_arn, topic_subs):\n t = self.template\n arn_endpoints = []\n url_endpoints = []\n for sub in topic_subs:\n arn_endpoints.append(sub['Endpoint'])\n split_endpoint = sub['Endpoint'].split(':')\n queue_url = 'https://%s.%s.amazonaws.com/%s/%s' % (split_endpoint[2\n ], split_endpoint[3], split_endpoint[4], split_endpoint[5])\n url_endpoints.append(queue_url)\n policy_doc = queue_policy(topic_arn, arn_endpoints)\n t.add_resource(sqs.QueuePolicy(topic_name + 'SubPolicy', PolicyDocument\n =policy_doc, Queues=url_endpoints))\n",
"role": "user"
},
{
"content": "create_sqs_policy",
"role": "assistant"
}
] |
def x(self, topic_name, topic_config):
topic_subs = []
t = self.template
if 'Subscription' in topic_config:
topic_subs = topic_config['Subscription']
t.add_resource(sns.Topic.from_dict(topic_name, topic_config))
topic_arn = Ref(topic_name)
t.add_output(Output(topic_name + 'Name', Value=GetAtt(topic_name,
'TopicName')))
t.add_output(Output(topic_name + 'Arn', Value=topic_arn))
sqs_subs = [sub for sub in topic_subs if sub['Protocol'] == 'sqs']
if sqs_subs:
self.create_sqs_policy(topic_name, topic_arn, sqs_subs)
|
create_topic
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, topic_name, topic_config):\n topic_subs = []\n t = self.template\n if 'Subscription' in topic_config:\n topic_subs = topic_config['Subscription']\n t.add_resource(sns.Topic.from_dict(topic_name, topic_config))\n topic_arn = Ref(topic_name)\n t.add_output(Output(topic_name + 'Name', Value=GetAtt(topic_name,\n 'TopicName')))\n t.add_output(Output(topic_name + 'Arn', Value=topic_arn))\n sqs_subs = [sub for sub in topic_subs if sub['Protocol'] == 'sqs']\n if sqs_subs:\n self.create_sqs_policy(topic_name, topic_arn, sqs_subs)\n",
"role": "user"
},
{
"content": "create_topic",
"role": "assistant"
}
] |
def x(stream_arn):
stream_type_map = {'kinesis': awacs.kinesis.Action, 'dynamodb': awacs.
dynamodb.Action}
stream_type = stream_arn.split(':')[2]
try:
return stream_type_map[stream_type]
except KeyError:
raise ValueError("Invalid stream type '%s' in arn '%s'" % (
stream_type, stream_arn))
|
get_stream_action_type
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(stream_arn):\n stream_type_map = {'kinesis': awacs.kinesis.Action, 'dynamodb': awacs.\n dynamodb.Action}\n stream_type = stream_arn.split(':')[2]\n try:\n return stream_type_map[stream_type]\n except KeyError:\n raise ValueError(\"Invalid stream type '%s' in arn '%s'\" % (\n stream_type, stream_arn))\n",
"role": "user"
},
{
"content": "get_stream_action_type",
"role": "assistant"
}
] |
def x(stream_arn):
action_type = get_stream_action_type(stream_arn)
arn_parts = stream_arn.split('/')
wildcard_arn_parts = arn_parts[:-1]
wildcard_arn_parts.append('*')
wildcard_arn = '/'.join(wildcard_arn_parts)
return [Statement(Effect=Allow, Resource=[stream_arn], Action=[
action_type('DescribeStream'), action_type('GetRecords'),
action_type('GetShardIterator')]), Statement(Effect=Allow, Resource
=[wildcard_arn], Action=[action_type('ListStreams')])]
|
stream_reader_statements
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(stream_arn):\n action_type = get_stream_action_type(stream_arn)\n arn_parts = stream_arn.split('/')\n wildcard_arn_parts = arn_parts[:-1]\n wildcard_arn_parts.append('*')\n wildcard_arn = '/'.join(wildcard_arn_parts)\n return [Statement(Effect=Allow, Resource=[stream_arn], Action=[\n action_type('DescribeStream'), action_type('GetRecords'),\n action_type('GetShardIterator')]), Statement(Effect=Allow, Resource\n =[wildcard_arn], Action=[action_type('ListStreams')])]\n",
"role": "user"
},
{
"content": "stream_reader_statements",
"role": "assistant"
}
] |
def x(self, statements):
if isinstance(statements, Statement):
statements = [statements]
self._policy_statements.extend(statements)
|
add_policy_statements
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, statements):\n if isinstance(statements, Statement):\n statements = [statements]\n self._policy_statements.extend(statements)\n",
"role": "user"
},
{
"content": "add_policy_statements",
"role": "assistant"
}
] |
def x(self):
statements = self._policy_statements
statements.extend(lambda_basic_execution_statements(self.function.Ref()))
extended_statements = self.extended_policy_statements()
if extended_statements:
statements.extend(extended_statements)
return statements
|
generate_policy_statements
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n statements = self._policy_statements\n statements.extend(lambda_basic_execution_statements(self.function.Ref()))\n extended_statements = self.extended_policy_statements()\n if extended_statements:\n statements.extend(extended_statements)\n return statements\n",
"role": "user"
},
{
"content": "generate_policy_statements",
"role": "assistant"
}
] |
def x(name):
name = name.replace('-', '_')
return ''.join(word.capitalize() for word in name.split('_'))
|
snake_to_camel_case
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n name = name.replace('-', '_')\n return ''.join(word.capitalize() for word in name.split('_'))\n",
"role": "user"
},
{
"content": "snake_to_camel_case",
"role": "assistant"
}
] |
def x(self):
template = self.template
variables = self.get_variables()
tclass = variables['Class']
tprops = variables['Properties']
output = variables['Output']
klass = load_object_from_string('troposphere.' + tclass)
instance = klass.from_dict('ResourceRefName', tprops)
template.add_resource(instance)
template.add_output(Output(output, Description=
'A reference to the object created in this blueprint', Value=Ref(
instance)))
|
setup_resource
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n template = self.template\n variables = self.get_variables()\n tclass = variables['Class']\n tprops = variables['Properties']\n output = variables['Output']\n klass = load_object_from_string('troposphere.' + tclass)\n instance = klass.from_dict('ResourceRefName', tprops)\n template.add_resource(instance)\n template.add_output(Output(output, Description=\n 'A reference to the object created in this blueprint', Value=Ref(\n instance)))\n",
"role": "user"
},
{
"content": "setup_resource",
"role": "assistant"
}
] |
def x():
statements = []
statements.extend(kms_key_root_statements())
return Policy(Version='2012-10-17', Id='root-account-access', Statement
=statements)
|
kms_key_policy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n statements = []\n statements.extend(kms_key_root_statements())\n return Policy(Version='2012-10-17', Id='root-account-access', Statement\n =statements)\n",
"role": "user"
},
{
"content": "kms_key_policy",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.