source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(request, model=None, template_name=None, template_loader=loader,
extra_context=None, post_save_redirect=None, login_required=False,
context_processors=None, form_class=None):
if extra_context is None:
extra_context = {}
if login_required and not request.user.is_authenticated:
return redirect_to_login(request.path)
model, form_class = get_model_and_form_class(model, form_class)
if request.method == 'POST':
form = form_class(request.POST, request.FILES)
if form.is_valid():
new_object = form.save()
msg = ugettext('The %(verbose_name)s was created successfully.'
) % {'verbose_name': model._meta.verbose_name}
messages.success(request, msg, fail_silently=True)
return redirect(post_save_redirect, new_object)
else:
form = form_class()
if not template_name:
template_name = '%s/%s_form.html' % (model._meta.app_label, model.
_meta.object_name.lower())
t = template_loader.get_template(template_name)
c = {'form': form}
apply_extra_context(extra_context, c)
return HttpResponse(t.render(context=c, request=request))
| create_object | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, model=None, template_name=None, template_loader=loader,\n extra_context=None, post_save_redirect=None, login_required=False,\n context_processor... |
def x(request, model=None, object_id=None, slug=None, slug_field='slug',
template_name=None, template_loader=loader, extra_context=None,
post_save_redirect=None, login_required=False, context_processors=None,
template_object_name='object', form_class=None):
if extra_context is None:
extra_context = {}
if login_required and not request.user.is_authenticated:
return redirect_to_login(request.path)
model, form_class = get_model_and_form_class(model, form_class)
obj = lookup_object(model, object_id, slug, slug_field)
if request.method == 'POST':
form = form_class(request.POST, request.FILES, instance=obj)
if form.is_valid():
obj = form.save()
msg = ugettext('The %(verbose_name)s was updated successfully.'
) % {'verbose_name': model._meta.verbose_name}
messages.success(request, msg, fail_silently=True)
return redirect(post_save_redirect, obj)
else:
form = form_class(instance=obj)
if not template_name:
template_name = '%s/%s_form.html' % (model._meta.app_label, model.
_meta.object_name.lower())
t = template_loader.get_template(template_name)
c = {'form': form, template_object_name: obj}
apply_extra_context(extra_context, c)
response = HttpResponse(t.render(context=c, request=request))
return response
| update_object | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, model=None, object_id=None, slug=None, slug_field='slug',\n template_name=None, template_loader=loader, extra_context=None,\n post_save_redirect... |
def x(request, model, post_delete_redirect, object_id=None, slug=None,
slug_field='slug', template_name=None, template_loader=loader,
extra_context=None, login_required=False, context_processors=None,
template_object_name='object'):
if extra_context is None:
extra_context = {}
if login_required and not request.user.is_authenticated:
return redirect_to_login(request.path)
obj = lookup_object(model, object_id, slug, slug_field)
if request.method == 'POST':
obj.delete()
msg = ugettext('The %(verbose_name)s was deleted.') % {'verbose_name':
model._meta.verbose_name}
messages.success(request, msg, fail_silently=True)
return HttpResponseRedirect(post_delete_redirect)
else:
if not template_name:
template_name = '%s/%s_confirm_delete.html' % (model._meta.
app_label, model._meta.object_name.lower())
t = template_loader.get_template(template_name)
c = {template_object_name: obj}
apply_extra_context(extra_context, c)
response = HttpResponse(t.render(context=c, request=request))
return response
| delete_object | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, model, post_delete_redirect, object_id=None, slug=None,\n slug_field='slug', template_name=None, template_loader=loader,\n extra_context=None, l... |
def x(self, **kw):
for k, v in kw.items():
if k not in self.params:
raise ValidationError('"%s" is not a valid parameter for %s' %
(k, self.__class__.__name__))
self.params[k].validate(v)
self._orig_kwargs.update(kw)
self.kwargs = self._orig_kwargs.copy()
| add_params | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kw):\n for k, v in kw.items():\n if k not in self.params:\n raise ValidationError('\"%s\" is not a valid parameter for %s' %\n ... |
def x(self, *args):
for a in args:
self._orig_kwargs.pop(a)
self.kwargs = self._orig_kwargs.copy()
| remove_params | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args):\n for a in args:\n self._orig_kwargs.pop(a)\n self.kwargs = self._orig_kwargs.copy()\n",
"role": "user"
},
{
"content": ... |
def x(sender, instance, action, reverse, model, pk_set, **kwargs):
if action == 'post_remove':
if not reverse:
group = instance
for person in model.objects.filter(pk__in=pk_set):
_remove_group(group, person)
else:
person = instance
for group in model.objects.filter(pk__in=pk_set):
_remove_group(group, person)
elif action == 'pre_clear':
if not reverse:
group = instance
for person in group.members.all():
_remove_group(group, person)
else:
person = instance
for group in person.groups.all():
_remove_group(group, person)
| members_changed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sender, instance, action, reverse, model, pk_set, **kwargs):\n if action == 'post_remove':\n if not reverse:\n group = instance\n ... |
def x(username):
if not username.islower():
raise UsernameInvalid(six.u('Username must be all lowercase'))
if len(username) < 2:
raise UsernameInvalid(six.u('Username must be at least 2 characters'))
if not username_re.search(username):
raise UsernameInvalid(settings.USERNAME_VALIDATION_ERROR_MSG)
return username
| validate_username | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(username):\n if not username.islower():\n raise UsernameInvalid(six.u('Username must be all lowercase'))\n if len(username) < 2:\n raise Us... |
def x(username):
validate_username(username)
count = Person.objects.filter(username__exact=username).count()
if count >= 1:
raise UsernameTaken(six.u(
'The username is already taken. Please choose another. If this was the name of your old account please email %s'
) % settings.ACCOUNTS_EMAIL)
count = Account.objects.filter(username__exact=username).count()
if count >= 1:
raise UsernameTaken(six.u(
'The username is already taken. Please choose another. If this was the name of your old account please email %s'
) % settings.ACCOUNTS_EMAIL)
if account_exists(username):
raise UsernameTaken(six.u(
'Username is already in external account datastore.'))
return username
| validate_username_for_new_person | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(username):\n validate_username(username)\n count = Person.objects.filter(username__exact=username).count()\n if count >= 1:\n raise UsernameTak... |
def x(person, username):
validate_username(username)
query = Person.objects.filter(username__exact=username)
count = query.exclude(pk=person.pk).count()
if count >= 1:
raise UsernameTaken(six.u(
'The username is already taken. Please choose another. If this was the name of your old account please email %s'
) % settings.ACCOUNTS_EMAIL)
query = Account.objects.filter(username__exact=username)
count = query.exclude(person__pk=person.pk).count()
if count >= 1:
raise UsernameTaken(six.u(
'The username is already taken. Please choose another. If this was the name of your old account please email %s'
) % settings.ACCOUNTS_EMAIL)
query = Person.objects.filter(username__exact=username)
count = query.filter(pk=person.pk).count()
if count == 0 and account_exists(username):
raise UsernameTaken(six.u(
'Username is already in external personal datastore.'))
| validate_username_for_new_account | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(person, username):\n validate_username(username)\n query = Person.objects.filter(username__exact=username)\n count = query.exclude(pk=person.pk).count... |
def x(person, username):
query = Account.objects.filter(username__exact=username,
date_deleted__isnull=True)
if query.count() > 0:
raise UsernameTaken(six.u('Username already in use.'))
if account_exists(username):
raise UsernameTaken(six.u('Username is already in datastore.'))
return username
| check_username_for_new_account | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(person, username):\n query = Account.objects.filter(username__exact=username,\n date_deleted__isnull=True)\n if query.count() > 0:\n raise ... |
def x(username, person):
validate_username(username)
count = Person.objects.filter(username__exact=username).exclude(pk=
person.pk).count()
if count >= 1:
raise UsernameTaken(six.u(
'The username is already taken by an existing person.'))
count = Account.objects.filter(username__exact=username).exclude(person
=person).count()
if count >= 1:
raise UsernameTaken(six.u(
'The username is already taken by an existing account.'))
count = Account.objects.filter(username__exact=username, person=person,
date_deleted__isnull=True).count()
if count == 0 and account_exists(username):
raise UsernameTaken(six.u(
'Username is already in external account datastore.'))
| validate_username_for_rename_person | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(username, person):\n validate_username(username)\n count = Person.objects.filter(username__exact=username).exclude(pk=\n person.pk).count()\n i... |
def x(request, application, roles, label=None):
args = []
if label is not None:
args.append(label)
if 'is_admin' in roles:
require_secret = False
elif 'is_applicant' not in roles:
require_secret = False
elif not request.user.is_authenticated:
require_secret = True
elif request.user != application.applicant:
require_secret = True
else:
require_secret = False
if not require_secret:
url = reverse('kg_application_detail', args=[application.pk,
application.state] + args)
else:
url = reverse('kg_application_unauthenticated', args=[application.
secret_token, application.state] + args)
return url
| get_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, application, roles, label=None):\n args = []\n if label is not None:\n args.append(label)\n if 'is_admin' in roles:\n require_s... |
def x(application):
url = '%s/applications/%d/' % (settings.ADMIN_BASE_URL, application.pk)
is_secret = False
return url, is_secret
| get_admin_email_link | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(application):\n url = '%s/applications/%d/' % (settings.ADMIN_BASE_URL, application.pk)\n is_secret = False\n return url, is_secret\n",
"role": "u... |
def x(application):
url = '%s/applications/%d/' % (settings.REGISTRATION_BASE_URL,
application.pk)
is_secret = False
return url, is_secret
| get_registration_email_link | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(application):\n url = '%s/applications/%d/' % (settings.REGISTRATION_BASE_URL,\n application.pk)\n is_secret = False\n return url, is_secret\n"... |
def x(application):
if (application.content_type.model == 'person' and application.
applicant.has_usable_password()):
url = '%s/applications/%d/' % (settings.REGISTRATION_BASE_URL,
application.pk)
is_secret = False
else:
url = '%s/applications/%s/' % (settings.REGISTRATION_BASE_URL,
application.secret_token)
is_secret = True
return url, is_secret
| get_email_link | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(application):\n if (application.content_type.model == 'person' and application.\n applicant.has_usable_password()):\n url = '%s/applications/%... |
def x(self, request, application, extra_roles=None):
roles = self._get_roles_for_request(request, application)
if extra_roles is not None:
roles.update(extra_roles)
if 'is_authorised' not in roles:
return HttpResponseForbidden('<h1>Access Denied</h1>')
return self._next(request, application, roles, self._first_state)
| start | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, application, extra_roles=None):\n roles = self._get_roles_for_request(request, application)\n if extra_roles is not None:\n roles.u... |
def x(self, request, application, expected_state, label, extra_roles=None):
roles = self._get_roles_for_request(request, application)
if extra_roles is not None:
roles.update(extra_roles)
if 'is_authorised' not in roles:
return HttpResponseForbidden('<h1>Access Denied</h1>')
if expected_state is None:
url = get_url(request, application, roles, label)
return HttpResponseRedirect(url)
if application.state not in self._config:
raise RuntimeError("Invalid current state '%s'" % application.state)
if expected_state != application.state:
if request.method == 'POST':
messages.warning(request,
'Discarding request and jumping to current state.')
url = get_url(request, application, roles)
return HttpResponseRedirect(url)
state_config = self._config[application.state]
instance = load_state_instance(state_config)
if request.method == 'GET':
response = instance.get_next_config(request, application, label, roles)
assert isinstance(response, HttpResponse)
return response
elif request.method == 'POST':
response = instance.get_next_config(request, application, label, roles)
if isinstance(response, HttpResponse):
return response
else:
next_config = response
return self._next(request, application, roles, next_config)
else:
return HttpResponseBadRequest('<h1>Bad Request</h1>')
| process | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, application, expected_state, label, extra_roles=None):\n roles = self._get_roles_for_request(request, application)\n if extra_roles is not... |
def x(request, application):
roles = application.get_roles_for_person(request.user)
if common.is_admin(request):
roles.add('is_admin')
roles.add('is_authorised')
return roles
| get_roles_for_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, application):\n roles = application.get_roles_for_person(request.user)\n if common.is_admin(request):\n roles.add('is_admin')\n ro... |
def x(self, request, application, roles, next_config):
if request.method == 'POST':
key = None
while True:
assert next_config['type'] in ['goto', 'transition']
while next_config['type'] == 'goto':
key = next_config['key']
next_config = self._config[key]
instance = load_instance(next_config)
if not isinstance(instance, Transition):
break
next_config = instance.get_next_config(request, application, roles)
assert key is not None
state_key = key
instance.enter_state(request, application)
application.state = state_key
application.save()
log.change(application.application_ptr, 'state: %s' % instance.name)
url = get_url(request, application, roles)
return HttpResponseRedirect(url)
else:
return HttpResponseBadRequest('<h1>Bad Request</h1>')
| next | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, application, roles, next_config):\n if request.method == 'POST':\n key = None\n while True:\n assert next_config['ty... |
def x(self, request, application, label, roles):
if label is not None:
return HttpResponseBadRequest('<h1>Bad Request</h1>')
actions = self.get_actions(request, application, roles)
if request.method == 'GET':
context = self.context
context.update({'application': application, 'actions': actions,
'state': self.name, 'roles': roles})
return render(template_name='kgapplications/common_detail.html',
context=context, request=request)
elif request.method == 'POST':
for action in actions:
if action in request.POST:
return action
return HttpResponseBadRequest('<h1>Bad Request</h1>')
| get_next_action | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, application, label, roles):\n if label is not None:\n return HttpResponseBadRequest('<h1>Bad Request</h1>')\n actions = self.get_ac... |
def x(self, request):
if not request.user.is_authenticated:
raise PermissionDenied
if not is_admin(request):
raise PermissionDenied
| check_auth | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n if not request.user.is_authenticated:\n raise PermissionDenied\n if not is_admin(request):\n raise PermissionDenied\n",
... |
def x(self, q, request):
return Institute.objects.filter(Q(name__icontains=q))
| get_query | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, q, request):\n return Institute.objects.filter(Q(name__icontains=q))\n",
"role": "user"
},
{
"content": "get_query",
"role": "assistan... |
def x(self, only_median=False, autocast=True):
if not autocast:
return self.buckets
if self.kind in ['exponential', 'linear', 'enumerated', 'boolean']:
return float(self.percentile(50)) if only_median else self.buckets
elif self.kind == 'categorical' and not only_median:
return self.buckets
elif self.kind == 'count':
return int(self.buckets[0])
elif self.kind == 'flag':
return self.buckets[1] == 1
else:
assert False
| get_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, only_median=False, autocast=True):\n if not autocast:\n return self.buckets\n if self.kind in ['exponential', 'linear', 'enumerated', 'boole... |
def x(self, percentile):
assert percentile >= 0 and percentile <= 100
assert self.kind in ['exponential', 'linear', 'enumerated', 'boolean']
fraction = percentile / 100
to_count = fraction * self.buckets.sum()
percentile_bucket = 0
for percentile_bucket in range(len(self.buckets)):
freq = self.buckets.values[percentile_bucket]
if to_count - freq <= 0:
break
to_count -= freq
percentile_lower_boundary = self.buckets.index[percentile_bucket]
percentile_frequency = self.buckets.values[percentile_bucket]
if percentile_bucket == len(self.buckets) - 1 or percentile_frequency == 0:
return percentile_lower_boundary
width = self.buckets.index[percentile_bucket + 1] - self.buckets.index[
percentile_bucket]
return percentile_lower_boundary + width * to_count / percentile_frequency
| percentile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, percentile):\n assert percentile >= 0 and percentile <= 100\n assert self.kind in ['exponential', 'linear', 'enumerated', 'boolean']\n fraction ... |
def x(self, tracktype):
self._tracktype = tracktype
if tracktype is not None:
if 'bed' in tracktype.lower():
tracktype = 'bigBed'
elif 'wig' in tracktype.lower():
tracktype = 'bigWig'
self.params.update(constants.track_typespecific_fields[tracktype])
| tracktype | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tracktype):\n self._tracktype = tracktype\n if tracktype is not None:\n if 'bed' in tracktype.lower():\n tracktype = 'bigBed'\n ... |
def x(self, **kw):
for k, v in kw.items():
if k not in self.params and k not in self.specific_params:
raise ParameterError('"%s" is not a valid parameter for %s' % (
k, self.__class__.__name__))
try:
self.params[k].validate(v)
except KeyError:
self.specific_params[k].validate(v)
self._orig_kwargs.update(kw)
self.kwargs = self._orig_kwargs.copy()
| add_params | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kw):\n for k, v in kw.items():\n if k not in self.params and k not in self.specific_params:\n raise ParameterError('\"%s\" is not ... |
def x(self, subgroups):
if subgroups is None:
subgroups = {}
assert isinstance(subgroups, dict)
self.subgroups.update(subgroups)
| add_subgroups | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subgroups):\n if subgroups is None:\n subgroups = {}\n assert isinstance(subgroups, dict)\n self.subgroups.update(subgroups)\n",
"rol... |
def x(self):
if not self.subgroups:
return ''
return ['subGroups %s' % ' '.join([('%s=%s' % (k, v)) for k, v in self.
subgroups.items()])]
| str_subgroups | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.subgroups:\n return ''\n return ['subGroups %s' % ' '.join([('%s=%s' % (k, v)) for k, v in self.\n subgroups.items()])... |
def x(self, subgroups):
if subgroups is None:
subgroups = {}
_subgroups = {}
for sg in subgroups:
assert isinstance(sg, SubGroupDefinition)
_subgroups[sg.name] = sg
self.subgroups = _subgroups
| add_subgroups | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subgroups):\n if subgroups is None:\n subgroups = {}\n _subgroups = {}\n for sg in subgroups:\n assert isinstance(sg, SubGroupDefi... |
def x(self, subtrack):
self.add_child(subtrack)
self.subtracks.append(subtrack)
| add_subtrack | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subtrack):\n self.add_child(subtrack)\n self.subtracks.append(subtrack)\n",
"role": "user"
},
{
"content": "add_subtrack",
"role": ... |
def x(self, view):
self.add_child(view)
self.views.append(view)
| add_view | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, view):\n self.add_child(view)\n self.views.append(view)\n",
"role": "user"
},
{
"content": "add_view",
"role": "assistant"
}
] |
def x(self):
s = []
i = 0
if len(self.views) > 0:
mapping = dict((i.view, i.view) for i in self.views)
view_subgroup = SubGroupDefinition(name='view', label='Views',
mapping=mapping)
i += 1
s.append('subGroup%s %s' % (i, view_subgroup))
for subgroup in self.subgroups.values():
i += 1
s.append('subGroup%s %s' % (i, subgroup))
return s
| str_subgroups | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n s = []\n i = 0\n if len(self.views) > 0:\n mapping = dict((i.view, i.view) for i in self.views)\n view_subgroup = SubGroupDefin... |
def x(self, subtracks):
if isinstance(subtracks, Track):
subtracks = [subtracks]
for subtrack in subtracks:
subtrack.subgroups['view'] = self.view
self.add_child(subtrack)
self.subtracks.append(subtrack)
| add_tracks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subtracks):\n if isinstance(subtracks, Track):\n subtracks = [subtracks]\n for subtrack in subtracks:\n subtrack.subgroups['view'] = ... |
def x(self, subtracks):
if isinstance(subtracks, BaseTrack):
subtracks = [subtracks]
for subtrack in subtracks:
self.add_child(subtrack)
self.subtracks.append(subtrack)
| add_tracks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subtracks):\n if isinstance(subtracks, BaseTrack):\n subtracks = [subtracks]\n for subtrack in subtracks:\n self.add_child(subtrack)\... |
def x(scalars):
scalar_dict = {}
for category_name in scalars:
category = scalars[category_name]
for probe_name in category:
scalar_definition = category[probe_name]
scalar_info = ScalarType(category_name, probe_name,
scalar_definition, strict_type_checks=False)
scalar_dict[scalar_info.label] = scalar_info
return scalar_dict
| parse_scalars | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(scalars):\n scalar_dict = {}\n for category_name in scalars:\n category = scalars[category_name]\n for probe_name in category:\n ... |
def x(filename, strict_type_checks=True):
scalars = None
try:
with open(filename, 'r') as f:
scalars = yaml.safe_load(f)
except IOError as e:
raise ParserError('Error opening ' + filename + ': ' + e.message)
except ValueError as e:
raise ParserError('Error parsing scalars in {}: {}.\nSee: {}'.
format(filename, e.message, BASE_DOC_URL))
scalar_list = []
for category_name in scalars:
category = scalars[category_name]
if not category or len(category) == 0:
raise ParserError(
'Category "{}" must have at least one probe in it' +
'.\nSee: {}'.format(category_name, BASE_DOC_URL))
for probe_name in category:
scalar_info = category[probe_name]
scalar_list.append(ScalarType(category_name, probe_name,
scalar_info, strict_type_checks))
return scalar_list
| load_scalars | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, strict_type_checks=True):\n scalars = None\n try:\n with open(filename, 'r') as f:\n scalars = yaml.safe_load(f)\n except ... |
def x(self, category_name, probe_name):
MAX_NAME_LENGTH = 40
for n in [category_name, probe_name]:
if len(n) > MAX_NAME_LENGTH:
raise ParserError(
"""Name '{}' exceeds maximum name length of {} characters.
See: {}#the-yaml-definition-file"""
.format(n, MAX_NAME_LENGTH, BASE_DOC_URL))
def x(name, error_msg_prefix, allowed_char_regexp):
chars_regxp = '^[a-zA-Z0-9' + allowed_char_regexp + ']+$'
if not re.search(chars_regxp, name):
raise ParserError((error_msg_prefix +
""" name must be alpha-numeric. Got: '{}'.
See: {}#the-yaml-definition-file"""
).format(name, BASE_DOC_URL))
if re.search('(^[\\d\\._])|([\\d\\._])$', name):
raise ParserError((error_msg_prefix +
""" name must not have a leading/trailing digit, a dot or underscore. Got: '{}'.
See: {}#the-yaml-definition-file"""
).format(name, BASE_DOC_URL))
check_name(category_name, 'Category', '\\.')
check_name(probe_name, 'Probe', '_')
| validate_names | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, category_name, probe_name):\n MAX_NAME_LENGTH = 40\n for n in [category_name, probe_name]:\n if len(n) > MAX_NAME_LENGTH:\n raise... |
def x(self, definition):
if not self._strict_type_checks:
return
REQUIRED_FIELDS = {'bug_numbers': list, 'description': string_types,
'expires': string_types, 'kind': string_types,
'notification_emails': list, 'record_in_processes': list}
OPTIONAL_FIELDS = {'cpp_guard': string_types,
'release_channel_collection': string_types, 'keyed': bool}
LIST_FIELDS_CONTENT = {'bug_numbers': int, 'notification_emails':
string_types, 'record_in_processes': string_types}
ALL_FIELDS = REQUIRED_FIELDS.copy()
ALL_FIELDS.update(OPTIONAL_FIELDS)
missing_fields = [f for f in REQUIRED_FIELDS.keys() if f not in definition]
if len(missing_fields) > 0:
raise ParserError(self._name + ' - missing required fields: ' +
', '.join(missing_fields) + """.
See: {}#required-fields""".
format(BASE_DOC_URL))
unknown_fields = [f for f in definition.keys() if f not in ALL_FIELDS]
if len(unknown_fields) > 0:
raise ParserError(self._name + ' - unknown fields: ' + ', '.join(
unknown_fields) + """.
See: {}#required-fields""".format(
BASE_DOC_URL))
wrong_type_names = ['{} must be {}'.format(f, utils.nice_type_name(
ALL_FIELDS[f])) for f in definition.keys() if not isinstance(
definition[f], ALL_FIELDS[f])]
if len(wrong_type_names) > 0:
raise ParserError(self._name + ' - ' + ', '.join(wrong_type_names) +
""".
See: {}#required-fields""".format(BASE_DOC_URL))
list_fields = [f for f in definition if isinstance(definition[f], list)]
for field in list_fields:
if len(definition[field]) == 0:
raise ParserError((
"Field '{}' for probe '{}' must not be empty" +
""".
See: {}#required-fields)""").format(field, self._name,
BASE_DOC_URL))
broken_types = [(not isinstance(v, LIST_FIELDS_CONTENT[field])) for
v in definition[field]]
if any(broken_types):
raise ParserError(
"""Field '{}' for probe '{}' must only contain values of type {}.
See: {}#the-yaml-definition-file)"""
.format(field, self._name, utils.nice_type_name(
LIST_FIELDS_CONTENT[field]), BASE_DOC_URL))
| validate_types | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, definition):\n if not self._strict_type_checks:\n return\n REQUIRED_FIELDS = {'bug_numbers': list, 'description': string_types,\n 'ex... |
def x(self, definition):
if not self._strict_type_checks:
return
scalar_kind = definition.get('kind')
if scalar_kind not in SCALAR_TYPES_MAP.keys():
raise ParserError(self._name + ' - unknown scalar kind: ' +
scalar_kind + '.\nSee: {}'.format(BASE_DOC_URL))
collection_policy = definition.get('release_channel_collection', None)
if collection_policy and collection_policy not in ['opt-in', 'opt-out']:
raise ParserError(self._name + ' - unknown collection policy: ' +
collection_policy + """.
See: {}#optional-fields""".format(
BASE_DOC_URL))
cpp_guard = definition.get('cpp_guard')
if cpp_guard and re.match('\\W', cpp_guard):
raise ParserError(self._name + ' - invalid cpp_guard: ' + cpp_guard +
""".
See: {}#optional-fields""".format(BASE_DOC_URL))
record_in_processes = definition.get('record_in_processes', [])
for proc in record_in_processes:
if not utils.is_valid_process_name(proc):
raise ParserError(self._name +
' - unknown value in record_in_processes: ' + proc +
'.\nSee: {}'.format(BASE_DOC_URL))
expires = definition.get('expires')
if not utils.validate_expiration_version(expires
) and self._strict_type_checks:
raise ParserError('{} - invalid expires: {}.\nSee: {}#required-fields'
.format(self._name, expires, BASE_DOC_URL))
| validate_values | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, definition):\n if not self._strict_type_checks:\n return\n scalar_kind = definition.get('kind')\n if scalar_kind not in SCALAR_TYPES_MAP.... |
def x(self, child):
child.parent = self
self.children.append(child)
return child
| add_child | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, child):\n child.parent = self\n self.children.append(child)\n return child\n",
"role": "user"
},
{
"content": "add_child",
"role... |
def x(self, parent):
parent.add_child(self)
self.parent = parent
return parent
| add_parent | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parent):\n parent.add_child(self)\n self.parent = parent\n return parent\n",
"role": "user"
},
{
"content": "add_parent",
"role"... |
def x(self, cls=None, level=0):
if cls is None:
if self.parent is None:
return self, level
elif isinstance(self, cls):
if not isinstance(self.parent, cls):
return self, level
if self.parent is None:
return None, None
return self.parent.root(cls, level - 1)
| root | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cls=None, level=0):\n if cls is None:\n if self.parent is None:\n return self, level\n elif isinstance(self, cls):\n if no... |
def x(self, cls, level=0, intermediate=False):
if intermediate:
if isinstance(self, cls):
yield self, level
elif len(self.children) == 0:
if isinstance(self, cls):
yield self, level
else:
raise StopIteration
for child in self.children:
for leaf, _level in child.leaves(cls, level + 1, intermediate=
intermediate):
yield leaf, _level
| leaves | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cls, level=0, intermediate=False):\n if intermediate:\n if isinstance(self, cls):\n yield self, level\n elif len(self.children) =... |
def x(self, staging=None):
self.validate()
created_files = OrderedDict()
if staging is None:
staging = tempfile.mkdtemp()
this = self._render(staging)
if this:
created_files[repr(self)] = this
for child in self.children:
created_files[repr(child)] = child.render(staging)
return created_files
| render | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, staging=None):\n self.validate()\n created_files = OrderedDict()\n if staging is None:\n staging = tempfile.mkdtemp()\n this = self._r... |
def x(authorised_text, authorised_role, authorised_persons, application,
link, is_secret):
context = CONTEXT.copy()
context['requester'] = application.applicant
context['link'] = link
context['is_secret'] = is_secret
context['application'] = application
context['authorised_text'] = authorised_text
_send_request_email(context, authorised_role, authorised_persons,
'common_request')
| send_request_email | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(authorised_text, authorised_role, authorised_persons, application,\n link, is_secret):\n context = CONTEXT.copy()\n context['requester'] = application... |
def x(application, link, is_secret):
if not application.applicant.email:
return
context = CONTEXT.copy()
context['receiver'] = application.applicant
context['application'] = application
context['link'] = link
context['is_secret'] = is_secret
to_email = application.applicant.email
subject, body = render_email('common_invite', context)
send_mail(subject, body, settings.ACCOUNTS_EMAIL, [to_email])
| send_invite_email | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(application, link, is_secret):\n if not application.applicant.email:\n return\n context = CONTEXT.copy()\n context['receiver'] = application.ap... |
def x(application, created_person, created_account, link, is_secret):
if not application.applicant.email:
return
context = CONTEXT.copy()
context['receiver'] = application.applicant
context['application'] = application
context['created_person'] = created_person
context['created_account'] = created_account
context['link'] = link
context['is_secret'] = is_secret
subject, body = render_email('common_approved', context)
to_email = application.applicant.email
send_mail(subject, body, settings.ACCOUNTS_EMAIL, [to_email])
| send_approved_email | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(application, created_person, created_account, link, is_secret):\n if not application.applicant.email:\n return\n context = CONTEXT.copy()\n con... |
def x(person, group):
from karaage.datastores import add_accounts_to_group
from karaage.datastores import add_accounts_to_project
from karaage.datastores import add_accounts_to_institute
a_list = person.account_set
add_accounts_to_group(a_list, group)
for project in group.project_set.all():
add_accounts_to_project(a_list, project)
for institute in group.institute_set.all():
add_accounts_to_institute(a_list, institute)
| add_person_to_group | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(person, group):\n from karaage.datastores import add_accounts_to_group\n from karaage.datastores import add_accounts_to_project\n from karaage.datasto... |
def x(person, group):
from karaage.datastores import remove_accounts_from_group
from karaage.datastores import remove_accounts_from_project
from karaage.datastores import remove_accounts_from_institute
a_list = person.account_set
remove_accounts_from_group(a_list, group)
for project in group.project_set.all():
remove_accounts_from_project(a_list, project)
for institute in group.institute_set.all():
remove_accounts_from_institute(a_list, institute)
| remove_person_from_group | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(person, group):\n from karaage.datastores import remove_accounts_from_group\n from karaage.datastores import remove_accounts_from_project\n from karaa... |
def x(sender, instance, action, reverse, model, pk_set, **kwargs):
if action == 'post_add':
if not reverse:
group = instance
for person in model.objects.filter(pk__in=pk_set):
log.change(person, 'Added person to group %s' % group)
log.change(group, 'Added person %s to group' % person)
_add_person_to_group(person, group)
else:
person = instance
for group in model.objects.filter(pk__in=pk_set):
log.change(person, 'Added person to group %s' % group)
log.change(group, 'Added person %s to group' % person)
_add_person_to_group(person, group)
elif action == 'post_remove':
if not reverse:
group = instance
for person in model.objects.filter(pk__in=pk_set):
log.change(person, 'Removed person from group %s' % group)
log.change(group, 'Removed person %s from group' % person)
_remove_person_from_group(person, group)
else:
person = instance
for group in model.objects.filter(pk__in=pk_set):
log.change(person, 'Removed person from group %s' % group)
log.change(group, 'Removed person %s from group' % person)
_remove_person_from_group(person, group)
elif action == 'pre_clear':
if not reverse:
group = instance
log.change(group, 'Removed all people from group')
for person in group.members.all():
log.change(group, 'Removed person %s from group' % person)
_remove_person_from_group(person, group)
else:
person = instance
log.change(person, 'Removed person from all groups')
for group in person.groups.all():
log.change(group, 'Removed person %s from group' % person)
_remove_person_from_group(person, group)
| members_changed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sender, instance, action, reverse, model, pk_set, **kwargs):\n if action == 'post_add':\n if not reverse:\n group = instance\n ... |
def x(s):
letters = 'XYABCDEFGHIJKLMNOPQRSTUVWZ'
return ' '.join(['dim{0}={1}'.format(dim, sg.name) for dim, sg in zip(
letters, s)])
| dimensions_from_subgroups | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s):\n letters = 'XYABCDEFGHIJKLMNOPQRSTUVWZ'\n return ' '.join(['dim{0}={1}'.format(dim, sg.name) for dim, sg in zip(\n letters, s)])\n",
"rol... |
def x(s):
dims = []
for letter, sg in zip('ABCDEFGHIJKLMNOPQRSTUVWZ', s[2:]):
dims.append('dim{0}'.format(letter))
if dims:
return ' '.join(dims)
| filter_composite_from_subgroups | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s):\n dims = []\n for letter, sg in zip('ABCDEFGHIJKLMNOPQRSTUVWZ', s[2:]):\n dims.append('dim{0}'.format(letter))\n if dims:\n return '... |
def x(h):
if not h.startswith('#') or len(h) != 7:
raise ValueError("Does not look like a hex color: '{0}'".format(h))
return ','.join(map(str, (int(h[1:3], 16), int(h[3:5], 16), int(h[5:7],
16))))
| hex2rgb | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(h):\n if not h.startswith('#') or len(h) != 7:\n raise ValueError(\"Does not look like a hex color: '{0}'\".format(h))\n return ','.join(map(str, ... |
def x(s, strict=True):
allowed = ''.join(['ABCDEFGHIJKLMNOPQRSTUVWXYZ',
'abcdefghijklmnopqrstuvwxyz', '0123456789'])
if not strict:
allowed += '-_.'
s = str(s).replace(' ', '_')
return ''.join([i for i in s if i in allowed])
| sanitize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s, strict=True):\n allowed = ''.join(['ABCDEFGHIJKLMNOPQRSTUVWXYZ',\n 'abcdefghijklmnopqrstuvwxyz', '0123456789'])\n if not strict:\n allow... |
def x(track):
hub = track.root(cls=Hub)
if hub is None:
raise ValueError(
'track is not fully connected because the root is %s' % repr(hub))
if hub.url is None:
raise ValueError('hub.url is not set')
if track.source is None:
raise ValueError('track.source is not set')
| auto_track_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(track):\n hub = track.root(cls=Hub)\n if hub is None:\n raise ValueError(\n 'track is not fully connected because the root is %s' % rep... |
def x(results_dict):
for k, v in results_dict.items():
if isinstance(v, string_types):
print('rendered file: %s (created by: %s)' % (v, k))
else:
show_rendered_files(v)
return
| show_rendered_files | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(results_dict):\n for k, v in results_dict.items():\n if isinstance(v, string_types):\n print('rendered file: %s (created by: %s)' % (v, k)... |
def x(results_dict):
class _HubComponentEncoder(json.JSONEncoder):
def x(self, o):
if isinstance(o, base.HubComponent):
return repr(o)
return json.JSONEncoder.default(self, o)
formatted = json.dumps(results_dict, indent=4, cls=_HubComponentEncoder)
for s in formatted.splitlines():
print(s.rstrip())
| print_rendered_results | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(results_dict):\n\n\n class _HubComponentEncoder(json.JSONEncoder):\n\n def x(self, o):\n if isinstance(o, base.HubComponent):\n ... |
def x():
hits = []
d = data_dir()
for fn in os.listdir(d):
fn = os.path.join(d, fn)
if os.path.splitext(fn)[-1] == '.bigBed':
hits.append(os.path.abspath(fn))
return hits
| example_bigbeds | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n hits = []\n d = data_dir()\n for fn in os.listdir(d):\n fn = os.path.join(d, fn)\n if os.path.splitext(fn)[-1] == '.bigBed':\n ... |
def x(index):
colours = ['red', 'blue', 'green', 'pink', 'yellow', 'magenta',
'orange', 'cyan']
default_colour = 'purple'
if index < len(colours):
return colours[index]
else:
return default_colour
| get_colour | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(index):\n colours = ['red', 'blue', 'green', 'pink', 'yellow', 'magenta',\n 'orange', 'cyan']\n default_colour = 'purple'\n if index < len(colo... |
def x(project, start, end):
filename = get_project_trend_graph_filename(project, start, end)
urls = {'graph_url': urlparse.urljoin(GRAPH_URL, filename + '.png'),
'data_url': urlparse.urljoin(GRAPH_URL, filename + '.csv')}
return urls
| get_project_trend_graph_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(project, start, end):\n filename = get_project_trend_graph_filename(project, start, end)\n urls = {'graph_url': urlparse.urljoin(GRAPH_URL, filename + '.... |
def x(start, end):
filename = get_institute_graph_filename(start, end)
urls = {'graph_url': urlparse.urljoin(GRAPH_URL, filename + '.png'),
'data_url': urlparse.urljoin(GRAPH_URL, filename + '.csv')}
return urls
| get_institute_graph_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(start, end):\n filename = get_institute_graph_filename(start, end)\n urls = {'graph_url': urlparse.urljoin(GRAPH_URL, filename + '.png'),\n 'data_... |
def x(start, end):
filename = get_machine_graph_filename(start, end)
urls = {'graph_url': urlparse.urljoin(GRAPH_URL, filename + '.png'),
'data_url': urlparse.urljoin(GRAPH_URL, filename + '.csv')}
return urls
| get_machine_graph_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(start, end):\n filename = get_machine_graph_filename(start, end)\n urls = {'graph_url': urlparse.urljoin(GRAPH_URL, filename + '.png'),\n 'data_ur... |
def x(start, end):
filename = get_trend_graph_filename(start, end)
urls = {'graph_url': urlparse.urljoin(GRAPH_URL, filename + '.png'),
'data_url': urlparse.urljoin(GRAPH_URL, filename + '.csv')}
return urls
| get_trend_graph_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(start, end):\n filename = get_trend_graph_filename(start, end)\n urls = {'graph_url': urlparse.urljoin(GRAPH_URL, filename + '.png'),\n 'data_url'... |
def x(institute, start, end):
filename = get_institute_trend_graph_filename(institute, start, end)
urls = {'graph_url': urlparse.urljoin(GRAPH_URL, filename + '.png'),
'data_url': urlparse.urljoin(GRAPH_URL, filename + '.csv')}
return urls
| get_institute_trend_graph_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(institute, start, end):\n filename = get_institute_trend_graph_filename(institute, start, end)\n urls = {'graph_url': urlparse.urljoin(GRAPH_URL, filenam... |
def x(start, end):
graph_list = []
for institute in Institute.objects.all():
urls = get_institute_trend_graph_url(institute, start, end)
urls['institute'] = institute
graph_list.append(urls)
return graph_list
| get_institutes_trend_graph_urls | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(start, end):\n graph_list = []\n for institute in Institute.objects.all():\n urls = get_institute_trend_graph_url(institute, start, end)\n ... |
def x(request):
ctx = {'SHIB_SUPPORTED': settings.SHIB_SUPPORTED, 'org_name': settings.
ACCOUNTS_ORG_NAME, 'accounts_email': settings.ACCOUNTS_EMAIL,
'is_admin': is_admin(request), 'kgversion': __version__,
'BUILD_DATE': settings.BUILD_DATE, 'VCS_REF': settings.VCS_REF,
'SLURM_VER': settings.SLURM_VER}
return ctx
| common | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n ctx = {'SHIB_SUPPORTED': settings.SHIB_SUPPORTED, 'org_name': settings.\n ACCOUNTS_ORG_NAME, 'accounts_email': settings.ACCOUNTS_EMAIL,\n... |
def x(request):
from .models import Application
ctx = {}
if request.user.is_authenticated:
person = request.user
my_applications = Application.objects.get_for_applicant(person)
requires_attention = Application.objects.requires_attention(request)
ctx['pending_applications'] = my_applications.count(
) + requires_attention.count()
return ctx
| context_processor | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n from .models import Application\n ctx = {}\n if request.user.is_authenticated:\n person = request.user\n my_applications = A... |
def x(self, username, email, short_name, full_name, institute, password,
is_admin, **extra_fields):
person = self.model(username=username, email=email, short_name=
short_name, full_name=full_name, is_admin=is_admin, institute=
institute, **extra_fields)
person.set_password(password)
person.save()
return person
| create_user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username, email, short_name, full_name, institute, password,\n is_admin, **extra_fields):\n person = self.model(username=username, email=email, sho... |
def x(self, username, email, short_name, full_name, institute, password=
None, **extra_fields):
return self._create_user(username=username, email=email, short_name=
short_name, full_name=full_name, institute=institute, password=
password, is_admin=False, **extra_fields)
| create_user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username, email, short_name, full_name, institute, password=\n None, **extra_fields):\n return self._create_user(username=username, email=email, sh... |
def x(self, username, email, short_name, full_name, institute, password, **
extra_fields):
return self._create_user(username=username, email=email, institute=
institute, password=password, short_name=short_name, full_name=
full_name, is_admin=True, **extra_fields)
| create_superuser | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username, email, short_name, full_name, institute, password, **\n extra_fields):\n return self._create_user(username=username, email=email, institu... |
def x(context, application):
new_context = {'roles': context['roles'], 'org_name': context[
'org_name'], 'application': application}
nodelist = template.loader.get_template(
'kgapplications/%s_common_state.html' % application.type)
output = nodelist.render(new_context)
return output
| application_state | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context, application):\n new_context = {'roles': context['roles'], 'org_name': context[\n 'org_name'], 'application': application}\n nodelist = te... |
def x(context, application):
state_machine = get_state_machine(application)
state = state_machine.get_state(application)
return state.name
| application_simple_state | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context, application):\n state_machine = get_state_machine(application)\n state = state_machine.get_state(application)\n return state.name\n",
"ro... |
def x(parser, token):
nodelist = parser.parse(('end_application_actions',))
parser.delete_first_token()
return ApplicationActionsPlus(nodelist)
| do_application_actions_plus | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parser, token):\n nodelist = parser.parse(('end_application_actions',))\n parser.delete_first_token()\n return ApplicationActionsPlus(nodelist)\n",
... |
def x(cmds, **kwargs):
proc = sp.Popen(cmds, bufsize=-1, stdout=sp.PIPE, stderr=sp.STDOUT,
close_fds=sys.platform != 'win32')
for line in proc.stdout:
print(line[:-1].decode())
retcode = proc.wait()
if retcode:
raise sp.CalledProcessError(retcode, cmds)
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cmds, **kwargs):\n proc = sp.Popen(cmds, bufsize=-1, stdout=sp.PIPE, stderr=sp.STDOUT,\n close_fds=sys.platform != 'win32')\n for line in proc.std... |
def x(target, linkname):
target = os.path.abspath(target)
linkname = os.path.abspath(linkname)
if not os.path.exists(target):
raise ValueError('target {} not found'.format(target))
link_dir = os.path.dirname(linkname)
if not os.path.exists(link_dir):
os.makedirs(link_dir)
run(['ln', '-s', '-f', target, linkname])
return linkname
| symlink | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(target, linkname):\n target = os.path.abspath(target)\n linkname = os.path.abspath(linkname)\n if not os.path.exists(target):\n raise ValueErro... |
def x(host, user, local_dir, remote_dir, rsync_options=RSYNC_OPTIONS):
if user is None:
user = ''
else:
user = user + '@'
if host is None or host == 'localhost':
host = ''
else:
host = host + ':'
if not local_dir.endswith('/'):
local_dir = local_dir + '/'
if not remote_dir.endswith('/'):
remote_dir = remote_dir + '/'
remote_string = '{user}{host}{remote_dir}'.format(**locals())
cmds = ['rsync']
cmds += shlex.split(rsync_options)
cmds += [local_dir, remote_string]
run(cmds)
return [remote_string]
| upload | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(host, user, local_dir, remote_dir, rsync_options=RSYNC_OPTIONS):\n if user is None:\n user = ''\n else:\n user = user + '@'\n if host is... |
def x(local_fn, remote_fn, staging):
linkname = os.path.join(staging, remote_fn.lstrip(os.path.sep))
return symlink(local_fn, linkname)
| local_link | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(local_fn, remote_fn, staging):\n linkname = os.path.join(staging, remote_fn.lstrip(os.path.sep))\n return symlink(local_fn, linkname)\n",
"role": "us... |
def x(x, staging):
linknames = []
non_file_objects = (track.ViewTrack, track.CompositeTrack, track.
AggregateTrack, track.SuperTrack, genome.Genome)
if isinstance(x, non_file_objects):
return linknames
linknames.append(x.render(staging))
if hasattr(x, 'source') and hasattr(x, 'filename'):
def x(x, ext=''):
if x.source is None and x.filename is None and getattr(x, 'url',
None) is not None:
return
linknames.append(local_link(x.source + ext, x.filename + ext,
staging))
_stg(x)
if isinstance(x, track.Track):
if x.tracktype == 'bam':
_stg(x, ext='.bai')
if x.tracktype == 'vcfTabix':
_stg(x, ext='.tbi')
if isinstance(x, track.CompositeTrack):
if x._html:
_stg(x._html)
return linknames
| stage | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, staging):\n linknames = []\n non_file_objects = (track.ViewTrack, track.CompositeTrack, track.\n AggregateTrack, track.SuperTrack, genome.Genom... |
def x(hub, staging=None):
linknames = []
if staging is None:
staging = tempfile.mkdtemp()
for obj, level in hub.leaves(base.HubComponent, intermediate=True):
linknames.extend(stage(obj, staging))
return staging, linknames
| stage_hub | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(hub, staging=None):\n linknames = []\n if staging is None:\n staging = tempfile.mkdtemp()\n for obj, level in hub.leaves(base.HubComponent, int... |
def x(hub, host, remote_dir, user=None, port=22, rsync_options=
RSYNC_OPTIONS, staging=None):
hub.render()
if staging is None:
staging = tempfile.mkdtemp()
staging, linknames = stage_hub(hub, staging=staging)
local_dir = os.path.join(staging)
upload(host, user, local_dir=local_dir, remote_dir=remote_dir,
rsync_options=rsync_options)
return linknames
| upload_hub | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(hub, host, remote_dir, user=None, port=22, rsync_options=\n RSYNC_OPTIONS, staging=None):\n hub.render()\n if staging is None:\n staging = temp... |
def x(machine, project_id):
try:
project = Project.objects.get(pid=project_id)
except Project.DoesNotExist:
return 'Project not found'
return [x.username for x in project.group.members.all()]
| get_project_members | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(machine, project_id):\n try:\n project = Project.objects.get(pid=project_id)\n except Project.DoesNotExist:\n return 'Project not found'\n ... |
def x(machine):
query = Project.active.all()
return [x.pid for x in query]
| get_projects | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(machine):\n query = Project.active.all()\n return [x.pid for x in query]\n",
"role": "user"
},
{
"content": "get_projects",
"role": "assi... |
def x(username, project, machine_name=None):
try:
account = Account.objects.get(username=username,
date_deleted__isnull=True)
except Account.DoesNotExist:
return "Account '%s' not found" % username
if project is None:
project = account.default_project
else:
try:
project = Project.objects.get(pid=project)
except Project.DoesNotExist:
project = account.default_project
if project is None:
return 'None'
if account.person not in project.group.members.all():
project = account.default_project
if project is None:
return 'None'
if account.person not in project.group.members.all():
return 'None'
return project.pid
| get_project | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(username, project, machine_name=None):\n try:\n account = Account.objects.get(username=username,\n date_deleted__isnull=True)\n except ... |
def x(user):
person = user
projects = person.projects.filter(is_active=True)
return 0, [x.pid for x in projects]
| get_users_projects | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user):\n person = user\n projects = person.projects.filter(is_active=True)\n return 0, [x.pid for x in projects]\n",
"role": "user"
},
{
"... |
def x(request, template, extra_context=None, mimetype=None, **kwargs):
if extra_context is None:
extra_context = {}
dictionary = {'params': kwargs}
for key, value in extra_context.items():
if callable(value):
dictionary[key] = value()
else:
dictionary[key] = value
t = loader.get_template(template)
return HttpResponse(t.render(context=dictionary, request=request),
content_type=mimetype)
| direct_to_template | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, template, extra_context=None, mimetype=None, **kwargs):\n if extra_context is None:\n extra_context = {}\n dictionary = {'params': kwargs... |
def x(request, url, permanent=True, query_string=False, **kwargs):
args = request.META.get('QUERY_STRING', '')
if url is not None:
if kwargs:
url = url % kwargs
if args and query_string:
url = '%s?%s' % (url, args)
klass = (permanent and HttpResponsePermanentRedirect or
HttpResponseRedirect)
return klass(url)
else:
logger.warning('Gone: %s', request.path, extra={'status_code': 410,
'request': request})
return HttpResponseGone()
| redirect_to | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, url, permanent=True, query_string=False, **kwargs):\n args = request.META.get('QUERY_STRING', '')\n if url is not None:\n if kwargs:\n ... |
def x(username, password, old_password=None):
try:
minlength = settings.MIN_PASSWORD_LENGTH
except AttributeError:
minlength = 12
if len(password) < minlength:
raise ValueError('Password must be at least %s characters long' %
minlength)
if username is not None and username in password:
raise ValueError('Password contains username')
return _assert_password(password, old_password)
| assert_strong_password | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(username, password, old_password=None):\n try:\n minlength = settings.MIN_PASSWORD_LENGTH\n except AttributeError:\n minlength = 12\n if... |
def x(cls: str) ->LdapObjectClass:
if isinstance(cls, str):
module_name, _, name = cls.rpartition('.')
module = importlib.import_module(module_name)
try:
cls = getattr(module, name)
except AttributeError:
raise AttributeError('%s reference cannot be found' % cls)
return cls
| lookup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls: str) ->LdapObjectClass:\n if isinstance(cls, str):\n module_name, _, name = cls.rpartition('.')\n module = importlib.import_module(module... |
def x(self, account: Account) ->None:
person = account.person
if self._primary_group == 'institute':
lgroup = self._get_group(person.institute.group.name)
elif self._primary_group == 'default_project':
if account.default_project is None:
lgroup = self._get_group(self._default_primary_group)
else:
lgroup = self._get_group(account.default_project.group.name)
else:
raise RuntimeError('Unknown value of PRIMARY_GROUP.')
if account.default_project is None:
default_project = 'none'
else:
default_project = account.default_project.pid
try:
luser = self._get_account(account.username)
changes = changeset(luser, {})
new_user = False
except ObjectDoesNotExist:
new_user = True
luser = self._account_class()
changes = changeset(luser, {'uid': account.username})
changes = changes.merge({'gidNumber': lgroup['gidNumber'], 'givenName':
person.first_name, 'sn': person.last_name, 'telephoneNumber':
_str_or_none(person.telephone), 'mail': _str_or_none(person.email),
'title': _str_or_none(person.title), 'o': person.institute.name,
'cn': person.full_name, 'default_project': default_project,
'loginShell': account.shell, 'locked': account.is_locked()})
save(changes, database=self._database)
if new_user:
for group in account.person.groups.all():
self.add_account_to_group(account, group)
| save_account | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, account: Account) ->None:\n person = account.person\n if self._primary_group == 'institute':\n lgroup = self._get_group(person.institute.gro... |
def x(self, account):
try:
luser = self._get_account(account.username)
groups = luser['groups'].load(database=self._database)
for group in groups:
changes = changeset(group, {})
changes = group.remove_member(changes, luser)
save(changes, database=self._database)
delete(luser, database=self._database)
except ObjectDoesNotExist:
pass
| delete_account | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, account):\n try:\n luser = self._get_account(account.username)\n groups = luser['groups'].load(database=self._database)\n for gro... |
def x(self, account, raw_password):
luser = self._get_account(account.username)
changes = changeset(luser, {'password': raw_password})
save(changes, database=self._database)
| set_account_password | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, account, raw_password):\n luser = self._get_account(account.username)\n changes = changeset(luser, {'password': raw_password})\n save(changes, d... |
def x(self, account, old_username, new_username):
luser = self._get_account(old_username)
rename(luser, database=self._database, uid=new_username)
| set_account_username | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, account, old_username, new_username):\n luser = self._get_account(old_username)\n rename(luser, database=self._database, uid=new_username)\n",
... |
def x(self, account, group):
lgroup: OpenldapGroup = self._get_group(group.name)
person: OpenldapAccount = self._get_account(account.username)
changes = changeset(lgroup, {})
changes = lgroup.add_member(changes, person)
save(changes, database=self._database)
| add_account_to_group | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, account, group):\n lgroup: OpenldapGroup = self._get_group(group.name)\n person: OpenldapAccount = self._get_account(account.username)\n changes... |
def x(self, account):
result = {}
try:
luser = self._get_account(account.username)
luser = preload(luser, database=self._database)
except ObjectDoesNotExist:
return result
for i, j in luser.items():
if i != 'userPassword' and j is not None:
result[i] = j
return result
| get_account_details | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, account):\n result = {}\n try:\n luser = self._get_account(account.username)\n luser = preload(luser, database=self._database)\n e... |
def x(self, group):
try:
lgroup = self._get_group(group.name)
changes = changeset(lgroup, {})
except ObjectDoesNotExist:
lgroup = self._group_class()
changes = changeset(lgroup, {'cn': group.name})
changes = changes.merge({'description': group.description})
save(changes, database=self._database)
| save_group | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, group):\n try:\n lgroup = self._get_group(group.name)\n changes = changeset(lgroup, {})\n except ObjectDoesNotExist:\n lgroup ... |
def x(self, group):
try:
lgroup = self._get_group(group.name)
delete(lgroup, database=self._database)
except ObjectDoesNotExist:
pass
| delete_group | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, group):\n try:\n lgroup = self._get_group(group.name)\n delete(lgroup, database=self._database)\n except ObjectDoesNotExist:\n ... |
def x(self, group, old_name, new_name):
lgroup = self._get_group(old_name)
rename(lgroup, database=self._database, cn=new_name)
| set_group_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, group, old_name, new_name):\n lgroup = self._get_group(old_name)\n rename(lgroup, database=self._database, cn=new_name)\n",
"role": "user"
},... |
def x(self, group):
result = {}
try:
lgroup = self._get_group(group.name)
lgroup = preload(lgroup, database=self._database)
except ObjectDoesNotExist:
return result
for i, j in lgroup.items():
if j is not None:
result[i] = j
return result
| get_group_details | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, group):\n result = {}\n try:\n lgroup = self._get_group(group.name)\n lgroup = preload(lgroup, database=self._database)\n except O... |
def x(sample):
rank = 1
ranks = {}
for k in sorted(sample.keys()):
n = sample[k]
ranks[k] = rank + (n - 1) / 2
rank += n
return ranks
| rank | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sample):\n rank = 1\n ranks = {}\n for k in sorted(sample.keys()):\n n = sample[k]\n ranks[k] = rank + (n - 1) / 2\n rank += n\n ... |
def x(sample):
tc = 0
n = sum(sample.values())
if n < 2:
return 1.0
for k in sorted(sample.keys()):
tc += math.pow(sample[k], 3) - sample[k]
tc = 1 - tc / (math.pow(n, 3) - n)
return tc
| tie_correct | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sample):\n tc = 0\n n = sum(sample.values())\n if n < 2:\n return 1.0\n for k in sorted(sample.keys()):\n tc += math.pow(sample[k], 3... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.