source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
---|---|---|
def x(command=None):
process = subprocess.Popen(command, stdout=subprocess.PIPE, stderr=
subprocess.PIPE)
stdout, stdin = process.communicate()
process.wait()
return (stdout, stdin), process.returncode
| execute_command | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(command=None):\n process = subprocess.Popen(command, stdout=subprocess.PIPE, stderr=\n subprocess.PIPE)\n stdout, stdin = process.communicate()\n process.wait()\n return (stdout, stdin), process.returncode\n",
"role": "user"
},
{
"content": "execute_command",
"role": "assistant"
}
]
|
def x(_input=None):
if PY2:
return base64.b64encode(_input)
elif PY3:
if isinstance(_input, bytes):
return base64.b64encode(_input).decode('UTF-8')
elif isinstance(_input, str):
return base64.b64encode(bytearray(_input, encoding='UTF-8')
).decode('UTF-8')
| base64encode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(_input=None):\n if PY2:\n return base64.b64encode(_input)\n elif PY3:\n if isinstance(_input, bytes):\n return base64.b64encode(_input).decode('UTF-8')\n elif isinstance(_input, str):\n return base64.b64encode(bytearray(_input, encoding='UTF-8')\n ).decode('UTF-8')\n",
"role": "user"
},
{
"content": "base64encode",
"role": "assistant"
}
]
|
def x(_input=None):
missing_padding = 4 - len(_input) % 4
if missing_padding:
_input += '=' * missing_padding
if PY2:
return base64.decodestring(_input)
elif PY3:
if isinstance(_input, bytes):
return base64.b64decode(_input).decode('UTF-8')
elif isinstance(_input, str):
return base64.b64decode(bytearray(_input, encoding='UTF-8')
).decode('UTF-8')
| base64decode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(_input=None):\n missing_padding = 4 - len(_input) % 4\n if missing_padding:\n _input += '=' * missing_padding\n if PY2:\n return base64.decodestring(_input)\n elif PY3:\n if isinstance(_input, bytes):\n return base64.b64decode(_input).decode('UTF-8')\n elif isinstance(_input, str):\n return base64.b64decode(bytearray(_input, encoding='UTF-8')\n ).decode('UTF-8')\n",
"role": "user"
},
{
"content": "base64decode",
"role": "assistant"
}
]
|
def x():
sudoers_path = '/etc/sudoers'
rnd_chars = random_string(length=RANDOM_FILE_EXT_LENGTH)
tmp_sudoers_path = '/tmp/sudoers_{0}'.format(rnd_chars)
sudoers_entries = list()
copy_result = execute_command(shlex.split(str('{0} cp {1} {2}'.format(
sudo_check(), sudoers_path, tmp_sudoers_path))))
result_message = copy_result[0][1].decode('UTF-8')
if 'No such file or directory' not in result_message:
execute_command(shlex.split(str('{0} chmod 755 {1}'.format(
sudo_check(), tmp_sudoers_path))))
with open(tmp_sudoers_path) as tmp_sudoers_file:
for line in tmp_sudoers_file:
stripped = line.strip().replace(os.linesep, '')
if stripped and not stripped.startswith('#'):
sudoers_entries.append(stripped)
execute_command(shlex.split(str('{0} rm {1}'.format(sudo_check(),
tmp_sudoers_path))))
return sudoers_entries
| read_sudoers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n sudoers_path = '/etc/sudoers'\n rnd_chars = random_string(length=RANDOM_FILE_EXT_LENGTH)\n tmp_sudoers_path = '/tmp/sudoers_{0}'.format(rnd_chars)\n sudoers_entries = list()\n copy_result = execute_command(shlex.split(str('{0} cp {1} {2}'.format(\n sudo_check(), sudoers_path, tmp_sudoers_path))))\n result_message = copy_result[0][1].decode('UTF-8')\n if 'No such file or directory' not in result_message:\n execute_command(shlex.split(str('{0} chmod 755 {1}'.format(\n sudo_check(), tmp_sudoers_path))))\n with open(tmp_sudoers_path) as tmp_sudoers_file:\n for line in tmp_sudoers_file:\n stripped = line.strip().replace(os.linesep, '')\n if stripped and not stripped.startswith('#'):\n sudoers_entries.append(stripped)\n execute_command(shlex.split(str('{0} rm {1}'.format(sudo_check(),\n tmp_sudoers_path))))\n return sudoers_entries\n",
"role": "user"
},
{
"content": "read_sudoers",
"role": "assistant"
}
]
|
def x(username=None, sudoers_entry=None):
sudoers_path = '/etc/sudoers'
rnd_chars = random_string(length=RANDOM_FILE_EXT_LENGTH)
tmp_sudoers_path = '/tmp/sudoers_{0}'.format(rnd_chars)
execute_command(shlex.split(str('{0} cp {1} {2}'.format(sudo_check(),
sudoers_path, tmp_sudoers_path))))
execute_command(shlex.split(str('{0} chmod 777 {1}'.format(sudo_check(),
tmp_sudoers_path))))
with open(tmp_sudoers_path, mode=text_type('r')) as tmp_sudoers_file:
sudoers_entries = tmp_sudoers_file.readlines()
sudoers_output = list()
for entry in sudoers_entries:
if entry and not entry.startswith(username):
sudoers_output.append(entry)
if sudoers_entry:
sudoers_output.append('{0} {1}'.format(username, sudoers_entry))
sudoers_output.append('\n')
with open(tmp_sudoers_path, mode=text_type('w+')) as tmp_sudoers_file:
tmp_sudoers_file.writelines(sudoers_output)
sudoers_check_result = execute_command(shlex.split(str(
'{0} {1} -cf {2}'.format(sudo_check(), LINUX_CMD_VISUDO,
tmp_sudoers_path))))
if sudoers_check_result[1] > 0:
raise ValueError(sudoers_check_result[0][1])
execute_command(shlex.split(str('{0} cp {1} {2}'.format(sudo_check(),
tmp_sudoers_path, sudoers_path))))
execute_command(shlex.split(str('{0} chown root:root {1}'.format(
sudo_check(), sudoers_path))))
execute_command(shlex.split(str('{0} chmod 440 {1}'.format(sudo_check(),
sudoers_path))))
execute_command(shlex.split(str('{0} rm {1}'.format(sudo_check(),
tmp_sudoers_path))))
| write_sudoers_entry | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(username=None, sudoers_entry=None):\n sudoers_path = '/etc/sudoers'\n rnd_chars = random_string(length=RANDOM_FILE_EXT_LENGTH)\n tmp_sudoers_path = '/tmp/sudoers_{0}'.format(rnd_chars)\n execute_command(shlex.split(str('{0} cp {1} {2}'.format(sudo_check(),\n sudoers_path, tmp_sudoers_path))))\n execute_command(shlex.split(str('{0} chmod 777 {1}'.format(sudo_check(),\n tmp_sudoers_path))))\n with open(tmp_sudoers_path, mode=text_type('r')) as tmp_sudoers_file:\n sudoers_entries = tmp_sudoers_file.readlines()\n sudoers_output = list()\n for entry in sudoers_entries:\n if entry and not entry.startswith(username):\n sudoers_output.append(entry)\n if sudoers_entry:\n sudoers_output.append('{0} {1}'.format(username, sudoers_entry))\n sudoers_output.append('\\n')\n with open(tmp_sudoers_path, mode=text_type('w+')) as tmp_sudoers_file:\n tmp_sudoers_file.writelines(sudoers_output)\n sudoers_check_result = execute_command(shlex.split(str(\n '{0} {1} -cf {2}'.format(sudo_check(), LINUX_CMD_VISUDO,\n tmp_sudoers_path))))\n if sudoers_check_result[1] > 0:\n raise ValueError(sudoers_check_result[0][1])\n execute_command(shlex.split(str('{0} cp {1} {2}'.format(sudo_check(),\n tmp_sudoers_path, sudoers_path))))\n execute_command(shlex.split(str('{0} chown root:root {1}'.format(\n sudo_check(), sudoers_path))))\n execute_command(shlex.split(str('{0} chmod 440 {1}'.format(sudo_check(),\n sudoers_path))))\n execute_command(shlex.split(str('{0} rm {1}'.format(sudo_check(),\n tmp_sudoers_path))))\n",
"role": "user"
},
{
"content": "write_sudoers_entry",
"role": "assistant"
}
]
|
def x(username=None, sudoers_entries=None):
for entry in sudoers_entries:
if entry.startswith(username):
return entry.replace(username, '').strip()
| get_sudoers_entry | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(username=None, sudoers_entries=None):\n for entry in sudoers_entries:\n if entry.startswith(username):\n return entry.replace(username, '').strip()\n",
"role": "user"
},
{
"content": "get_sudoers_entry",
"role": "assistant"
}
]
|
def x(documentation, prepend=False, join=''):
def x(func):
current = (func.__doc__ if func.__doc__ else '').strip()
doc = documentation.strip()
new = '\n'.join([doc, join, current] if prepend else [current, join,
doc])
lines = len(new.strip().splitlines())
if lines == 1:
func.__doc__ = new.strip()
else:
func.__doc__ = new.strip() + '\n'
return func
return decorator
| docstring | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(documentation, prepend=False, join=''):\n\n def x(func):\n current = (func.__doc__ if func.__doc__ else '').strip()\n doc = documentation.strip()\n new = '\\n'.join([doc, join, current] if prepend else [current, join,\n doc])\n lines = len(new.strip().splitlines())\n if lines == 1:\n func.__doc__ = new.strip()\n else:\n func.__doc__ = new.strip() + '\\n'\n return func\n return decorator\n",
"role": "user"
},
{
"content": "docstring",
"role": "assistant"
}
]
|
def x(user_config_path: str='CONFIG.superuser') ->bool:
from django.conf import settings
wf('Creating superuser... ', False)
username, email, password = [dot_path(settings, '{0}.{1}'.format(
user_config_path, 'username')), dot_path(settings, '{0}.{1}'.format
(user_config_path, 'email')), dot_path(settings, '{0}.{1}'.format(
user_config_path, 'password'))]
if not all([username, email]):
wf('[SKIP: username and email should not be empty]\n')
return False
from django.db import IntegrityError
try:
execute_from_command_line(['./manage.py', 'createsuperuser',
'--username', username, '--email', email, '--noinput'])
except IntegrityError:
pass
if password:
from django.contrib.auth.models import User
user = User.objects.get(username=username)
if not user.has_usable_password():
user.set_password(password)
user.save()
else:
wf('[SKIP update password: password is empty]\n')
wf('[+]\n')
return True
| create_admin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user_config_path: str='CONFIG.superuser') ->bool:\n from django.conf import settings\n wf('Creating superuser... ', False)\n username, email, password = [dot_path(settings, '{0}.{1}'.format(\n user_config_path, 'username')), dot_path(settings, '{0}.{1}'.format\n (user_config_path, 'email')), dot_path(settings, '{0}.{1}'.format(\n user_config_path, 'password'))]\n if not all([username, email]):\n wf('[SKIP: username and email should not be empty]\\n')\n return False\n from django.db import IntegrityError\n try:\n execute_from_command_line(['./manage.py', 'createsuperuser',\n '--username', username, '--email', email, '--noinput'])\n except IntegrityError:\n pass\n if password:\n from django.contrib.auth.models import User\n user = User.objects.get(username=username)\n if not user.has_usable_password():\n user.set_password(password)\n user.save()\n else:\n wf('[SKIP update password: password is empty]\\n')\n wf('[+]\\n')\n return True\n",
"role": "user"
},
{
"content": "create_admin",
"role": "assistant"
}
]
|
def x(application: WSGIHandler, gunicorn_module_name: str='gunicorn_prod'):
from gunicorn.app.base import Application
class DjangoApplication(Application):
def x(self, parser, opts, args):
cfg = self.get_config_from_module_name(gunicorn_module_name)
clean_cfg = {}
for k, v in cfg.items():
if k not in self.cfg.settings:
continue
clean_cfg[k.lower()] = v
return clean_cfg
def x(self) ->WSGIHandler:
return application
return DjangoApplication().run()
| run_gunicorn | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(application: WSGIHandler, gunicorn_module_name: str='gunicorn_prod'):\n from gunicorn.app.base import Application\n\n\n class DjangoApplication(Application):\n\n def x(self, parser, opts, args):\n cfg = self.get_config_from_module_name(gunicorn_module_name)\n clean_cfg = {}\n for k, v in cfg.items():\n if k not in self.cfg.settings:\n continue\n clean_cfg[k.lower()] = v\n return clean_cfg\n\n def x(self) ->WSGIHandler:\n return application\n return DjangoApplication().run()\n",
"role": "user"
},
{
"content": "run_gunicorn",
"role": "assistant"
}
]
|
def x(fg=Color.normal, bg=Color.normal, fg_dark=False, bg_dark=False,
underlined=False):
_set_color(fg, bg, fg_dark, bg_dark, underlined)
| set_color | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fg=Color.normal, bg=Color.normal, fg_dark=False, bg_dark=False,\n underlined=False):\n _set_color(fg, bg, fg_dark, bg_dark, underlined)\n",
"role": "user"
},
{
"content": "set_color",
"role": "assistant"
}
]
|
def x(text, fg=Color.normal, bg=Color.normal, fg_dark=False, bg_dark=False,
underlined=False, parse=False):
if parse:
color_re = Color.color_re()
lines = text.splitlines()
count = len(lines)
for i, line in enumerate(lines):
previous = 0
end = len(line)
for match in color_re.finditer(line):
sys.stdout.write(line[previous:match.start()])
d = match.groupdict()
set_color(d['color'], fg_dark=False if d['dark'] is None else
True)
previous = match.end()
sys.stdout.write(line[previous:end] + ('\n' if i < count - 1 or
text[-1] == '\n' else ''))
else:
set_color(fg, bg, fg_dark, bg_dark, underlined)
sys.stdout.write(text)
set_color()
| cprint | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, fg=Color.normal, bg=Color.normal, fg_dark=False, bg_dark=False,\n underlined=False, parse=False):\n if parse:\n color_re = Color.color_re()\n lines = text.splitlines()\n count = len(lines)\n for i, line in enumerate(lines):\n previous = 0\n end = len(line)\n for match in color_re.finditer(line):\n sys.stdout.write(line[previous:match.start()])\n d = match.groupdict()\n set_color(d['color'], fg_dark=False if d['dark'] is None else\n True)\n previous = match.end()\n sys.stdout.write(line[previous:end] + ('\\n' if i < count - 1 or\n text[-1] == '\\n' else ''))\n else:\n set_color(fg, bg, fg_dark, bg_dark, underlined)\n sys.stdout.write(text)\n set_color()\n",
"role": "user"
},
{
"content": "cprint",
"role": "assistant"
}
]
|
def x(output, colors, indent=0):
for line in output.split('\n'):
cprint(' ' * indent)
if line == '':
cprint('\n')
continue
for regexp, color_def in colors.items():
if regexp.match(line) is not None:
_colorize_single_line(line, regexp, color_def)
break
else:
cprint('%s\n' % line)
| colorize_output | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(output, colors, indent=0):\n for line in output.split('\\n'):\n cprint(' ' * indent)\n if line == '':\n cprint('\\n')\n continue\n for regexp, color_def in colors.items():\n if regexp.match(line) is not None:\n _colorize_single_line(line, regexp, color_def)\n break\n else:\n cprint('%s\\n' % line)\n",
"role": "user"
},
{
"content": "colorize_output",
"role": "assistant"
}
]
|
def x(line, regexp, color_def):
match = regexp.match(line)
groupdict = match.groupdict()
groups = match.groups()
if not groupdict:
color = color_def[0]
dark = color_def[1]
cprint('%s\n' % line, color, fg_dark=dark)
else:
rev_groups = {v: k for k, v in groupdict.items()}
for part in groups:
if part in rev_groups and rev_groups[part] in color_def:
group_name = rev_groups[part]
cprint(part, color_def[group_name][0], fg_dark=color_def[
group_name][1])
else:
cprint(part)
cprint('\n')
| colorize_single_line | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(line, regexp, color_def):\n match = regexp.match(line)\n groupdict = match.groupdict()\n groups = match.groups()\n if not groupdict:\n color = color_def[0]\n dark = color_def[1]\n cprint('%s\\n' % line, color, fg_dark=dark)\n else:\n rev_groups = {v: k for k, v in groupdict.items()}\n for part in groups:\n if part in rev_groups and rev_groups[part] in color_def:\n group_name = rev_groups[part]\n cprint(part, color_def[group_name][0], fg_dark=color_def[\n group_name][1])\n else:\n cprint(part)\n cprint('\\n')\n",
"role": "user"
},
{
"content": "colorize_single_line",
"role": "assistant"
}
]
|
def x(self):
if self.interactive:
if self._height is None:
self._height = self.term.height
return self._height
| height | [
{
"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.interactive:\n if self._height is None:\n self._height = self.term.height\n return self._height\n",
"role": "user"
},
{
"content": "height",
"role": "assistant"
}
]
|
def x(self, n):
self.term.stream.write(self.term.move_up * n + self.term.clear_eos)
self.term.stream.flush()
| clear_last_lines | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, n):\n self.term.stream.write(self.term.move_up * n + self.term.clear_eos)\n self.term.stream.flush()\n",
"role": "user"
},
{
"content": "clear_last_lines",
"role": "assistant"
}
]
|
def x(self, n, text):
with self._moveback(n):
self.term.stream.write(text)
| overwrite_line | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, n, text):\n with self._moveback(n):\n self.term.stream.write(text)\n",
"role": "user"
},
{
"content": "overwrite_line",
"role": "assistant"
}
]
|
def x(self, n):
self.term.stream.write(self.term.move_up * n)
| move_to | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, n):\n self.term.stream.write(self.term.move_up * n)\n",
"role": "user"
},
{
"content": "move_to",
"role": "assistant"
}
]
|
def x(self, variable_path: str, default: t.Optional[t.Any]=None,
coerce_type: t.Optional[t.Type]=None, coercer: t.Optional[t.Callable]=
None, required: bool=False, **kwargs):
for p in self.parsers:
try:
val = p.get(variable_path, default=self.sentinel, coerce_type=
coerce_type, coercer=coercer, **kwargs)
if val != self.sentinel:
self.enqueue(variable_path, p, val)
return val
except Exception as e:
if not self.silent:
raise
if self.suppress_logs:
continue
self.logger.error('Parser {0} cannot get key `{1}`: {2}'.format
(p.__class__.__name__, variable_path, str(e)))
self.enqueue(variable_path, value=default)
if not default and required:
raise exceptions.RequiredValueIsEmpty(
'No default provided and no value read for `{0}`'.format(
variable_path))
return default
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, variable_path: str, default: t.Optional[t.Any]=None,\n coerce_type: t.Optional[t.Type]=None, coercer: t.Optional[t.Callable]=\n None, required: bool=False, **kwargs):\n for p in self.parsers:\n try:\n val = p.get(variable_path, default=self.sentinel, coerce_type=\n coerce_type, coercer=coercer, **kwargs)\n if val != self.sentinel:\n self.enqueue(variable_path, p, val)\n return val\n except Exception as e:\n if not self.silent:\n raise\n if self.suppress_logs:\n continue\n self.logger.error('Parser {0} cannot get key `{1}`: {2}'.format\n (p.__class__.__name__, variable_path, str(e)))\n self.enqueue(variable_path, value=default)\n if not default and required:\n raise exceptions.RequiredValueIsEmpty(\n 'No default provided and no value read for `{0}`'.format(\n variable_path))\n return default\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
]
|
def x(parser_modules: t.Iterable[str]) ->t.Generator[t.Type[BaseParser],
None, None]:
for import_path in parser_modules:
path_parts = import_path.rsplit('.', 1)
if len(path_parts) == 2:
mod_path, parser_class_name = path_parts
else:
mod_path = DEFAULT_PARSER_MODULE_PATH
parser_class_name = import_path
yield import_from(mod_path, parser_class_name)
| import_parsers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parser_modules: t.Iterable[str]) ->t.Generator[t.Type[BaseParser],\n None, None]:\n for import_path in parser_modules:\n path_parts = import_path.rsplit('.', 1)\n if len(path_parts) == 2:\n mod_path, parser_class_name = path_parts\n else:\n mod_path = DEFAULT_PARSER_MODULE_PATH\n parser_class_name = import_path\n yield import_from(mod_path, parser_class_name)\n",
"role": "user"
},
{
"content": "import_parsers",
"role": "assistant"
}
]
|
def x(parser_class: t.Type[BaseParser], env: t.Optional[t.Dict[str, str]]=None
) ->t.Dict[str, t.Any]:
env = env or os.environ
sentinel = object()
spec: inspect.FullArgSpec = inspect.getfullargspec(parser_class.__init__)
environment_parser = EnvironmentParser(scope=parser_class.__name__.
upper(), env=env)
stop_args = ['self']
safe_types = [int, bool, str]
init_args = {}
for arg_name in spec.args:
if arg_name in stop_args:
continue
type_hint = spec.annotations.get(arg_name)
coerce_type = None
if type_hint in safe_types:
coerce_type = type_hint
elif hasattr(type_hint, '__args__'):
if len(type_hint.__args__) == 1:
if type_hint.__args__[0] in safe_types:
coerce_type = type_hint.__args__[0]
elif len(type_hint.__args__) == 2:
try:
_args = list(type_hint.__args__)
_args.remove(type(None))
if _args[0] in safe_types:
coerce_type = _args[0]
except ValueError:
pass
val = environment_parser.get(arg_name, sentinel, coerce_type=
coerce_type)
if val is sentinel:
continue
init_args[arg_name] = val
return init_args
| load_parser_options_from_env | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parser_class: t.Type[BaseParser], env: t.Optional[t.Dict[str, str]]=None\n ) ->t.Dict[str, t.Any]:\n env = env or os.environ\n sentinel = object()\n spec: inspect.FullArgSpec = inspect.getfullargspec(parser_class.__init__)\n environment_parser = EnvironmentParser(scope=parser_class.__name__.\n upper(), env=env)\n stop_args = ['self']\n safe_types = [int, bool, str]\n init_args = {}\n for arg_name in spec.args:\n if arg_name in stop_args:\n continue\n type_hint = spec.annotations.get(arg_name)\n coerce_type = None\n if type_hint in safe_types:\n coerce_type = type_hint\n elif hasattr(type_hint, '__args__'):\n if len(type_hint.__args__) == 1:\n if type_hint.__args__[0] in safe_types:\n coerce_type = type_hint.__args__[0]\n elif len(type_hint.__args__) == 2:\n try:\n _args = list(type_hint.__args__)\n _args.remove(type(None))\n if _args[0] in safe_types:\n coerce_type = _args[0]\n except ValueError:\n pass\n val = environment_parser.get(arg_name, sentinel, coerce_type=\n coerce_type)\n if val is sentinel:\n continue\n init_args[arg_name] = val\n return init_args\n",
"role": "user"
},
{
"content": "load_parser_options_from_env",
"role": "assistant"
}
]
|
def x(parser_modules: t.Optional[t.Union[t.List[str], t.Tuple[str]]]=
DEFAULT_PARSER_MODULES, env: t.Optional[t.Dict[str, str]]=None, silent:
bool=False, suppress_logs: bool=False, extra: t.Optional[dict]=None
) ->'ConfigLoader':
env = env or os.environ
extra = extra or {}
environment_parser = EnvironmentParser(scope='config', env=env)
silent = environment_parser.get('silent', silent, coerce_type=bool)
suppress_logs = environment_parser.get('suppress_logs', suppress_logs,
coerce_type=bool)
env_parsers = environment_parser.get('parsers', None, coercer=
comma_str_to_list)
if not env_parsers and not parser_modules:
raise ValueError(
'Must specify `CONFIG__PARSERS` env var or `parser_modules`')
if env_parsers:
parser_classes = ConfigLoader.import_parsers(env_parsers)
else:
parser_classes = ConfigLoader.import_parsers(parser_modules)
parsers = []
for parser_class in parser_classes:
parser_options = ConfigLoader.load_parser_options_from_env(parser_class
, env=env)
_init_args = inspect.getfullargspec(parser_class.__init__).args
if 'env' in _init_args:
parser_options['env'] = env
for k, v in extra.items():
if k in _init_args:
parser_options[k] = v
parser_instance = parser_class(**parser_options)
parsers.append(parser_instance)
return ConfigLoader(parsers=parsers, silent=silent, suppress_logs=
suppress_logs)
| from_env | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parser_modules: t.Optional[t.Union[t.List[str], t.Tuple[str]]]=\n DEFAULT_PARSER_MODULES, env: t.Optional[t.Dict[str, str]]=None, silent:\n bool=False, suppress_logs: bool=False, extra: t.Optional[dict]=None\n ) ->'ConfigLoader':\n env = env or os.environ\n extra = extra or {}\n environment_parser = EnvironmentParser(scope='config', env=env)\n silent = environment_parser.get('silent', silent, coerce_type=bool)\n suppress_logs = environment_parser.get('suppress_logs', suppress_logs,\n coerce_type=bool)\n env_parsers = environment_parser.get('parsers', None, coercer=\n comma_str_to_list)\n if not env_parsers and not parser_modules:\n raise ValueError(\n 'Must specify `CONFIG__PARSERS` env var or `parser_modules`')\n if env_parsers:\n parser_classes = ConfigLoader.import_parsers(env_parsers)\n else:\n parser_classes = ConfigLoader.import_parsers(parser_modules)\n parsers = []\n for parser_class in parser_classes:\n parser_options = ConfigLoader.load_parser_options_from_env(parser_class\n , env=env)\n _init_args = inspect.getfullargspec(parser_class.__init__).args\n if 'env' in _init_args:\n parser_options['env'] = env\n for k, v in extra.items():\n if k in _init_args:\n parser_options[k] = v\n parser_instance = parser_class(**parser_options)\n parsers.append(parser_instance)\n return ConfigLoader(parsers=parsers, silent=silent, suppress_logs=\n suppress_logs)\n",
"role": "user"
},
{
"content": "from_env",
"role": "assistant"
}
]
|
def x(self, use_color: bool=False, max_col_width: int=50):
wf(self.format_config_read_queue(use_color=use_color, max_col_width=
max_col_width))
wf('\n')
| print_config_read_queue | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, use_color: bool=False, max_col_width: int=50):\n wf(self.format_config_read_queue(use_color=use_color, max_col_width=\n max_col_width))\n wf('\\n')\n",
"role": "user"
},
{
"content": "print_config_read_queue",
"role": "assistant"
}
]
|
def x(self, use_color: bool=False, max_col_width: int=50) ->str:
try:
from terminaltables import SingleTable
except ImportError:
import warnings
warnings.warn(
'Cannot display config read queue. Install terminaltables first.')
return ''
col_names_order = ['path', 'value', 'type', 'parser']
pretty_bundles = [[self._colorize(name, name.capitalize(), use_color=
use_color) for name in col_names_order]]
for config_read_item in self.config_read_queue:
pretty_attrs = [config_read_item.variable_path, config_read_item.
value, config_read_item.type, config_read_item.parser_name]
pretty_attrs = [self._pformat(pa, max_col_width) for pa in pretty_attrs
]
if config_read_item.is_default:
pretty_attrs[0] = '*' + pretty_attrs[0]
if use_color:
pretty_attrs = [self._colorize(column_name, pretty_attr,
use_color=use_color) for column_name, pretty_attr in zip(
col_names_order, pretty_attrs)]
pretty_bundles.append(pretty_attrs)
table = SingleTable(pretty_bundles)
table.title = self._colorize('title', 'CONFIG READ QUEUE', use_color=
use_color)
table.justify_columns[0] = 'right'
return str(table.table)
| format_config_read_queue | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, use_color: bool=False, max_col_width: int=50) ->str:\n try:\n from terminaltables import SingleTable\n except ImportError:\n import warnings\n warnings.warn(\n 'Cannot display config read queue. Install terminaltables first.')\n return ''\n col_names_order = ['path', 'value', 'type', 'parser']\n pretty_bundles = [[self._colorize(name, name.capitalize(), use_color=\n use_color) for name in col_names_order]]\n for config_read_item in self.config_read_queue:\n pretty_attrs = [config_read_item.variable_path, config_read_item.\n value, config_read_item.type, config_read_item.parser_name]\n pretty_attrs = [self._pformat(pa, max_col_width) for pa in pretty_attrs\n ]\n if config_read_item.is_default:\n pretty_attrs[0] = '*' + pretty_attrs[0]\n if use_color:\n pretty_attrs = [self._colorize(column_name, pretty_attr,\n use_color=use_color) for column_name, pretty_attr in zip(\n col_names_order, pretty_attrs)]\n pretty_bundles.append(pretty_attrs)\n table = SingleTable(pretty_bundles)\n table.title = self._colorize('title', 'CONFIG READ QUEUE', use_color=\n use_color)\n table.justify_columns[0] = 'right'\n return str(table.table)\n",
"role": "user"
},
{
"content": "format_config_read_queue",
"role": "assistant"
}
]
|
def x(cls, response):
if cls.is_graph(response):
return response
if hasattr(response, '__getitem__'):
if len(response) > 0 and cls.is_graph(response[0]):
return response[0]
| get_graph | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, response):\n if cls.is_graph(response):\n return response\n if hasattr(response, '__getitem__'):\n if len(response) > 0 and cls.is_graph(response[0]):\n return response[0]\n",
"role": "user"
},
{
"content": "get_graph",
"role": "assistant"
}
]
|
def x(cls, response, serialized):
if cls.is_graph(response):
return serialized
if hasattr(response, '__getitem__'):
if len(response) > 0 and cls.is_graph(response[0]):
return (serialized,) + response[1:]
return response
| replace_graph | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, response, serialized):\n if cls.is_graph(response):\n return serialized\n if hasattr(response, '__getitem__'):\n if len(response) > 0 and cls.is_graph(response[0]):\n return (serialized,) + response[1:]\n return response\n",
"role": "user"
},
{
"content": "replace_graph",
"role": "assistant"
}
]
|
def x(digest):
return ''.join([chr(int(digest[x:x + 2], 16)) for x in range(0, len(
digest), 2)])
| from_hex_digest | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(digest):\n return ''.join([chr(int(digest[x:x + 2], 16)) for x in range(0, len(\n digest), 2)])\n",
"role": "user"
},
{
"content": "from_hex_digest",
"role": "assistant"
}
]
|
def x(data, digest=True):
alg = get_best_algorithm()
enc = implementations['encryption'][alg](data, implementations['get_key']()
)
return '%s$%s' % (alg, _to_hex_digest(enc) if digest else enc)
| encrypt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, digest=True):\n alg = get_best_algorithm()\n enc = implementations['encryption'][alg](data, implementations['get_key']()\n )\n return '%s$%s' % (alg, _to_hex_digest(enc) if digest else enc)\n",
"role": "user"
},
{
"content": "encrypt",
"role": "assistant"
}
]
|
def x(data, digest=True):
alg, _, data = data.rpartition('$')
if not alg:
return data
data = _from_hex_digest(data) if digest else data
try:
return implementations['decryption'][alg](data, implementations[
'get_key']())
except KeyError:
raise CryptError('Can not decrypt key for algorithm: %s' % alg)
| decrypt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, digest=True):\n alg, _, data = data.rpartition('$')\n if not alg:\n return data\n data = _from_hex_digest(data) if digest else data\n try:\n return implementations['decryption'][alg](data, implementations[\n 'get_key']())\n except KeyError:\n raise CryptError('Can not decrypt key for algorithm: %s' % alg)\n",
"role": "user"
},
{
"content": "decrypt",
"role": "assistant"
}
]
|
def x(self, dp, namax=None, nimax=None, nomax=None):
try:
from exceptions import ValueError
except ImportError:
pass
if self.lib is None:
raise ValueError('Not initialized.')
import numpy as np
from .auto import ftype_np
from .types import isint
if dp.dtype.char != ftype_np:
raise ValueError('Wrong input dtype for prior matrix')
if len(dp.shape) != 2:
raise ValueError('Wrong input shape')
if not (namax is None or isint(namax)):
raise ValueError('Wrong namax type')
if namax is not None and namax <= 0:
raise ValueError('Input requires namax>0.')
if namax is None:
namax = -1
if not (nimax is None or isint(nimax)):
raise ValueError('Wrong nimax type')
if nimax is not None and nimax <= 0:
raise ValueError('Input requires nimax>0.')
if nimax is None:
nimax = -1
if not (nomax is None or isint(nomax)):
raise ValueError('Wrong nomax type')
if nomax is not None and nomax <= 0:
raise ValueError('Input requires nomax>0.')
if nomax is None:
nomax = -1
nt = dp.shape[0]
if nt == 0:
raise ValueError('Invalid prior dimension')
if dp.shape[1] != nt:
raise ValueError('Wrong input shape')
if np.isnan(dp).sum() > 0:
raise ValueError('NaN found.')
func = self.cfunc('netr_one_greedy', rettype='size_t', argtypes=[
'const MATRIXF*', 'MATRIXUC*', 'size_t', 'size_t', 'size_t'])
d = np.require(np.zeros((nt, nt), dtype='u1'), requirements=['A', 'C',
'O', 'W'])
dpr = np.require(dp, requirements=['A', 'C', 'O', 'W'])
ret = func(dpr, d, namax, nimax, nomax)
d = d.astype(bool)
ret = ret == 0
ans = {'ret': ret, 'net': d}
return ans
| one_greedy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dp, namax=None, nimax=None, nomax=None):\n try:\n from exceptions import ValueError\n except ImportError:\n pass\n if self.lib is None:\n raise ValueError('Not initialized.')\n import numpy as np\n from .auto import ftype_np\n from .types import isint\n if dp.dtype.char != ftype_np:\n raise ValueError('Wrong input dtype for prior matrix')\n if len(dp.shape) != 2:\n raise ValueError('Wrong input shape')\n if not (namax is None or isint(namax)):\n raise ValueError('Wrong namax type')\n if namax is not None and namax <= 0:\n raise ValueError('Input requires namax>0.')\n if namax is None:\n namax = -1\n if not (nimax is None or isint(nimax)):\n raise ValueError('Wrong nimax type')\n if nimax is not None and nimax <= 0:\n raise ValueError('Input requires nimax>0.')\n if nimax is None:\n nimax = -1\n if not (nomax is None or isint(nomax)):\n raise ValueError('Wrong nomax type')\n if nomax is not None and nomax <= 0:\n raise ValueError('Input requires nomax>0.')\n if nomax is None:\n nomax = -1\n nt = dp.shape[0]\n if nt == 0:\n raise ValueError('Invalid prior dimension')\n if dp.shape[1] != nt:\n raise ValueError('Wrong input shape')\n if np.isnan(dp).sum() > 0:\n raise ValueError('NaN found.')\n func = self.cfunc('netr_one_greedy', rettype='size_t', argtypes=[\n 'const MATRIXF*', 'MATRIXUC*', 'size_t', 'size_t', 'size_t'])\n d = np.require(np.zeros((nt, nt), dtype='u1'), requirements=['A', 'C',\n 'O', 'W'])\n dpr = np.require(dp, requirements=['A', 'C', 'O', 'W'])\n ret = func(dpr, d, namax, nimax, nomax)\n d = d.astype(bool)\n ret = ret == 0\n ans = {'ret': ret, 'net': d}\n return ans\n",
"role": "user"
},
{
"content": "one_greedy",
"role": "assistant"
}
]
|
def x(cli, args):
if args.topk and args.topk <= 0:
topk = None
cli.logger.warning(
'Invalid k will be ignored (k should be greater than or equal to 1)'
)
else:
topk = args.topk
if args.stopwords:
with open(args.stopwords, 'r') as swfile:
stopwords = swfile.read().splitlines()
else:
stopwords = []
if os.path.isfile(args.input):
cli.logger.info('Generating vocabulary list from file {}'.format(
args.input))
with codecs.open(args.input, encoding='utf-8') as infile:
if args.output:
cli.logger.info('Output: {}'.format(args.output))
rp = TextReport(args.output)
lines = infile.read().splitlines()
c = Counter()
for line in lines:
words = line.split()
c.update(w for w in words if w not in stopwords)
word_freq = c.most_common(topk)
words = [k for k, v in word_freq]
rp.header('Lexicon')
rp.writeline('\n'.join(textwrap.wrap(' '.join(w for w in words),
width=70)))
for k, v in word_freq:
rp.print('{}: {}'.format(k, v))
else:
cli.logger.warning('File {} does not exist'.format(args.input))
| gen_vocab | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cli, args):\n if args.topk and args.topk <= 0:\n topk = None\n cli.logger.warning(\n 'Invalid k will be ignored (k should be greater than or equal to 1)'\n )\n else:\n topk = args.topk\n if args.stopwords:\n with open(args.stopwords, 'r') as swfile:\n stopwords = swfile.read().splitlines()\n else:\n stopwords = []\n if os.path.isfile(args.input):\n cli.logger.info('Generating vocabulary list from file {}'.format(\n args.input))\n with codecs.open(args.input, encoding='utf-8') as infile:\n if args.output:\n cli.logger.info('Output: {}'.format(args.output))\n rp = TextReport(args.output)\n lines = infile.read().splitlines()\n c = Counter()\n for line in lines:\n words = line.split()\n c.update(w for w in words if w not in stopwords)\n word_freq = c.most_common(topk)\n words = [k for k, v in word_freq]\n rp.header('Lexicon')\n rp.writeline('\\n'.join(textwrap.wrap(' '.join(w for w in words),\n width=70)))\n for k, v in word_freq:\n rp.print('{}: {}'.format(k, v))\n else:\n cli.logger.warning('File {} does not exist'.format(args.input))\n",
"role": "user"
},
{
"content": "gen_vocab",
"role": "assistant"
}
]
|
def x():
app = CLIApp(desc='ChirpText Tools', logger=__name__, show_version=
show_version)
vocab_task = app.add_task('vocab', func=gen_vocab)
vocab_task.add_argument('input', help='Input file')
vocab_task.add_argument('--output', help='Output file', default=None)
vocab_task.add_argument('--stopwords', help='Stop word to ignore',
default=None)
vocab_task.add_argument('-k', '--topk', help=
'Only select the top k frequent elements', default=None, type=int)
app.run()
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n app = CLIApp(desc='ChirpText Tools', logger=__name__, show_version=\n show_version)\n vocab_task = app.add_task('vocab', func=gen_vocab)\n vocab_task.add_argument('input', help='Input file')\n vocab_task.add_argument('--output', help='Output file', default=None)\n vocab_task.add_argument('--stopwords', help='Stop word to ignore',\n default=None)\n vocab_task.add_argument('-k', '--topk', help=\n 'Only select the top k frequent elements', default=None, type=int)\n app.run()\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
]
|
def x(message, attachment, rfc2231=True):
data = attachment.read()
part = MIMEBase('application', 'octet-stream')
part.set_payload(data)
encoders.encode_base64(part)
filename = attachment.name if rfc2231 else Header(attachment.name).encode()
part.add_header('Content-Disposition', 'attachment', filename=filename)
message.attach(part)
| add_attachment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(message, attachment, rfc2231=True):\n data = attachment.read()\n part = MIMEBase('application', 'octet-stream')\n part.set_payload(data)\n encoders.encode_base64(part)\n filename = attachment.name if rfc2231 else Header(attachment.name).encode()\n part.add_header('Content-Disposition', 'attachment', filename=filename)\n message.attach(part)\n",
"role": "user"
},
{
"content": "add_attachment",
"role": "assistant"
}
]
|
def x(self):
server, port, mode, debug = self.connection_details
if mode == 'SSL':
smtp_class = smtplib.SMTP_SSL
else:
smtp_class = smtplib.SMTP
smtp = smtp_class(server, port)
smtp.set_debuglevel(debug)
if mode == 'TLS':
smtp.starttls()
self.authenticate(smtp)
return smtp
| login | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n server, port, mode, debug = self.connection_details\n if mode == 'SSL':\n smtp_class = smtplib.SMTP_SSL\n else:\n smtp_class = smtplib.SMTP\n smtp = smtp_class(server, port)\n smtp.set_debuglevel(debug)\n if mode == 'TLS':\n smtp.starttls()\n self.authenticate(smtp)\n return smtp\n",
"role": "user"
},
{
"content": "login",
"role": "assistant"
}
]
|
def x(self, email, attachments=()):
msg = email.as_mime(attachments)
if 'From' not in msg:
msg['From'] = self.sender_address()
if self._conn:
self._conn.sendmail(self.username, email.recipients, msg.as_string())
else:
with self:
self._conn.sendmail(self.username, email.recipients, msg.
as_string())
| send | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, email, attachments=()):\n msg = email.as_mime(attachments)\n if 'From' not in msg:\n msg['From'] = self.sender_address()\n if self._conn:\n self._conn.sendmail(self.username, email.recipients, msg.as_string())\n else:\n with self:\n self._conn.sendmail(self.username, email.recipients, msg.\n as_string())\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
]
|
def x(self):
column_types = {}
for c in self.sqla_columns:
column_types[c.name] = c.type
return column_types
| column_types | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n column_types = {}\n for c in self.sqla_columns:\n column_types[c.name] = c.type\n return column_types\n",
"role": "user"
},
{
"content": "column_types",
"role": "assistant"
}
]
|
def x(self, table_name):
if table_name is None or not len(table_name.strip()):
raise ValueError('Invalid table name: %r' % table_name)
return table_name.strip()
| valid_table_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table_name):\n if table_name is None or not len(table_name.strip()):\n raise ValueError('Invalid table name: %r' % table_name)\n return table_name.strip()\n",
"role": "user"
},
{
"content": "valid_table_name",
"role": "assistant"
}
]
|
def x(self, column='id'):
if not self.primary_key:
sql = (
"""ALTER TABLE {s}.{t}
ADD PRIMARY KEY ({c})
"""
.format(s=self.schema, t=self.name, c=column))
self.db.execute(sql)
| add_primary_key | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, column='id'):\n if not self.primary_key:\n sql = (\n \"\"\"ALTER TABLE {s}.{t}\n ADD PRIMARY KEY ({c})\n \"\"\"\n .format(s=self.schema, t=self.name, c=column))\n self.db.execute(sql)\n",
"role": "user"
},
{
"content": "add_primary_key",
"role": "assistant"
}
]
|
def x(self):
if self._is_dropped is False:
self.table.drop(self.engine)
self._is_dropped = True
| drop | [
{
"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._is_dropped is False:\n self.table.drop(self.engine)\n self._is_dropped = True\n",
"role": "user"
},
{
"content": "drop",
"role": "assistant"
}
]
|
def x(self, name, type):
self._check_dropped()
if normalize_column_name(name) not in self._normalized_columns:
self.op.add_column(self.table.name, Column(name, type), self.table.
schema)
self.table = self._update_table(self.table.name)
| create_column | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, type):\n self._check_dropped()\n if normalize_column_name(name) not in self._normalized_columns:\n self.op.add_column(self.table.name, Column(name, type), self.table.\n schema)\n self.table = self._update_table(self.table.name)\n",
"role": "user"
},
{
"content": "create_column",
"role": "assistant"
}
]
|
def x(self, name):
self._check_dropped()
if name in list(self.table.columns.keys()):
self.op.drop_column(self.table.name, name, schema=self.schema)
self.table = self._update_table(self.table.name)
| drop_column | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n self._check_dropped()\n if name in list(self.table.columns.keys()):\n self.op.drop_column(self.table.name, name, schema=self.schema)\n self.table = self._update_table(self.table.name)\n",
"role": "user"
},
{
"content": "drop_column",
"role": "assistant"
}
]
|
def x(self, columns, name=None, index_type='btree'):
self._check_dropped()
if not name:
sig = '||'.join(columns + [index_type])
key = abs(hash(sig))
name = 'ix_%s_%s' % (self.table.name, key)
if name in self.indexes:
return self.indexes[name]
key = sha1(sig.encode('utf-8')).hexdigest()[:16]
name = 'ix_%s_%s' % (self.table.name, key)
if name in self.indexes:
return self.indexes[name]
columns = [self.table.c[col] for col in columns]
idx = Index(name, *columns, postgresql_using=index_type)
idx.create(self.engine)
self.indexes[name] = idx
return idx
| create_index | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, columns, name=None, index_type='btree'):\n self._check_dropped()\n if not name:\n sig = '||'.join(columns + [index_type])\n key = abs(hash(sig))\n name = 'ix_%s_%s' % (self.table.name, key)\n if name in self.indexes:\n return self.indexes[name]\n key = sha1(sig.encode('utf-8')).hexdigest()[:16]\n name = 'ix_%s_%s' % (self.table.name, key)\n if name in self.indexes:\n return self.indexes[name]\n columns = [self.table.c[col] for col in columns]\n idx = Index(name, *columns, postgresql_using=index_type)\n idx.create(self.engine)\n self.indexes[name] = idx\n return idx\n",
"role": "user"
},
{
"content": "create_index",
"role": "assistant"
}
]
|
def x(self, *columns, **_filter):
self._check_dropped()
qargs = []
try:
columns = [self.table.c[c] for c in columns]
for col, val in _filter.items():
qargs.append(self.table.c[col] == val)
except KeyError:
return []
q = expression.select(columns, distinct=True, whereclause=and_(*qargs),
order_by=[c.asc() for c in columns])
if len(columns) == 1:
return itertools.chain.from_iterable(self.engine.execute(q))
else:
return ResultIter(self.engine.execute(q), row_type=self.db.row_type)
| distinct | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *columns, **_filter):\n self._check_dropped()\n qargs = []\n try:\n columns = [self.table.c[c] for c in columns]\n for col, val in _filter.items():\n qargs.append(self.table.c[col] == val)\n except KeyError:\n return []\n q = expression.select(columns, distinct=True, whereclause=and_(*qargs),\n order_by=[c.asc() for c in columns])\n if len(columns) == 1:\n return itertools.chain.from_iterable(self.engine.execute(q))\n else:\n return ResultIter(self.engine.execute(q), row_type=self.db.row_type)\n",
"role": "user"
},
{
"content": "distinct",
"role": "assistant"
}
]
|
def x(self, row):
self._check_dropped()
res = self.engine.execute(self.table.insert(row))
if len(res.inserted_primary_key) > 0:
return res.inserted_primary_key[0]
| insert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, row):\n self._check_dropped()\n res = self.engine.execute(self.table.insert(row))\n if len(res.inserted_primary_key) > 0:\n return res.inserted_primary_key[0]\n",
"role": "user"
},
{
"content": "insert",
"role": "assistant"
}
]
|
def x(self, rows, chunk_size=1000):
def x(chunk):
self.table.insert().execute(chunk)
self._check_dropped()
chunk = []
for i, row in enumerate(rows, start=1):
chunk.append(row)
if i % chunk_size == 0:
_process_chunk(chunk)
chunk = []
if chunk:
_process_chunk(chunk)
| insert_many | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rows, chunk_size=1000):\n\n def x(chunk):\n self.table.insert().execute(chunk)\n self._check_dropped()\n chunk = []\n for i, row in enumerate(rows, start=1):\n chunk.append(row)\n if i % chunk_size == 0:\n _process_chunk(chunk)\n chunk = []\n if chunk:\n _process_chunk(chunk)\n",
"role": "user"
},
{
"content": "insert_many",
"role": "assistant"
}
]
|
def x(self, name):
sql = 'ALTER TABLE {s}.{t} RENAME TO {name}\n '.format(s=
self.schema, t=self.name, name=name)
self.engine.execute(sql)
self.table = SQLATable(name, self.metadata, schema=self.schema,
autoload=True)
| 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 sql = 'ALTER TABLE {s}.{t} RENAME TO {name}\\n '.format(s=\n self.schema, t=self.name, name=name)\n self.engine.execute(sql)\n self.table = SQLATable(name, self.metadata, schema=self.schema,\n autoload=True)\n",
"role": "user"
},
{
"content": "rename",
"role": "assistant"
}
]
|
def x(self, **kwargs):
kwargs['_limit'] = 1
iterator = self.find(**kwargs)
try:
return next(iterator)
except StopIteration:
return None
| find_one | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n kwargs['_limit'] = 1\n iterator = self.find(**kwargs)\n try:\n return next(iterator)\n except StopIteration:\n return None\n",
"role": "user"
},
{
"content": "find_one",
"role": "assistant"
}
]
|
def x(self, _limit=None, _offset=0, _step=5000, order_by='id', return_count
=False, **_filter):
self._check_dropped()
if not isinstance(order_by, (list, tuple)):
order_by = [order_by]
order_by = [o for o in order_by if (o.startswith('-') and o[1:] or o) in
self.table.columns]
order_by = [self._args_to_order_by(o) for o in order_by]
args = self._args_to_clause(_filter)
count_query = alias(self.table.select(whereclause=args, limit=_limit,
offset=_offset), name='count_query_alias').count()
rp = self.engine.execute(count_query)
total_row_count = rp.fetchone()[0]
if return_count:
return total_row_count
if _limit is None:
_limit = total_row_count
if _step is None or _step is False or _step == 0:
_step = total_row_count
if total_row_count > _step and not order_by:
_step = total_row_count
log.warn(
'query cannot be broken into smaller sections because it is unordered'
)
queries = []
for i in count():
qoffset = _offset + _step * i
qlimit = min(_limit - _step * i, _step)
if qlimit <= 0:
break
queries.append(self.table.select(whereclause=args, limit=qlimit,
offset=qoffset, order_by=order_by))
return ResultIter((self.engine.execute(q) for q in queries), row_type=
self.db.row_type)
| find | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, _limit=None, _offset=0, _step=5000, order_by='id', return_count\n =False, **_filter):\n self._check_dropped()\n if not isinstance(order_by, (list, tuple)):\n order_by = [order_by]\n order_by = [o for o in order_by if (o.startswith('-') and o[1:] or o) in\n self.table.columns]\n order_by = [self._args_to_order_by(o) for o in order_by]\n args = self._args_to_clause(_filter)\n count_query = alias(self.table.select(whereclause=args, limit=_limit,\n offset=_offset), name='count_query_alias').count()\n rp = self.engine.execute(count_query)\n total_row_count = rp.fetchone()[0]\n if return_count:\n return total_row_count\n if _limit is None:\n _limit = total_row_count\n if _step is None or _step is False or _step == 0:\n _step = total_row_count\n if total_row_count > _step and not order_by:\n _step = total_row_count\n log.warn(\n 'query cannot be broken into smaller sections because it is unordered'\n )\n queries = []\n for i in count():\n qoffset = _offset + _step * i\n qlimit = min(_limit - _step * i, _step)\n if qlimit <= 0:\n break\n queries.append(self.table.select(whereclause=args, limit=qlimit,\n offset=qoffset, order_by=order_by))\n return ResultIter((self.engine.execute(q) for q in queries), row_type=\n self.db.row_type)\n",
"role": "user"
},
{
"content": "find",
"role": "assistant"
}
]
|
def x(url=None, schema=None, sql_path=None, multiprocessing=False):
if url is None:
url = os.environ.get('DATABASE_URL')
return Database(url, schema, sql_path=sql_path, multiprocessing=
multiprocessing)
| connect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url=None, schema=None, sql_path=None, multiprocessing=False):\n if url is None:\n url = os.environ.get('DATABASE_URL')\n return Database(url, schema, sql_path=sql_path, multiprocessing=\n multiprocessing)\n",
"role": "user"
},
{
"content": "connect",
"role": "assistant"
}
]
|
def x(url=None):
if url is None:
url = os.environ.get('DATABASE_URL')
parsed_url = urlparse(url)
db_name = parsed_url.path
db_name = db_name.strip('/')
db = connect('postgresql://' + parsed_url.netloc)
q = (
"""SELECT 1 as exists
FROM pg_database
WHERE datname = '{db_name}'"""
.format(db_name=db_name))
if not db.query(q).fetchone():
conn = db.engine.connect()
conn.execute('commit')
conn.execute('CREATE DATABASE ' + db_name)
conn.close()
| create_db | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url=None):\n if url is None:\n url = os.environ.get('DATABASE_URL')\n parsed_url = urlparse(url)\n db_name = parsed_url.path\n db_name = db_name.strip('/')\n db = connect('postgresql://' + parsed_url.netloc)\n q = (\n \"\"\"SELECT 1 as exists\n FROM pg_database\n WHERE datname = '{db_name}'\"\"\"\n .format(db_name=db_name))\n if not db.query(q).fetchone():\n conn = db.engine.connect()\n conn.execute('commit')\n conn.execute('CREATE DATABASE ' + db_name)\n conn.close()\n",
"role": "user"
},
{
"content": "create_db",
"role": "assistant"
}
]
|
def x(url):
parsed_url = urlparse(url)
db_name = parsed_url.path
db_name = db_name.strip('/')
db = connect('postgresql://' + parsed_url.netloc)
q = (
"""SELECT 1 as exists
FROM pg_database
WHERE datname = '{db_name}'"""
.format(db_name=db_name))
if db.query(q).fetchone():
conn = db.engine.connect()
conn.execute('commit')
conn.execute('DROP DATABASE ' + db_name)
conn.close()
| drop_db | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url):\n parsed_url = urlparse(url)\n db_name = parsed_url.path\n db_name = db_name.strip('/')\n db = connect('postgresql://' + parsed_url.netloc)\n q = (\n \"\"\"SELECT 1 as exists\n FROM pg_database\n WHERE datname = '{db_name}'\"\"\"\n .format(db_name=db_name))\n if db.query(q).fetchone():\n conn = db.engine.connect()\n conn.execute('commit')\n conn.execute('DROP DATABASE ' + db_name)\n conn.close()\n",
"role": "user"
},
{
"content": "drop_db",
"role": "assistant"
}
]
|
def x(key_name: str, value: t.Any, field_names: t.Iterable[str]=
SHRED_DATA_FIELD_NAMES) ->t.Union[t.Any, str]:
key_name = key_name.lower()
need_shred = False
for data_field_name in field_names:
if data_field_name in key_name:
need_shred = True
break
if not need_shred:
return value
return '*' * len(str(value))
| shred | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(key_name: str, value: t.Any, field_names: t.Iterable[str]=\n SHRED_DATA_FIELD_NAMES) ->t.Union[t.Any, str]:\n key_name = key_name.lower()\n need_shred = False\n for data_field_name in field_names:\n if data_field_name in key_name:\n need_shred = True\n break\n if not need_shred:\n return value\n return '*' * len(str(value))\n",
"role": "user"
},
{
"content": "shred",
"role": "assistant"
}
]
|
def x(obj: t.Union[t.Dict, object], path: str, default: t.Any=None,
separator: str='.'):
path_items = path.split(separator)
val = obj
sentinel = object()
for item in path_items:
if isinstance(val, dict):
val = val.get(item, sentinel)
if val is sentinel:
return default
else:
val = getattr(val, item, sentinel)
if val is sentinel:
return default
return val
| dot_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj: t.Union[t.Dict, object], path: str, default: t.Any=None,\n separator: str='.'):\n path_items = path.split(separator)\n val = obj\n sentinel = object()\n for item in path_items:\n if isinstance(val, dict):\n val = val.get(item, sentinel)\n if val is sentinel:\n return default\n else:\n val = getattr(val, item, sentinel)\n if val is sentinel:\n return default\n return val\n",
"role": "user"
},
{
"content": "dot_path",
"role": "assistant"
}
]
|
def x(obj: dict, path: str, default=None, separator='.'):
try:
return get(obj, path, separator=separator)
except KeyError:
return default
| dotkey | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj: dict, path: str, default=None, separator='.'):\n try:\n return get(obj, path, separator=separator)\n except KeyError:\n return default\n",
"role": "user"
},
{
"content": "dotkey",
"role": "assistant"
}
]
|
def x(bundle: dict, separator: str='.') ->t.Generator[t.Tuple[str, t.Any],
None, None]:
for path_prefix, v in bundle.items():
if not isinstance(v, dict):
yield str(path_prefix), v
continue
for nested_path, nested_val in _materialize_dict(v, separator=separator
):
yield '{0}{1}{2}'.format(path_prefix, separator, nested_path
), nested_val
| materialize_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bundle: dict, separator: str='.') ->t.Generator[t.Tuple[str, t.Any],\n None, None]:\n for path_prefix, v in bundle.items():\n if not isinstance(v, dict):\n yield str(path_prefix), v\n continue\n for nested_path, nested_val in _materialize_dict(v, separator=separator\n ):\n yield '{0}{1}{2}'.format(path_prefix, separator, nested_path\n ), nested_val\n",
"role": "user"
},
{
"content": "materialize_dict",
"role": "assistant"
}
]
|
def x(bundle: dict, separator: str='.') ->t.List[t.Tuple[str, t.Any]]:
def x(tup: t.Tuple[str, t.Any]):
return len(tup[0].split(separator))
s1 = sorted(_materialize_dict(bundle, separator=separator), key=lambda
x: x[0])
return sorted(s1, key=_matkeysort, reverse=True)
| materialize_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bundle: dict, separator: str='.') ->t.List[t.Tuple[str, t.Any]]:\n\n def x(tup: t.Tuple[str, t.Any]):\n return len(tup[0].split(separator))\n s1 = sorted(_materialize_dict(bundle, separator=separator), key=lambda\n x: x[0])\n return sorted(s1, key=_matkeysort, reverse=True)\n",
"role": "user"
},
{
"content": "materialize_dict",
"role": "assistant"
}
]
|
def x(bundle: dict, separator: str='.', serialize: t.Optional[t.Callable]=
dump_yaml, value_prefix: str='::YAML::\n') ->t.List[t.Tuple[str, bytes]]:
md = materialize_dict(bundle, separator=separator)
res = []
for path, value in md:
if value is None:
pass
elif isinstance(value, str) and value != '':
pass
elif isinstance(value, bytes):
pass
elif isinstance(value, bool):
value = str(value).lower()
elif isinstance(value, (int, float, Decimal)):
value = str(value)
else:
value = value_prefix + serialize(value)
if isinstance(value, str):
value = value.encode()
res.append((path, value))
return res
| mp_serialize_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bundle: dict, separator: str='.', serialize: t.Optional[t.Callable]=\n dump_yaml, value_prefix: str='::YAML::\\n') ->t.List[t.Tuple[str, bytes]]:\n md = materialize_dict(bundle, separator=separator)\n res = []\n for path, value in md:\n if value is None:\n pass\n elif isinstance(value, str) and value != '':\n pass\n elif isinstance(value, bytes):\n pass\n elif isinstance(value, bool):\n value = str(value).lower()\n elif isinstance(value, (int, float, Decimal)):\n value = str(value)\n else:\n value = value_prefix + serialize(value)\n if isinstance(value, str):\n value = value.encode()\n res.append((path, value))\n return res\n",
"role": "user"
},
{
"content": "mp_serialize_dict",
"role": "assistant"
}
]
|
def x(raw_str: str, flush: bool=True, prevent_completion_polluting: bool=
True, stream: t.TextIO=sys.stdout):
if prevent_completion_polluting and len(sys.argv) <= 1:
return
stream.write(raw_str)
flush and hasattr(stream, 'flush') and stream.flush()
| wf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(raw_str: str, flush: bool=True, prevent_completion_polluting: bool=\n True, stream: t.TextIO=sys.stdout):\n if prevent_completion_polluting and len(sys.argv) <= 1:\n return\n stream.write(raw_str)\n flush and hasattr(stream, 'flush') and stream.flush()\n",
"role": "user"
},
{
"content": "wf",
"role": "assistant"
}
]
|
def x(val: t.Union[str, int, bool, None], strict: bool=False) ->bool:
if isinstance(val, str):
val = val.lower()
flag = ENV_STR_BOOL_COERCE_MAP.get(val, None)
if flag is not None:
return flag
if strict:
raise ValueError('Unsupported value for boolean flag: `%s`' % val)
return bool(val)
| coerce_str_to_bool | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(val: t.Union[str, int, bool, None], strict: bool=False) ->bool:\n if isinstance(val, str):\n val = val.lower()\n flag = ENV_STR_BOOL_COERCE_MAP.get(val, None)\n if flag is not None:\n return flag\n if strict:\n raise ValueError('Unsupported value for boolean flag: `%s`' % val)\n return bool(val)\n",
"role": "user"
},
{
"content": "coerce_str_to_bool",
"role": "assistant"
}
]
|
def x(flag_name: str, strict: bool=False, env: t.Optional[t.Dict[str, str]]
=None) ->bool:
env = env or os.environ
sentinel = object()
val = env.get(flag_name, sentinel)
if val is sentinel:
return False
return coerce_str_to_bool(val, strict=strict)
| env_bool_flag | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(flag_name: str, strict: bool=False, env: t.Optional[t.Dict[str, str]]\n =None) ->bool:\n env = env or os.environ\n sentinel = object()\n val = env.get(flag_name, sentinel)\n if val is sentinel:\n return False\n return coerce_str_to_bool(val, strict=strict)\n",
"role": "user"
},
{
"content": "env_bool_flag",
"role": "assistant"
}
]
|
def x(f: t.Callable) ->t.Callable:
@wraps(f)
def x(*args, **kwargs):
has_run = os.environ.get(wrapper.__name__)
if has_run == '1':
return
result = f(*args, **kwargs)
os.environ[wrapper.__name__] = '1'
return result
return wrapper
| run_env_once | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(f: t.Callable) ->t.Callable:\n\n @wraps(f)\n def x(*args, **kwargs):\n has_run = os.environ.get(wrapper.__name__)\n if has_run == '1':\n return\n result = f(*args, **kwargs)\n os.environ[wrapper.__name__] = '1'\n return result\n return wrapper\n",
"role": "user"
},
{
"content": "run_env_once",
"role": "assistant"
}
]
|
def x(flag_name: str='DOCKERIZED', strict: bool=False):
return env_bool_flag(flag_name, strict=strict)
| is_dockerized | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(flag_name: str='DOCKERIZED', strict: bool=False):\n return env_bool_flag(flag_name, strict=strict)\n",
"role": "user"
},
{
"content": "is_dockerized",
"role": "assistant"
}
]
|
def x(flag_name: str='PRODUCTION', strict: bool=False):
return env_bool_flag(flag_name, strict=strict)
| is_production | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(flag_name: str='PRODUCTION', strict: bool=False):\n return env_bool_flag(flag_name, strict=strict)\n",
"role": "user"
},
{
"content": "is_production",
"role": "assistant"
}
]
|
def x():
from os.path import dirname, join
from .auto import gtype_np, ftype_np
import numpy as np
def x(name, dtype, shape):
d = join(dirname(__file__), 'data', 'geuvadis', name)
d = np.fromfile(d, dtype=dtype)
d = d.reshape(*shape)
return d
ans = {'dc': getdata('dc.dat', ftype_np, (10, 360)), 'dgmi': getdata(
'dgmi.dat', gtype_np, (10, 360)), 'dmi': getdata('dmi.dat',
ftype_np, (10, 360)), 'dgt': getdata('dgt.dat', gtype_np, (1000,
360)), 'dt': getdata('dt.dat', ftype_np, (1000, 360)), 'dt2':
getdata('dt2.dat', ftype_np, (3000, 360))}
f = open(join(dirname(__file__), 'data', 'geuvadis', 'namest.txt'), 'r')
namest = [x.strip('\r\n') for x in f.readlines()]
f.close()
ans['namest'] = namest
return ans
| load_geuvadis_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n from os.path import dirname, join\n from .auto import gtype_np, ftype_np\n import numpy as np\n\n def x(name, dtype, shape):\n d = join(dirname(__file__), 'data', 'geuvadis', name)\n d = np.fromfile(d, dtype=dtype)\n d = d.reshape(*shape)\n return d\n ans = {'dc': getdata('dc.dat', ftype_np, (10, 360)), 'dgmi': getdata(\n 'dgmi.dat', gtype_np, (10, 360)), 'dmi': getdata('dmi.dat',\n ftype_np, (10, 360)), 'dgt': getdata('dgt.dat', gtype_np, (1000, \n 360)), 'dt': getdata('dt.dat', ftype_np, (1000, 360)), 'dt2':\n getdata('dt2.dat', ftype_np, (3000, 360))}\n f = open(join(dirname(__file__), 'data', 'geuvadis', 'namest.txt'), 'r')\n namest = [x.strip('\\r\\n') for x in f.readlines()]\n f.close()\n ans['namest'] = namest\n return ans\n",
"role": "user"
},
{
"content": "load_geuvadis_data",
"role": "assistant"
}
]
|
def x(code):
for line in code:
print('# ' + line)
exec(line, globals())
print('# return ans')
return ans
| runcode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(code):\n for line in code:\n print('# ' + line)\n exec(line, globals())\n print('# return ans')\n return ans\n",
"role": "user"
},
{
"content": "runcode",
"role": "assistant"
}
]
|
def x(*args, **kwargs):
from .core import Signal
"""A signal decorator designed to work both in the simpler way, like:
.. code:: python
@signal
def validation_function(arg1, ...):
'''Some doc'''
and also as a double-called decorator, like
.. code:: python
@signal(SignalOptions.EXEC_CONCURRENT)
def validation_function(arg1, ...):
'''Some doc'''
"""
if len(args) == 1 and len(kwargs) == 0 and callable(args[0]):
return Signal(fvalidation=args[0])
else:
sig = Signal(*args, **kwargs)
def x(fvalidation):
sig._set_fvalidation(fvalidation)
return sig
return wrapper
| signal | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kwargs):\n from .core import Signal\n \"\"\"A signal decorator designed to work both in the simpler way, like:\n\n .. code:: python\n\n @signal\n def validation_function(arg1, ...):\n '''Some doc'''\n\n and also as a double-called decorator, like\n\n .. code:: python\n\n @signal(SignalOptions.EXEC_CONCURRENT)\n def validation_function(arg1, ...):\n '''Some doc'''\n\n \"\"\"\n if len(args) == 1 and len(kwargs) == 0 and callable(args[0]):\n return Signal(fvalidation=args[0])\n else:\n sig = Signal(*args, **kwargs)\n\n def x(fvalidation):\n sig._set_fvalidation(fvalidation)\n return sig\n return wrapper\n",
"role": "user"
},
{
"content": "signal",
"role": "assistant"
}
]
|
def x(self, *args, **kwargs):
results = []
for handler in self.endpoints:
if isinstance(handler, weakref.ref):
handler = handler()
if self.adapt_params:
bind = self._adapt_call_params(handler, args, kwargs)
res = handler(*bind.args, **bind.kwargs)
else:
res = handler(*args, **kwargs)
if isinstance(res, MultipleResults):
if res.done:
results += res.results
else:
results += res._results
elif res is not NoResult:
results.append(res)
return MultipleResults(results, concurrent=self.concurrent, owner=self)
| exec_all_endpoints | [
{
"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 results = []\n for handler in self.endpoints:\n if isinstance(handler, weakref.ref):\n handler = handler()\n if self.adapt_params:\n bind = self._adapt_call_params(handler, args, kwargs)\n res = handler(*bind.args, **bind.kwargs)\n else:\n res = handler(*args, **kwargs)\n if isinstance(res, MultipleResults):\n if res.done:\n results += res.results\n else:\n results += res._results\n elif res is not NoResult:\n results.append(res)\n return MultipleResults(results, concurrent=self.concurrent, owner=self)\n",
"role": "user"
},
{
"content": "exec_all_endpoints",
"role": "assistant"
}
]
|
def x(self, *args, **kwargs):
if self.fvalidation is not None:
try:
if self.fvalidation(*args, **kwargs) is False:
raise ExecutionError('Validation returned ``False``')
except Exception as e:
if __debug__:
logger.exception('Validation failed')
else:
logger.error('Validation failed')
raise ExecutionError(
'The validation of the arguments specified to ``run()`` has failed'
) from e
try:
if self.exec_wrapper is None:
return self.exec_all_endpoints(*args, **kwargs)
else:
result = self.exec_wrapper(self.endpoints, self.
exec_all_endpoints, *args, **kwargs)
if inspect.isawaitable(result):
result = pull_result(result)
return result
except Exception as e:
if __debug__:
logger.exception('Error while executing handlers')
else:
logger.error('Error while executing handlers')
raise ExecutionError('Error while executing handlers') from e
| 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):\n if self.fvalidation is not None:\n try:\n if self.fvalidation(*args, **kwargs) is False:\n raise ExecutionError('Validation returned ``False``')\n except Exception as e:\n if __debug__:\n logger.exception('Validation failed')\n else:\n logger.error('Validation failed')\n raise ExecutionError(\n 'The validation of the arguments specified to ``run()`` has failed'\n ) from e\n try:\n if self.exec_wrapper is None:\n return self.exec_all_endpoints(*args, **kwargs)\n else:\n result = self.exec_wrapper(self.endpoints, self.\n exec_all_endpoints, *args, **kwargs)\n if inspect.isawaitable(result):\n result = pull_result(result)\n return result\n except Exception as e:\n if __debug__:\n logger.exception('Error while executing handlers')\n else:\n logger.error('Error while executing handlers')\n raise ExecutionError('Error while executing handlers') from e\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
]
|
def x():
uid_min = None
uid_max = None
login_defs_path = '/etc/login.defs'
if os.path.exists(login_defs_path):
with io.open(text_type(login_defs_path), encoding=text_type('utf-8')
) as log_defs_file:
login_data = log_defs_file.readlines()
for line in login_data:
if PY3:
line = str(line)
if PY2:
line = line.encode(text_type('utf8'))
if line[:7] == text_type('UID_MIN'):
uid_min = int(line.split()[1].strip())
if line[:7] == text_type('UID_MAX'):
uid_max = int(line.split()[1].strip())
if not uid_min:
uid_min = DEFAULT_UID_MIN
if not uid_max:
uid_max = DEFAULT_UID_MAX
return uid_min, uid_max
| login_defs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n uid_min = None\n uid_max = None\n login_defs_path = '/etc/login.defs'\n if os.path.exists(login_defs_path):\n with io.open(text_type(login_defs_path), encoding=text_type('utf-8')\n ) as log_defs_file:\n login_data = log_defs_file.readlines()\n for line in login_data:\n if PY3:\n line = str(line)\n if PY2:\n line = line.encode(text_type('utf8'))\n if line[:7] == text_type('UID_MIN'):\n uid_min = int(line.split()[1].strip())\n if line[:7] == text_type('UID_MAX'):\n uid_max = int(line.split()[1].strip())\n if not uid_min:\n uid_min = DEFAULT_UID_MIN\n if not uid_max:\n uid_max = DEFAULT_UID_MAX\n return uid_min, uid_max\n",
"role": "user"
},
{
"content": "login_defs",
"role": "assistant"
}
]
|
def x() ->bool:
from django.core.management import execute_from_command_line
wf('Collecting static files... ', False)
execute_from_command_line(['./manage.py', 'collectstatic', '-c',
'--noinput', '-v0'])
wf('[+]\n')
return True
| collect_static | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x() ->bool:\n from django.core.management import execute_from_command_line\n wf('Collecting static files... ', False)\n execute_from_command_line(['./manage.py', 'collectstatic', '-c',\n '--noinput', '-v0'])\n wf('[+]\\n')\n return True\n",
"role": "user"
},
{
"content": "collect_static",
"role": "assistant"
}
]
|
def x(self) ->BaseParser:
if self._inner_parser is not None:
return self._inner_parser
config = self.client.get(self.endpoint)
if not config:
raise KVStorageValueIsEmpty(
'Key `{0}` does not exist or value is empty'.format(self.endpoint))
config = config.decode()
self._inner_parser = self.inner_parser_class(config=io.StringIO(config),
path_separator=self.path_separator, scope=None)
return self._inner_parser
| inner_parser | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->BaseParser:\n if self._inner_parser is not None:\n return self._inner_parser\n config = self.client.get(self.endpoint)\n if not config:\n raise KVStorageValueIsEmpty(\n 'Key `{0}` does not exist or value is empty'.format(self.endpoint))\n config = config.decode()\n self._inner_parser = self.inner_parser_class(config=io.StringIO(config),\n path_separator=self.path_separator, scope=None)\n return self._inner_parser\n",
"role": "user"
},
{
"content": "inner_parser",
"role": "assistant"
}
]
|
def x(proposed_user=None, manage_home=None):
command = None
if get_platform() in ('Linux', 'OpenBSD'):
command = '{0} {1}'.format(sudo_check(), LINUX_CMD_USERADD)
if proposed_user.uid:
command = '{0} -u {1}'.format(command, proposed_user.uid)
if proposed_user.gid:
command = '{0} -g {1}'.format(command, proposed_user.gid)
if proposed_user.gecos:
command = "{0} -c '{1}'".format(command, proposed_user.gecos)
if manage_home:
if proposed_user.home_dir:
if os.path.exists(proposed_user.home_dir):
command = '{0} -d {1}'.format(command, proposed_user.
home_dir)
elif not os.path.exists('/home/{0}'.format(proposed_user.name)):
command = '{0} -m'.format(command)
if proposed_user.shell:
command = '{0} -s {1}'.format(command, proposed_user.shell)
command = '{0} {1}'.format(command, proposed_user.name)
elif get_platform() == 'FreeBSD':
command = '{0} {1} useradd'.format(sudo_check(), FREEBSD_CMD_PW)
if proposed_user.uid:
command = '{0} -u {1}'.format(command, proposed_user.uid)
if proposed_user.gid:
command = '{0} -g {1}'.format(command, proposed_user.gid)
if proposed_user.gecos:
command = "{0} -c '{1}'".format(command, proposed_user.gecos)
if manage_home:
if proposed_user.home_dir:
command = '{0} -d {1}'.format(command, proposed_user.home_dir)
else:
command = '{0} -m'.format(command)
if proposed_user.shell:
command = '{0} -s {1}'.format(command, proposed_user.shell)
command = '{0} -n {1}'.format(command, proposed_user.name)
if command:
return shlex.split(str(command))
| generate_add_user_command | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(proposed_user=None, manage_home=None):\n command = None\n if get_platform() in ('Linux', 'OpenBSD'):\n command = '{0} {1}'.format(sudo_check(), LINUX_CMD_USERADD)\n if proposed_user.uid:\n command = '{0} -u {1}'.format(command, proposed_user.uid)\n if proposed_user.gid:\n command = '{0} -g {1}'.format(command, proposed_user.gid)\n if proposed_user.gecos:\n command = \"{0} -c '{1}'\".format(command, proposed_user.gecos)\n if manage_home:\n if proposed_user.home_dir:\n if os.path.exists(proposed_user.home_dir):\n command = '{0} -d {1}'.format(command, proposed_user.\n home_dir)\n elif not os.path.exists('/home/{0}'.format(proposed_user.name)):\n command = '{0} -m'.format(command)\n if proposed_user.shell:\n command = '{0} -s {1}'.format(command, proposed_user.shell)\n command = '{0} {1}'.format(command, proposed_user.name)\n elif get_platform() == 'FreeBSD':\n command = '{0} {1} useradd'.format(sudo_check(), FREEBSD_CMD_PW)\n if proposed_user.uid:\n command = '{0} -u {1}'.format(command, proposed_user.uid)\n if proposed_user.gid:\n command = '{0} -g {1}'.format(command, proposed_user.gid)\n if proposed_user.gecos:\n command = \"{0} -c '{1}'\".format(command, proposed_user.gecos)\n if manage_home:\n if proposed_user.home_dir:\n command = '{0} -d {1}'.format(command, proposed_user.home_dir)\n else:\n command = '{0} -m'.format(command)\n if proposed_user.shell:\n command = '{0} -s {1}'.format(command, proposed_user.shell)\n command = '{0} -n {1}'.format(command, proposed_user.name)\n if command:\n return shlex.split(str(command))\n",
"role": "user"
},
{
"content": "generate_add_user_command",
"role": "assistant"
}
]
|
def x(task=None, manage_home=None):
name = task['proposed_user'].name
comparison_result = task['user_comparison']['result']
command = None
if get_platform() in ('Linux', 'OpenBSD'):
command = '{0} {1}'.format(sudo_check(), LINUX_CMD_USERMOD)
if comparison_result.get('replacement_uid_value'):
command = '{0} -u {1}'.format(command, comparison_result.get(
'replacement_uid_value'))
if comparison_result.get('replacement_gid_value'):
command = '{0} -g {1}'.format(command, comparison_result.get(
'replacement_gid_value'))
if comparison_result.get('replacement_gecos_value'):
command = '{0} -c {1}'.format(command, comparison_result.get(
'replacement_gecos_value'))
if comparison_result.get('replacement_shell_value'):
command = '{0} -s {1}'.format(command, comparison_result.get(
'replacement_shell_value'))
if manage_home and comparison_result.get('replacement_home_dir_value'):
command = '{0} -d {1}'.format(command, comparison_result.get(
'replacement_home_dir_value'))
command = '{0} {1}'.format(command, name)
if get_platform() == 'FreeBSD':
command = '{0} {1} usermod'.format(sudo_check(), FREEBSD_CMD_PW)
if comparison_result.get('replacement_uid_value'):
command = '{0} -u {1}'.format(command, comparison_result.get(
'replacement_uid_value'))
if comparison_result.get('replacement_gid_value'):
command = '{0} -g {1}'.format(command, comparison_result.get(
'replacement_gid_value'))
if comparison_result.get('replacement_gecos_value'):
command = '{0} -c {1}'.format(command, comparison_result.get(
'replacement_gecos_value'))
if comparison_result.get('replacement_shell_value'):
command = '{0} -s {1}'.format(command, comparison_result.get(
'replacement_shell_value'))
if manage_home and comparison_result.get('replacement_home_dir_value'):
command = '{0} -d {1}'.format(command, comparison_result.get(
'replacement_home_dir_value'))
command = '{0} -n {1}'.format(command, name)
if command:
return shlex.split(str(command))
| generate_modify_user_command | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(task=None, manage_home=None):\n name = task['proposed_user'].name\n comparison_result = task['user_comparison']['result']\n command = None\n if get_platform() in ('Linux', 'OpenBSD'):\n command = '{0} {1}'.format(sudo_check(), LINUX_CMD_USERMOD)\n if comparison_result.get('replacement_uid_value'):\n command = '{0} -u {1}'.format(command, comparison_result.get(\n 'replacement_uid_value'))\n if comparison_result.get('replacement_gid_value'):\n command = '{0} -g {1}'.format(command, comparison_result.get(\n 'replacement_gid_value'))\n if comparison_result.get('replacement_gecos_value'):\n command = '{0} -c {1}'.format(command, comparison_result.get(\n 'replacement_gecos_value'))\n if comparison_result.get('replacement_shell_value'):\n command = '{0} -s {1}'.format(command, comparison_result.get(\n 'replacement_shell_value'))\n if manage_home and comparison_result.get('replacement_home_dir_value'):\n command = '{0} -d {1}'.format(command, comparison_result.get(\n 'replacement_home_dir_value'))\n command = '{0} {1}'.format(command, name)\n if get_platform() == 'FreeBSD':\n command = '{0} {1} usermod'.format(sudo_check(), FREEBSD_CMD_PW)\n if comparison_result.get('replacement_uid_value'):\n command = '{0} -u {1}'.format(command, comparison_result.get(\n 'replacement_uid_value'))\n if comparison_result.get('replacement_gid_value'):\n command = '{0} -g {1}'.format(command, comparison_result.get(\n 'replacement_gid_value'))\n if comparison_result.get('replacement_gecos_value'):\n command = '{0} -c {1}'.format(command, comparison_result.get(\n 'replacement_gecos_value'))\n if comparison_result.get('replacement_shell_value'):\n command = '{0} -s {1}'.format(command, comparison_result.get(\n 'replacement_shell_value'))\n if manage_home and comparison_result.get('replacement_home_dir_value'):\n command = '{0} -d {1}'.format(command, comparison_result.get(\n 'replacement_home_dir_value'))\n command = '{0} -n {1}'.format(command, name)\n if command:\n return shlex.split(str(command))\n",
"role": "user"
},
{
"content": "generate_modify_user_command",
"role": "assistant"
}
]
|
def x(username=None, manage_home=None):
command = None
remove_home = '-r' if manage_home else ''
if get_platform() in ('Linux', 'OpenBSD'):
command = '{0} {1} {2} {3}'.format(sudo_check(), LINUX_CMD_USERDEL,
remove_home, username)
elif get_platform() == 'FreeBSD':
command = '{0} {1} userdel {2} -n {3}'.format(sudo_check(),
FREEBSD_CMD_PW, remove_home, username)
if command:
return shlex.split(str(command))
| generate_delete_user_command | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(username=None, manage_home=None):\n command = None\n remove_home = '-r' if manage_home else ''\n if get_platform() in ('Linux', 'OpenBSD'):\n command = '{0} {1} {2} {3}'.format(sudo_check(), LINUX_CMD_USERDEL,\n remove_home, username)\n elif get_platform() == 'FreeBSD':\n command = '{0} {1} userdel {2} -n {3}'.format(sudo_check(),\n FREEBSD_CMD_PW, remove_home, username)\n if command:\n return shlex.split(str(command))\n",
"role": "user"
},
{
"content": "generate_delete_user_command",
"role": "assistant"
}
]
|
def x(passed_user=None, user_list=None):
returned = user_list.describe_users(users_filter=dict(name=passed_user.
name))
replace_keys = False
comparison_result = dict()
if passed_user.uid and not returned[0].uid == passed_user.uid:
comparison_result['uid_action'] = 'modify'
comparison_result['current_uid_value'] = returned[0].uid
comparison_result['replacement_uid_value'] = passed_user.uid
if passed_user.gid and not returned[0].gid == passed_user.gid:
comparison_result['gid_action'] = 'modify'
comparison_result['current_gid_value'] = returned[0].gid
comparison_result['replacement_gid_value'] = passed_user.gid
if passed_user.gecos and not returned[0].gecos == passed_user.gecos:
comparison_result['gecos_action'] = 'modify'
comparison_result['current_gecos_value'] = returned[0].gecos
comparison_result['replacement_gecos_value'] = passed_user.gecos
if passed_user.home_dir and not returned[0
].home_dir == passed_user.home_dir:
comparison_result['home_dir_action'] = 'modify'
comparison_result['current_home_dir_value'] = returned[0].home_dir
comparison_result['replacement_home_dir_value'] = passed_user.home_dir
replace_keys = True
if passed_user.shell and not returned[0].shell == passed_user.shell:
comparison_result['shell_action'] = 'modify'
comparison_result['current_shell_value'] = returned[0].shell
comparison_result['replacement_shell_value'] = passed_user.shell
if passed_user.sudoers_entry and not returned[0
].sudoers_entry == passed_user.sudoers_entry:
comparison_result['sudoers_entry_action'] = 'modify'
comparison_result['current_sudoers_entry'] = returned[0].sudoers_entry
comparison_result['replacement_sudoers_entry'
] = passed_user.sudoers_entry
existing_keys = returned[0].public_keys
passed_keys = passed_user.public_keys
if all((existing_keys, passed_keys)) and len(existing_keys) == len(
passed_user.public_keys):
existing = set(key.raw for key in existing_keys)
replacement = set(key.raw for key in passed_keys)
if set.difference(existing, replacement):
replace_keys = True
elif passed_keys and not existing_keys:
replace_keys = True
if replace_keys:
comparison_result['public_keys_action'] = 'modify'
comparison_result['current_public_keys_value'] = existing_keys
comparison_result['replacement_public_keys_value'] = passed_keys
return dict(state='existing', result=comparison_result, existing_user=
returned)
| compare_user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(passed_user=None, user_list=None):\n returned = user_list.describe_users(users_filter=dict(name=passed_user.\n name))\n replace_keys = False\n comparison_result = dict()\n if passed_user.uid and not returned[0].uid == passed_user.uid:\n comparison_result['uid_action'] = 'modify'\n comparison_result['current_uid_value'] = returned[0].uid\n comparison_result['replacement_uid_value'] = passed_user.uid\n if passed_user.gid and not returned[0].gid == passed_user.gid:\n comparison_result['gid_action'] = 'modify'\n comparison_result['current_gid_value'] = returned[0].gid\n comparison_result['replacement_gid_value'] = passed_user.gid\n if passed_user.gecos and not returned[0].gecos == passed_user.gecos:\n comparison_result['gecos_action'] = 'modify'\n comparison_result['current_gecos_value'] = returned[0].gecos\n comparison_result['replacement_gecos_value'] = passed_user.gecos\n if passed_user.home_dir and not returned[0\n ].home_dir == passed_user.home_dir:\n comparison_result['home_dir_action'] = 'modify'\n comparison_result['current_home_dir_value'] = returned[0].home_dir\n comparison_result['replacement_home_dir_value'] = passed_user.home_dir\n replace_keys = True\n if passed_user.shell and not returned[0].shell == passed_user.shell:\n comparison_result['shell_action'] = 'modify'\n comparison_result['current_shell_value'] = returned[0].shell\n comparison_result['replacement_shell_value'] = passed_user.shell\n if passed_user.sudoers_entry and not returned[0\n ].sudoers_entry == passed_user.sudoers_entry:\n comparison_result['sudoers_entry_action'] = 'modify'\n comparison_result['current_sudoers_entry'] = returned[0].sudoers_entry\n comparison_result['replacement_sudoers_entry'\n ] = passed_user.sudoers_entry\n existing_keys = returned[0].public_keys\n passed_keys = passed_user.public_keys\n if all((existing_keys, passed_keys)) and len(existing_keys) == len(\n passed_user.public_keys):\n existing = set(key.raw for key in existing_keys)\n replacement = set(key.raw for key in passed_keys)\n if set.difference(existing, replacement):\n replace_keys = True\n elif passed_keys and not existing_keys:\n replace_keys = True\n if replace_keys:\n comparison_result['public_keys_action'] = 'modify'\n comparison_result['current_public_keys_value'] = existing_keys\n comparison_result['replacement_public_keys_value'] = passed_keys\n return dict(state='existing', result=comparison_result, existing_user=\n returned)\n",
"role": "user"
},
{
"content": "compare_user",
"role": "assistant"
}
]
|
def x(self):
if not self._gecos:
return None
if self._gecos.startswith(text_type("'")) and self._gecos.endswith(
text_type("'")):
self._gecos = '"{0}"'.format(self._gecos[1:-1])
return self._gecos
elif self._gecos.startswith(text_type('"')) and self._gecos.endswith(
text_type('"')):
return self._gecos
else:
return '"{0}"'.format(self._gecos)
| gecos | [
{
"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._gecos:\n return None\n if self._gecos.startswith(text_type(\"'\")) and self._gecos.endswith(\n text_type(\"'\")):\n self._gecos = '\"{0}\"'.format(self._gecos[1:-1])\n return self._gecos\n elif self._gecos.startswith(text_type('\"')) and self._gecos.endswith(\n text_type('\"')):\n return self._gecos\n else:\n return '\"{0}\"'.format(self._gecos)\n",
"role": "user"
},
{
"content": "gecos",
"role": "assistant"
}
]
|
def x(self):
public_keys = [public_key.b64encoded for public_key in self.public_keys]
return dict(name=self.name, passwd=self.passwd, uid=self.uid, gid=self.
gid, gecos=self.gecos, home_dir=self.home_dir, shell=self.shell,
public_keys=public_keys)
| to_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n public_keys = [public_key.b64encoded for public_key in self.public_keys]\n return dict(name=self.name, passwd=self.passwd, uid=self.uid, gid=self.\n gid, gecos=self.gecos, home_dir=self.home_dir, shell=self.shell,\n public_keys=public_keys)\n",
"role": "user"
},
{
"content": "to_dict",
"role": "assistant"
}
]
|
def x(self, index, value):
self.check(value)
self._user_list.insert(index, value)
| insert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index, value):\n self.check(value)\n self._user_list.insert(index, value)\n",
"role": "user"
},
{
"content": "insert",
"role": "assistant"
}
]
|
def x(self, username=None):
self._user_list = [user for user in self._user_list if user.name !=
username]
| remove | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username=None):\n self._user_list = [user for user in self._user_list if user.name !=\n username]\n",
"role": "user"
},
{
"content": "remove",
"role": "assistant"
}
]
|
def x(self, users_filter=None):
user_list = Users(oktypes=User)
for user in self._user_list:
if users_filter and (users_filter.get('name') == user.name or
users_filter.get('uid') == user.uid):
user_list.append(user)
return user_list
| describe_users | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, users_filter=None):\n user_list = Users(oktypes=User)\n for user in self._user_list:\n if users_filter and (users_filter.get('name') == user.name or \n users_filter.get('uid') == user.uid):\n user_list.append(user)\n return user_list\n",
"role": "user"
},
{
"content": "describe_users",
"role": "assistant"
}
]
|
def x(cls, file_path=None):
try:
import yaml
except ImportError:
yaml = None
if not yaml:
import sys
sys.exit(
"""PyYAML is not installed, but is required in order to parse YAML files.
To install, run:
$ pip install PyYAML
or visit http://pyyaml.org/wiki/PyYAML for instructions."""
)
with io.open(file_path, encoding=text_type('utf-8')) as stream:
users_yaml = yaml.safe_load(stream)
if isinstance(users_yaml, dict):
return cls.construct_user_list(raw_users=users_yaml.get('users'))
else:
raise ValueError('No YAML object could be decoded')
| from_yaml | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, file_path=None):\n try:\n import yaml\n except ImportError:\n yaml = None\n if not yaml:\n import sys\n sys.exit(\n \"\"\"PyYAML is not installed, but is required in order to parse YAML files.\nTo install, run:\n$ pip install PyYAML\nor visit http://pyyaml.org/wiki/PyYAML for instructions.\"\"\"\n )\n with io.open(file_path, encoding=text_type('utf-8')) as stream:\n users_yaml = yaml.safe_load(stream)\n if isinstance(users_yaml, dict):\n return cls.construct_user_list(raw_users=users_yaml.get('users'))\n else:\n raise ValueError('No YAML object could be decoded')\n",
"role": "user"
},
{
"content": "from_yaml",
"role": "assistant"
}
]
|
def x(cls, file_path=None):
with io.open(file_path, encoding=text_type('utf-8')) as stream:
try:
users_json = json.load(stream)
except ValueError:
raise ValueError('No JSON object could be decoded')
return cls.construct_user_list(raw_users=users_json.get('users'))
| from_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, file_path=None):\n with io.open(file_path, encoding=text_type('utf-8')) as stream:\n try:\n users_json = json.load(stream)\n except ValueError:\n raise ValueError('No JSON object could be decoded')\n return cls.construct_user_list(raw_users=users_json.get('users'))\n",
"role": "user"
},
{
"content": "from_json",
"role": "assistant"
}
]
|
def x(uid_min=None, uid_max=None):
import pwd
users = Users(oktypes=User)
passwd_list = pwd.getpwall()
if not uid_min:
uid_min = UID_MIN
if not uid_max:
uid_max = UID_MAX
sudoers_entries = read_sudoers()
for pwd_entry in passwd_list:
if uid_min <= pwd_entry.pw_uid <= uid_max:
user = User(name=text_type(pwd_entry.pw_name), passwd=text_type
(pwd_entry.pw_passwd), uid=pwd_entry.pw_uid, gid=pwd_entry.
pw_gid, gecos=text_type(pwd_entry.pw_gecos), home_dir=
text_type(pwd_entry.pw_dir), shell=text_type(pwd_entry.
pw_shell), public_keys=read_authorized_keys(username=
pwd_entry.pw_name), sudoers_entry=get_sudoers_entry(
username=pwd_entry.pw_name, sudoers_entries=sudoers_entries))
users.append(user)
return users
| from_passwd | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(uid_min=None, uid_max=None):\n import pwd\n users = Users(oktypes=User)\n passwd_list = pwd.getpwall()\n if not uid_min:\n uid_min = UID_MIN\n if not uid_max:\n uid_max = UID_MAX\n sudoers_entries = read_sudoers()\n for pwd_entry in passwd_list:\n if uid_min <= pwd_entry.pw_uid <= uid_max:\n user = User(name=text_type(pwd_entry.pw_name), passwd=text_type\n (pwd_entry.pw_passwd), uid=pwd_entry.pw_uid, gid=pwd_entry.\n pw_gid, gecos=text_type(pwd_entry.pw_gecos), home_dir=\n text_type(pwd_entry.pw_dir), shell=text_type(pwd_entry.\n pw_shell), public_keys=read_authorized_keys(username=\n pwd_entry.pw_name), sudoers_entry=get_sudoers_entry(\n username=pwd_entry.pw_name, sudoers_entries=sudoers_entries))\n users.append(user)\n return users\n",
"role": "user"
},
{
"content": "from_passwd",
"role": "assistant"
}
]
|
def x(raw_users=None):
users = Users(oktypes=User)
for user_dict in raw_users:
public_keys = None
if user_dict.get('public_keys'):
public_keys = [PublicKey(b64encoded=x, raw=None) for x in
user_dict.get('public_keys')]
users.append(User(name=user_dict.get('name'), passwd=user_dict.get(
'passwd'), uid=user_dict.get('uid'), gid=user_dict.get('gid'),
home_dir=user_dict.get('home_dir'), gecos=user_dict.get('gecos'
), shell=user_dict.get('shell'), public_keys=public_keys,
sudoers_entry=user_dict.get('sudoers_entry')))
return users
| construct_user_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(raw_users=None):\n users = Users(oktypes=User)\n for user_dict in raw_users:\n public_keys = None\n if user_dict.get('public_keys'):\n public_keys = [PublicKey(b64encoded=x, raw=None) for x in\n user_dict.get('public_keys')]\n users.append(User(name=user_dict.get('name'), passwd=user_dict.get(\n 'passwd'), uid=user_dict.get('uid'), gid=user_dict.get('gid'),\n home_dir=user_dict.get('home_dir'), gecos=user_dict.get('gecos'\n ), shell=user_dict.get('shell'), public_keys=public_keys,\n sudoers_entry=user_dict.get('sudoers_entry')))\n return users\n",
"role": "user"
},
{
"content": "construct_user_list",
"role": "assistant"
}
]
|
def x(self):
users = dict(users=list())
for user in self:
users['users'].append(user.to_dict())
return users
| to_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n users = dict(users=list())\n for user in self:\n users['users'].append(user.to_dict())\n return users\n",
"role": "user"
},
{
"content": "to_dict",
"role": "assistant"
}
]
|
def x(self, file_path=None, export_format=None):
with io.open(file_path, mode='w', encoding='utf-8') as export_file:
if export_format == 'yaml':
import yaml
yaml.safe_dump(self.to_dict(), export_file, default_flow_style=
False)
elif export_format == 'json':
export_file.write(text_type(json.dumps(self.to_dict(),
ensure_ascii=False)))
return True
| export | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file_path=None, export_format=None):\n with io.open(file_path, mode='w', encoding='utf-8') as export_file:\n if export_format == 'yaml':\n import yaml\n yaml.safe_dump(self.to_dict(), export_file, default_flow_style=\n False)\n elif export_format == 'json':\n export_file.write(text_type(json.dumps(self.to_dict(),\n ensure_ascii=False)))\n return True\n",
"role": "user"
},
{
"content": "export",
"role": "assistant"
}
]
|
def x(path, mode='tsv'):
if mode == 'tsv':
return TxtReader.from_path(path).read()
elif mode == 'json':
return read_json(path)
else:
raise Exception('Invalid mode - [{}] was provided'.format(mode))
| read | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, mode='tsv'):\n if mode == 'tsv':\n return TxtReader.from_path(path).read()\n elif mode == 'json':\n return read_json(path)\n else:\n raise Exception('Invalid mode - [{}] was provided'.format(mode))\n",
"role": "user"
},
{
"content": "read",
"role": "assistant"
}
]
|
def x(path, doc, mode=MODE_TSV, **kwargs):
if mode == MODE_TSV:
with TxtWriter.from_path(path) as writer:
writer.write_doc(doc)
elif mode == MODE_JSON:
write_json(path, doc, **kwargs)
| write | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, doc, mode=MODE_TSV, **kwargs):\n if mode == MODE_TSV:\n with TxtWriter.from_path(path) as writer:\n writer.write_doc(doc)\n elif mode == MODE_JSON:\n write_json(path, doc, **kwargs)\n",
"role": "user"
},
{
"content": "write",
"role": "assistant"
}
]
|
def x(self):
tcmap = dd(list)
for concept in self.__concept_map.values():
for w in concept.tokens:
tcmap[w].append(concept)
return tcmap
| tcmap | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n tcmap = dd(list)\n for concept in self.__concept_map.values():\n for w in concept.tokens:\n tcmap[w].append(concept)\n return tcmap\n",
"role": "user"
},
{
"content": "tcmap",
"role": "assistant"
}
]
|
def x(self):
return (t for t, c in self.tcmap().items() if len(c) > 1)
| msw | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return (t for t, c in self.tcmap().items() if len(c) > 1)\n",
"role": "user"
},
{
"content": "msw",
"role": "assistant"
}
]
|
def x(self, tag):
if (tag.cfrom is not None and tag.cto is not None and tag.cfrom >= 0 and
tag.cto >= 0):
return self.text[tag.cfrom:tag.cto]
else:
return ''
| surface | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tag):\n if (tag.cfrom is not None and tag.cto is not None and tag.cfrom >= 0 and\n tag.cto >= 0):\n return self.text[tag.cfrom:tag.cto]\n else:\n return ''\n",
"role": "user"
},
{
"content": "surface",
"role": "assistant"
}
]
|
def x(self, label, cfrom=-1, cto=-1, tagtype='', **kwargs):
tag_obj = Tag(label, cfrom, cto, tagtype=tagtype, **kwargs)
return self.add_tag(tag_obj)
| new_tag | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, label, cfrom=-1, cto=-1, tagtype='', **kwargs):\n tag_obj = Tag(label, cfrom, cto, tagtype=tagtype, **kwargs)\n return self.add_tag(tag_obj)\n",
"role": "user"
},
{
"content": "new_tag",
"role": "assistant"
}
]
|
def x(self, tagtype):
for tag in self.__tags:
if tag.tagtype == tagtype:
return tag
return None
| get_tag | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tagtype):\n for tag in self.__tags:\n if tag.tagtype == tagtype:\n return tag\n return None\n",
"role": "user"
},
{
"content": "get_tag",
"role": "assistant"
}
]
|
def x(self, token):
token.sent = self
self.__tokens.append(token)
return token
| add_token_object | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, token):\n token.sent = self\n self.__tokens.append(token)\n return token\n",
"role": "user"
},
{
"content": "add_token_object",
"role": "assistant"
}
]
|
def x(self, tag, clemma='', tokens=None, cidx=None, **kwargs):
if cidx is None:
cidx = self.new_concept_id()
if tokens:
tokens = (t if isinstance(t, Token) else self[t] for t in tokens)
c = Concept(cidx=cidx, tag=tag, clemma=clemma, sent=self, tokens=tokens,
**kwargs)
return self.add_concept(c)
| new_concept | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tag, clemma='', tokens=None, cidx=None, **kwargs):\n if cidx is None:\n cidx = self.new_concept_id()\n if tokens:\n tokens = (t if isinstance(t, Token) else self[t] for t in tokens)\n c = Concept(cidx=cidx, tag=tag, clemma=clemma, sent=self, tokens=tokens,\n **kwargs)\n return self.add_concept(c)\n",
"role": "user"
},
{
"content": "new_concept",
"role": "assistant"
}
]
|
def x(self, concept_obj):
if concept_obj is None:
raise Exception('Concept object cannot be None')
elif concept_obj in self.__concepts:
raise Exception('Concept object is already inside')
elif concept_obj.cidx in self.__concept_map:
raise Exception('Duplicated concept ID ({})'.format(concept_obj.cidx))
self.__concepts.append(concept_obj)
self.__concept_map[concept_obj.cidx] = concept_obj
concept_obj.sent = self
return concept_obj
| add_concept | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, concept_obj):\n if concept_obj is None:\n raise Exception('Concept object cannot be None')\n elif concept_obj in self.__concepts:\n raise Exception('Concept object is already inside')\n elif concept_obj.cidx in self.__concept_map:\n raise Exception('Duplicated concept ID ({})'.format(concept_obj.cidx))\n self.__concepts.append(concept_obj)\n self.__concept_map[concept_obj.cidx] = concept_obj\n concept_obj.sent = self\n return concept_obj\n",
"role": "user"
},
{
"content": "add_concept",
"role": "assistant"
}
]
|
def x(self, cid, **kwargs):
if cid not in self.__concept_map:
if 'default' in kwargs:
return kwargs['default']
else:
raise KeyError('Invalid cid')
else:
return self.__concept_map[cid]
| concept | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cid, **kwargs):\n if cid not in self.__concept_map:\n if 'default' in kwargs:\n return kwargs['default']\n else:\n raise KeyError('Invalid cid')\n else:\n return self.__concept_map[cid]\n",
"role": "user"
},
{
"content": "concept",
"role": "assistant"
}
]
|
def x(self, tokens, import_hook=None, ignorecase=True):
text = self.text.lower() if ignorecase else self.text
has_hooker = import_hook and callable(import_hook)
cfrom = 0
if self.__tokens:
for tk in self.__tokens:
if tk.cfrom and tk.cfrom > cfrom:
cfrom = tk.cfrom
for token in tokens:
if has_hooker:
import_hook(token)
to_find = token.lower() if ignorecase else token
start = text.find(to_find, cfrom)
if to_find == '``' or to_find == "''":
start_dq = text.find('"', cfrom)
if start_dq > -1 and (start == -1 or start > start_dq):
to_find = '"'
start = start_dq
if to_find == '`' or to_find == "'":
start_dq = text.find("'", cfrom)
if start_dq > -1 and (start == -1 or start > start_dq):
to_find = "'"
start = start_dq
if start == -1:
raise LookupError(
'Cannot find token `{t}` in sent `{s}`({l}) from {i} ({p})'
.format(t=token, s=self.text, l=len(self.text), i=cfrom, p=
self.text[cfrom:cfrom + 20]))
cfrom = start
cto = cfrom + len(to_find)
self.new_token(token, cfrom, cto)
cfrom = cto - 1
| import_tokens | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tokens, import_hook=None, ignorecase=True):\n text = self.text.lower() if ignorecase else self.text\n has_hooker = import_hook and callable(import_hook)\n cfrom = 0\n if self.__tokens:\n for tk in self.__tokens:\n if tk.cfrom and tk.cfrom > cfrom:\n cfrom = tk.cfrom\n for token in tokens:\n if has_hooker:\n import_hook(token)\n to_find = token.lower() if ignorecase else token\n start = text.find(to_find, cfrom)\n if to_find == '``' or to_find == \"''\":\n start_dq = text.find('\"', cfrom)\n if start_dq > -1 and (start == -1 or start > start_dq):\n to_find = '\"'\n start = start_dq\n if to_find == '`' or to_find == \"'\":\n start_dq = text.find(\"'\", cfrom)\n if start_dq > -1 and (start == -1 or start > start_dq):\n to_find = \"'\"\n start = start_dq\n if start == -1:\n raise LookupError(\n 'Cannot find token `{t}` in sent `{s}`({l}) from {i} ({p})'\n .format(t=token, s=self.text, l=len(self.text), i=cfrom, p=\n self.text[cfrom:cfrom + 20]))\n cfrom = start\n cto = cfrom + len(to_find)\n self.new_token(token, cfrom, cto)\n cfrom = cto - 1\n",
"role": "user"
},
{
"content": "import_tokens",
"role": "assistant"
}
]
|
def x(self):
tm = dd(list)
for tag in self.__tags:
tm[tag.tagtype].append(tag)
return tm
| tag_map | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n tm = dd(list)\n for tag in self.__tags:\n tm[tag.tagtype].append(tag)\n return tm\n",
"role": "user"
},
{
"content": "tag_map",
"role": "assistant"
}
]
|
def x(self, tagtype, **kwargs):
for t in self.__tags:
if t.tagtype == tagtype:
return t
if 'default' in kwargs:
return kwargs['default']
else:
raise LookupError(
'Token {} is not tagged with the speficied tagtype ({})'.format
(self, tagtype))
| find | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tagtype, **kwargs):\n for t in self.__tags:\n if t.tagtype == tagtype:\n return t\n if 'default' in kwargs:\n return kwargs['default']\n else:\n raise LookupError(\n 'Token {} is not tagged with the speficied tagtype ({})'.format\n (self, tagtype))\n",
"role": "user"
},
{
"content": "find",
"role": "assistant"
}
]
|
def x(self, tagtype):
return [t for t in self.__tags if t.tagtype == tagtype]
| find_all | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tagtype):\n return [t for t in self.__tags if t.tagtype == tagtype]\n",
"role": "user"
},
{
"content": "find_all",
"role": "assistant"
}
]
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.