source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, ip):
ip = ipaddr.IPAddress(ip)
rev = reversename(ip.exploded)
revip, _ = rev.split(3)
lookup = revip.concatenate(self.provider).to_text()
contacts = self._get_txt_record(lookup)
if contacts:
return contacts.split(',')
| find | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ip):\n ip = ipaddr.IPAddress(ip)\n rev = reversename(ip.exploded)\n revip, _ = rev.split(3)\n lookup = revip.concatenate(self.provider).to_te... |
def x(self, parent, obj_type, **attributes):
return self.ixnCommand('add', parent.obj_ref(), obj_type,
get_args_pairs(attributes))
| add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parent, obj_type, **attributes):\n return self.ixnCommand('add', parent.obj_ref(), obj_type,\n get_args_pairs(attributes))\n",
"role": "use... |
def x(form, field):
try:
current_app.jinja_env.get_template(field.data)
except TemplateNotFound:
raise ValidationError(_('Template selected does not exist'))
| template_exists | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(form, field):\n try:\n current_app.jinja_env.get_template(field.data)\n except TemplateNotFound:\n raise ValidationError(_('Template select... |
def x(form, field):
if form._obj is not None:
if field.data.id == form._obj.list_id:
raise ValidationError(_(
'You cannot assign list page itself as a child.'))
| same_page_choosen | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(form, field):\n if form._obj is not None:\n if field.data.id == form._obj.list_id:\n raise ValidationError(_(\n 'You cannot... |
def x(columns):
cols = ''
for c in columns:
cols = cols + wrap(c) + ', '
return cols[:-2]
| cols_str | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(columns):\n cols = ''\n for c in columns:\n cols = cols + wrap(c) + ', '\n return cols[:-2]\n",
"role": "user"
},
{
"content": "col... |
def x(cols):
return ', '.join([i for i in cols]) if isinstance(cols, (list, tuple, set)
) else cols
| join_cols | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cols):\n return ', '.join([i for i in cols]) if isinstance(cols, (list, tuple, set)\n ) else cols\n",
"role": "user"
},
{
"content": "joi... |
def x(model_label, order_field_names):
labels = resolve_labels(model_label)
model = get_model(labels['app'], labels['model'])
class OrderItemBase(models.Model):
"""
Dynamic order class base.
"""
item = models.ForeignKey(model_label)
timestamp = models.DateTimeField(auto_now=True)
class Meta:
abstract = True
app_label = 'order'
class Admin(admin.ModelAdmin):
"""
Dynamic order admin class.
"""
list_display = ('item_link',) + tuple(order_field_names)
list_editable = order_field_names
def x(self, request):
return {}
@csrf_protect_m
def x(self, request, extra_context=None):
list_url = reverse('admin:%s_%s_changelist' % (labels['app'],
labels['model'].lower()))
add_url = reverse('admin:%s_%s_add' % (labels['app'], labels[
'model'].lower()))
result = super(Admin, self).changelist_view(request,
extra_context={'add_url': add_url, 'list_url': list_url,
'related_opts': model._meta})
return result
def x(self, obj):
url = reverse('admin:%s_%s_change' % (labels['app'], labels[
'model'].lower()), args=(obj.item.id,))
return '<a href="%s">%s</a>' % (url, str(obj.item))
item_link.allow_tags = True
item_link.short_description = 'Item'
attrs = {'__module__': 'order.models'}
fields = {}
for field in order_field_names:
fields[field] = models.IntegerField()
attrs.update(fields)
order_item_class_name = resolve_order_item_class_name(labels)
order_model = type(order_item_class_name, (OrderItemBase,), attrs)
admin.site.register(order_model, Admin)
from order import managers
setattr(QuerySet, 'user_order_by', managers.user_order_by)
return order_model
| create_order_classes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model_label, order_field_names):\n labels = resolve_labels(model_label)\n model = get_model(labels['app'], labels['model'])\n\n\n class OrderItemBase(... |
def x(model, order_fields):
for rel in model._meta.get_all_related_objects():
rel_model = rel.model
if rel_model.__module__ == 'order.models':
objs = model.objects.all()
values = {}
for order_field in order_fields:
order_objs = rel_model.objects.all().order_by('-%s' %
order_field)
try:
values[order_field] = getattr(order_objs[0], order_field
) + 1
except IndexError:
values[order_field] = 1
for obj in objs:
try:
rel_model.objects.get(item=obj)
except rel_model.DoesNotExist:
rel_model.objects.create(item=obj, **values)
for key in values:
values[key] += 1
| create_order_objects | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model, order_fields):\n for rel in model._meta.get_all_related_objects():\n rel_model = rel.model\n if rel_model.__module__ == 'order.models':... |
def x(cls):
if not getattr(settings, 'ORDERABLE_MODELS', None):
return False
labels = resolve_labels(cls)
if labels['app_model'] in settings.ORDERABLE_MODELS:
return settings.ORDERABLE_MODELS[labels['app_model']]
return False
| is_orderable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n if not getattr(settings, 'ORDERABLE_MODELS', None):\n return False\n labels = resolve_labels(cls)\n if labels['app_model'] in settings.... |
def x(model_label):
labels = {}
labels['app'] = model_label.split('.')[0]
labels['model'] = model_label.split('.')[-1]
labels['app_model'] = '%s.%s' % (labels['app'], labels['model'])
return labels
| resolve_labels | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model_label):\n labels = {}\n labels['app'] = model_label.split('.')[0]\n labels['model'] = model_label.split('.')[-1]\n labels['app_model'] = '%s.... |
def x(model):
to_order_dict = {}
order_field_names = []
for field in model._meta.fields:
if isinstance(field, models.IntegerField):
order_field_names.append(field.name)
for field_name in order_field_names:
to_order_dict[field_name] = list(model.objects.all().order_by(
field_name, '-timestamp'))
updates = {}
for field_name, object_list in to_order_dict.items():
for i, obj in enumerate(object_list):
position = i + 1
if getattr(obj, field_name) != position:
if obj in updates:
updates[obj][field_name] = position
else:
updates[obj] = {field_name: position}
for obj, fields in updates.items():
for field, value in fields.items():
setattr(obj, field, value)
obj.save()
| sanitize_order | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model):\n to_order_dict = {}\n order_field_names = []\n for field in model._meta.fields:\n if isinstance(field, models.IntegerField):\n ... |
def x(self):
klass = None
lookup_url_kwarg = self.lookup_url_kwarg or self.lookup_field
if lookup_url_kwarg in self.kwargs:
klass = self.get_object().__class__
elif 'doctype' in self.request.REQUEST:
base = self.model.get_base_class()
doctypes = indexable_registry.families[base]
try:
klass = doctypes[self.request.REQUEST['doctype']]
except KeyError:
raise Http404
if hasattr(klass, 'get_serializer_class'):
return klass.get_serializer_class()
return super(ContentViewSet, self).get_serializer_class()
| get_serializer_class | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n klass = None\n lookup_url_kwarg = self.lookup_url_kwarg or self.lookup_field\n if lookup_url_kwarg in self.kwargs:\n klass = self.get_... |
def x(self, obj, created=False):
from bulbs.content.tasks import index
index.delay(obj.polymorphic_ctype_id, obj.pk)
message = 'Created' if created else 'Saved'
LogEntry.objects.log(self.request.user, obj, message)
return super(ContentViewSet, self).post_save(obj, created=created)
| post_save | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj, created=False):\n from bulbs.content.tasks import index\n index.delay(obj.polymorphic_ctype_id, obj.pk)\n message = 'Created' if created el... |
def x(self, request, *args, **kwargs):
search_kwargs = {'published': False}
for field_name in ('before', 'after', 'status', 'published'):
if field_name in get_query_params(self.request):
search_kwargs[field_name] = get_query_params(self.request).get(
field_name)
for field_name in ('tags', 'types', 'feature_types'):
if field_name in get_query_params(self.request):
search_kwargs[field_name] = get_query_params(self.request).getlist(
field_name)
if 'search' in get_query_params(self.request):
search_kwargs['query'] = get_query_params(self.request).get('search')
queryset = self.model.search_objects.search(**search_kwargs)
if 'authors' in get_query_params(self.request):
authors = get_query_params(self.request).getlist('authors')
queryset = queryset.filter(Authors(authors))
if 'exclude' in get_query_params(self.request):
exclude = get_query_params(self.request).get('exclude')
queryset = queryset.filter(es_filter.Not(es_filter.Type(**{'value':
exclude})))
queryset = queryset.filter(es_filter.Not(filter=es_filter.Type(value=
get_superfeature_model().search_objects.mapping.doc_type)))
page = self.paginate_queryset(queryset)
if page is not None:
serializer = self.get_serializer(page, many=True)
return self.get_paginated_response(serializer.data)
serializer = self.get_serializer(queryset, many=True)
return Response(serializer.data)
| list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, *args, **kwargs):\n search_kwargs = {'published': False}\n for field_name in ('before', 'after', 'status', 'published'):\n if field... |
def x(self, request, **kwargs):
content = self.get_object()
if 'published' in get_request_data(request):
if not get_request_data(request)['published']:
content.published = None
else:
publish_dt = parse_datetime(get_request_data(request)['published'])
if publish_dt:
publish_dt = publish_dt.astimezone(timezone.utc)
else:
publish_dt = None
content.published = publish_dt
else:
content.published = timezone.now()
content.save()
LogEntry.objects.log(request.user, content, content.get_status())
return Response({'status': content.get_status(), 'published': content.
published})
| publish | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, **kwargs):\n content = self.get_object()\n if 'published' in get_request_data(request):\n if not get_request_data(request)['publish... |
def x(self, request, **kwargs):
content = self.get_object()
content.indexed = False
content.save()
LogEntry.objects.log(request.user, content, 'Trashed')
return Response({'status': 'Trashed'})
| trash | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, **kwargs):\n content = self.get_object()\n content.indexed = False\n content.save()\n LogEntry.objects.log(request.user, content, 'T... |
def x(self, request, **kwargs):
content = self.get_object()
return Response({'status': content.get_status()})
| status | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, **kwargs):\n content = self.get_object()\n return Response({'status': content.get_status()})\n",
"role": "user"
},
{
"content"... |
def x(self, request, **kwargs):
if Contribution not in get_models():
return Response([])
if request.method == 'POST':
serializer = ContributionSerializer(data=get_request_data(request),
many=True)
if not serializer.is_valid():
return Response(serializer.errors, status=status.
HTTP_400_BAD_REQUEST)
serializer.save()
return Response(serializer.data)
else:
content_pk = kwargs.get('pk', None)
if content_pk is None:
return Response([], status=status.HTTP_404_NOT_FOUND)
queryset = Contribution.search_objects.search().filter(es_filter.
Term(**{'content.id': content_pk}))
serializer = ContributionSerializer(queryset[:queryset.count()].
sort('id'), many=True)
return Response(serializer.data)
| contributions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, **kwargs):\n if Contribution not in get_models():\n return Response([])\n if request.method == 'POST':\n serializer = Contri... |
def x(self, request, **kwargs):
data = {'content': self.get_object().id, 'create_date':
get_request_data(request)['create_date'], 'expire_date':
get_request_data(request)['expire_date']}
serializer = ObfuscatedUrlInfoSerializer(data=data)
if not serializer.is_valid():
return Response(serializer.errors, status=status.
HTTP_400_BAD_REQUEST, content_type='application/json')
serializer.save()
return Response(serializer.data, status=status.HTTP_200_OK,
content_type='application/json')
| create_token | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, **kwargs):\n data = {'content': self.get_object().id, 'create_date':\n get_request_data(request)['create_date'], 'expire_date':\n ... |
def x(self, request, **kwargs):
infos = [ObfuscatedUrlInfoSerializer(info).data for info in
ObfuscatedUrlInfo.objects.filter(content=self.get_object())]
return Response(infos, status=status.HTTP_200_OK, content_type=
'application/json')
| list_tokens | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, **kwargs):\n infos = [ObfuscatedUrlInfoSerializer(info).data for info in\n ObfuscatedUrlInfo.objects.filter(content=self.get_object())... |
def x(self):
qs = LogEntry.objects.all()
content_id = get_query_params(self.request).get('content', None)
if content_id:
qs = qs.filter(object_id=content_id)
return qs
| get_queryset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n qs = LogEntry.objects.all()\n content_id = get_query_params(self.request).get('content', None)\n if content_id:\n qs = qs.filter(objec... |
def x(self, request, *args, **kwargs):
data = get_request_data(request).copy()
data['user'] = request.user.id
serializer = self.get_serializer(data=data, files=request.FILES)
if serializer.is_valid():
self.pre_save(serializer.object)
self.object = serializer.save(force_insert=True)
self.post_save(self.object, created=True)
headers = self.get_success_headers(serializer.data)
return Response(serializer.data, status=status.HTTP_201_CREATED,
headers=headers)
return Response(serializer.errors, status=status.HTTP_400_BAD_REQUEST)
| create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, *args, **kwargs):\n data = get_request_data(request).copy()\n data['user'] = request.user.id\n serializer = self.get_serializer(data=da... |
def x(self):
author_filter = getattr(settings, 'BULBS_AUTHOR_FILTER', {'is_staff': True}
)
queryset = self.model.objects.filter(**author_filter).distinct()
return queryset
| get_queryset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n author_filter = getattr(settings, 'BULBS_AUTHOR_FILTER', {'is_staff': True}\n )\n queryset = self.model.objects.filter(**author_filter).d... |
def x(self, request, *args, **kwargs):
data = UserSerializer().to_representation(request.user)
if request.user.is_superuser:
data['is_superuser'] = True
secret = getattr(settings, 'FIREBASE_SECRET', None)
if secret:
firebase_auth_payload = {'id': request.user.pk, 'username': request
.user.username, 'email': request.user.email, 'is_staff':
request.user.is_staff}
data['firebase_token'] = create_token(secret, firebase_auth_payload)
return Response(data)
| retrieve | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, *args, **kwargs):\n data = UserSerializer().to_representation(request.user)\n if request.user.is_superuser:\n data['is_superuser'] ... |
def x(self, request):
query = get_query_params(request).get('search', '')
results = []
base = self.model.get_base_class()
doctypes = indexable_registry.families[base]
for doctype, klass in doctypes.items():
name = klass._meta.verbose_name.title()
if query.lower() in name.lower():
results.append(dict(name=name, doctype=doctype))
results.sort(key=lambda x: x['name'])
return Response(dict(results=results))
| list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n query = get_query_params(request).get('search', '')\n results = []\n base = self.model.get_base_class()\n doctypes = indexable_re... |
def x(self, request, *args, **kwargs):
queryset = self.get_filtered_queryset(get_request_data(request))
page = self.paginate_queryset(queryset)
if page is not None:
serializer = self.get_serializer(page, many=True)
return self.get_paginated_response(serializer.data)
serializer = self.get_serializer(queryset, many=True)
return Response(serializer.data)
| list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, *args, **kwargs):\n queryset = self.get_filtered_queryset(get_request_data(request))\n page = self.paginate_queryset(queryset)\n if pag... |
def x(self, request, *args, **kwargs):
return self.list(request, *args, **kwargs)
| create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, *args, **kwargs):\n return self.list(request, *args, **kwargs)\n",
"role": "user"
},
{
"content": "create",
"role": "assistan... |
def x(self, course_id, end_time=None, start_time=None):
path = {}
data = {}
params = {}
"""ID"""
path['course_id'] = course_id
"""The beginning of the time range from which you want events."""
if start_time is not None:
params['start_time'] = start_time
"""The end of the time range from which you want events."""
if end_time is not None:
params['end_time'] = end_time
self.logger.debug(
'GET /api/v1/audit/course/courses/{course_id} with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('GET',
'/api/v1/audit/course/courses/{course_id}'.format(**path), data=
data, params=params, all_pages=True)
| query_by_course | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, course_id, end_time=None, start_time=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['course_id'] = course_id\n \"... |
def x(dt):
global time
time += dt
disc.inner_radius = disc.outer_radius = 2.5 + math.sin(time / 2.0) * 1.5
| vary_radius | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dt):\n global time\n time += dt\n disc.inner_radius = disc.outer_radius = 2.5 + math.sin(time / 2.0) * 1.5\n",
"role": "user"
},
{
"conten... |
def x(self):
for x in self._yield_all(self.pre_stream):
yield x
for x in self._yield_all(self.layout):
yield x
yield """
<div id="%s">
<script>
var MyFlaskSRMutationObserver = (function () {
var prefixes = ['WebKit', 'Moz', 'O', 'Ms', '']
for(var i=0; i < prefixes.length; i++) {
if(prefixes[i] + 'MutationObserver' in window) {
return window[prefixes[i] + 'MutationObserver'];
}
}
return false;
}());
if(MyFlaskSRMutationObserver) {
var target = document.getElementById('%s');
var observerFlaskSR = new MyFlaskSRMutationObserver(function(mutations) {
mutations.forEach(function(mutation) {
var obj = mutation.addedNodes[0];
if(obj instanceof HTMLElement) {
var referenceId = obj.getAttribute('sr-id');
if(referenceId) {
document.getElementById('%s').querySelectorAll("*[ref-sr-id='"+referenceId+"']")[0].innerHTML = obj.innerHTML;
obj.innerHTML = '';
}
}
});
});
var config = {
childList: true
}
observerFlaskSR.observe(target, config);
document.addEventListener("DOMContentLoaded", function(event) {
observerFlaskSR.disconnect();
});
}
else {
console.log("MutationObserver not found!");
}
</script>""" % (
self.stream_div_id, self.stream_div_id, self.stream_div_layout_id)
for x in self._yield_all(self.components):
yield x
yield '</div>'
for x in self._yield_all(self.post_stream):
yield x
| aggregate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for x in self._yield_all(self.pre_stream):\n yield x\n for x in self._yield_all(self.layout):\n yield x\n yield \"\"\"\n ... |
def x(duration):
if duration in ('0', '+0', '-0'):
return datetime.timedelta()
pattern = re.compile('([\\d\\.]+)([a-zµμ]+)')
total = 0
sign = -1 if duration[0] == '-' else 1
matches = pattern.findall(duration)
if not len(matches):
raise Exception('Invalid duration {}'.format(duration))
for value, unit in matches:
if unit not in units:
raise Exception('Unknown unit {} in duration {}'.format(unit,
duration))
try:
total += float(value) * units[unit]
except:
raise Exception('Invalid value {} in duration {}'.format(value,
duration))
microseconds = total / _microsecond_size
return datetime.timedelta(microseconds=sign * microseconds)
| from_str | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(duration):\n if duration in ('0', '+0', '-0'):\n return datetime.timedelta()\n pattern = re.compile('([\\\\d\\\\.]+)([a-zµμ]+)')\n total = 0\n ... |
def x(delta, extended=False):
total_seconds = delta.total_seconds()
sign = '-' if total_seconds < 0 else ''
nanoseconds = abs(total_seconds * _second_size)
if total_seconds < 1:
result_str = _to_str_small(nanoseconds, extended)
else:
result_str = _to_str_large(nanoseconds, extended)
return '{}{}'.format(sign, result_str)
| to_str | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(delta, extended=False):\n total_seconds = delta.total_seconds()\n sign = '-' if total_seconds < 0 else ''\n nanoseconds = abs(total_seconds * _second_... |
def x(self, old_table, new_table):
try:
command = 'RENAME TABLE {0} TO {1}'.format(wrap(old_table), wrap(
new_table))
except:
command = 'ALTER TABLE {0} RENAME {1}'.format(wrap(old_table), wrap
(new_table))
self.execute(command)
self._printer('Renamed {0} to {1}'.format(wrap(old_table), wrap(new_table))
)
return old_table, new_table
| rename | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, old_table, new_table):\n try:\n command = 'RENAME TABLE {0} TO {1}'.format(wrap(old_table), wrap(\n new_table))\n except:\n ... |
def x(self, name):
statement = (
'CREATE DATABASE {0} DEFAULT CHARACTER SET latin1 COLLATE latin1_swedish_ci'
.format(wrap(name)))
return self.execute(statement)
| create_database | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n statement = (\n 'CREATE DATABASE {0} DEFAULT CHARACTER SET latin1 COLLATE latin1_swedish_ci'\n .format(wrap(name)))\n return... |
def x(self, name, data, columns=None, add_pk=True):
if name in self.tables:
self.drop(name)
if not columns:
columns = data[0]
for row in data:
assert len(row) == len(columns)
col_types = {columns[i]: sql_column_type([d[i] for d in data],
prefer_int=True, prefer_varchar=True) for i in range(0, len(columns))}
cols = ''.join(['\t{0} {1},\n'.format(name, type_) for name, type_ in
col_types.items()])[:-2] + '\n'
statement = 'CREATE TABLE {0} ({1}{2})'.format(name, '\n', cols)
self.execute(statement)
if add_pk:
self.set_primary_key_auto()
return True
| create_table | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, data, columns=None, add_pk=True):\n if name in self.tables:\n self.drop(name)\n if not columns:\n columns = data[0]\n for ro... |
def x(self, email, token):
url = (u'{notification_url}{notification_code}?email={email}&token={token}'
.format(notification_url=self.notification_url, notification_code=
self.notification_code, email=email, token=token))
req = requests.get(url)
if req.status_code == 200:
self.xml = req.text
logger.debug(u'XML com informacoes da transacao recebido: {0}'.
format(self.xml))
transaction_dict = xmltodict.parse(self.xml)
transaction_schema(transaction_dict)
self.transaction = transaction_dict.get('transaction')
else:
raise PagSeguroApiException(
u'Erro ao fazer request para a API de notificacao:' +
' HTTP Status=%s - Response: %s' % (req.status_code, req.text))
| get_notification | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, email, token):\n url = (u'{notification_url}{notification_code}?email={email}&token={token}'\n .format(notification_url=self.notification_url, ... |
def x(self):
if type(self.transaction['items']['item']) == list:
return self.transaction['items']['item']
else:
return [self.transaction['items']['item']]
| items | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if type(self.transaction['items']['item']) == list:\n return self.transaction['items']['item']\n else:\n return [self.transaction[... |
def x(self, polls_question, polls_description=None):
path = {}
data = {}
params = {}
"""The title of the poll."""
data['polls[question]'] = polls_question
"""A brief description or instructions for the poll."""
if polls_description is not None:
data['polls[description]'] = polls_description
self.logger.debug(
'POST /api/v1/polls with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('POST', '/api/v1/polls'.format(**path),
data=data, params=params, no_data=True)
| create_single_poll | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, polls_question, polls_description=None):\n path = {}\n data = {}\n params = {}\n \"\"\"The title of the poll.\"\"\"\n data['polls[question... |
def x(address, timeout=_GLOBAL_DEFAULT_TIMEOUT, source_address=None):
host, port = address
err = None
for res in getaddrinfo(host, port, 0 if has_ipv6 else AF_INET, SOCK_STREAM
):
af, socktype, proto, _canonname, sa = res
sock = None
try:
sock = socket(af, socktype, proto)
if timeout is not _GLOBAL_DEFAULT_TIMEOUT:
sock.settimeout(timeout)
if source_address:
sock.bind(source_address)
sock.connect(sa)
return sock
except error:
err = sys.exc_info()[1]
six.exc_clear()
if sock is not None:
sock.close()
if err is not None:
raise err
else:
raise error('getaddrinfo returns an empty list')
| create_connection | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(address, timeout=_GLOBAL_DEFAULT_TIMEOUT, source_address=None):\n host, port = address\n err = None\n for res in getaddrinfo(host, port, 0 if has_ipv6... |
def x(sender, instance=None, **kwargs):
if getattr(instance, '_index', True):
cls = instance.get_real_instance_class()
index = cls.search_objects.mapping.index
doc_type = cls.search_objects.mapping.doc_type
cls.search_objects.client.delete(index, doc_type, instance.id,
ignore=[404])
| content_deleted | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sender, instance=None, **kwargs):\n if getattr(instance, '_index', True):\n cls = instance.get_real_instance_class()\n index = cls.search_obje... |
def x(self, *args, **kwargs):
self.slug = slugify(self.name)[:50]
return super(Tag, self).save(*args, **kwargs)
| save | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n self.slug = slugify(self.name)[:50]\n return super(Tag, self).save(*args, **kwargs)\n",
"role": "user"
},
{
"conten... |
def x(self, *args, **kwargs):
if self.slug is None or self.slug == '':
self.slug = slugify(self.name)
feature_type = super(FeatureType, self).save(*args, **kwargs)
if self.instant_article_is_dirty:
index_feature_type_content.delay(self.pk)
self._db_instant_article = self.instant_article
if self.is_new:
update_feature_type_rates.delay(self.pk)
return feature_type
| save | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n if self.slug is None or self.slug == '':\n self.slug = slugify(self.name)\n feature_type = super(FeatureType, self).save... |
def x(self):
if self.thumbnail_override.id is not None:
return self.thumbnail_override
first_image = self.first_image
if first_image is not None:
return first_image
return self.thumbnail_override
| thumbnail | [
{
"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.thumbnail_override.id is not None:\n return self.thumbnail_override\n first_image = self.first_image\n if first_image is not N... |
def x(self):
for model_field in self._meta.fields:
if isinstance(model_field, ImageField):
if model_field.name is not 'thumbnail_override':
field_value = getattr(self, model_field.name)
if field_value.id is not None:
return field_value
return None
| first_image | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for model_field in self._meta.fields:\n if isinstance(model_field, ImageField):\n if model_field.name is not 'thumbnail_override'... |
def x(self):
try:
url = reverse('content-detail-view', kwargs={'pk': self.pk, 'slug':
self.slug})
except NoReverseMatch:
url = None
return url
| get_absolute_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n url = reverse('content-detail-view', kwargs={'pk': self.pk, 'slug':\n self.slug})\n except NoReverseMatch:\n url... |
def x(self):
if self.published:
now = timezone.now()
if now >= self.published:
return True
return False
| is_published | [
{
"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.published:\n now = timezone.now()\n if now >= self.published:\n return True\n return False\n",
"role": "use... |
def x(self):
tags = list(self.tags.all())
return sorted(tags, key=lambda tag: (type(tag) != Tag) * 100000 + tag.
count(), reverse=True)
| ordered_tags | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n tags = list(self.tags.all())\n return sorted(tags, key=lambda tag: (type(tag) != Tag) * 100000 + tag.\n count(), reverse=True)\n",
"r... |
def x(self, *args, **kwargs):
if not self.slug:
self.slug = slugify(self.build_slug())[:self._meta.get_field('slug'
).max_length]
if not self.is_indexed:
if kwargs is None:
kwargs = {}
kwargs['index'] = False
content = super(Content, self).save(*args, **kwargs)
index_content_contributions.delay(self.id)
index_content_report_content_proxy.delay(self.id)
post_to_instant_articles_api.delay(self.id)
return content
| save | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n if not self.slug:\n self.slug = slugify(self.build_slug())[:self._meta.get_field('slug'\n ).max_length]\n if ... |
def x(self, max_size=10, sponsored_only=False):
now_epoch = datetime_to_epoch_seconds(timezone.now())
MANUALLY_ADDED_BOOST = 10
SPONSORED_BOOST = 100
if sponsored_only:
unsponsored_boost = 0
else:
unsponsored_boost = 1.0 / SPONSORED_BOOST
sponsored_filter = {'query': {'function_score': {'functions': [{
'filter': {'exists': {'field': 'start_date'}}, 'field_value_factor':
{'field': 'start_date'}}, {'filter': {'not': {'exists': {'field':
'start_date'}}}, 'weight': 0}, {'filter': {'not': {'prefix': {'_id':
'specialcoverage'}}}, 'weight': 0}, {'filter': {'terms': {
'included_ids': [self.id]}}, 'weight': MANUALLY_ADDED_BOOST}, {
'filter': {'or': [{'range': {'start_date_epoch': {'gt': now_epoch}}
}, {'range': {'end_date_epoch': {'lte': now_epoch}}}]}, 'weight': 0
}, {'filter': {'term': {'sponsored': False}}, 'weight':
unsponsored_boost}]}}, 'sort': '_score', 'size': max_size}
results = _percolate(index=self.mapping.index, doc_type=self.mapping.
doc_type, content_id=self.id, body=sponsored_filter)
return [r['_id'] for r in results if r['_score'] > 0]
| percolate_special_coverage | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, max_size=10, sponsored_only=False):\n now_epoch = datetime_to_epoch_seconds(timezone.now())\n MANUALLY_ADDED_BOOST = 10\n SPONSORED_BOOST = 100\... |
def x(self, user, content, message):
return self.create(user=user, content_type=ContentType.objects.
get_for_model(content), object_id=content.pk, change_message=message)
| log | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user, content, message):\n return self.create(user=user, content_type=ContentType.objects.\n get_for_model(content), object_id=content.pk, chan... |
def x(self, *args, **kwargs):
if not self.id:
self.url_uuid = str(uuid.uuid4()).replace('-', '')
super(ObfuscatedUrlInfo, self).save(*args, **kwargs)
| save | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n if not self.id:\n self.url_uuid = str(uuid.uuid4()).replace('-', '')\n super(ObfuscatedUrlInfo, self).save(*args, **kwar... |
def x(self, localdir):
path = '{0}/playlists'.format(localdir)
if not os.path.exists(path):
os.makedirs(path)
filepath = '{0}/{1}'.format(path, self.gen_filename())
playlist = open(filepath, 'w')
for track in self.get_tracks():
playlist.write('{0}/{1}.mp3\n'.format(os.path.abspath(track.
gen_localdir(localdir)), track.gen_filename()))
playlist.close()
| write_playlist_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, localdir):\n path = '{0}/playlists'.format(localdir)\n if not os.path.exists(path):\n os.makedirs(path)\n filepath = '{0}/{1}'.format(pat... |
def x(self):
return filter(lambda m: not m[0].startswith('__') and not inspect.
isfunction(m[1]) and not inspect.ismethod(m[1]), inspect.getmembers
(self.__class__))
| getmembers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return filter(lambda m: not m[0].startswith('__') and not inspect.\n isfunction(m[1]) and not inspect.ismethod(m[1]), inspect.getmembers\n ... |
def x(self, arguments):
for attribute_name, type_instance in self.getmembers():
if isinstance(type_instance, DataType):
self._templates[attribute_name] = type_instance
value = None
if attribute_name in arguments:
value = arguments[attribute_name]
try:
self._attributes[attribute_name] = type_instance.validate(value
)
except exception.RequiredAttributeError:
self._attributes[attribute_name] = None
| create_instance_attributes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, arguments):\n for attribute_name, type_instance in self.getmembers():\n if isinstance(type_instance, DataType):\n self._templates[at... |
def x(self):
_attribute_keys = list()
for attribute_name, type_instance in self.getmembers():
if isinstance(type_instance, DataType):
_attribute_keys.append(attribute_name)
return _attribute_keys
| get_attribute_keys | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n _attribute_keys = list()\n for attribute_name, type_instance in self.getmembers():\n if isinstance(type_instance, DataType):\n ... |
def x(self, value, attribute_filter=None, minified=False):
if self._required and (value is None or not isinstance(value, dict)):
"""
Model level validation requires a parsed dictionary
this is done by the serializer
"""
raise exception.RequiredAttributeError()
if not self._required and not value:
"""
Value was not provided by caller, but require a template
"""
return None
_model_instance = self.__class__()
rewrite_map = self.attribute_rewrite_map()
from prestans.parser import AttributeFilter
from prestans.parser import AttributeFilterImmutable
for attribute_name, type_instance in self.getmembers():
if not isinstance(type_instance, DataType):
raise TypeError('%s must be a DataType subclass' % attribute_name)
if isinstance(attribute_filter, (AttributeFilter,
AttributeFilterImmutable)
) and not attribute_filter.is_attribute_visible(attribute_name):
_model_instance._attributes[attribute_name] = None
continue
validation_input = None
input_value_key = attribute_name
if minified is True:
input_value_key = rewrite_map[attribute_name]
if input_value_key in value:
validation_input = value[input_value_key]
try:
if isinstance(type_instance, DataCollection):
sub_attribute_filter = None
if attribute_filter and attribute_name in attribute_filter:
sub_attribute_filter = getattr(attribute_filter,
attribute_name)
validated_object = type_instance.validate(validation_input,
sub_attribute_filter, minified)
else:
validated_object = type_instance.validate(validation_input)
_model_instance._attributes[attribute_name] = validated_object
except exception.DataValidationException as exp:
raise exception.ValidationError(message=str(exp),
attribute_name=attribute_name, value=validation_input,
blueprint=type_instance.blueprint())
return _model_instance
| validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, attribute_filter=None, minified=False):\n if self._required and (value is None or not isinstance(value, dict)):\n \"\"\"\n Mo... |
def x(self):
rewrite_map = dict()
token_rewrite_map = self.generate_attribute_token_rewrite_map()
for attribute_name, type_instance in self.getmembers():
if isinstance(type_instance, DataType):
attribute_tokens = attribute_name.split('_')
rewritten_attribute_name = ''
for token in attribute_tokens:
rewritten_attribute_name += token_rewrite_map[token] + '_'
rewritten_attribute_name = rewritten_attribute_name[:-1]
rewrite_map[attribute_name] = rewritten_attribute_name
return rewrite_map
| attribute_rewrite_map | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n rewrite_map = dict()\n token_rewrite_map = self.generate_attribute_token_rewrite_map()\n for attribute_name, type_instance in self.getmembers... |
def x(self, attribute_filter=None, minified=False):
from prestans.parser import AttributeFilter
from prestans.parser import AttributeFilterImmutable
from prestans.types import Array
model_dictionary = dict()
rewrite_map = self.attribute_rewrite_map()
if isinstance(attribute_filter, AttributeFilter):
attribute_filter = attribute_filter.as_immutable()
for attribute_name, type_instance in self.getmembers():
if isinstance(attribute_filter, (AttributeFilter,
AttributeFilterImmutable)
) and not attribute_filter.is_attribute_visible(attribute_name):
continue
serialized_attribute_name = attribute_name
if minified is True:
serialized_attribute_name = rewrite_map[attribute_name]
if attribute_name not in self._attributes or self._attributes[
attribute_name] is None:
if isinstance(type_instance, Array):
model_dictionary[serialized_attribute_name] = []
else:
model_dictionary[serialized_attribute_name] = None
continue
if isinstance(type_instance, DataCollection):
sub_attribute_filter = None
if isinstance(attribute_filter, (AttributeFilter,
AttributeFilterImmutable)
) and attribute_name in attribute_filter:
sub_attribute_filter = getattr(attribute_filter, attribute_name
)
model_dictionary[serialized_attribute_name] = self._attributes[
attribute_name].as_serializable(sub_attribute_filter, minified)
elif isinstance(type_instance, DataStructure):
python_value = self._attributes[attribute_name]
serializable_value = type_instance.as_serializable(python_value)
model_dictionary[serialized_attribute_name] = serializable_value
elif isinstance(type_instance, DataType):
model_dictionary[serialized_attribute_name] = self._attributes[
attribute_name]
return model_dictionary
| as_serializable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, attribute_filter=None, minified=False):\n from prestans.parser import AttributeFilter\n from prestans.parser import AttributeFilterImmutable\n f... |
def x(self, course_id, enrollment_type, enrollment_user_id,
enrollment_associated_user_id=None, enrollment_course_section_id=None,
enrollment_enrollment_state=None,
enrollment_limit_privileges_to_course_section=None, enrollment_notify=
None, enrollment_role=None, enrollment_role_id=None,
enrollment_self_enrolled=None, enrollment_self_enrollment_code=None):
path = {}
data = {}
params = {}
"""ID"""
path['course_id'] = course_id
"""The ID of the user to be enrolled in the course."""
data['enrollment[user_id]'] = enrollment_user_id
"""Enroll the user as a student, teacher, TA, observer, or designer. If no
value is given, the type will be inferred by enrollment[role] if supplied,
otherwise 'StudentEnrollment' will be used."""
self._validate_enum(enrollment_type, ['StudentEnrollment',
'TeacherEnrollment', 'TaEnrollment', 'ObserverEnrollment',
'DesignerEnrollment'])
data['enrollment[type]'] = enrollment_type
"""Assigns a custom course-level role to the user."""
if enrollment_role is not None:
data['enrollment[role]'] = enrollment_role
"""Assigns a custom course-level role to the user."""
if enrollment_role_id is not None:
data['enrollment[role_id]'] = enrollment_role_id
"""If set to 'active,' student will be immediately enrolled in the course.
Otherwise they will be required to accept a course invitation. Default is
'invited.'.
If set to 'inactive', student will be listed in the course roster for
teachers, but will not be able to participate in the course until
their enrollment is activated."""
if enrollment_enrollment_state is not None:
self._validate_enum(enrollment_enrollment_state, ['active',
'invited', 'inactive'])
data['enrollment[enrollment_state]'] = enrollment_enrollment_state
"""The ID of the course section to enroll the student in. If the
section-specific URL is used, this argument is redundant and will be
ignored."""
if enrollment_course_section_id is not None:
data['enrollment[course_section_id]'] = enrollment_course_section_id
"""If set, the enrollment will only allow the user to see and interact with
users enrolled in the section given by course_section_id.
* For teachers and TAs, this includes grading privileges.
* Section-limited students will not see any users (including teachers
and TAs) not enrolled in their sections.
* Users may have other enrollments that grant privileges to
multiple sections in the same course."""
if enrollment_limit_privileges_to_course_section is not None:
data['enrollment[limit_privileges_to_course_section]'
] = enrollment_limit_privileges_to_course_section
"""If true, a notification will be sent to the enrolled user.
Notifications are not sent by default."""
if enrollment_notify is not None:
data['enrollment[notify]'] = enrollment_notify
"""If the current user is not allowed to manage enrollments in this
course, but the course allows self-enrollment, the user can self-
enroll as a student in the default section by passing in a valid
code. When self-enrolling, the user_id must be 'self'. The
enrollment_state will be set to 'active' and all other arguments
will be ignored."""
if enrollment_self_enrollment_code is not None:
data['enrollment[self_enrollment_code]'
] = enrollment_self_enrollment_code
"""If true, marks the enrollment as a self-enrollment, which gives
students the ability to drop the course if desired. Defaults to false."""
if enrollment_self_enrolled is not None:
data['enrollment[self_enrolled]'] = enrollment_self_enrolled
"""For an observer enrollment, the ID of a student to observe. The
caller must have +manage_students+ permission in the course.
This is a one-off operation; to automatically observe all a
student's enrollments (for example, as a parent), please use
the {api:UserObserveesController#create User Observees API}."""
if enrollment_associated_user_id is not None:
data['enrollment[associated_user_id]'] = enrollment_associated_user_id
self.logger.debug(
'POST /api/v1/courses/{course_id}/enrollments with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('POST',
'/api/v1/courses/{course_id}/enrollments'.format(**path), data=data,
params=params, single_item=True)
| enroll_user_courses | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, course_id, enrollment_type, enrollment_user_id,\n enrollment_associated_user_id=None, enrollment_course_section_id=None,\n enrollment_enrollment_st... |
def x(self, id, course_id, task=None):
path = {}
data = {}
params = {}
"""ID"""
path['course_id'] = course_id
"""ID"""
path['id'] = id
"""The action to take on the enrollment.
When inactive, a user will still appear in the course roster to admins, but be unable to participate.
("inactivate" and "deactivate" are equivalent tasks)"""
if task is not None:
self._validate_enum(task, ['conclude', 'delete', 'inactivate',
'deactivate'])
params['task'] = task
self.logger.debug(
'DELETE /api/v1/courses/{course_id}/enrollments/{id} with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('DELETE',
'/api/v1/courses/{course_id}/enrollments/{id}'.format(**path), data
=data, params=params, single_item=True)
| conclude_deactivate_or_delete_enrollment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, course_id, task=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['course_id'] = course_id\n \"\"\"ID\"\"\"\n ... |
def x(interfaces, vlan, count=1):
filtered_interfaces = []
for interface in interfaces:
if interface.obj_type() == 'interface':
ixn_vlan = interface.get_object_by_type('vlan')
vlanEnable = is_true(ixn_vlan.get_attribute('vlanEnable'))
vlanCount = int(ixn_vlan.get_attribute('vlanCount'))
elif interface.obj_type() == 'range':
ixn_vlan = interface.get_object_by_type('vlanRange')
vlanEnable = is_true(ixn_vlan.get_attribute('enabled'))
vlanCount = len(ixn_vlan.get_objects_by_type('vlanIdInfo'))
else:
ixn_vlan = interface.get_object_by_type('ethernet')
vlanEnable = is_true(ixn_vlan.get_attribute('useVlans'))
vlanCount = int(ixn_vlan.get_attribute('vlanCount'))
if not vlanEnable ^ vlan and vlanCount == count:
filtered_interfaces.append(interface)
return filtered_interfaces
| filter_ints_based_on_vlan | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(interfaces, vlan, count=1):\n filtered_interfaces = []\n for interface in interfaces:\n if interface.obj_type() == 'interface':\n ixn_v... |
def x(self, **attributes):
attributes['enabled'] = True
if 'name' in self._data:
attributes['description'] = self._data['name']
obj_ref = self.api.add(self.obj_parent(), self.obj_type(), **attributes)
self.api.commit()
return self.api.remapIds(obj_ref)
| create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **attributes):\n attributes['enabled'] = True\n if 'name' in self._data:\n attributes['description'] = self._data['name']\n obj_ref = sel... |
def x(self, model, column_names=None, unique=None, primary_key=None, index=
None, foreign_key=None, check=None):
column_names = list(column_names) if column_names else None
with self.connection.cursor() as cursor:
constraints = get_constraints(cursor, model._meta.db_table)
result = []
for name, infodict in constraints.items():
if column_names is None or column_names == infodict['columns']:
if unique is not None and infodict['unique'] != unique:
continue
if primary_key is not None and infodict['primary_key'
] != primary_key:
continue
if index is not None and infodict['index'] != index:
continue
if check is not None and infodict['check'] != check:
continue
if foreign_key is not None and not infodict['foreign_key']:
continue
result.append(name)
return result
| constraint_names | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, model, column_names=None, unique=None, primary_key=None, index=\n None, foreign_key=None, check=None):\n column_names = list(column_names) if colum... |
def x(self):
return isinstance(self._element_template, Boolean) or isinstance(self.
_element_template, Float) or isinstance(self._element_template, Integer
) or isinstance(self._element_template, String)
| is_scalar | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return isinstance(self._element_template, Boolean) or isinstance(self.\n _element_template, Float) or isinstance(self._element_template, Int... |
def x(self, value, attribute_filter=None, minified=False):
if not self._required and value is None:
return None
elif self._required and value is None:
raise exception.RequiredAttributeError()
_validated_value = self.__class__(element_template=self.
_element_template, min_length=self._min_length, max_length=self.
_max_length)
if not isinstance(value, (list, tuple)):
raise TypeError(value)
for array_element in value:
if isinstance(self._element_template, DataCollection):
validated_array_element = self._element_template.validate(
array_element, attribute_filter, minified)
else:
validated_array_element = self._element_template.validate(
array_element)
_validated_value.append(validated_array_element)
if self._min_length is not None and len(_validated_value
) < self._min_length:
raise exception.LessThanMinimumError(value, self._min_length)
if self._max_length is not None and len(_validated_value
) > self._max_length:
raise exception.MoreThanMaximumError(value, self._max_length)
return _validated_value
| validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, attribute_filter=None, minified=False):\n if not self._required and value is None:\n return None\n elif self._required and value is N... |
def x(http_method_handler):
@wraps(http_method_handler)
def x(self, *args, **kwargs):
if not self.__provider_config__.authentication:
_message = (
'Service available to authenticated users only, no auth context provider set in handler'
)
authentication_error = prestans.exception.AuthenticationError(
_message)
authentication_error.request = self.request
raise authentication_error
if not self.__provider_config__.authentication.is_authenticated_user():
authentication_error = prestans.exception.AuthenticationError()
authentication_error.request = self.request
raise authentication_error
http_method_handler(self, *args, **kwargs)
return secure_http_method_handler
| login_required | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(http_method_handler):\n\n @wraps(http_method_handler)\n def x(self, *args, **kwargs):\n if not self.__provider_config__.authentication:\n ... |
def x(role_name=None):
def x(http_method_handler):
@wraps(http_method_handler)
def x(self, *args, **kwargs):
if role_name is None:
_message = 'Role name must be provided'
authorization_error = prestans.exception.AuthorizationError(
_message)
authorization_error.request = self.request
raise authorization_error
if not self.__provider_config__.authentication:
_message = (
'Service available to authenticated users only, no auth context provider set in handler'
)
authentication_error = prestans.exception.AuthenticationError(
_message)
authentication_error.request = self.request
raise authentication_error
if (not self.__provider_config__.authentication.
current_user_has_role(role_name)):
authorization_error = prestans.exception.AuthorizationError(
role_name)
authorization_error.request = self.request
raise authorization_error
http_method_handler(self, *args, **kwargs)
return wraps(http_method_handler)(secure_http_method_handler)
return _role_required
| role_required | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(role_name=None):\n\n def x(http_method_handler):\n\n @wraps(http_method_handler)\n def x(self, *args, **kwargs):\n if role_name is ... |
def x(config=None):
def x(http_method_handler):
def x(self, *args, **kwargs):
if not self.__provider_config__.authentication:
_message = (
'Service available to authenticated users only, no auth context provider set in handler'
)
authentication_error = prestans.exception.AuthenticationError(
_message)
authentication_error.request = self.request
raise authentication_error
if not self.__provider_config__.authentication.is_authorized_user(
config):
_message = 'Service available to authorized users only'
authorization_error = prestans.exception.AuthorizationError(
_message)
authorization_error.request = self.request
raise authorization_error
http_method_handler(self, *args, **kwargs)
return wraps(http_method_handler)(secure_http_method_handler)
return _access_required
| access_required | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config=None):\n\n def x(http_method_handler):\n\n def x(self, *args, **kwargs):\n if not self.__provider_config__.authentication:\n ... |
def x(self):
output_dictionary = dict()
for key, value in iter(self._key_map.items()):
if isinstance(value, bool):
output_dictionary[key] = value
elif isinstance(value, self.__class__):
output_dictionary[key] = value.as_dict()
return output_dictionary
| as_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n output_dictionary = dict()\n for key, value in iter(self._key_map.items()):\n if isinstance(value, bool):\n output_dictionary[... |
def x(config):
from autocmake.extract import extract_list
s = []
s.append('\n\ndef gen_cmake_command(options, arguments):')
s.append(' """')
s.append(' Generate CMake command based on options and arguments.')
s.append(' """')
s.append(' command = []')
for env in config['export']:
s.append(' command.append({0})'.format(env))
s.append(" command.append(arguments['--cmake-executable'])")
for definition in config['define']:
s.append(' command.append({0})'.format(definition))
s.append(
" command.append('-DCMAKE_BUILD_TYPE={0}'.format(arguments['--type']))"
)
s.append(
' command.append(\'-G"{0}"\'.format(arguments[\'--generator\']))')
s.append(' if arguments[\'--cmake-options\'] != "\'\'":')
s.append(" command.append(arguments['--cmake-options'])")
s.append(" if arguments['--prefix']:")
s.append(
' command.append(\'-DCMAKE_INSTALL_PREFIX="{0}"\'.format(arguments[\'--prefix\']))'
)
s.append("""
return ' '.join(command)""")
return '\n'.join(s)
| gen_cmake_command | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config):\n from autocmake.extract import extract_list\n s = []\n s.append('\\n\\ndef gen_cmake_command(options, arguments):')\n s.append(' \"\"\... |
def x(config, default_build_type, relative_path, setup_script_name):
from autocmake.extract import extract_list
s = []
s.append('#!/usr/bin/env python')
s.append('\n{0}'.format(autogenerated_notice()))
s.append('\nimport os')
s.append('import sys')
s.append("assert sys.version_info >= (2, 6), 'Python >= 2.6 is required'")
s.append("\nsys.path.insert(0, '{0}')".format(relative_path))
s.append('from autocmake import configure')
s.append('from autocmake.external import docopt')
s.append('\n\noptions = """')
s.append('Usage:')
s.append(' ./{0} [options] [<builddir>]'.format(setup_script_name))
s.append(' ./{0} (-h | --help)'.format(setup_script_name))
s.append('\nOptions:')
options = []
for opt in config['docopt']:
first = opt.split()[0].strip()
rest = ' '.join(opt.split()[1:]).strip()
options.append([first, rest])
options.append(['--type=<TYPE>',
'Set the CMake build type (debug, release, relwithdebinfo, minsizerel) [default: {0}].'
.format(default_build_type)])
options.append(['--generator=<STRING>',
'Set the CMake build system generator [default: Unix Makefiles].'])
options.append(['--show', 'Show CMake command and exit.'])
options.append(['--cmake-executable=<CMAKE_EXECUTABLE>',
'Set the CMake executable [default: cmake].'])
options.append(['--cmake-options=<STRING>',
"Define options to CMake [default: '']."])
options.append(['--prefix=<PATH>',
'Set the install path for make install.'])
options.append(['<builddir>', 'Build directory.'])
options.append(['-h --help', 'Show this screen.'])
s.append(align_options(options))
s.append('"""')
s.append(gen_cmake_command(config))
s.append('\n')
s.append('# parse command line args')
s.append('try:')
s.append(' arguments = docopt.docopt(options, argv=None)')
s.append('except docopt.DocoptExit:')
s.append(
" sys.stderr.write('ERROR: bad input to {0}\\n'.format(sys.argv[0]))"
)
s.append(' sys.stderr.write(options)')
s.append(' sys.exit(-1)')
s.append('\n')
s.append('# use extensions to validate/post-process args')
s.append("if configure.module_exists('extensions'):")
s.append(' import extensions')
s.append(' arguments = extensions.postprocess_args(sys.argv, arguments)'
)
s.append('\n')
s.append('root_directory = os.path.dirname(os.path.realpath(__file__))')
s.append('\n')
s.append("build_path = arguments['<builddir>']")
s.append('\n')
s.append('# create cmake command')
s.append(
"cmake_command = '{0} -H{1}'.format(gen_cmake_command(options, arguments), root_directory)"
)
s.append('\n')
s.append('# run cmake')
s.append(
"configure.configure(root_directory, build_path, cmake_command, arguments['--show'])"
)
return s
| gen_setup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config, default_build_type, relative_path, setup_script_name):\n from autocmake.extract import extract_list\n s = []\n s.append('#!/usr/bin/env python... |
def x(project_name, project_language, min_cmake_version, default_build_type,
relative_path, modules):
import os
s = []
s.append(autogenerated_notice())
s.append('\n# set minimum cmake version')
s.append('cmake_minimum_required(VERSION {0} FATAL_ERROR)'.format(
min_cmake_version))
s.append('\n# project name')
s.append('project({0} {1})'.format(project_name, project_language))
s.append('\n# do not rebuild if rules (compiler flags) change')
s.append('set(CMAKE_SKIP_RULE_DEPENDENCY TRUE)')
build_type_capitalized = {'debug': 'Debug', 'release': 'Release',
'relwithdebinfo': 'RelWithDebInfo', 'minsizerel': 'MinSizeRel'}
_build_type = build_type_capitalized[default_build_type]
s.append('\n# if CMAKE_BUILD_TYPE undefined, we set it to {0}'.format(
_build_type))
s.append('if(NOT CMAKE_BUILD_TYPE)')
s.append(' set(CMAKE_BUILD_TYPE "{0}")'.format(_build_type))
s.append('endif()')
if len(modules) > 0:
s.append('\n# directories which hold included cmake modules')
module_paths = [module.path for module in modules]
module_paths.append('downloaded')
module_paths = list(set(module_paths))
module_paths.sort()
for directory in module_paths:
rel_cmake_module_path = os.path.join(relative_path, directory)
rel_cmake_module_path = rel_cmake_module_path.replace('\\', '/')
s.append(
'set(CMAKE_MODULE_PATH ${{CMAKE_MODULE_PATH}} ${{PROJECT_SOURCE_DIR}}/{0})'
.format(rel_cmake_module_path))
if len(modules) > 0:
s.append('\n# included cmake modules')
for module in modules:
s.append('include({0})'.format(os.path.splitext(module.name)[0]))
return s
| gen_cmakelists | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(project_name, project_language, min_cmake_version, default_build_type,\n relative_path, modules):\n import os\n s = []\n s.append(autogenerated_not... |
def x(options):
l = 0
for opt in options:
if len(opt[0]) > l:
l = len(opt[0])
s = []
for opt in options:
s.append(' {0}{1} {2}'.format(opt[0], ' ' * (l - len(opt[0])),
opt[1]))
return '\n'.join(s)
| align_options | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(options):\n l = 0\n for opt in options:\n if len(opt[0]) > l:\n l = len(opt[0])\n s = []\n for opt in options:\n s.append(... |
def x(etype, value, tback, limit=None):
rtn = ['Traceback (most recent call last):\n']
if limit is None or limit >= 0:
rtn.extend(traceback.format_tb(tback, limit))
else:
rtn.extend(traceback.format_list(traceback.extract_tb(tback)[limit:]))
rtn.extend(traceback.format_exception_only(etype, value))
return rtn
| format_exception | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(etype, value, tback, limit=None):\n rtn = ['Traceback (most recent call last):\\n']\n if limit is None or limit >= 0:\n rtn.extend(traceback.forma... |
def x(name, path=None):
epoint = None
if isinstance(name, EntryPoint):
epoint = name
name = epoint.module_name
if path is None:
try:
loader = pkgutil.get_loader(name)
except ImportError:
pass
else:
if loader:
path = os.path.dirname(loader.get_filename(name))
LOGGER.debug('Attempting to load module %s from %s', name, path)
try:
if epoint:
mod = epoint.load()
else:
mod = importlib.import_module(name)
except Exception as e:
etype = e.__class__
tback = getattr(e, '__traceback__', sys.exc_info()[2])
start = 0
here = 0
tb_list = traceback.extract_tb(tback)
if path:
for idx, entry in enumerate(tb_list):
if os.path.dirname(entry[0]) == path:
start = idx
break
elif os.path.splitext(entry[0])[0] == os.path.splitext(__file__
)[0]:
here = idx
if start == 0 and isinstance(e, SyntaxError):
limit = 0
else:
limit = 0 - len(tb_list) + max(start, here)
friendly = ''.join(format_exception(etype, e, tback, limit))
msg = 'Error while importing candidate plugin module %s from %s' % (
name, path)
exception = PluginImportError('%s: %s' % (msg, repr(e)), friendly=
friendly)
raise_with_traceback(exception, tback)
return mod
| import_module | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, path=None):\n epoint = None\n if isinstance(name, EntryPoint):\n epoint = name\n name = epoint.module_name\n if path is None:\n ... |
def x(package):
prefix = '%s.' % package.__name__
path = getattr(package, '__path__', None)
if path:
for submod in pkgutil.walk_packages(path, prefix=prefix):
_import_module(submod[1], submod[0].path)
| recursive_import | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(package):\n prefix = '%s.' % package.__name__\n path = getattr(package, '__path__', None)\n if path:\n for submod in pkgutil.walk_packages(path... |
def x(self):
if self.library:
LOGGER.info('Loading plugins from standard library')
libmod = _import_module(self.library)
_recursive_import(libmod)
if self.entry_point:
LOGGER.info('Loading plugins from entry points group %s', self.
entry_point)
for epoint in iter_entry_points(group=self.entry_point):
try:
mod = _import_module(epoint)
except PluginImportError as e:
warnings.warn(
'Module %s can not be loaded for entry point %s: %s' %
(epoint.module_name, epoint.name, e), EntryPointWarning)
continue
if ismodule(mod):
_recursive_import(mod)
else:
warnings.warn("Entry point '%s' is not a module or package" %
epoint.name, EntryPointWarning)
if self.modules:
for mod in self.modules:
LOGGER.info('Loading plugins from %s', mod)
_recursive_import(_import_module(mod))
if self.paths:
auth_paths_mod = importlib.import_module(self.prefix_package)
initial_path = auth_paths_mod.__path__[:]
for path in self.paths:
modpath = os.path.realpath(path)
if os.path.isdir(modpath):
LOGGER.info('Adding %s as a plugin search path', path)
if modpath not in auth_paths_mod.__path__:
auth_paths_mod.__path__.append(modpath)
else:
LOGGER.info(
"Configured plugin path '%s' is not a valid directory",
path)
try:
_recursive_import(auth_paths_mod)
finally:
auth_paths_mod.__path__[:] = initial_path
self.loaded = True
| load_modules | [
{
"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.library:\n LOGGER.info('Loading plugins from standard library')\n libmod = _import_module(self.library)\n _recursive_i... |
def x(self):
if not self.loaded:
self.load_modules()
return get_plugins()[self.group]._filter(blacklist=self.blacklist,
newest_only=True, type_filter=self.type_filter)
| plugins | [
{
"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.loaded:\n self.load_modules()\n return get_plugins()[self.group]._filter(blacklist=self.blacklist,\n newest_only=True,... |
def x(self):
if not self.loaded:
self.load_modules()
return get_plugins()[self.group]._filter(blacklist=self.blacklist,
type_filter=self.type_filter)
| plugins_all | [
{
"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.loaded:\n self.load_modules()\n return get_plugins()[self.group]._filter(blacklist=self.blacklist,\n type_filter=self.... |
def x(self, plugin_type, name, version=None):
if not self.loaded:
self.load_modules()
return get_plugins()[self.group]._filter(blacklist=self.blacklist,
newest_only=True, type_filter=self.type_filter, type=plugin_type,
name=name, version=version)
| get_plugin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, plugin_type, name, version=None):\n if not self.loaded:\n self.load_modules()\n return get_plugins()[self.group]._filter(blacklist=self.blac... |
def x(self, table, columns, values):
existing_rows = self.select(table, columns)
unique = diff(existing_rows, values, y_only=True)
keys = self.get_primary_key_vals(table)
pk_col = self.get_primary_key(table)
pk_index = columns.index(pk_col)
to_insert, to_update = [], []
for index, row in enumerate(unique):
if row[pk_index] not in keys:
to_insert.append(unique[index])
elif row[pk_index] in keys:
to_update.append(unique[index])
if len(to_insert) > 0:
self.insert_many(table, columns, to_insert)
if len(to_update) > 0:
self.update_many(table, columns, to_update, pk_col, 0)
if len(to_insert) < 1 and len(to_update) < 0:
self._printer('No rows added to', table)
| insert_uniques | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table, columns, values):\n existing_rows = self.select(table, columns)\n unique = diff(existing_rows, values, y_only=True)\n keys = self.get_pri... |
def x(self, table, columns, values, execute=True):
cols, vals = get_col_val_str(columns)
statement = 'INSERT INTO {0} ({1}) VALUES ({2})'.format(wrap(table),
cols, vals)
if execute:
self._cursor.execute(statement, values)
self._commit()
self._printer('\tMySQL row successfully inserted into {0}'.format(
table))
else:
return statement
| insert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table, columns, values, execute=True):\n cols, vals = get_col_val_str(columns)\n statement = 'INSERT INTO {0} ({1}) VALUES ({2})'.format(wrap(table... |
def x(self, table, columns, values, limit=MAX_ROWS_PER_QUERY, execute=True):
if not isinstance(values[0], (list, set, tuple)):
values = []
for v in values:
if v is not None and len(v) > 0:
values.append([v])
else:
values.append([None])
cols, vals = get_col_val_str(columns)
statement = 'INSERT INTO {0} ({1}) VALUES ({2})'.format(wrap(table),
cols, vals)
if execute and len(values) > limit:
while len(values) > 0:
vals = [values.pop(0) for i in range(0, min(limit, len(values)))]
self._cursor.executemany(statement, vals)
self._commit()
elif execute:
self._cursor.executemany(statement, values)
self._commit()
self._printer('\tMySQL rows (' + str(len(values)) +
') successfully INSERTED')
else:
return statement
| insert_many | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table, columns, values, limit=MAX_ROWS_PER_QUERY, execute=True):\n if not isinstance(values[0], (list, set, tuple)):\n values = []\n for... |
def x(self, course_id, search_term=None):
path = {}
data = {}
params = {}
"""ID"""
path['course_id'] = course_id
"""The partial title of the quizzes to match and return."""
if search_term is not None:
params['search_term'] = search_term
self.logger.debug(
'GET /api/v1/courses/{course_id}/quizzes with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('GET',
'/api/v1/courses/{course_id}/quizzes'.format(**path), data=data,
params=params, all_pages=True)
| list_quizzes_in_course | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, course_id, search_term=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['course_id'] = course_id\n \"\"\"The partia... |
def x(self, id, course_id, access_code):
path = {}
data = {}
params = {}
"""ID"""
path['course_id'] = course_id
"""ID"""
path['id'] = id
"""The access code being validated"""
data['access_code'] = access_code
self.logger.debug(
'POST /api/v1/courses/{course_id}/quizzes/{id}/validate_access_code with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('POST',
'/api/v1/courses/{course_id}/quizzes/{id}/validate_access_code'.
format(**path), data=data, params=params)
| validate_quiz_access_code | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, course_id, access_code):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['course_id'] = course_id\n \"\"\"ID\"\"\"\n ... |
def x(self, block=True, timeout=None):
self.not_empty.acquire()
try:
if not block:
if not self._qsize():
raise Empty
elif timeout is None:
while not self._qsize():
self.not_empty.wait()
elif timeout < 0:
raise ValueError("'timeout' must be a positive number")
elif not self._qsize():
self.not_empty.wait(timeout)
if not self._qsize():
raise Empty
item = self._get()
self.not_full.notify()
return item
finally:
self.not_empty.release()
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, block=True, timeout=None):\n self.not_empty.acquire()\n try:\n if not block:\n if not self._qsize():\n raise Empty... |
def x(case, config, summary):
m = _load_case_module(case, config)
result = m.run(case, config)
summary[case] = _summarize_result(m, result)
_print_summary(m, case, summary)
if result['Type'] == 'Book':
for name, page in six.iteritems(result['Data']):
functions.create_page_from_template('validation.html', os.path.
join(livvkit.index_dir, 'validation', name + '.html'))
functions.write_json(page, os.path.join(livvkit.output_dir,
'validation'), name + '.json')
else:
functions.create_page_from_template('validation.html', os.path.join
(livvkit.index_dir, 'validation', case + '.html'))
functions.write_json(result, os.path.join(livvkit.output_dir,
'validation'), case + '.json')
| run_suite | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(case, config, summary):\n m = _load_case_module(case, config)\n result = m.run(case, config)\n summary[case] = _summarize_result(m, result)\n _prin... |
def x(cli, meta, owner):
distro_name = '{}/{}.tar.bz2'.format(conda.config.subdir, meta.dist())
try:
dist_info = cli.distribution(owner, meta.name(), meta.version(),
distro_name)
except binstar_client.errors.NotFound:
dist_info = {}
return bool(dist_info)
| artifact_already_exists | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cli, meta, owner):\n distro_name = '{}/{}.tar.bz2'.format(conda.config.subdir, meta.dist())\n try:\n dist_info = cli.distribution(owner, meta.name... |
def x(self):
gen_parser = self._subparsers_handle.add_parser(name='gen', help=
'generate client side model stubs, filters')
gen_parser.add_argument('-t', '--template', choices=['closure.model',
'closure.filter'], default='closure.model', required=True, dest=
'template', help='template to use for client side code generation')
gen_parser.add_argument('-m', '--model', required=True, dest=
'models_definition', help='path to models definition file or package')
gen_parser.add_argument('-o', '--output', default='.', dest='output',
help='output path for generated code')
gen_parser.add_argument('-n', '--namespace', required=True, dest=
'namespace', help=
'namespace to use with template e.g prestans.data.model')
gen_parser.add_argument('-fn', '--filter-namespace', required=False,
default=None, dest='filter_namespace', help=
'filter namespace to use with template e.g prestans.data.filter')
| add_generate_sub_commands | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n gen_parser = self._subparsers_handle.add_parser(name='gen', help=\n 'generate client side model stubs, filters')\n gen_parser.add_argumen... |
def x(self):
if not os.path.isdir(self._args.output):
raise exception.Base('%s is not a writeable directory' % self._args
.output)
if not os.path.isfile(self._args.models_definition):
if not self.check_package_exists(self._args.models_definition):
raise exception.Base(
'failed to locate package or models definitions file at: %s' %
self._args.models_definition)
from prestans.devel.gen import Preplate
preplate = Preplate(template_type=self._args.template,
models_definition=self._args.models_definition, namespace=self.
_args.namespace, filter_namespace=self._args.filter_namespace,
output_directory=self._args.output)
preplate.run()
| dispatch_gen | [
{
"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 os.path.isdir(self._args.output):\n raise exception.Base('%s is not a writeable directory' % self._args\n .output)\n if... |
def x(self):
should_filters = [es_filter.Terms(pk=self.query.get('included_ids', [])
), es_filter.Terms(pk=self.query.get('pinned_ids', []))]
should_filters += self.get_group_filters()
must_filters = [es_filter.Bool(should=should_filters), ~es_filter.Terms
(pk=self.query.get('excluded_ids', []))]
return Content.search_objects.search().filter(es_filter.Bool(must=
must_filters))
| search | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n should_filters = [es_filter.Terms(pk=self.query.get('included_ids', [])\n ), es_filter.Terms(pk=self.query.get('pinned_ids', []))]\n shou... |
def x(self):
group_filters = []
field_map = {'feature-type': 'feature_type.slug', 'tag': 'tags.slug',
'content-type': '_type'}
for group_set in self.query.get('groups', []):
for group in group_set:
group_filter = es_filter.MatchAll()
for condition in group.get('conditions', []):
group_filter &= get_condition_filter(condition, field_map=
field_map)
group_filters.append(group_filter)
return group_filters
| get_group_filters | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n group_filters = []\n field_map = {'feature-type': 'feature_type.slug', 'tag': 'tags.slug',\n 'content-type': '_type'}\n for group_set ... |
def x(self):
if not self._query:
self._query.update({'excluded_ids': [], 'included_ids': [],
'pinned_ids': [], 'groups': []})
for special_coverage in self._special_coverages:
query = getattr(special_coverage, 'query', {})
if 'query' in query:
query = query.get('query')
self._query['excluded_ids'] += query.get('excluded_ids', [])
self._query['included_ids'] += query.get('included_ids', [])
self._query['pinned_ids'] += query.get('pinned_ids', [])
self._query['groups'] += [query.get('groups', [])]
return self._query
| query | [
{
"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._query:\n self._query.update({'excluded_ids': [], 'included_ids': [],\n 'pinned_ids': [], 'groups': []})\n for... |
def x(self, user_id, course_id, extend_from_end_at=None, extend_from_now=
None, extra_attempts=None, extra_time=None, manually_unlocked=None):
path = {}
data = {}
params = {}
"""ID"""
path['course_id'] = course_id
"""The ID of the user we want to add quiz extensions for."""
data['user_id'] = user_id
"""Number of times the student is allowed to re-take the quiz over the
multiple-attempt limit. This is limited to 1000 attempts or less."""
if extra_attempts is not None:
data['extra_attempts'] = extra_attempts
"""The number of extra minutes to allow for all attempts. This will
add to the existing time limit on the submission. This is limited to
10080 minutes (1 week)"""
if extra_time is not None:
data['extra_time'] = extra_time
"""Allow the student to take the quiz even if it's locked for
everyone else."""
if manually_unlocked is not None:
data['manually_unlocked'] = manually_unlocked
"""The number of minutes to extend the quiz from the current time. This is
mutually exclusive to extend_from_end_at. This is limited to 1440
minutes (24 hours)"""
if extend_from_now is not None:
data['extend_from_now'] = extend_from_now
"""The number of minutes to extend the quiz beyond the quiz's current
ending time. This is mutually exclusive to extend_from_now. This is
limited to 1440 minutes (24 hours)"""
if extend_from_end_at is not None:
data['extend_from_end_at'] = extend_from_end_at
self.logger.debug(
'POST /api/v1/courses/{course_id}/quiz_extensions with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('POST',
'/api/v1/courses/{course_id}/quiz_extensions'.format(**path), data=
data, params=params, no_data=True)
| set_extensions_for_student_quiz_submissions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user_id, course_id, extend_from_end_at=None, extend_from_now=\n None, extra_attempts=None, extra_time=None, manually_unlocked=None):\n path = {}\n ... |
def x(args):
rnftools.mishmash.Source.recode_sam_reads(sam_fn=args.sam_fn,
fastq_rnf_fo=args.fq_fo, fai_fo=args.fai_fo, genome_id=args.
genome_id, number_of_read_tuples=10 ** 9, simulator_name=args.
simulator_name, allow_unmapped=args.allow_unmapped)
| sam2rnf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n rnftools.mishmash.Source.recode_sam_reads(sam_fn=args.sam_fn,\n fastq_rnf_fo=args.fq_fo, fai_fo=args.fai_fo, genome_id=args.\n genome... |
def x(subparsers, subcommand, help, description, simulator_name=None):
parser_sam2rnf = subparsers.add_parser(subcommand, help=help,
description=description)
parser_sam2rnf.set_defaults(func=sam2rnf)
parser_sam2rnf.add_argument('-s', '--sam', type=str, metavar='file',
dest='sam_fn', required=True, help=
'Input SAM/BAM with true (expected) alignments of the reads (- for standard input).'
)
_add_shared_params(parser_sam2rnf, unmapped_switcher=True)
parser_sam2rnf.add_argument('-n', '--simulator-name', type=str, metavar
='str', dest='simulator_name', default=simulator_name, help=
'Name of the simulator (for RNF).' if simulator_name is not None else
argparse.SUPPRESS)
| add_sam2rnf_parser | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(subparsers, subcommand, help, description, simulator_name=None):\n parser_sam2rnf = subparsers.add_parser(subcommand, help=help,\n description=descri... |
def x(self, user_params, **kwargs):
affiliate = self.create(**kwargs)
self.api.affiliate_users.create(affiliate_id=affiliate.id, **user_params)
return affiliate
| create_with_user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user_params, **kwargs):\n affiliate = self.create(**kwargs)\n self.api.affiliate_users.create(affiliate_id=affiliate.id, **user_params)\n return... |
def x(self, account_id, show_inherited=None, state=None):
path = {}
data = {}
params = {}
"""The id of the account to retrieve roles for."""
path['account_id'] = account_id
"""Filter by role state. If this argument is omitted, only 'active' roles are
returned."""
if state is not None:
self._validate_enum(state, ['active', 'inactive'])
params['state'] = state
"""If this argument is true, all roles inherited from parent accounts will
be included."""
if show_inherited is not None:
params['show_inherited'] = show_inherited
self.logger.debug(
'GET /api/v1/accounts/{account_id}/roles with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('GET',
'/api/v1/accounts/{account_id}/roles'.format(**path), data=data,
params=params, all_pages=True)
| list_roles | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, account_id, show_inherited=None, state=None):\n path = {}\n data = {}\n params = {}\n \"\"\"The id of the account to retrieve roles for.\"\"\... |
def x(self, id, role_id, account_id, role=None):
path = {}
data = {}
params = {}
"""ID"""
path['id'] = id
"""The id of the account containing the role"""
path['account_id'] = account_id
"""The unique identifier for the role"""
params['role_id'] = role_id
"""The name for the role"""
if role is not None:
params['role'] = role
self.logger.debug(
'GET /api/v1/accounts/{account_id}/roles/{id} with query params: {params} and form data: {data}'
.format(params=params, data=data, **path))
return self.generic_request('GET',
'/api/v1/accounts/{account_id}/roles/{id}'.format(**path), data=
data, params=params, single_item=True)
| get_single_role | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, role_id, account_id, role=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['id'] = id\n \"\"\"The id of the acc... |
def x(self, sql_script=None, commands=None, split_algo='sql_split',
prep_statements=False, dump_fails=True, execute_fails=True,
ignored_commands=('DROP', 'UNLOCK', 'LOCK')):
ss = Execute(sql_script, split_algo, prep_statements, dump_fails, self)
ss.execute(commands, ignored_commands=ignored_commands, execute_fails=
execute_fails)
| execute_script | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sql_script=None, commands=None, split_algo='sql_split',\n prep_statements=False, dump_fails=True, execute_fails=True,\n ignored_commands=('DROP', '... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.