source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(data, status=200):
from django.http import JsonResponse
return JsonResponse(data=data, status=status, safe=isinstance(data, dict))
| json_response | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, status=200):\n from django.http import JsonResponse\n return JsonResponse(data=data, status=status, safe=isinstance(data, dict))\n",
"role": "u... |
def x(message, status=400, code=None):
from django.http import JsonResponse
data = {'message': message}
if code:
data['code'] = code
LOG.error('Error response, status code is : {} | {}'.format(status, data))
return JsonResponse(data=data, status=status)
| error_response | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(message, status=400, code=None):\n from django.http import JsonResponse\n data = {'message': message}\n if code:\n data['code'] = code\n LOG... |
def x(slug, base_url=None, context=None, user=None, to=None, cc=None, bcc=
None, attachments=None, headers=None, connection=None, fail_silently=False
):
email_template = EmailTemplate.objects.get_for_slug(slug)
email = email_template.get_email_message(base_url, context, user, to=to,
cc=cc, bcc=bcc, attachments=attachments, headers=headers,
connection=connection)
return email.send(fail_silently=fail_silently)
| send_email_template | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(slug, base_url=None, context=None, user=None, to=None, cc=None, bcc=\n None, attachments=None, headers=None, connection=None, fail_silently=False\n ):\n ... |
def x(string):
try:
a, b = string.split(' = ')
return a.strip(), b.strip()
except:
print('Error with assignment: %s' % string, file=sys.stderr)
return None, None
| parse_assign | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string):\n try:\n a, b = string.split(' = ')\n return a.strip(), b.strip()\n except:\n print('Error with assignment: %s' % string, f... |
def x(filename):
trace = Trace()
reached = False
with open(filename) as fp:
for line in fp.readlines():
if not reached and line.strip() == 'Trace Type: Counterexample':
reached = True
continue
elif reached:
trace.parse_line(line)
return trace
| from_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n trace = Trace()\n reached = False\n with open(filename) as fp:\n for line in fp.readlines():\n if not reached and line.... |
def x(self):
if self.pre_message is None:
try:
input()
except EOFError:
pass
else:
try:
input(self.pre_message)
except EOFError:
pass
if self.post_message:
print(self.post_message)
self.exit_time = time.time()
| run | [
{
"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.pre_message is None:\n try:\n input()\n except EOFError:\n pass\n else:\n try:\n i... |
def x(kwargs):
args = []
for param, value in kwargs.items():
param = kw_subst.get(param, param)
args.append((param, value))
return args
| kwargs_helper | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(kwargs):\n args = []\n for param, value in kwargs.items():\n param = kw_subst.get(param, param)\n args.append((param, value))\n return a... |
def x(text=None, selected=None, **kwargs):
args = ['--date-format=%d/%m/%Y']
if text:
args.append('--text=%s' % text)
if selected:
args.append('--day=%d' % selected.day)
args.append('--month=%d' % selected.month)
args.append('--year=%d' % selected.year)
for generic_args in kwargs_helper(kwargs):
args.append('--%s=%s' % generic_args)
p = run_zenity('--calendar', *args)
if p.wait() == 0:
retval = p.stdout.read().strip()
day, month, year = [int(x) for x in retval.split('/')]
return date(year, month, day)
| GetDate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text=None, selected=None, **kwargs):\n args = ['--date-format=%d/%m/%Y']\n if text:\n args.append('--text=%s' % text)\n if selected:\n a... |
def x(multiple=False, sep='|', **kwargs):
args = []
if multiple:
args.append('--multiple')
if sep != '|':
args.append('--separator=%s' % sep)
for generic_args in kwargs_helper(kwargs):
args.append('--%s=%s' % generic_args)
p = run_zenity('--file-selection', *args)
if p.wait() == 0:
return p.stdout.read()[:-1].split('|')
| GetFilename | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(multiple=False, sep='|', **kwargs):\n args = []\n if multiple:\n args.append('--multiple')\n if sep != '|':\n args.append('--separator=%... |
def x(multiple=False, selected=None, sep=None, **kwargs):
args = ['--directory']
if multiple:
args.append('--multiple')
if selected:
if not path.lexists(selected):
raise ValueError('File %s does not exist!' % selected)
args.append('--filename=%s' % selected)
if sep:
args.append('--separator=%s' % sep)
for generic_args in kwargs_helper(kwargs):
args.append('--%s=%s' % generic_args)
p = run_zenity('--file-selection', *args)
if p.wait() == 0:
return p.stdout.read().strip().split('|')
| GetDirectory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(multiple=False, selected=None, sep=None, **kwargs):\n args = ['--directory']\n if multiple:\n args.append('--multiple')\n if selected:\n ... |
def x(default=None, **kwargs):
args = ['--save']
if default:
args.append('--filename=%s' % default)
for generic_args in kwargs_helper(kwargs):
args.append('--%s=%s' % generic_args)
p = run_zenity('--file-selection', *args)
if p.wait() == 0:
return p.stdout.read().strip().split('|')
| GetSavename | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(default=None, **kwargs):\n args = ['--save']\n if default:\n args.append('--filename=%s' % default)\n for generic_args in kwargs_helper(kwargs)... |
def x(text=None, window_icon=None, **kwargs):
args = []
if text:
args.append('--text=%s' % text)
if window_icon:
args.append('--window-icon=%s' % window_icon)
for generic_args in kwargs_helper(kwargs):
args.append('--%s=%s' % generic_args)
p = run_zenity('--notification', *args)
p.wait()
| Notification | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text=None, window_icon=None, **kwargs):\n args = []\n if text:\n args.append('--text=%s' % text)\n if window_icon:\n args.append('--wind... |
def x(column_names, title=None, boolstyle=None, editable=False, select_col=
None, sep='|', data=[], **kwargs):
args = []
for column in column_names:
args.append('--column=%s' % column)
if title:
args.append('--title=%s' % title)
if boolstyle:
if not (boolstyle == 'checklist' or boolstyle == 'radiolist'):
raise ValueError('"%s" is not a proper boolean column style.' %
boolstyle)
args.append('--' + boolstyle)
if editable:
args.append('--editable')
if select_col:
args.append('--print-column=%s' % select_col)
if sep != '|':
args.append('--separator=%s' % sep)
for generic_args in kwargs_helper(kwargs):
args.append('--%s=%s' % generic_args)
for datum in chain(*data):
args.append(str(datum))
p = run_zenity('--list', *args)
if p.wait() == 0:
return p.stdout.read().strip().split(sep)
| List | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(column_names, title=None, boolstyle=None, editable=False, select_col=\n None, sep='|', data=[], **kwargs):\n args = []\n for column in column_names:\n... |
def x(text, **kwargs):
args = ['--text=%s' % text]
for generic_args in kwargs_helper(kwargs):
args.append('--%s=%s' % generic_args)
run_zenity('--error', *args).wait()
| ErrorMessage | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, **kwargs):\n args = ['--text=%s' % text]\n for generic_args in kwargs_helper(kwargs):\n args.append('--%s=%s' % generic_args)\n run_zenit... |
def x(text='', percentage=0, auto_close=False, pulsate=False, **kwargs):
args = []
if text:
args.append('--text=%s' % text)
if percentage:
args.append('--percentage=%s' % percentage)
if auto_close:
args.append('--auto-close=%s' % auto_close)
if pulsate:
args.append('--pulsate=%s' % pulsate)
for generic_args in kwargs_helper(kwargs):
args.append('--%s=%s' % generic_args)
p = Popen([zen_exec, '--progress'] + args, stdin=PIPE, stdout=PIPE)
def x(percent, message=''):
if type(percent) == float:
percent = int(percent * 100)
p.stdin.write(str(percent) + '\n')
if message:
p.stdin.write('# %s\n' % message)
return p.returncode
return update
| Progress | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text='', percentage=0, auto_close=False, pulsate=False, **kwargs):\n args = []\n if text:\n args.append('--text=%s' % text)\n if percentage:\n ... |
def x(text='', entry_text='', password=False, **kwargs):
args = []
if text:
args.append('--text=%s' % text)
if entry_text:
args.append('--entry-text=%s' % entry_text)
if password:
args.append('--hide-text')
for generic_args in kwargs_helper(kwargs):
args.append('--%s=%s' % generic_args)
p = run_zenity('--entry', *args)
if p.wait() == 0:
return p.stdout.read()[:-1]
| GetText | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text='', entry_text='', password=False, **kwargs):\n args = []\n if text:\n args.append('--text=%s' % text)\n if entry_text:\n args.appe... |
def x(filename=None, editable=False, **kwargs):
args = []
if filename:
args.append('--filename=%s' % filename)
if editable:
args.append('--editable')
for generic_args in kwargs_helper(kwargs):
args.append('--%s=%s' % generic_args)
p = run_zenity('--text-info', *args)
if p.wait() == 0:
return p.stdout.read()
| TextInfo | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename=None, editable=False, **kwargs):\n args = []\n if filename:\n args.append('--filename=%s' % filename)\n if editable:\n args.app... |
def x(self, location):
for vc_type in self._registry.values():
path = os.path.join(location, vc_type.dirname)
if os.path.exists(path):
return vc_type.name
return None
| get_backend_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, location):\n for vc_type in self._registry.values():\n path = os.path.join(location, vc_type.dirname)\n if os.path.exists(path):\n ... |
def x(self, dest, url, rev_options, rev_display):
checkout = True
prompt = False
if os.path.exists(dest):
checkout = False
if os.path.exists(os.path.join(dest, self.dirname)):
existing_url = self.get_url(dest)
if self.compare_urls(existing_url, url):
logger.info('%s in %s exists, and has correct URL (%s)' % (
self.repo_name.title(), display_path(dest), url))
logger.notify('Updating %s %s%s' % (display_path(dest),
self.repo_name, rev_display))
self.update(dest, rev_options)
else:
logger.warn('%s %s in %s exists with URL %s' % (self.name,
self.repo_name, display_path(dest), existing_url))
prompt = '(s)witch, (i)gnore, (w)ipe, (b)ackup ', ('s', 'i',
'w', 'b')
else:
logger.warn('Directory %s already exists, and is not a %s %s.' %
(dest, self.name, self.repo_name))
prompt = '(i)gnore, (w)ipe, (b)ackup ', ('i', 'w', 'b')
if prompt:
logger.warn('The plan is to install the %s repository %s' % (self.
name, url))
response = ask('What to do? %s' % prompt[0], prompt[1])
if response == 's':
logger.notify('Switching %s %s to %s%s' % (self.repo_name,
display_path(dest), url, rev_display))
self.switch(dest, url, rev_options)
elif response == 'i':
pass
elif response == 'w':
logger.warn('Deleting %s' % display_path(dest))
rmtree(dest)
checkout = True
elif response == 'b':
dest_dir = backup_dir(dest)
logger.warn('Backing up %s to %s' % (display_path(dest), dest_dir))
shutil.move(dest, dest_dir)
checkout = True
return checkout
| check_destination | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dest, url, rev_options, rev_display):\n checkout = True\n prompt = False\n if os.path.exists(dest):\n checkout = False\n if os.pat... |
def x(file_contents, file_name):
try:
yaml.load(file_contents)
except Exception:
_, exc_value, _ = sys.exc_info()
return 'Cannot Parse: {file_name}: \n {exc_value}'.format(file_name
=file_name, exc_value=exc_value)
| parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file_contents, file_name):\n try:\n yaml.load(file_contents)\n except Exception:\n _, exc_value, _ = sys.exc_info()\n return 'Cannot... |
def x(cls, **kwargs):
q = cls._get_instance(**kwargs)
if q:
return q
q = cls(**kwargs)
_action_and_commit(q, session.add)
return q
| get_or_create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, **kwargs):\n q = cls._get_instance(**kwargs)\n if q:\n return q\n q = cls(**kwargs)\n _action_and_commit(q, session.add)\n return q\... |
def x(cls, **kwargs):
q = cls._get_instance(**{'id': kwargs['id']})
if q:
for k, v in kwargs.items():
setattr(q, k, v)
_action_and_commit(q, session.add)
else:
cls.get_or_create(**kwargs)
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, **kwargs):\n q = cls._get_instance(**{'id': kwargs['id']})\n if q:\n for k, v in kwargs.items():\n setattr(q, k, v)\n _acti... |
def x(cls, **kwargs):
q = cls._get_instance(**kwargs)
if q:
_action_and_commit(q, session.delete)
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, **kwargs):\n q = cls._get_instance(**kwargs)\n if q:\n _action_and_commit(q, session.delete)\n",
"role": "user"
},
{
"content": "... |
def x(self, **kwargs):
return session.query(self.response_class).filter_by(**kwargs).first()
| get_instance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n return session.query(self.response_class).filter_by(**kwargs).first()\n",
"role": "user"
},
{
"content": "get_instance",
... |
def x(self, response, **kwargs):
response_cls = self.response_class(**kwargs).get_or_create(**kwargs)
if not getattr(response_cls, self.column):
setattr(response_cls, self.column, self.accessor(response))
_action_and_commit(response_cls, session.add)
| get_or_create_from_legacy_response | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, response, **kwargs):\n response_cls = self.response_class(**kwargs).get_or_create(**kwargs)\n if not getattr(response_cls, self.column):\n s... |
def x(self, response, **kwargs):
response_cls = self._get_instance(**kwargs)
if response_cls:
setattr(response_cls, self.column, self.accessor(response))
_action_and_commit(response_cls, session.add)
else:
self.get_or_create_from_legacy_response(response, **kwargs)
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, response, **kwargs):\n response_cls = self._get_instance(**kwargs)\n if response_cls:\n setattr(response_cls, self.column, self.accessor(res... |
def x(self, response, **kwargs):
response_cls = self._get_instance(**kwargs)
if response_cls:
_action_and_commit(response_cls, session.delete)
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, response, **kwargs):\n response_cls = self._get_instance(**kwargs)\n if response_cls:\n _action_and_commit(response_cls, session.delete)\n",... |
def x(self, response, **kwargs):
response_cls = self.response_class(**kwargs).get_or_create(**kwargs)
if not getattr(response_cls, self.column):
setattr(response_cls, self.column, self.accessor(response))
_action_and_commit(response_cls, session.add)
if not getattr(response_cls, self.venue_column):
setattr(response_cls, self.venue_column, self.venue_accessor(response))
_action_and_commit(response_cls, session.add)
| get_or_create_from_legacy_response | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, response, **kwargs):\n response_cls = self.response_class(**kwargs).get_or_create(**kwargs)\n if not getattr(response_cls, self.column):\n s... |
def x(self, response, **kwargs):
response_cls = super(LocationResponseClassLegacyAccessor, self
)._get_instance(**kwargs)
if response_cls:
setattr(response_cls, self.column, self.accessor(response))
setattr(response_cls, self.venue_column, self.venue_accessor(response))
_action_and_commit(response_cls, session.add)
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, response, **kwargs):\n response_cls = super(LocationResponseClassLegacyAccessor, self\n )._get_instance(**kwargs)\n if response_cls:\n ... |
def x(self):
try:
sudo('apt-get update -y --fix-missing')
except Exception as e:
print(e)
print(green('System package is up to date.'))
print()
| common_update_sys | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n sudo('apt-get update -y --fix-missing')\n except Exception as e:\n print(e)\n print(green('System package is up to date.... |
def x(self):
sudo(
"debconf-set-selections <<< 'mysql-server mysql-server/root_password password {0}'"
.format(self.mysql_password))
sudo(
"debconf-set-selections <<< 'mysql-server mysql-server/root_password_again password {0}'"
.format(self.mysql_password))
sudo('apt-get install mysql-server -y')
print(green(' * Installed MySql server in the system.'))
print(green(' * Done'))
print()
| common_install_mysql | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n sudo(\n \"debconf-set-selections <<< 'mysql-server mysql-server/root_password password {0}'\"\n .format(self.mysql_password))\n su... |
def x(self):
with cd('/etc/apt'):
sudo('mv sources.list sources.list.bak')
put(StringIO(bigdata_conf.ubuntu_source_list_16), 'sources.list',
use_sudo=True)
sudo('apt-get update -y --fix-missing')
| update_source_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n with cd('/etc/apt'):\n sudo('mv sources.list sources.list.bak')\n put(StringIO(bigdata_conf.ubuntu_source_list_16), 'sources.list',\n... |
def x(self):
run('echo "deb http://ppa.launchpad.net/nginx/stable/ubuntu $(lsb_release -sc) main" | sudo tee /etc/apt/sources.list.d/nginx-stable.list'
)
sudo('apt-key adv --keyserver keyserver.ubuntu.com --recv-keys C300EE8C')
sudo('apt-get update -y')
sudo('apt-get install nginx -y')
print(green(' * Installed Nginx in the system.'))
print(green(' * Done'))
print()
| common_install_nginx | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n run('echo \"deb http://ppa.launchpad.net/nginx/stable/ubuntu $(lsb_release -sc) main\" | sudo tee /etc/apt/sources.list.d/nginx-stable.list'\n ... |
def x(self):
if prompt(red(' * Change url from http to https (y/n)?'), default='n'
) == 'y':
if not exists(self.nginx_ssl_dir):
sudo('mkdir -p {0}'.format(self.nginx_ssl_dir))
sudo(
'openssl req -x509 -nodes -days 365 -newkey rsa:2048 -keyout {0}/cert.key -out {0}/cert.pem'
.format(self.nginx_ssl_dir))
put(StringIO(self.nginx_web_ssl_config),
'/etc/nginx/sites-available/default', use_sudo=True)
sudo('service nginx restart')
print(green(' * Make Nginx from http to https.'))
print(green(' * Done'))
print()
| common_config_nginx_ssl | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if prompt(red(' * Change url from http to https (y/n)?'), default='n'\n ) == 'y':\n if not exists(self.nginx_ssl_dir):\n s... |
def x(self):
try:
sudo('apt-get install apache2 -y')
except Exception as e:
print(e)
print(green(' * Installed Apache2 in the system.'))
print(green(' * Done'))
print()
| common_install_apache2 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n sudo('apt-get install apache2 -y')\n except Exception as e:\n print(e)\n print(green(' * Installed Apache2 in the system... |
def x(self):
sudo('apt-get install python3 python3-pip -y')
sudo('pip3 install virtualenv')
run('virtualenv {0}'.format(self.python_env_dir))
print(green(' * Installed Python3 virtual environment in the system.'))
print(green(' * Done'))
print()
| common_install_python_env | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n sudo('apt-get install python3 python3-pip -y')\n sudo('pip3 install virtualenv')\n run('virtualenv {0}'.format(self.python_env_dir))\n pri... |
def x(self, service_name, start_cmd, stop_cmd):
service_content = bigdata_conf.systemctl_config.format(service_name=
service_name, start_cmd=start_cmd, stop_cmd=stop_cmd)
with cd('/lib/systemd/system'):
if not exists(service_name):
sudo('touch {0}'.format(service_name))
put(StringIO(service_content), service_name, use_sudo=True)
sudo('systemctl daemon-reload')
sudo('systemctl disable {0}'.format(service_name))
sudo('systemctl stop {0}'.format(service_name))
sudo('systemctl enable {0}'.format(service_name))
sudo('systemctl start {0}'.format(service_name))
| systemctl_autostart | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, service_name, start_cmd, stop_cmd):\n service_content = bigdata_conf.systemctl_config.format(service_name=\n service_name, start_cmd=start_cmd,... |
def x(self):
sudo('apt-get install openjdk-8-jdk -y')
java_home = run('readlink -f /usr/bin/java | sed "s:/jre/bin/java::"')
append(bigdata_conf.global_env_home, 'export JAVA_HOME={0}'.format(
java_home), use_sudo=True)
run('source {0}'.format(bigdata_conf.global_env_home))
| java_install | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n sudo('apt-get install openjdk-8-jdk -y')\n java_home = run('readlink -f /usr/bin/java | sed \"s:/jre/bin/java::\"')\n append(bigdata_conf.glo... |
def x(self):
with cd('/tmp'):
if not exists('kafka.tgz'):
sudo('wget {0} -O kafka.tgz'.format(bigdata_conf.
kafka_download_url))
sudo('tar -zxf kafka.tgz')
sudo('rm -rf {0}'.format(bigdata_conf.kafka_home))
sudo('mv kafka_* {0}'.format(bigdata_conf.kafka_home))
| kafka_install | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n with cd('/tmp'):\n if not exists('kafka.tgz'):\n sudo('wget {0} -O kafka.tgz'.format(bigdata_conf.\n kafka_downloa... |
def x(self):
config_obj = self.configure[self.args.config[1]]
kafka_ports = config_obj.get('KAFKA_PORTS')
if not kafka_ports:
kafka_ports_arr = ['9092']
else:
kafka_ports_arr = kafka_ports.replace(' ', '').split(',')
sudo('chown {user}:{user} -R {path}'.format(user=config_obj.get('user'),
path=bigdata_conf.project_root))
sudo('chmod -R 777 {0}/bin'.format(bigdata_conf.kafka_home))
self.systemctl_autostart('zookeeper.service',
'/opt/kafka/bin/zookeeper-server-start.sh /opt/kafka/config/zookeeper.properties'
,
'/opt/kafka/bin/zookeeper-server-stop.sh /opt/kafka/config/zookeeper.properties'
)
with cd('{0}/config'.format(bigdata_conf.kafka_home)):
for idx, k_port in enumerate(kafka_ports_arr):
conf_file = 'server.properties-{0}'.format(k_port)
run('cp server.properties {0}'.format(conf_file))
sed(conf_file, 'broker.id=.*', 'broker.id={0}'.format(idx))
uncomment(conf_file, 'listeners=PLAINTEXT')
sed(conf_file, 'PLAINTEXT://.*', 'PLAINTEXT://{0}:{1}'.format(
env.host_string, k_port))
sed(conf_file, 'log.dirs=.*', 'log.dirs=/tmp/kafka-log-{0}'.
format(k_port))
self.systemctl_autostart('kafka-{0}.service'.format(k_port),
'/opt/kafka/bin/kafka-server-start.sh /opt/kafka/config/{0}'
.format(conf_file),
'/opt/kafka/bin/kafka-server-stop.sh /opt/kafka/config/{0}'
.format(conf_file))
| kafka_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n config_obj = self.configure[self.args.config[1]]\n kafka_ports = config_obj.get('KAFKA_PORTS')\n if not kafka_ports:\n kafka_ports_arr... |
def x(self):
with cd('/tmp'):
if not exists('elastic.deb'):
sudo('wget {0} -O elastic.deb'.format(bigdata_conf.
elastic_download_url))
sudo('dpkg -i elastic.deb')
sudo('apt-get install -y')
| elastic_install | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n with cd('/tmp'):\n if not exists('elastic.deb'):\n sudo('wget {0} -O elastic.deb'.format(bigdata_conf.\n elastic_d... |
def x(self):
with cd('/tmp'):
if not exists('logstash.deb'):
sudo('wget {0} -O logstash.deb'.format(bigdata_conf.
logstash_download_url))
sudo('dpkg -i logstash.deb')
sudo('apt-get install -y')
| logstash_install | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n with cd('/tmp'):\n if not exists('logstash.deb'):\n sudo('wget {0} -O logstash.deb'.format(bigdata_conf.\n logstas... |
def x(self):
with cd('/tmp'):
if not exists('kibana.deb'):
sudo('wget {0} -O kibana.deb'.format(bigdata_conf.
kibana_download_url))
sudo('dpkg -i kibana.deb')
sudo('apt-get install -y')
| kibana_install | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n with cd('/tmp'):\n if not exists('kibana.deb'):\n sudo('wget {0} -O kibana.deb'.format(bigdata_conf.\n kibana_down... |
def x(self):
uncomment('/etc/kibana/kibana.yml', '#server.host:', use_sudo=True)
sed('/etc/kibana/kibana.yml', 'server.host:.*', 'server.host: "{0}"'.
format(env.host_string), use_sudo=True)
sudo('systemctl stop kibana.service')
sudo('systemctl daemon-reload')
sudo('systemctl enable kibana.service')
sudo('systemctl start kibana.service')
| kibana_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n uncomment('/etc/kibana/kibana.yml', '#server.host:', use_sudo=True)\n sed('/etc/kibana/kibana.yml', 'server.host:.*', 'server.host: \"{0}\"'.\n ... |
def x(self):
with cd('/tmp'):
if not exists('hadoop.tar.gz'):
sudo('wget {0} -O hadoop.tar.gz'.format(bigdata_conf.
hadoop_download_url))
sudo('rm -rf hadoop-*')
sudo('tar -zxf hadoop.tar.gz')
sudo('rm -rf {0}'.format(bigdata_conf.hadoop_home))
sudo('mv hadoop-* {0}'.format(bigdata_conf.hadoop_home))
| hadoop_install | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n with cd('/tmp'):\n if not exists('hadoop.tar.gz'):\n sudo('wget {0} -O hadoop.tar.gz'.format(bigdata_conf.\n hadoo... |
def x(self):
sudo(
'apt-get -y install build-essential python-dev python-six python-virtualenv libcurl4-nss-dev libsasl2-dev libsasl2-modules maven libapr1-dev libsvn-dev zlib1g-dev'
)
with cd('/tmp'):
if not exists('spark.tgz'):
sudo('wget {0} -O spark.tgz'.format(bigdata_conf.
spark_download_url))
sudo('rm -rf spark-*')
sudo('tar -zxf spark.tgz')
sudo('rm -rf {0}'.format(bigdata_conf.spark_home))
sudo('mv spark-* {0}'.format(bigdata_conf.spark_home))
| spark_install | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n sudo(\n 'apt-get -y install build-essential python-dev python-six python-virtualenv libcurl4-nss-dev libsasl2-dev libsasl2-modu... |
def x(self):
configs = ['export LD_LIBRARY_PATH={0}/lib/native/:$LD_LIBRARY_PATH'.
format(bigdata_conf.hadoop_home), 'export SPARK_LOCAL_IP={0}'.
format(env.host_string)]
append(bigdata_conf.global_env_home, configs, use_sudo=True)
run('source {0}'.format(bigdata_conf.global_env_home))
| spark_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n configs = ['export LD_LIBRARY_PATH={0}/lib/native/:$LD_LIBRARY_PATH'.\n format(bigdata_conf.hadoop_home), 'export SPARK_LOCAL_IP={0}'.\n ... |
def x(self, server_name, configure):
env.host_string = configure[server_name]['host']
env.user = configure[server_name]['user']
env.password = configure[server_name]['passwd']
| reset_server_env | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, server_name, configure):\n env.host_string = configure[server_name]['host']\n env.user = configure[server_name]['user']\n env.password = configu... |
def x(self, server, args, configure):
self.reset_server_env(server, configure)
sudo('chown {user}:{user} -R {path}'.format(user=configure[server][
'user'], path=bigdata_conf.project_root))
if not exists('~/.ssh/id_rsa.pub'):
run('ssh-keygen -t rsa -P "" -f ~/.ssh/id_rsa')
| generate_ssh | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, server, args, configure):\n self.reset_server_env(server, configure)\n sudo('chown {user}:{user} -R {path}'.format(user=configure[server][\n ... |
def x(self, master, slave, configure):
self.reset_server_env(master, configure)
with cd(bigdata_conf.spark_home):
if not exists('conf/spark-env.sh'):
sudo('cp conf/spark-env.sh.template conf/spark-env.sh')
spark_env = bigdata_conf.spark_env.format(spark_home=bigdata_conf.
spark_home, hadoop_home=bigdata_conf.hadoop_home, host=env.
host_string, SPARK_WORKER_MEMORY=configure[master].get(
'SPARK_WORKER_MEMORY', '512M'))
put(StringIO(spark_env), 'conf/spark-env.sh', use_sudo=True)
if not exists('conf/slaves'):
sudo('cp conf/slaves.template conf/slaves')
comment('{0}/conf/slaves'.format(bigdata_conf.spark_home), 'localhost',
use_sudo=True)
append('{0}/conf/slaves'.format(bigdata_conf.spark_home), '\n{0}'.
format(configure[slave]['host']), use_sudo=True)
run('scp -r {0} {1}@{2}:/opt'.format(bigdata_conf.spark_home, configure
[slave]['user'], configure[slave]['host']))
self.reset_server_env(slave, configure)
append(bigdata_conf.global_env_home, 'export SPARK_LOCAL_IP={0}'.format
(configure[slave]['host']), use_sudo=True)
run('source {0}'.format(bigdata_conf.global_env_home))
self.reset_server_env(master, configure)
with cd(bigdata_conf.spark_home):
run('./sbin/stop-master.sh')
run('./sbin/stop-slaves.sh')
run('./sbin/start-master.sh')
run('./sbin/start-slaves.sh')
| add_spark_slave | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, master, slave, configure):\n self.reset_server_env(master, configure)\n with cd(bigdata_conf.spark_home):\n if not exists('conf/spark-env.sh... |
def x(self):
self.tmp_idx += 1
return p.join(self.tmp_dir, 'tmp_' + str(self.tmp_idx))
| new_tmp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.tmp_idx += 1\n return p.join(self.tmp_dir, 'tmp_' + str(self.tmp_idx))\n",
"role": "user"
},
{
"content": "new_tmp",
"role"... |
def x(self, src):
backup_id_file = p.join(self.backup_dir, '.bk_idx')
backup_num = file_or_default(backup_id_file, 1, int)
backup_name = str(backup_num) + '_' + os.path.basename(src)
backup_num += 1
file_put_contents(backup_id_file, str(backup_num))
return p.join(self.backup_dir, backup_name)
| new_backup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, src):\n backup_id_file = p.join(self.backup_dir, '.bk_idx')\n backup_num = file_or_default(backup_id_file, 1, int)\n backup_name = str(backup_nu... |
def x(self):
if self.journal != None:
raise Exception('Storage is already active, nested begin not supported'
)
if os.path.isfile(self.j_file):
self.rollback()
self.journal = open(self.j_file, 'w')
| begin | [
{
"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.journal != None:\n raise Exception('Storage is already active, nested begin not supported'\n )\n if os.path.isfile(sel... |
def x(self, command, journal=True):
cmd = 0
src = 1
path = 1
data = 2
dst = 2
if journal is True:
self.journal.write(json.dumps(command['undo']) + '\n')
self.journal.flush()
d = command['do']
if d[cmd] == 'copy':
shutil.copy(d[src], d[dst])
elif d[cmd] == 'move':
shutil.move(d[src], d[dst])
elif d[cmd] == 'backup':
shutil.move(d[src], self.new_backup(d[src]))
elif d[cmd] == 'write':
if callable(d[data]):
d[data](d[path])
else:
file_put_contents(d[path], d[data])
| do_action | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, command, journal=True):\n cmd = 0\n src = 1\n path = 1\n data = 2\n dst = 2\n if journal is True:\n self.journal.write(json.dump... |
def x(self):
if self.journal != None:
self.journal.close()
self.journal = None
journ_list = []
with open(self.j_file) as fle:
for l in fle:
journ_list.append(json.loads(l))
journ_subtract = deque(reversed(journ_list))
for j_itm in reversed(journ_list):
try:
self.do_action({'do': j_itm}, False)
except IOError:
pass
journ_subtract.popleft()
with open(self.j_file, 'w') as f:
for data in list(journ_subtract):
f.write(json.dumps(data) + '\n')
f.flush()
os.remove(self.j_file)
| rollback | [
{
"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.journal != None:\n self.journal.close()\n self.journal = None\n journ_list = []\n with open(self.j_file) as fle:\n f... |
def x(self, cont=False):
self.journal.close()
self.journal = None
os.remove(self.j_file)
for itm in os.listdir(self.tmp_dir):
os.remove(cpjoin(self.tmp_dir, itm))
if cont is True:
self.begin()
| commit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cont=False):\n self.journal.close()\n self.journal = None\n os.remove(self.j_file)\n for itm in os.listdir(self.tmp_dir):\n os.remove(... |
def x(self, path):
with open(self.get_full_file_path(path), 'r') as f:
return f.read()
| file_get_contents | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path):\n with open(self.get_full_file_path(path), 'r') as f:\n return f.read()\n",
"role": "user"
},
{
"content": "file_get_content... |
def x(self, path, data):
path = self.get_full_file_path(path)
if os.path.isfile(path):
tmp_path = self.new_tmp()
self.do_action({'do': ['copy', path, tmp_path], 'undo': ['move',
tmp_path, path]})
self.do_action({'do': ['write', path, data], 'undo': ['backup', path]})
| file_put_contents | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, data):\n path = self.get_full_file_path(path)\n if os.path.isfile(path):\n tmp_path = self.new_tmp()\n self.do_action({'do': ['... |
def x(self, src, dst):
src = self.get_full_file_path(src)
dst = self.get_full_file_path(dst)
if os.path.isfile(src):
if os.path.isfile(dst):
tmp_path = self.new_tmp()
self.do_action({'do': ['copy', dst, tmp_path], 'undo': ['move',
tmp_path, dst]})
self.do_action({'do': ['move', src, dst], 'undo': ['move', dst, src]})
| move_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, src, dst):\n src = self.get_full_file_path(src)\n dst = self.get_full_file_path(dst)\n if os.path.isfile(src):\n if os.path.isfile(dst):\... |
def x(self, path):
path = self.get_full_file_path(path)
if os.path.isfile(path):
tmp_path = self.new_tmp()
self.do_action({'do': ['move', path, tmp_path], 'undo': ['move',
tmp_path, path]})
else:
raise OSError(errno.ENOENT, 'No such file or directory', path)
| delete_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path):\n path = self.get_full_file_path(path)\n if os.path.isfile(path):\n tmp_path = self.new_tmp()\n self.do_action({'do': ['move',... |
def x(opts):
result = {}
try:
for entry in os.scandir(diskdir):
if entry.name.startswith('.'):
continue
if islink(entry.path):
target = os.readlink(entry.path)
else:
target = entry.path
result[target] = entry.name
if opts.debug:
print('\n\nlabel_map:', result)
except FileNotFoundError:
pass
return result
| get_label_map | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(opts):\n result = {}\n try:\n for entry in os.scandir(diskdir):\n if entry.name.startswith('.'):\n continue\n ... |
def x(opts, show_all=False, debug=False, local_only=False):
outunit = opts.outunit
disks = []
try:
label_map = get_label_map(opts)
lines = run(diskcmd).splitlines()[1:]
for line in lines:
tokens = line.split()
mntp = b' '.join(tokens[8:])
dev = basename(tokens[0])
disk = DiskInfo()
if dev in devfilter or mntp in mntfilter:
if show_all:
if dev == b'map':
dev = tokens[0] = b'%b %b' % (dev, tokens[1])
del tokens[1]
disk.isram = True
else:
continue
disk.dev = dev = dev.decode('ascii')
disk.ocap = float(tokens[1]) * 1024
disk.cap = disk.ocap / outunit
disk.free = float(tokens[3]) * 1024 / outunit
disk.pcnt = int(tokens[4][:-1])
disk.used = float(tokens[2]) * 1024 / outunit
disk.mntp = mntp.decode('utf8')
disk.label = label_map.get(disk.mntp)
disk.ismntd = bool(disk.mntp)
disk.isnet = ':' in dev
if local_only and disk.isnet:
continue
if disk.ismntd:
if disk.mntp == '/':
disk.rw = True
else:
disk.rw = os.access(disk.mntp, os.W_OK)
disks.append(disk)
except IOError as err:
print(err)
return None
if opts.debug:
print()
for disk in disks:
print(disk.dev, disk)
print()
disks.sort()
return disks
| get_diskinfo | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(opts, show_all=False, debug=False, local_only=False):\n outunit = opts.outunit\n disks = []\n try:\n label_map = get_label_map(opts)\n l... |
def x(opts):
outunit = opts.outunit
meminfo = MemInfo()
sysinf = parse_sysctl(run(syscmd))
vmstat = parse_vmstat(run(vmscmd))
if opts.debug:
print('\n')
print('sysinf', sysinf)
print('vmstat:', vmstat)
print()
meminfo.memtotal = sysinf['hw.memsize'] / outunit
meminfo.memfree = vmstat.free / outunit
meminfo.used = (vmstat.wire + vmstat.active) / outunit
meminfo.cached = (vmstat.inactive + vmstat.speculative) / outunit
meminfo.buffers = 0
swaptotal, swapused, swapfree = sysinf['vm.swapusage']
meminfo.swaptotal = swaptotal / outunit
meminfo.swapused = swapused / outunit
meminfo.swapfree = swapfree / outunit
meminfo.swapcached = 0
if opts.debug:
print('meminfo:', meminfo)
return meminfo
| get_meminfo | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(opts):\n outunit = opts.outunit\n meminfo = MemInfo()\n sysinf = parse_sysctl(run(syscmd))\n vmstat = parse_vmstat(run(vmscmd))\n if opts.debug:... |
def x(text):
lines = text.splitlines()
results = {}
for line in lines:
key, _, value = line.decode('ascii').partition(': ')
if key == 'hw.memsize':
value = int(value)
elif key == 'vm.swapusage':
values = value.split()[2::3]
su_unit = values[0][-1].lower()
PAGESIZE = 1024
if su_unit == 'm':
PAGESIZE = 1024 * 1024
value = [(float(val[:-1]) * PAGESIZE) for val in values]
results[key] = value
return results
| parse_sysctl | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text):\n lines = text.splitlines()\n results = {}\n for line in lines:\n key, _, value = line.decode('ascii').partition(': ')\n if key =... |
def x(text):
lines = text.splitlines()
results = Info()
try:
PAGESIZE = int(lines[0].split()[-2])
except IndexError:
PAGESIZE = 4096
for line in lines[1:]:
if not line[0] == 80:
break
tokens = line.split()
name, value = tokens[1][:-1].decode('ascii'), tokens[-1][:-1]
results[name] = int(value) * PAGESIZE
return results
| parse_vmstat | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text):\n lines = text.splitlines()\n results = Info()\n try:\n PAGESIZE = int(lines[0].split()[-2])\n except IndexError:\n PAGESIZE =... |
def x(html: str) ->str:
forms = BeautifulSoup(html, 'html.parser').find_all('form')
if not forms:
raise VVKBaseUrlException('Form for login not found')
elif len(forms) > 1:
raise VVKBaseUrlException('More than one login form found')
login_url = forms[0].get('action')
if not login_url:
raise VVKBaseUrlException('No action tag in form')
return login_url
| get_base_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(html: str) ->str:\n forms = BeautifulSoup(html, 'html.parser').find_all('form')\n if not forms:\n raise VVKBaseUrlException('Form for login not fo... |
def x(url: str, fragment: bool=False) ->dict:
parsed_url = urlparse(url)
if fragment:
url_query = parse_qsl(parsed_url.fragment)
else:
url_query = parse_qsl(parsed_url.query)
return dict(url_query)
| get_url_params | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url: str, fragment: bool=False) ->dict:\n parsed_url = urlparse(url)\n if fragment:\n url_query = parse_qsl(parsed_url.fragment)\n else:\n ... |
def x(html: str) ->None:
soup = BeautifulSoup(html, 'html.parser')
warnings = soup.find_all('div', {'class': 'service_msg_warning'})
if warnings:
exception_msg = '; '.join(warning.get_text() for warning in warnings)
raise VVKPageWarningException(exception_msg)
| check_page_for_warnings | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(html: str) ->None:\n soup = BeautifulSoup(html, 'html.parser')\n warnings = soup.find_all('div', {'class': 'service_msg_warning'})\n if warnings:\n ... |
def x(res):
keys = res.keys()
return [dict(itertools.izip(keys, row)) for row in res]
| result_to_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(res):\n keys = res.keys()\n return [dict(itertools.izip(keys, row)) for row in res]\n",
"role": "user"
},
{
"content": "result_to_dict",
... |
def x(column_type, dialect):
if column_type.compile(dialect) not in {'JSON', 'JSONB'}:
return column_type.bind_processor(dialect)
if type(column_type) in {JSON, JSONB}:
return None
elif isinstance(column_type, TypeDecorator
) and column_type._has_bind_processor:
return partial(column_type.process_bind_param, dialect=dialect)
else:
def x(value):
json_deserializer = dialect._json_deserializer or json.loads
return json_deserializer(column_type.bind_processor(dialect)(value)
)
return wrapped_bind_processor
| get_bind_processor | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(column_type, dialect):\n if column_type.compile(dialect) not in {'JSON', 'JSONB'}:\n return column_type.bind_processor(dialect)\n if type(column_t... |
def x(row, col_name, use_dirty=True, dialect=None):
def x(x):
return x
bind_processor = None
if dialect:
column_type = getattr(type(row), col_name).type
bind_processor = get_bind_processor(column_type, dialect)
bind_processor = bind_processor or identity
current_value = bind_processor(getattr(row, col_name))
if use_dirty:
return current_value
hist = getattr(inspect(row).attrs, col_name).history
if not hist.has_changes():
return current_value
elif hist.deleted:
return bind_processor(hist.deleted[0])
return None
| get_column_attribute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(row, col_name, use_dirty=True, dialect=None):\n\n def x(x):\n return x\n bind_processor = None\n if dialect:\n column_type = getattr(typ... |
def x(table):
ins = inspect(table)
return ((k, c.name) for k, c in ins.mapper.c.items())
| get_column_keys_and_names | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(table):\n ins = inspect(table)\n return ((k, c.name) for k, c in ins.mapper.c.items())\n",
"role": "user"
},
{
"content": "get_column_keys_an... |
def x(model, engine, *col_names):
table_name = model.__tablename__
if engine.dialect.has_table(engine, table_name):
insp = Inspector.from_engine(engine)
constraints = itertools.chain((sorted(x['column_names']) for x in
insp.get_unique_constraints(table_name)), sorted(insp.
get_pk_constraint(table_name)['constrained_columns']))
return sorted(col_names) in constraints
else:
constrained_cols = set()
for arg in getattr(model, '__table_args__', []):
if isinstance(arg, UniqueConstraint):
constrained_cols.update([c.name for c in arg.columns])
for c in model.__table__.columns:
if c.primary_key or c.unique:
constrained_cols.add(c.name)
return constrained_cols.issuperset(col_names)
| has_constraint | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model, engine, *col_names):\n table_name = model.__tablename__\n if engine.dialect.has_table(engine, table_name):\n insp = Inspector.from_engine(e... |
def x(row, dialect):
ins = inspect(row)
modified_cols = set(get_column_keys(ins.mapper)) - ins.unmodified
for col_name in modified_cols:
current_value = get_column_attribute(row, col_name, dialect=dialect)
previous_value = get_column_attribute(row, col_name, use_dirty=
False, dialect=dialect)
if previous_value != current_value:
return True
return False
| is_modified | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(row, dialect):\n ins = inspect(row)\n modified_cols = set(get_column_keys(ins.mapper)) - ins.unmodified\n for col_name in modified_cols:\n curr... |
def x(info, error, debug):
global log_info
global log_error
global log_debug
log_info = info
log_error = error
log_debug = debug
| registerLoggers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(info, error, debug):\n global log_info\n global log_error\n global log_debug\n log_info = info\n log_error = error\n log_debug = debug\n",
... |
def x(cl, proto=EchoProcess, **kw):
if isinstance(cl, basestring):
cl = shlex.split(cl)
if not cl[0].startswith('/'):
path = which(cl[0])
assert path, '%s not found' % cl[0]
cl[0] = path[0]
d = Deferred()
proc = reactor.spawnProcess(proto(name=basename(cl[0]), deferred=d), cl
[0], cl, env=os.environ, **kw)
daycare.add(proc.pid)
return d
| background | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cl, proto=EchoProcess, **kw):\n if isinstance(cl, basestring):\n cl = shlex.split(cl)\n if not cl[0].startswith('/'):\n path = which(cl[0])... |
def x(self, reason):
log_debug('{name} process exited', name=self.name)
if self.deferred:
if reason.type == ProcessDone:
self.deferred.callback(reason.value.exitCode)
elif reason.type == ProcessTerminated:
self.deferred.errback(reason)
return self.deferred
| processEnded | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, reason):\n log_debug('{name} process exited', name=self.name)\n if self.deferred:\n if reason.type == ProcessDone:\n self.deferre... |
def x(self, data):
lines = data.splitlines()
for line in lines:
log_error('*** {name} stderr *** {line}', name=self.name, line=self
.errFilter(line))
| errReceived | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n lines = data.splitlines()\n for line in lines:\n log_error('*** {name} stderr *** {line}', name=self.name, line=self\n .... |
def x(self, line):
log_debug('<<< {name} stdout >>> {line}', name=self.name, line=self.
outFilter(line))
| outLineReceived | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, line):\n log_debug('<<< {name} stdout >>> {line}', name=self.name, line=self.\n outFilter(line))\n",
"role": "user"
},
{
"content":... |
def x(self, *a, **kw):
fl = None
try:
self.file1.write(*a, **kw)
self.file1.flush()
except IOError:
badFile, fl = 1, failure.Failure()
try:
self.file2.write(*a, **kw)
self.file2.flush()
except IOError:
badFile, fl = 2, failure.Failure()
if fl:
out = self.file2 if badFile == 1 else self.file1
out.write(str(fl) + '\n')
out.flush()
fl.raiseException()
| write | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *a, **kw):\n fl = None\n try:\n self.file1.write(*a, **kw)\n self.file1.flush()\n except IOError:\n badFile, fl = 1, failur... |
def x(self, results, item, info):
for ok, result in results:
if not ok:
continue
path = result['path']
path = re.sub('full', os.path.join('thumbs', 'kindle'), path)
result['path'] = path
if info.spider.options.get('img_convert_to_gray'):
images_store = info.spider.settings.get('IMAGES_STORE')
for ok, result in results:
if not ok:
continue
img_path = os.path.join(images_store, result['path'])
with open(img_path, 'rb+') as fh:
output = img.gray_image(fh.read())
fh.seek(0)
fh.truncate()
fh.write(output)
info.spider._logger.debug(results)
item = super(MoEarImagesPipeline, self).item_completed(results, item, info)
return item
| item_completed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, results, item, info):\n for ok, result in results:\n if not ok:\n continue\n path = result['path']\n path = re.sub('fu... |
def x(self, item, spider):
soup = BeautifulSoup(item.get('content', ''), 'lxml')
if item.get('images'):
img_list = soup.find_all('img')
for i in img_list:
img_src = i.get('src')
if img_src in item.get('image_urls_removed', []):
i['src'] = '../icons/delete.jpg'
for result in item.get('images', []):
if img_src == result['url']:
i['src'] = os.path.join('..', 'images', result['path'])
spider._logger.debug('文章({})的正文img保存成功: {}'.format(item
['title'], img_src))
break
for result in item['images']:
if item['cover_image'] == result['url']:
item['toc_thumbnail'] = os.path.join('images', result['path'])
break
unsupport_tag = spider.options.get('kindlegen_unsupport_tag', [])
for tag in unsupport_tag:
for i in soup.find_all(tag):
delete_img = soup.new_tag('img')
delete_img['src'] = '../icons/delete.jpg'
i.replace_with(delete_img)
item['content'] = str(soup.div)
article_html_name = hashlib.md5(to_bytes(item['url'])).hexdigest()
html_name = '{}.html'.format(article_html_name)
item['url_local'] = os.path.join('html', html_name)
page_store = os.path.join(spider.build_source_dir, item['url_local'])
idx = 0
post = None
for section in spider.data.items():
for p in section[1]:
idx += 1
if p.get('origin_url') == item.get('url'):
post = p
p['idx'] = 'post_{:0>3}'.format(idx)
p['playOrder'] = idx
p['content'] = item.get('content')
p['url_local'] = item.get('url_local')
p['toc_thumbnail'] = item.get('toc_thumbnail')
if idx == spider.post_num:
spider._logger.info('标记为最后一篇文章: {}'.format(p.get('title')))
p['last_one'] = True
break
dirname = os.path.dirname(page_store)
if not os.path.exists(dirname):
os.makedirs(dirname)
with codecs.open(page_store, 'wb', 'utf-8') as fh:
fh.write(spider.template_post.render(post=post, options=spider.options)
)
item.pop('content', '')
item.pop('image_urls', [])
item.pop('images', [])
return item
| process_item | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, item, spider):\n soup = BeautifulSoup(item.get('content', ''), 'lxml')\n if item.get('images'):\n img_list = soup.find_all('img')\n f... |
def x(el, node=None, node_cls=None, tagsub=functools.partial(re.sub,
'\\{.+?\\}', ''), Node=Node):
node_cls = node_cls or Node
if node is None:
node = node_cls()
tag = tagsub(el.tag)
attrib = dict((tagsub(k), v) for k, v in el.attrib.items())
node.update(attrib, tag=tag)
if el.text:
node['text'] = el.text
for child in el:
child = from_etree(child, node_cls=node_cls)
node.append(child)
if el.tail:
node['tail'] = el.tail
return node
| from_etree | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(el, node=None, node_cls=None, tagsub=functools.partial(re.sub,\n '\\\\{.+?\\\\}', ''), Node=Node):\n node_cls = node_cls or Node\n if node is None:\n ... |
def x(cls, raw_data, **kwargs):
instance = cls()
instance.populate(raw_data, **kwargs)
instance.validate(**kwargs)
return instance
| from_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, raw_data, **kwargs):\n instance = cls()\n instance.populate(raw_data, **kwargs)\n instance.validate(**kwargs)\n return instance\n",
"role"... |
def x(view):
auth_decorator = import_class(settings.AUTH_DECORATOR)
return view if project_settings.DEBUG else method_decorator(auth_decorator,
name='dispatch')(view)
| secure | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(view):\n auth_decorator = import_class(settings.AUTH_DECORATOR)\n return view if project_settings.DEBUG else method_decorator(auth_decorator,\n na... |
def x(*args):
result = QtGui.QFileDialog.getOpenFileName(*args)
if type(result) is not tuple:
return result, bool(result)
else:
return result
| getOpenFileName | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args):\n result = QtGui.QFileDialog.getOpenFileName(*args)\n if type(result) is not tuple:\n return result, bool(result)\n else:\n retu... |
def x(*args):
result = QtGui.QFileDialog.getDirectory(*args)
if type(result) is not tuple:
return result, bool(result)
else:
return result
| getDirectory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args):\n result = QtGui.QFileDialog.getDirectory(*args)\n if type(result) is not tuple:\n return result, bool(result)\n else:\n return ... |
def x(*args):
result = QtGui.QFileDialog.getSaveFileName(*args)
if type(result) is not tuple:
return result, bool(result)
else:
return result
| getSaveFileName | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args):\n result = QtGui.QFileDialog.getSaveFileName(*args)\n if type(result) is not tuple:\n return result, bool(result)\n else:\n retu... |
def x(netid, category_codes):
url = _netid_category_url(netid, category_codes)
response = get_resource(url)
return _json_to_categories(response)
| get_netid_categories | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(netid, category_codes):\n url = _netid_category_url(netid, category_codes)\n response = get_resource(url)\n return _json_to_categories(response)\n",
... |
def x(netid, category_code, status):
url = '{0}/category'.format(url_version())
body = {'categoryCode': category_code, 'status': status, 'categoryList':
[{'netid': netid}]}
response = post_resource(url, json.dumps(body))
return json.loads(response)
| update_catagory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(netid, category_code, status):\n url = '{0}/category'.format(url_version())\n body = {'categoryCode': category_code, 'status': status, 'categoryList':\n ... |
def x(netid, category_codes):
return '{0}/{1}/category/{2}'.format(url_base(), netid, ','.join([str(n
) for n in category_codes]) if isinstance(category_codes, (list,
tuple)) else category_codes)
| netid_category_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(netid, category_codes):\n return '{0}/{1}/category/{2}'.format(url_base(), netid, ','.join([str(n\n ) for n in category_codes]) if isinstance(categor... |
def x(response_body):
data = json.loads(response_body)
categories = []
for category_data in data.get('categoryList', []):
categories.append(Category().from_json(data.get('uwNetID'),
category_data))
return categories
| json_to_categories | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(response_body):\n data = json.loads(response_body)\n categories = []\n for category_data in data.get('categoryList', []):\n categories.append(C... |
def x(ctx):
if hasattr(ctx, '_on_context_exit'):
raise ContextError(
'Context actions registered outside this parse context are active')
try:
ParseContext._active.append(ctx)
ctx._on_context_exit = []
yield
finally:
for func, args, kwargs in ctx._on_context_exit:
func(*args, **kwargs)
del ctx._on_context_exit
ParseContext._active.pop()
| activate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx):\n if hasattr(ctx, '_on_context_exit'):\n raise ContextError(\n 'Context actions registered outside this parse context are active')\n... |
def x(self, **global_args):
if self.build_file not in ParseContext._parsed:
butcher_context = {}
for str_to_exec in self._strs_to_exec:
ast = compile(str_to_exec, '<string>', 'exec')
exec_function(ast, butcher_context)
with ParseContext.activate(self):
startdir = os.path.abspath(os.curdir)
try:
os.chdir(self.build_file.path_on_disk)
if self.build_file not in ParseContext._parsed:
ParseContext._parsed.add(self.build_file)
eval_globals = copy.copy(butcher_context)
eval_globals.update({'ROOT_DIR': self.build_file.
path_on_disk, '__file__': 'bogus please fix this'})
eval_globals.update(global_args)
exec_function(self.build_file.code, eval_globals)
finally:
os.chdir(startdir)
| parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **global_args):\n if self.build_file not in ParseContext._parsed:\n butcher_context = {}\n for str_to_exec in self._strs_to_exec:\n ... |
def x(self, config):
modules = config.module.split('.')
class_name = modules.pop()
module_path = '.'.join(modules)
client_instance = getattr(__import__(module_path, {}, {}, ['']), class_name
)()
client_instance.add_config(config)
return client_instance
| instantiate_client | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, config):\n modules = config.module.split('.')\n class_name = modules.pop()\n module_path = '.'.join(modules)\n client_instance = getattr(__im... |
def x(self, client):
if not isinstance(client, Client):
raise InvalidArgType()
if self.has_client(client.key):
return self
self[client.key] = client
return self
| add_client | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, client):\n if not isinstance(client, Client):\n raise InvalidArgType()\n if self.has_client(client.key):\n return self\n self[clie... |
def x(argv: List[str]) ->bool:
parser = ArgumentParser(description='Generate SQL db_conf file template')
parser.add_argument('-f', '--configfile', help=
'File name to generate (Default: db_conf)', metavar='Config File',
default='db_conf')
opts = parser.parse_args(argv)
if os.path.exists(opts.configfile):
print(f'{opts.configfile} already exists!')
return False
with open(opts.configfile, 'w') as f:
f.write(conf_template)
print(f'{opts.configfile} generated')
return True
| generate_conf_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(argv: List[str]) ->bool:\n parser = ArgumentParser(description='Generate SQL db_conf file template')\n parser.add_argument('-f', '--configfile', help=\n ... |
def x(self, *args, **kwargs) ->[Any, None]:
return super().compute(self.compose, *args, **kwargs)
| compute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs) ->[Any, None]:\n return super().compute(self.compose, *args, **kwargs)\n",
"role": "user"
},
{
"content": "compute",
... |
def x(self, klass=None):
chain = (klass if klass else self.__class__)(*self._args, **self._kwargs)
chain._tokens = self._tokens.copy()
return chain
| copy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, klass=None):\n chain = (klass if klass else self.__class__)(*self._args, **self._kwargs)\n chain._tokens = self._tokens.copy()\n return chain\n"... |
def x(self, tokens, *args, **kwargs):
tokens.append([evaluate, [args, kwargs], {}])
return tokens
| call | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tokens, *args, **kwargs):\n tokens.append([evaluate, [args, kwargs], {}])\n return tokens\n",
"role": "user"
},
{
"content": "call",
... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.