source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self):
obj = self.content_object
actioned = False
if obj.current_version is not None:
obj.current_version = None
obj.save(update_fields=['current_version'])
actioned = True
return actioned
| unpublish | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n obj = self.content_object\n actioned = False\n if obj.current_version is not None:\n obj.current_version = None\n obj.save(upda... |
def x(self):
if self.publish_version == self.UNPUBLISH_CHOICE:
message = 'Unpublished page (scheduled)'
else:
message = 'Published version {} (scheduled)'.format(self.
publish_version)
LogEntry.objects.log_action(user_id=self.user.pk, content_type_id=self.
content_type.pk, object_id=self.object_id, object_repr=force_text(
self.content_object), action_flag=CHANGE, change_message=message)
| log_action | [
{
"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.publish_version == self.UNPUBLISH_CHOICE:\n message = 'Unpublished page (scheduled)'\n else:\n message = 'Published versio... |
def x(self):
if self.publish_version == self.UNPUBLISH_CHOICE:
actioned = self._unpublish()
else:
actioned = self._publish()
if actioned:
self._log_action()
return actioned
| process_action | [
{
"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.publish_version == self.UNPUBLISH_CHOICE:\n actioned = self._unpublish()\n else:\n actioned = self._publish()\n if acti... |
def x(self, key, payload, hostgroupConf, hostgroupParent, puppetClassesId):
if key not in self:
self[key] = payload
oid = self[key]['id']
if not oid:
return False
if 'classes' in hostgroupConf.keys():
classList = list()
for c in hostgroupConf['classes']:
classList.append(puppetClassesId[c])
if not self[key].checkAndCreateClasses(classList):
print('Failed in classes')
return False
if 'params' in hostgroupConf.keys():
if not self[key].checkAndCreateParams(hostgroupConf['params']):
print('Failed in params')
return False
return oid
| checkAndCreate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, payload, hostgroupConf, hostgroupParent, puppetClassesId):\n if key not in self:\n self[key] = payload\n oid = self[key]['id']\n if ... |
def x(f):
@functools.wraps(f)
def x(*args, **kwargs):
if len(args) == 1 and len(kwargs) == 0 and callable(args[0]):
return f(args[0])
else:
return lambda realf: f(realf, *args, **kwargs)
return new_dec
| doublewrap | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(f):\n\n @functools.wraps(f)\n def x(*args, **kwargs):\n if len(args) == 1 and len(kwargs) == 0 and callable(args[0]):\n return f(args[0... |
def x(func, msg=None):
message = msg or "Use of deprecated function '{}`.".format(func.__name__)
@functools.wraps(func)
def x(*args, **kwargs):
warnings.warn(message, DeprecationWarning, stacklevel=2)
return func(*args, **kwargs)
return wrapper_func
| deprecated | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func, msg=None):\n message = msg or \"Use of deprecated function '{}`.\".format(func.__name__)\n\n @functools.wraps(func)\n def x(*args, **kwargs):\n ... |
def x(target: str):
if target == 'stderr':
return logging.StreamHandler(sys.stderr)
elif target == 'stdout':
return logging.StreamHandler(sys.stdout)
else:
return logging.handlers.WatchedFileHandler(filename=target)
| create_handler | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(target: str):\n if target == 'stderr':\n return logging.StreamHandler(sys.stderr)\n elif target == 'stdout':\n return logging.StreamHandler... |
def x(level: str, target: str, short_format: bool):
try:
log_level = getattr(logging, level)
except AttributeError:
raise SystemExit(
"invalid log level %r, expected any of 'DEBUG', 'INFO', 'WARNING', 'ERROR' or 'CRITICAL'"
% level)
handler = create_handler(target=target)
logging.basicConfig(level=log_level, format=
'%(asctime)-15s (%(process)d) %(message)s' if not short_format else
'%(message)s', datefmt='%Y-%m-%d %H:%M:%S', handlers=[handler])
| initialise_logging | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(level: str, target: str, short_format: bool):\n try:\n log_level = getattr(logging, level)\n except AttributeError:\n raise SystemExit(\n ... |
def x(s):
if s:
assert isinstance(s, six.string_types)
s = s.replace('\\', '\\\\')
s = s.replace(',', '\\,')
s = s.replace('+', '\\+')
s = s.replace('"', '\\"')
s = s.replace('<', '\\<')
s = s.replace('>', '\\>')
s = s.replace(';', '\\;')
s = s.replace('=', '\\=')
s = s.replace('\x00', '\\\x00')
if s[0] == '#' or s[0] == ' ':
s = ''.join(('\\', s))
if s[-1] == ' ':
s = ''.join((s[:-1], '\\ '))
return s
| escape_dn_chars | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s):\n if s:\n assert isinstance(s, six.string_types)\n s = s.replace('\\\\', '\\\\\\\\')\n s = s.replace(',', '\\\\,')\n s = s.r... |
def x(dn, flags=0):
if not isinstance(dn, six.text_type):
dn = dn.decode('utf_8')
assert flags == 0
result, i = _distinguishedName(dn, 0)
if result is None:
raise tldap.exceptions.InvalidDN('Cannot parse dn')
if i != len(dn):
raise tldap.exceptions.InvalidDN('Cannot parse dn past %s' % dn[i:])
return result
| str2dn | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dn, flags=0):\n if not isinstance(dn, six.text_type):\n dn = dn.decode('utf_8')\n assert flags == 0\n result, i = _distinguishedName(dn, 0)\n ... |
def x(dn):
for rdn in dn:
for atype, avalue, dummy in rdn:
assert isinstance(atype, six.string_types)
assert isinstance(avalue, six.string_types)
assert dummy == 1
return ','.join(['+'.join(['='.join((atype, escape_dn_chars(avalue or
''))) for atype, avalue, dummy in rdn]) for rdn in dn])
| dn2str | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dn):\n for rdn in dn:\n for atype, avalue, dummy in rdn:\n assert isinstance(atype, six.string_types)\n assert isinstance(avalu... |
def x(dn, notypes=0, flags=0):
if not dn:
return []
dn_decomp = str2dn(dn, flags)
rdn_list = []
for rdn in dn_decomp:
if notypes:
rdn_list.append('+'.join([escape_dn_chars(avalue or '') for
atype, avalue, dummy in rdn]))
else:
rdn_list.append('+'.join(['='.join((atype, escape_dn_chars(
avalue or ''))) for atype, avalue, dummy in rdn]))
return rdn_list
| explode_dn | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dn, notypes=0, flags=0):\n if not dn:\n return []\n dn_decomp = str2dn(dn, flags)\n rdn_list = []\n for rdn in dn_decomp:\n if notype... |
def x(rdn, notypes=0, flags=0):
if not rdn:
return []
rdn_decomp = str2dn(rdn, flags)[0]
if notypes:
return [(avalue or '') for atype, avalue, dummy in rdn_decomp]
else:
return ['='.join((atype, escape_dn_chars(avalue or ''))) for atype,
avalue, dummy in rdn_decomp]
| explode_rdn | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rdn, notypes=0, flags=0):\n if not rdn:\n return []\n rdn_decomp = str2dn(rdn, flags)[0]\n if notypes:\n return [(avalue or '') for atyp... |
def x(ctx):
config = ctx.obj['agile']
repos = config.get('repositories')
labels = config.get('labels')
if not isinstance(repos, list):
raise CommandError('You need to specify the "repos" list in the config'
)
if not isinstance(labels, dict):
raise CommandError(
'You need to specify the "labels" dictionary in the config')
git = GithubApi()
for repo in repos:
repo = git.repo(repo)
for label, color in labels.items():
if repo.label(label, color):
click.echo('Created label "%s" @ %s' % (label, repo))
else:
click.echo('Updated label "%s" @ %s' % (label, repo))
| labels | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx):\n config = ctx.obj['agile']\n repos = config.get('repositories')\n labels = config.get('labels')\n if not isinstance(repos, list):\n r... |
def x(self, code):
try:
self._token = super().fetch_token(MINUT_TOKEN_URL, client_id=self.
_client_id, client_secret=self._client_secret, code=code)
except MissingTokenError as error:
_LOGGER.debug('Token issues: %s', error)
return self._token
| get_access_token | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, code):\n try:\n self._token = super().fetch_token(MINUT_TOKEN_URL, client_id=self.\n _client_id, client_secret=self._client_secret, ... |
def x(self, url, request_type='GET', **params):
try:
_LOGGER.debug('Request %s %s', url, params)
response = self.request(request_type, url, timeout=TIMEOUT.seconds,
**params)
response.raise_for_status()
_LOGGER.debug('Response %s %s %.200s', response.status_code,
response.headers['content-type'], response.json())
response = response.json()
if 'error' in response:
raise OSError(response['error'])
return response
except OSError as error:
_LOGGER.warning('Failed request: %s', error)
| request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, request_type='GET', **params):\n try:\n _LOGGER.debug('Request %s %s', url, params)\n response = self.request(request_type, url, ti... |
def x(self, url, _type):
res = self._request(url)
return res.get(_type) if res else {}
| request_devices | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, _type):\n res = self._request(url)\n return res.get(_type) if res else {}\n",
"role": "user"
},
{
"content": "request_devices",
... |
def x(self, device_id, sensor_uri):
url = MINUT_DEVICES_URL + '/{device_id}/{sensor_uri}'.format(device_id=
device_id, sensor_uri=sensor_uri)
res = self._request(url, request_type='GET', data={'limit': 1})
if not res.get('values'):
return None
return res.get('values')[-1].get('value')
| read_sensor | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, device_id, sensor_uri):\n url = MINUT_DEVICES_URL + '/{device_id}/{sensor_uri}'.format(device_id=\n device_id, sensor_uri=sensor_uri)\n res ... |
def x(self, webhook_url, events):
response = self._request(MINUT_WEBHOOKS_URL, request_type='POST', json=
{'url': webhook_url, 'events': events})
return response
| register_webhook | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, webhook_url, events):\n response = self._request(MINUT_WEBHOOKS_URL, request_type='POST', json=\n {'url': webhook_url, 'events': events})\n ... |
def x(self):
if self._webhook.get('hook_id'):
self._request('{}/{}'.format(MINUT_WEBHOOKS_URL, self._webhook[
'hook_id']), request_type='DELETE')
| remove_webhook | [
{
"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._webhook.get('hook_id'):\n self._request('{}/{}'.format(MINUT_WEBHOOKS_URL, self._webhook[\n 'hook_id']), request_type='D... |
def x(self, webhook_url, webhook_id, events=None):
hooks = self._request(MINUT_WEBHOOKS_URL, request_type='GET')['hooks']
try:
self._webhook = next(hook for hook in hooks if hook['url'] ==
webhook_url)
_LOGGER.debug('Webhook: %s', self._webhook)
except StopIteration:
if events is None:
events = [e for v in EVENTS.values() for e in v if e]
self._webhook = self._register_webhook(webhook_url, events)
_LOGGER.debug('Registered hook: %s', self._webhook)
return self._webhook
| update_webhook | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, webhook_url, webhook_id, events=None):\n hooks = self._request(MINUT_WEBHOOKS_URL, request_type='GET')['hooks']\n try:\n self._webhook = nex... |
def x(self):
with self._lock:
devices = self._request_devices(MINUT_DEVICES_URL, 'devices')
if devices:
self._state = {device['device_id']: device for device in devices}
_LOGGER.debug('Found devices: %s', list(self._state.keys()))
homes = self._request_devices(MINUT_HOMES_URL, 'homes')
if homes:
self._homes = homes
return self.devices
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n with self._lock:\n devices = self._request_devices(MINUT_DEVICES_URL, 'devices')\n if devices:\n self._state = {device['de... |
def x(self, status, home_id):
response = self._request(MINUT_HOMES_URL + '/{}'.format(home_id),
request_type='PUT', json={'alarm_status': status})
return response.get('alarm_status', '') == status
| set_alarm | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, status, home_id):\n response = self._request(MINUT_HOMES_URL + '/{}'.format(home_id),\n request_type='PUT', json={'alarm_status': status})\n ... |
def x(self, sensor_type):
_LOGGER.debug('Reading %s sensor.', sensor_type)
return self._session.read_sensor(self.device_id, sensor_type)
| sensor | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sensor_type):\n _LOGGER.debug('Reading %s sensor.', sensor_type)\n return self._session.read_sensor(self.device_id, sensor_type)\n",
"role": "u... |
def x(self):
return {'connections': {('mac', self.device['device_mac'])},
'identifieres': self.device['device_id'], 'manufacturer': 'Minut',
'model': 'Point v{}'.format(self.device['hardware_version']),
'name': self.device['description'], 'sw_version': self.device[
'firmware']['installed']}
| device_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return {'connections': {('mac', self.device['device_mac'])},\n 'identifieres': self.device['device_id'], 'manufacturer': 'Minut',\n '... |
def x(self):
return {'active': self.device['active'], 'offline': self.device[
'offline'], 'last_update': self.last_update, 'battery_level': self.
battery_level}
| device_status | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return {'active': self.device['active'], 'offline': self.device[\n 'offline'], 'last_update': self.last_update, 'battery_level': self.\n ... |
def x(context):
user = context.get('user')
rendered = ''
template_path = 'glitter/include/head.html'
if user is not None and user.is_staff:
template = context.template.engine.get_template(template_path)
rendered = template.render(context)
return rendered
| glitter_head | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n user = context.get('user')\n rendered = ''\n template_path = 'glitter/include/head.html'\n if user is not None and user.is_staff:\n ... |
def x(context):
user = context.get('user')
path_body = 'glitter/include/startbody.html'
path_plus = 'glitter/include/startbody_%s_%s.html'
rendered = ''
if user is not None and user.is_staff:
templates = [path_body]
glitter = context.get('glitter')
if glitter is not None:
opts = glitter.obj._meta.app_label, glitter.obj._meta.model_name
template_path = path_plus % opts
templates.insert(0, template_path)
template = context.template.engine.select_template(templates)
rendered = template.render(context)
return rendered
| glitter_startbody | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n user = context.get('user')\n path_body = 'glitter/include/startbody.html'\n path_plus = 'glitter/include/startbody_%s_%s.html'\n render... |
def x(assertion_value, escape_mode=0):
if isinstance(assertion_value, six.text_type):
assertion_value = assertion_value.encode('utf_8')
s = []
for c in assertion_value:
do_escape = False
if str != bytes:
pass
else:
c = ord(c)
if escape_mode == 0:
if c == ord('\\') or c == ord('*') or c == ord('(') or c == ord(')'
) or c == ord('\x00'):
do_escape = True
elif escape_mode == 1:
if c < '0' or c > 'z' or c in '\\*()':
do_escape = True
elif escape_mode == 2:
do_escape = True
else:
raise ValueError('escape_mode must be 0, 1 or 2.')
if do_escape:
s.append(b'\\%02x' % c)
else:
b = None
if str != bytes:
b = bytes([c])
else:
b = chr(c)
s.append(b)
return b''.join(s)
| escape_filter_chars | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(assertion_value, escape_mode=0):\n if isinstance(assertion_value, six.text_type):\n assertion_value = assertion_value.encode('utf_8')\n s = []\n ... |
def x(filter_template, assertion_values):
assert isinstance(filter_template, bytes)
return filter_template % tuple(map(escape_filter_chars, assertion_values))
| filter_format | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filter_template, assertion_values):\n assert isinstance(filter_template, bytes)\n return filter_template % tuple(map(escape_filter_chars, assertion_value... |
def x(self, checker_cls: type) ->Flake8Error:
return Flake8Error(line_number=self.line_number, offset=self.offset,
text=self.text, checker_cls=checker_cls)
| to_flake8 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, checker_cls: type) ->Flake8Error:\n return Flake8Error(line_number=self.line_number, offset=self.offset,\n text=self.text, checker_cls=checker_... |
def x(self, chassis):
res = self._request(RestMethod.post, self.user_url, params={'ip':
chassis.ip, 'port': chassis.port})
assert res.status_code == 201
| add_chassis | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, chassis):\n res = self._request(RestMethod.post, self.user_url, params={'ip':\n chassis.ip, 'port': chassis.port})\n assert res.status_code ... |
def x(self, obj, command, *arguments):
self._perform_command('{}/{}'.format(self.session_url, obj.ref),
command, OperReturnType.no_output, *arguments)
| send_command | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj, command, *arguments):\n self._perform_command('{}/{}'.format(self.session_url, obj.ref),\n command, OperReturnType.no_output, *arguments)\... |
def x(self, obj, command, *arguments):
return self._perform_command('{}/{}'.format(self.session_url, obj.ref),
command, OperReturnType.line_output, *arguments).json()
| send_command_return | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj, command, *arguments):\n return self._perform_command('{}/{}'.format(self.session_url, obj.ref),\n command, OperReturnType.line_output, *ar... |
def x(self, obj, command, *arguments):
return self._perform_command('{}/{}'.format(self.session_url, obj.ref),
command, OperReturnType.multiline_output, *arguments).json()
| send_command_return_multilines | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj, command, *arguments):\n return self._perform_command('{}/{}'.format(self.session_url, obj.ref),\n command, OperReturnType.multiline_output... |
def x(self, obj):
return self._get_attributes('{}/{}'.format(self.session_url, obj.ref))
| get_attributes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj):\n return self._get_attributes('{}/{}'.format(self.session_url, obj.ref))\n",
"role": "user"
},
{
"content": "get_attributes",
"r... |
def x(self, obj, **attributes):
attributes_url = '{}/{}/attributes'.format(self.session_url, obj.ref)
attributes_list = [{u'name': str(name), u'value': str(value)} for name,
value in attributes.items()]
self._request(RestMethod.patch, attributes_url, headers={'Content-Type':
'application/json'}, data=json.dumps(attributes_list))
| set_attributes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj, **attributes):\n attributes_url = '{}/{}/attributes'.format(self.session_url, obj.ref)\n attributes_list = [{u'name': str(name), u'value': str... |
def x(self, obj, stat_name):
return [int(v) for v in self.send_command_return(obj, stat_name, '?').
split()]
| get_stats | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj, stat_name):\n return [int(v) for v in self.send_command_return(obj, stat_name, '?').\n split()]\n",
"role": "user"
},
{
"conte... |
def x(self, with_cloud_account=True, zone_name=None):
zone_names = ZoneConstants(zone_name)
type_to_app = lambda t: self.organization.applications[
system_application_types.get(t, t)]
wf_service = self.organization.service(name=zone_names.
DEFAULT_WORKFLOW_SERVICE, application=type_to_app(
WORKFLOW_SERVICE_TYPE), environment=self)
key_service = self.organization.service(name=zone_names.
DEFAULT_CREDENTIAL_SERVICE, application=type_to_app(
COBALT_SECURE_STORE_TYPE), environment=self)
assert wf_service.running()
assert key_service.running()
if not with_cloud_account:
with self as env:
env.add_service(wf_service, force=True)
env.add_service(key_service, force=True)
return wf_service, key_service
cloud_account_service = self.organization.instance(name=zone_names.
DEFAULT_CLOUD_ACCOUNT_SERVICE, application=type_to_app(
CLOUD_ACCOUNT_TYPE), environment=self, parameters=PROVIDER_CONFIG,
destroyInterval=0)
assert cloud_account_service.running()
with self as env:
env.add_service(wf_service, force=True)
env.add_service(key_service, force=True)
env.add_service(cloud_account_service, force=True)
return wf_service, key_service, cloud_account_service
| init_common_services | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, with_cloud_account=True, zone_name=None):\n zone_names = ZoneConstants(zone_name)\n type_to_app = lambda t: self.organization.applications[\n ... |
def x(self, name=None):
resp = self._router.post_env_clone(env_id=self.environmentId, json=dict
(name=name) if name else {}).json()
return Environment(self.organization, id=resp['id']).init_router(self.
_router)
| clone | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name=None):\n resp = self._router.post_env_clone(env_id=self.environmentId, json=dict\n (name=name) if name else {}).json()\n return Environ... |
def x(self):
if ZONE_NAME:
log.info(
"Getting or creating default environment for zone with name '{0}'"
.format(DEFAULT_ENV_NAME()))
zone_id = self.organization.zones[ZONE_NAME].id
return self.organization.get_or_create_environment(name=
DEFAULT_ENV_NAME(), zone=zone_id)
def_envs = [env_j['id'] for env_j in self.json() if env_j['isDefault']]
if len(def_envs) > 1:
log.warning('Found more than one default environment. Picking last.')
return self[def_envs[-1]]
elif len(def_envs) == 1:
return self[def_envs[0]]
raise exceptions.NotFoundError('Unable to get default environment')
| default | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if ZONE_NAME:\n log.info(\n \"Getting or creating default environment for zone with name '{0}'\"\n .format(DEFAULT_ENV... |
def x(self: NodeVisitor, node: inheritance_diagram) ->Mapping[str, str]:
current_filename = self.builder.current_docname + self.builder.out_suffix
urls = {}
for child in node:
if child.get('refuri') is not None:
uri = child.get('refuri')
package_path = child['reftitle']
if uri.startswith('http'):
_, _, package_path = uri.partition('#')
else:
uri = pathlib.Path('..') / pathlib.Path(current_filename
).parent / pathlib.Path(uri)
uri = str(uri).replace(os.path.sep, '/')
urls[package_path] = uri
elif child.get('refid') is not None:
urls[child['reftitle']
] = '../' + current_filename + '#' + child.get('refid')
return urls
| build_urls | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self: NodeVisitor, node: inheritance_diagram) ->Mapping[str, str]:\n current_filename = self.builder.current_docname + self.builder.out_suffix\n urls = {... |
def x(self: NodeVisitor, node: inheritance_diagram) ->None:
inheritance_graph = node['graph']
urls = build_urls(self, node)
graphviz_graph = inheritance_graph.build_graph(urls)
dot_code = format(graphviz_graph, 'graphviz')
aspect_ratio = inheritance_graph.aspect_ratio
if aspect_ratio:
aspect_ratio = math.ceil(math.sqrt(aspect_ratio[1] / aspect_ratio[0]))
if aspect_ratio > 1:
process = subprocess.Popen(['unflatten', '-l', str(aspect_ratio),
'-c', str(aspect_ratio), '-f'], stdout=subprocess.PIPE, stdin=
subprocess.PIPE, stderr=subprocess.PIPE)
stdout, stderr = process.communicate(dot_code.encode())
dot_code = stdout.decode()
render_dot_html(self, node, dot_code, {}, 'inheritance', 'inheritance')
raise SkipNode
| html_visit_inheritance_diagram | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self: NodeVisitor, node: inheritance_diagram) ->None:\n inheritance_graph = node['graph']\n urls = build_urls(self, node)\n graphviz_graph = inheritan... |
def x(self: NodeVisitor, node: inheritance_diagram) ->None:
inheritance_graph = node['graph']
graphviz_graph = inheritance_graph.build_graph()
graphviz_graph.attributes['size'] = 6.0
dot_code = format(graphviz_graph, 'graphviz')
render_dot_latex(self, node, dot_code, {}, 'inheritance')
raise SkipNode
| latex_visit_inheritance_diagram | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self: NodeVisitor, node: inheritance_diagram) ->None:\n inheritance_graph = node['graph']\n graphviz_graph = inheritance_graph.build_graph()\n graphvi... |
def x(app) ->Dict[str, Any]:
app.setup_extension('sphinx.ext.graphviz')
app.add_node(inheritance_diagram, html=(html_visit_inheritance_diagram,
None), latex=(latex_visit_inheritance_diagram, None), man=(skip,
None), texinfo=(skip, None), text=(skip, None))
app.add_directive('inheritance-diagram', InheritanceDiagram)
return {'version': uqbar.__version__, 'parallel_read_safe': True,
'parallel_write_safe': True}
| setup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app) ->Dict[str, Any]:\n app.setup_extension('sphinx.ext.graphviz')\n app.add_node(inheritance_diagram, html=(html_visit_inheritance_diagram,\n No... |
def x(configuration: str, level: str, target: str, short_format: bool):
initialise_logging(level=level, target=target, short_format=short_format)
logger = logging.getLogger(__package__)
logger.info('COBalD %s', cobald.__about__.__version__)
logger.info(cobald.__about__.__url__)
logger.info('%s %s (%s)', platform.python_implementation(), platform.
python_version(), sys.executable)
logger.debug(cobald.__file__)
logger.info('Using configuration %s', configuration)
with load(configuration):
logger.info('Starting daemon services...')
runtime.accept()
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(configuration: str, level: str, target: str, short_format: bool):\n initialise_logging(level=level, target=target, short_format=short_format)\n logger = ... |
def x():
options = CLI.parse_args()
run(options.CONFIGURATION, options.log_level, options.log_target,
options.log_journal)
| cli_run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n options = CLI.parse_args()\n run(options.CONFIGURATION, options.log_level, options.log_target,\n options.log_journal)\n",
"role": "user"
... |
def x(cls: Type[AN], body: List[ast.stmt]) ->List:
act_nodes = []
for child_node in body:
act_nodes += ActNode.build(child_node)
return act_nodes
| build_body | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls: Type[AN], body: List[ast.stmt]) ->List:\n act_nodes = []\n for child_node in body:\n act_nodes += ActNode.build(child_node)\n return act_n... |
def x(cls: Type[AN], node: ast.stmt) ->List[AN]:
if node_is_result_assignment(node):
return [cls(node, ActNodeType.result_assignment)]
if node_is_pytest_raises(node):
return [cls(node, ActNodeType.pytest_raises)]
if node_is_unittest_raises(node):
return [cls(node, ActNodeType.unittest_raises)]
token = node.first_token
if token.line.strip().endswith('# act'):
return [cls(node, ActNodeType.marked_act)]
if isinstance(node, ast.With):
return cls.build_body(node.body)
return []
| build | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls: Type[AN], node: ast.stmt) ->List[AN]:\n if node_is_result_assignment(node):\n return [cls(node, ActNodeType.result_assignment)]\n if node_is_... |
def x(self):
@retry(tries=3, retry_exception=exceptions.NotFoundError)
def x():
env = self.environments['default']
return env.services['Default workflow service'].running(timeout=1
) and env.services['Default credentials service'].running(timeout=1
)
return check_init()
| ready | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n\n @retry(tries=3, retry_exception=exceptions.NotFoundError)\n def x():\n env = self.environments['default']\n return env.services[... |
def x(self, name=None, manifest=None):
if not manifest:
raise exceptions.NotEnoughParams('Manifest not set')
if not name:
name = 'auto-generated-name'
from qubell.api.private.application import Application
return Application.new(self, name, manifest, self._router)
| create_application | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name=None, manifest=None):\n if not manifest:\n raise exceptions.NotEnoughParams('Manifest not set')\n if not name:\n name = 'auto-ge... |
def x(self, id=None, name=None):
log.info('Picking application: %s (%s)' % (name, id))
return self.applications[id or name]
| get_application | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id=None, name=None):\n log.info('Picking application: %s (%s)' % (name, id))\n return self.applications[id or name]\n",
"role": "user"
},
{... |
def x(self, id=None, manifest=None, name=None):
if id:
return self.get_application(id=id)
elif name:
try:
app = self.get_application(name=name)
except exceptions.NotFoundError:
app = self.create_application(name=name, manifest=manifest)
return app
raise exceptions.NotEnoughParams('Not enough parameters')
| get_or_create_application | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id=None, manifest=None, name=None):\n if id:\n return self.get_application(id=id)\n elif name:\n try:\n app = self.get_app... |
def x(self, id=None, manifest=None, name=None):
modify = False
found = False
if name and id:
found = self.get_application(id=id)
if not found.name == name:
modify = True
elif id:
found = self.get_application(id=id)
name = found.name
elif name:
try:
found = self.get_application(name=name)
except exceptions.NotFoundError:
pass
if found:
if manifest and not manifest == found.manifest:
modify = True
if found and modify:
found.update(name=name, manifest=manifest)
if not found:
created = self.create_application(name=name, manifest=manifest)
return found or created
| application | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id=None, manifest=None, name=None):\n modify = False\n found = False\n if name and id:\n found = self.get_application(id=id)\n if ... |
def x(self, application, revision=None, environment=None, name=None,
parameters=None, submodules=None, destroyInterval=None, manifestVersion
=None):
from qubell.api.private.instance import Instance
return Instance.new(self._router, application, revision, environment,
name, parameters, submodules, destroyInterval, manifestVersion=
manifestVersion)
| create_instance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, application, revision=None, environment=None, name=None,\n parameters=None, submodules=None, destroyInterval=None, manifestVersion\n =None):\n f... |
def x(self, id=None, name=None):
log.info('Picking instance: %s (%s)' % (name, id))
if id:
return Instance(id=id, organization=self).init_router(self._router)
return Instance.get(self._router, self, name)
| get_instance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id=None, name=None):\n log.info('Picking instance: %s (%s)' % (name, id))\n if id:\n return Instance(id=id, organization=self).init_router(s... |
def x(self, application=None, show_only_destroyed=False):
q_filter = {'sortBy': 'byCreation', 'descending': 'true', 'mode':
'short', 'from': '0', 'to': '10000'}
if not show_only_destroyed:
q_filter['showDestroyed'] = 'false'
else:
q_filter['showDestroyed'] = 'true'
q_filter['showRunning'] = 'false'
q_filter['showError'] = 'false'
q_filter['showLaunching'] = 'false'
if application:
q_filter['applicationFilterId'] = application.applicationId
resp_json = self._router.get_instances(org_id=self.organizationId,
params=q_filter).json()
if type(resp_json) == dict:
instances = [instance for g in resp_json['groups'] for instance in
g['records']]
else:
instances = resp_json
return instances
| list_instances_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, application=None, show_only_destroyed=False):\n q_filter = {'sortBy': 'byCreation', 'descending': 'true', 'mode':\n 'short', 'from': '0', 'to':... |
def x(self, id=None, application=None, revision=None, environment=None,
name=None, parameters=None, submodules=None, destroyInterval=None):
try:
instance = self.get_instance(id=id, name=name)
if name and name != instance.name:
instance.rename(name)
instance.ready()
return instance
except exceptions.NotFoundError:
return self.create_instance(application, revision, environment,
name, parameters, submodules, destroyInterval)
| get_or_create_instance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id=None, application=None, revision=None, environment=None,\n name=None, parameters=None, submodules=None, destroyInterval=None):\n try:\n i... |
def x(self, id=None, application=None, name=None, revision=None,
environment=None, parameters=None, submodules=None, destroyInterval=None):
instance = self.get_or_create_instance(id, application, revision,
environment, name, parameters, submodules, destroyInterval)
reconfigure = False
if reconfigure:
instance.reconfigure(revision=revision, parameters=parameters)
return instance
| instance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id=None, application=None, name=None, revision=None,\n environment=None, parameters=None, submodules=None, destroyInterval=None):\n instance = self... |
def x(self, name, default=False, zone=None):
from qubell.api.private.environment import Environment
return Environment.new(organization=self, name=name, zone_id=zone,
default=default, router=self._router)
| create_environment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, default=False, zone=None):\n from qubell.api.private.environment import Environment\n return Environment.new(organization=self, name=name, zo... |
def x(self, id=None, name=None):
log.info('Picking environment: %s (%s)' % (name, id))
return self.environments[id or name]
| get_environment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id=None, name=None):\n log.info('Picking environment: %s (%s)' % (name, id))\n return self.environments[id or name]\n",
"role": "user"
},
{... |
def x(self, id=None, name=None, zone=None, default=False):
if id:
return self.get_environment(id=id)
elif name:
try:
env = self.get_environment(name=name)
self._assert_env_and_zone(env, zone)
except exceptions.NotFoundError:
env = self.create_environment(name=name, zone=zone, default=default
)
return env
else:
name = 'auto-generated-env'
return self.create_environment(name=name, zone=zone, default=default)
| get_or_create_environment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id=None, name=None, zone=None, default=False):\n if id:\n return self.get_environment(id=id)\n elif name:\n try:\n env = s... |
def x(self, id=None, name=None, zone=None, default=False):
found = False
if name and id:
found = self.get_environment(id=id)
elif id:
found = self.get_environment(id=id)
name = found.name
elif name:
try:
found = self.get_environment(name=name)
except exceptions.NotFoundError:
pass
if found:
self._assert_env_and_zone(found, zone)
if default and not found.isDefault:
found.set_as_default()
if not found:
created = self.create_environment(name=name, zone=zone, default=default
)
return found or created
| environment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id=None, name=None, zone=None, default=False):\n found = False\n if name and id:\n found = self.get_environment(id=id)\n elif id:\n ... |
def x(self, id=None, name=None):
log.info('Picking zone: %s (%s)' % (name, id))
return self.zones[id or name]
| get_zone | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id=None, name=None):\n log.info('Picking zone: %s (%s)' % (name, id))\n return self.zones[id or name]\n",
"role": "user"
},
{
"content"... |
def x(self, name=None, permissions=''):
name = name or 'autocreated-role'
from qubell.api.private.role import Role
return Role.new(self._router, organization=self, name=name, permissions
=permissions)
| create_role | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name=None, permissions=''):\n name = name or 'autocreated-role'\n from qubell.api.private.role import Role\n return Role.new(self._router, organ... |
def x(self, id=None, name=None):
log.info('Picking role: %s (%s)' % (name, id))
return self.roles[id or name]
| get_role | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id=None, name=None):\n log.info('Picking role: %s (%s)' % (name, id))\n return self.roles[id or name]\n",
"role": "user"
},
{
"content"... |
def x(self, id=None, name=None, email=None):
log.info('Picking user: %s (%s) (%s)' % (name, email, id))
from qubell.api.private.user import User
if email:
user = User.get(self._router, organization=self, email=email)
else:
user = self.users[id or name]
return user
| get_user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id=None, name=None, email=None):\n log.info('Picking user: %s (%s) (%s)' % (name, email, id))\n from qubell.api.private.user import User\n if em... |
def x(self, email, roles=None):
if roles is None:
role_ids = [self.roles['Guest'].roleId]
elif roles == 'ALL':
role_ids = list([i.id for i in self.roles])
else:
if 'Guest' not in roles:
roles.append('Guest')
role_ids = list([i.id for i in self.roles if i.name in roles])
self._router.invite_user(data=json.dumps({'organizationId': self.
organizationId, 'email': email, 'roles': role_ids}))
| invite | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, email, roles=None):\n if roles is None:\n role_ids = [self.roles['Guest'].roleId]\n elif roles == 'ALL':\n role_ids = list([i.id for ... |
def x(self, access_key=None, secret_key=None):
if not access_key and not secret_key:
self._router.post_init(org_id=self.organizationId, data=
'{"initCloudAccount": true}')
else:
self._router.post_init(org_id=self.organizationId, data='{}')
ca_data = dict(accessKey=access_key, secretKey=secret_key)
self._router.post_init_custom_cloud_account(org_id=self.
organizationId, data=json.dumps(ca_data))
| init | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, access_key=None, secret_key=None):\n if not access_key and not secret_key:\n self._router.post_init(org_id=self.organizationId, data=\n ... |
def x(self, metadata, exclude=None):
if not exclude:
exclude = []
if metadata.startswith('http'):
meta = yaml.safe_load(requests.get(url=metadata).content)
else:
meta = yaml.safe_load(open(metadata, 'r').read())
applications = []
for app in meta['kit']['applications']:
if app['name'] not in exclude:
applications.append({'name': app['name'], 'url': app['manifest']})
self.restore({'applications': applications})
| set_applications_from_meta | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, metadata, exclude=None):\n if not exclude:\n exclude = []\n if metadata.startswith('http'):\n meta = yaml.safe_load(requests.get(url=... |
def x(self, metadata, category=None):
upload_json = self._router.get_upload(params=dict(metadataUrl=metadata)
).json()
manifests = [dict(name=app['name'], manifest=app['url']) for app in
upload_json['applications']]
if not category:
category = self.categories['Application']
data = {'categoryId': category.id, 'applications': manifests}
self._router.post_application_kits(org_id=self.organizationId, data=
json.dumps(data))
| upload_applications | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, metadata, category=None):\n upload_json = self._router.get_upload(params=dict(metadataUrl=metadata)\n ).json()\n manifests = [dict(name=app[... |
def x(self, request, response):
if tldap.transaction.is_managed():
tldap.transaction.commit()
tldap.transaction.leave_transaction_management()
return response
| process_response | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, response):\n if tldap.transaction.is_managed():\n tldap.transaction.commit()\n tldap.transaction.leave_transaction_management()... |
def x(name, tags: dict=None, fields: dict=None, timestamp: float=None) ->str:
output_str = name
if tags:
output_str += ','
output_str += ','.join('%s=%s' % (key, value) for key, value in
sorted(tags.items()))
output_str += ' '
output_str += ','.join(('%s=%r' % (key, value)).replace("'", '"') for
key, value in sorted(fields.items()))
if timestamp is not None:
output_str += ' %d' % (timestamp * 1000000000.0)
return output_str + '\n'
| line_protocol | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, tags: dict=None, fields: dict=None, timestamp: float=None) ->str:\n output_str = name\n if tags:\n output_str += ','\n output_str += ... |
def x(self):
return capfirst(force_text(self.content_block.content_type.model_class(
)._meta.verbose_name))
| block_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return capfirst(force_text(self.content_block.content_type.model_class(\n )._meta.verbose_name))\n",
"role": "user"
},
{
"conten... |
def x(self, top=False):
default_blocks = []
for block_model, block_name in self.glitter_page.default_blocks:
block = apps.get_model(block_model)
base_url = reverse('block_admin:{}_{}_add'.format(block._meta.
app_label, block._meta.model_name), kwargs={'version_id': self.
glitter_page.version.id})
block_qs = {'column': self.name, 'top': top}
block_url = '{}?{}'.format(base_url, urlencode(block_qs))
block_text = capfirst(force_text(block._meta.verbose_name))
default_blocks.append((block_url, block_text))
return default_blocks
| get_default_blocks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, top=False):\n default_blocks = []\n for block_model, block_name in self.glitter_page.default_blocks:\n block = apps.get_model(block_model)\n... |
def x(self, top=False):
widget = AddBlockSelect(attrs={'class': 'glitter-add-block-select'},
choices=self.add_block_options(top=top))
return widget.render(name='', value=None)
| add_block_widget | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, top=False):\n widget = AddBlockSelect(attrs={'class': 'glitter-add-block-select'},\n choices=self.add_block_options(top=top))\n return widge... |
def x(self, top):
from .blockadmin import blocks
block_choices = []
for category in sorted(blocks.site.block_list):
category_blocks = blocks.site.block_list[category]
category_choices = []
for block in category_blocks:
base_url = reverse('block_admin:{}_{}_add'.format(block._meta.
app_label, block._meta.model_name), kwargs={'version_id':
self.glitter_page.version.id})
block_qs = {'column': self.name, 'top': top}
block_url = '{}?{}'.format(base_url, urlencode(block_qs))
block_text = capfirst(force_text(block._meta.verbose_name))
category_choices.append((block_url, block_text))
category_choices = sorted(category_choices, key=lambda x: x[1])
block_choices.append((category, category_choices))
return block_choices
| add_block_options | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, top):\n from .blockadmin import blocks\n block_choices = []\n for category in sorted(blocks.site.block_list):\n category_blocks = blocks.... |
def x(self):
block_list = getattr(settings, 'GLITTER_DEFAULT_BLOCKS', None)
if block_list is not None:
return block_list
block_list = []
for block in GLITTER_FALLBACK_BLOCKS:
app_name, model_name = block.split('.')
try:
model_class = apps.get_model(app_name, model_name)
verbose_name = capfirst(model_class._meta.verbose_name)
block_list.append((block, verbose_name))
except LookupError:
pass
return block_list
| default_blocks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n block_list = getattr(settings, 'GLITTER_DEFAULT_BLOCKS', None)\n if block_list is not None:\n return block_list\n block_list = []\n ... |
def x(self):
has_permission = False
if self.user is not None:
has_permission = self.user.has_perm('{}.add_{}'.format(self.opts.
app_label, self.opts.model_name))
return has_permission
| has_add_permission | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n has_permission = False\n if self.user is not None:\n has_permission = self.user.has_perm('{}.add_{}'.format(self.opts.\n app_l... |
def x(self):
has_permission = False
if self.user is not None:
permission_name = '{}.change_{}'.format(self.opts.app_label, self.
opts.model_name)
has_permission = self.user.has_perm(permission_name
) or self.user.has_perm(permission_name, obj=self.obj)
return has_permission
| has_change_permission | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n has_permission = False\n if self.user is not None:\n permission_name = '{}.change_{}'.format(self.opts.app_label, self.\n opts... |
def x(self):
embed_url = None
youtube_embed_url = 'https://www.youtube.com/embed/{}'
vimeo_embed_url = 'https://player.vimeo.com/video/{}'
if re.match(YOUTUBE_URL_RE, self.url):
embed_url = youtube_embed_url.format(re.match(YOUTUBE_URL_RE, self.
url).group(2))
if re.match(VIMEO_URL_RE, self.url):
embed_url = vimeo_embed_url.format(re.match(VIMEO_URL_RE, self.url)
.group(3))
return embed_url
| get_embed_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n embed_url = None\n youtube_embed_url = 'https://www.youtube.com/embed/{}'\n vimeo_embed_url = 'https://player.vimeo.com/video/{}'\n if re.... |
def x(self, force_insert=False, force_update=False, using=None,
update_fields=None):
if self.url:
iframe_html = (
'<iframe src="{}" frameborder="0" title="{}" allowfullscreen></iframe>'
)
self.html = iframe_html.format(self.get_embed_url(), self.title)
return super().save(force_insert, force_update, using, update_fields)
| save | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, force_insert=False, force_update=False, using=None,\n update_fields=None):\n if self.url:\n iframe_html = (\n '<iframe src=\"{}\"... |
def x():
cmd_netstat = ['netstat', '-nr']
p1 = subprocess.Popen(cmd_netstat, stdout=subprocess.PIPE)
cmd_grep = ['grep', '^0\\.0\\.0\\.0']
p2 = subprocess.Popen(cmd_grep, stdin=p1.stdout, stdout=subprocess.PIPE)
cmd_awk = ['awk', '{ print $2 }']
p3 = subprocess.Popen(cmd_awk, stdin=p2.stdout, stdout=subprocess.PIPE)
galaxy_ip = p3.stdout.read()
log.debug('Host IP determined to be %s', galaxy_ip)
return galaxy_ip
| get_ip | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n cmd_netstat = ['netstat', '-nr']\n p1 = subprocess.Popen(cmd_netstat, stdout=subprocess.PIPE)\n cmd_grep = ['grep', '^0\\\\.0\\\\.0\\\\.0']\n ... |
def x(history_id=None, obj=True):
history_id = history_id or os.environ['HISTORY_ID']
key = os.environ['API_KEY']
galaxy_ip = _get_ip()
url = Template(os.environ['GALAXY_URL']).safe_substitute({'DOCKER_HOST':
galaxy_ip})
gi = _test_url(url, key, history_id, obj=obj)
if gi is not None:
return gi
app_path = os.environ['GALAXY_URL'].rstrip('/')
app_path = ''.join(app_path.split('/')[3:])
if 'GALAXY_WEB_PORT' not in os.environ:
raise Exception('No port')
else:
galaxy_port = os.environ['GALAXY_WEB_PORT']
built_galaxy_url = 'http://%s:%s/%s' % (galaxy_ip.strip(), galaxy_port,
app_path.strip())
url = built_galaxy_url.rstrip('/')
gi = _test_url(url, key, history_id, obj=obj)
if gi is not None:
return gi
msg = (
'Could not connect to a galaxy instance. Please contact your SysAdmin for help with this error'
)
raise Exception(msg)
| get_galaxy_connection | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(history_id=None, obj=True):\n history_id = history_id or os.environ['HISTORY_ID']\n key = os.environ['API_KEY']\n galaxy_ip = _get_ip()\n url = Tem... |
def x(filenames, file_type='auto', history_id=None):
history_id = history_id or os.environ['HISTORY_ID']
gi = get_galaxy_connection(history_id=history_id)
for filename in filenames:
log.debug('Uploading gx=%s history=%s localpath=%s ft=%s', gi,
history_id, filename, file_type)
history = gi.histories.get(history_id)
history.upload_dataset(filename, file_type=file_type)
| put | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filenames, file_type='auto', history_id=None):\n history_id = history_id or os.environ['HISTORY_ID']\n gi = get_galaxy_connection(history_id=history_id)\... |
def x(datasets_identifiers, identifier_type='hid', history_id=None):
history_id = history_id or os.environ['HISTORY_ID']
gi = get_galaxy_connection(history_id=history_id, obj=False)
for dataset_identifier in datasets_identifiers:
file_path = '/import/%s' % dataset_identifier
log.debug('Downloading gx=%s history=%s dataset=%s', gi, history_id,
dataset_identifier)
if not os.path.exists(file_path):
hc = HistoryClient(gi)
dc = DatasetClient(gi)
history = hc.show_history(history_id, contents=True)
datasets = {ds[identifier_type]: ds['id'] for ds in history}
if identifier_type == 'hid':
dataset_identifier = int(dataset_identifier)
dc.download_dataset(datasets[dataset_identifier], file_path=
file_path, use_default_filename=False)
else:
log.debug('Cached, not re-downloading')
return file_path
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(datasets_identifiers, identifier_type='hid', history_id=None):\n history_id = history_id or os.environ['HISTORY_ID']\n gi = get_galaxy_connection(history... |
def x(history_id=None):
history_id = history_id or os.environ['HISTORY_ID']
gi = get_galaxy_connection(history_id=history_id, obj=False)
hc = HistoryClient(gi)
history = hc.show_history(history_id, visible=True, contents=True)
return history
| get_user_history | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(history_id=None):\n history_id = history_id or os.environ['HISTORY_ID']\n gi = get_galaxy_connection(history_id=history_id, obj=False)\n hc = HistoryC... |
def x(cls: Type[_Block], node: ast.stmt, test_func_node: ast.FunctionDef
) ->_Block:
add_node_parents(test_func_node)
act_block_node = node
while act_block_node.parent != test_func_node:
act_block_node = act_block_node.parent
return cls([act_block_node], LineType.act)
| build_act | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls: Type[_Block], node: ast.stmt, test_func_node: ast.FunctionDef\n ) ->_Block:\n add_node_parents(test_func_node)\n act_block_node = node\n while... |
def x(cls: Type[_Block], nodes: List[ast.stmt], max_line_number: int) ->_Block:
return cls(filter_arrange_nodes(nodes, max_line_number), LineType.arrange)
| build_arrange | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls: Type[_Block], nodes: List[ast.stmt], max_line_number: int) ->_Block:\n return cls(filter_arrange_nodes(nodes, max_line_number), LineType.arrange)\n",
... |
def x(cls: Type[_Block], nodes: List[ast.stmt], min_line_number: int) ->_Block:
return cls(filter_assert_nodes(nodes, min_line_number), LineType._assert)
| build_assert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls: Type[_Block], nodes: List[ast.stmt], min_line_number: int) ->_Block:\n return cls(filter_assert_nodes(nodes, min_line_number), LineType._assert)\n",
... |
def x(self, first_line_no: int) ->Tuple[int, int]:
if not self.nodes:
raise EmptyBlock('span requested from {} block with no nodes'.
format(self.line_type))
return get_first_token(self.nodes[0]).start[0
] - first_line_no, get_last_token(self.nodes[-1]).start[0
] - first_line_no
| get_span | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, first_line_no: int) ->Tuple[int, int]:\n if not self.nodes:\n raise EmptyBlock('span requested from {} block with no nodes'.\n forma... |
def x(self):
scripting_groups = []
aliases = {}
for cli_class in self.cli_classes:
instance = cli_class()
if getattr(instance, 'alias', None):
scripting_group = getattr(instance, 'scripting_group', None)
if scripting_group:
scripting_groups.append(scripting_group)
entry = scripting_group, instance.alias
if (scripting_group,) in aliases:
message = 'alias conflict between scripting group'
message += ' {!r} and {}'
message = message.format(scripting_group, aliases[
scripting_group,].__name__)
raise Exception(message)
if entry in aliases:
message = 'alias conflict between {} and {}'
message = message.format(aliases[entry].__name__,
cli_class.__name__)
raise Exception(message)
aliases[entry] = cli_class
else:
entry = instance.alias,
if entry in scripting_groups:
message = 'alias conflict between {}'
message += ' and scripting group {!r}'
message = message.format(cli_class.__name__, instance.alias
)
raise Exception(message)
if entry in aliases:
message = 'alias conflict be {} and {}'
message = message.format(cli_class.__name__, aliases[entry]
)
raise Exception(message)
aliases[instance.alias,] = cli_class
else:
if instance.program_name in scripting_groups:
message = 'Alias conflict between {}'
message += ' and scripting group {!r}'
message = message.format(cli_class.__name__, instance.
program_name)
raise Exception(message)
aliases[instance.program_name,] = cli_class
alias_map = {}
for key, value in aliases.items():
if len(key) == 1:
alias_map[key[0]] = value
else:
if key[0] not in alias_map:
alias_map[key[0]] = {}
alias_map[key[0]][key[1]] = value
return alias_map
| cli_aliases | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n scripting_groups = []\n aliases = {}\n for cli_class in self.cli_classes:\n instance = cli_class()\n if getattr(instance, 'alia... |
def x(self):
program_names = {}
for cli_class in self.cli_classes:
instance = cli_class()
program_names[instance.program_name] = cli_class
return program_names
| cli_program_names | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n program_names = {}\n for cli_class in self.cli_classes:\n instance = cli_class()\n program_names[instance.program_name] = cli_clas... |
def x(self):
flat_stats = OrderedDict()
for obj, port_stats in self.statistics.items():
flat_obj_stats = OrderedDict()
for group_name, group_values in port_stats.items():
for stat_name, stat_value in group_values.items():
full_stat_name = group_name + '_' + stat_name
flat_obj_stats[full_stat_name] = stat_value
flat_stats[obj.name] = flat_obj_stats
return flat_stats
| get_flat_stats | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n flat_stats = OrderedDict()\n for obj, port_stats in self.statistics.items():\n flat_obj_stats = OrderedDict()\n for group_name, gr... |
def x(self):
self.statistics = TgnObjectsDict()
for port in self.session.ports.values():
self.statistics[port] = port.read_port_stats()
return self.statistics
| read_stats | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.statistics = TgnObjectsDict()\n for port in self.session.ports.values():\n self.statistics[port] = port.read_port_stats()\n retur... |
def x(self):
self.tx_statistics = TgnObjectsDict()
for port in self.session.ports.values():
for stream in port.streams.values():
self.tx_statistics[stream] = stream.read_stats()
tpld_statistics = XenaTpldsStats(self.session).read_stats()
self.statistics = TgnObjectsDict()
for stream, stream_stats in self.tx_statistics.items():
self.statistics[stream] = OrderedDict()
self.statistics[stream]['tx'] = stream_stats
self.statistics[stream]['rx'] = OrderedDict()
stream_tpld = stream.get_attribute('ps_tpldid')
for tpld, tpld_stats in tpld_statistics.items():
if tpld.id == stream_tpld:
self.statistics[stream]['rx'][tpld] = tpld_stats
return self.statistics
| read_stats | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.tx_statistics = TgnObjectsDict()\n for port in self.session.ports.values():\n for stream in port.streams.values():\n self... |
def x(self):
self.statistics = TgnObjectsDict()
for port in self.session.ports.values():
for tpld in port.tplds.values():
self.statistics[tpld] = tpld.read_stats()
return self.statistics
| read_stats | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.statistics = TgnObjectsDict()\n for port in self.session.ports.values():\n for tpld in port.tplds.values():\n self.statis... |
def x(client_id, user_id):
data = api_call('get', 'users/{}/sets'.format(user_id), client_id=client_id
)
return [WordSet.from_dict(wordset) for wordset in data]
| get_user_sets | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(client_id, user_id):\n data = api_call('get', 'users/{}/sets'.format(user_id), client_id=client_id\n )\n return [WordSet.from_dict(wordset) for wo... |
def x(wordsets, print_terms):
if not wordsets:
print('No sets found')
else:
print('Found sets: {}'.format(len(wordsets)))
for wordset in wordsets:
print(' {}'.format(wordset))
if print_terms:
for term in wordset.terms:
print(' {}'.format(term))
| print_user_sets | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(wordsets, print_terms):\n if not wordsets:\n print('No sets found')\n else:\n print('Found sets: {}'.format(len(wordsets)))\n for wo... |
def x(*api_envs):
common_terms = []
wordsets = get_user_sets(*api_envs)
for wordset1, wordset2 in combinations(wordsets, 2):
common = wordset1.has_common(wordset2)
if common:
common_terms.append((wordset1.title, wordset2.title, common))
return common_terms
| get_common_terms | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*api_envs):\n common_terms = []\n wordsets = get_user_sets(*api_envs)\n for wordset1, wordset2 in combinations(wordsets, 2):\n common = wordset... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.