source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(dest, media):
if django.VERSION >= (2, 2):
dest._css_lists += media._css_lists
dest._js_lists += media._js_lists
elif django.VERSION >= (2, 0):
combined = dest + media
dest._css = combined._css
dest._js = combined._js
else:
dest.add_css(media._css)
dest.add_js(media._js)
|
add_media
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dest, media):\n if django.VERSION >= (2, 2):\n dest._css_lists += media._css_lists\n dest._js_lists += media._js_lists\n elif django.VERSION >= (2, 0):\n combined = dest + media\n dest._css = combined._css\n dest._js = combined._js\n else:\n dest.add_css(media._css)\n dest.add_js(media._js)\n",
"role": "user"
},
{
"content": "add_media",
"role": "assistant"
}
] |
def x(language=None):
if settings.ALLOWED_HOSTS and settings.ALLOWED_HOSTS != '*':
host = settings.ALLOWED_HOSTS[0]
else:
host = Site.objects.get_current().domain
request = RequestFactory().get('/', HTTP_HOST=host)
request.session = {}
request.LANGUAGE_CODE = language or settings.LANGUAGE_CODE
request.current_page = None
if 'django.contrib.auth' in settings.INSTALLED_APPS:
from django.contrib.auth.models import AnonymousUser
request.user = AnonymousUser()
return request
|
get_dummy_request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(language=None):\n if settings.ALLOWED_HOSTS and settings.ALLOWED_HOSTS != '*':\n host = settings.ALLOWED_HOSTS[0]\n else:\n host = Site.objects.get_current().domain\n request = RequestFactory().get('/', HTTP_HOST=host)\n request.session = {}\n request.LANGUAGE_CODE = language or settings.LANGUAGE_CODE\n request.current_page = None\n if 'django.contrib.auth' in settings.INSTALLED_APPS:\n from django.contrib.auth.models import AnonymousUser\n request.user = AnonymousUser()\n return request\n",
"role": "user"
},
{
"content": "get_dummy_request",
"role": "assistant"
}
] |
def x(contentitem):
plugin = contentitem.plugin
if (plugin.render_ignore_item_language or plugin.cache_output and
plugin.cache_output_per_language):
return get_language()
else:
return contentitem.language_code
|
get_render_language
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(contentitem):\n plugin = contentitem.plugin\n if (plugin.render_ignore_item_language or plugin.cache_output and\n plugin.cache_output_per_language):\n return get_language()\n else:\n return contentitem.language_code\n",
"role": "user"
},
{
"content": "get_render_language",
"role": "assistant"
}
] |
def x(logger, log_level):
function_name = _log_functions[log_level]
if getattr(logger, function_name) is _dummy_log:
return False
is_level_logged = logger.isEnabledFor(log_level)
if not is_level_logged:
setattr(logger, function_name, _dummy_log)
return is_level_logged
|
optimize_logger_level
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(logger, log_level):\n function_name = _log_functions[log_level]\n if getattr(logger, function_name) is _dummy_log:\n return False\n is_level_logged = logger.isEnabledFor(log_level)\n if not is_level_logged:\n setattr(logger, function_name, _dummy_log)\n return is_level_logged\n",
"role": "user"
},
{
"content": "optimize_logger_level",
"role": "assistant"
}
] |
def x(contentitem):
plugin = contentitem.plugin
values = []
for field_name in plugin.search_fields:
value = getattr(contentitem, field_name)
if value and isinstance(value, six.string_types):
value = get_cleaned_string(value)
values.append(value)
return values
|
get_search_field_values
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(contentitem):\n plugin = contentitem.plugin\n values = []\n for field_name in plugin.search_fields:\n value = getattr(contentitem, field_name)\n if value and isinstance(value, six.string_types):\n value = get_cleaned_string(value)\n values.append(value)\n return values\n",
"role": "user"
},
{
"content": "get_search_field_values",
"role": "assistant"
}
] |
def x(self):
urls = super(PageAdmin, self).get_urls()
my_urls = [url('^get_layout/$', self.admin_site.admin_view(self.
get_layout_view))]
return my_urls + urls
|
get_urls
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n urls = super(PageAdmin, self).get_urls()\n my_urls = [url('^get_layout/$', self.admin_site.admin_view(self.\n get_layout_view))]\n return my_urls + urls\n",
"role": "user"
},
{
"content": "get_urls",
"role": "assistant"
}
] |
def x(self, request):
template_name = request.GET['name']
templates = dict(appconfig.SIMPLECMS_TEMPLATE_CHOICES)
if template_name not in templates:
jsondata = {'success': False, 'error': 'Template not found'}
status = 404
else:
template = get_template(template_name)
placeholders = get_template_placeholder_data(template)
jsondata = {'placeholders': [p.as_dict() for p in placeholders]}
status = 200
jsonstr = json.dumps(jsondata)
return HttpResponse(jsonstr, content_type='application/json', status=status
)
|
get_layout_view
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n template_name = request.GET['name']\n templates = dict(appconfig.SIMPLECMS_TEMPLATE_CHOICES)\n if template_name not in templates:\n jsondata = {'success': False, 'error': 'Template not found'}\n status = 404\n else:\n template = get_template(template_name)\n placeholders = get_template_placeholder_data(template)\n jsondata = {'placeholders': [p.as_dict() for p in placeholders]}\n status = 200\n jsonstr = json.dumps(jsondata)\n return HttpResponse(jsonstr, content_type='application/json', status=status\n )\n",
"role": "user"
},
{
"content": "get_layout_view",
"role": "assistant"
}
] |
def x(textitem, html):
language = textitem.language_code
if language == 'en':
language = 'en-us'
elif '-' not in language:
language = '{0}-{0}'.format(language)
return hyphenate(html, language=language)
|
softhyphen_filter
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(textitem, html):\n language = textitem.language_code\n if language == 'en':\n language = 'en-us'\n elif '-' not in language:\n language = '{0}-{0}'.format(language)\n return hyphenate(html, language=language)\n",
"role": "user"
},
{
"content": "softhyphen_filter",
"role": "assistant"
}
] |
def x(parent_object, placeholder_name):
if not PlaceholderRenderingPipe.may_cache_placeholders():
return None
language_code = get_parent_language_code(parent_object)
cache_key = get_placeholder_cache_key_for_parent(parent_object,
placeholder_name, language_code)
return cache.get(cache_key)
|
get_cached_placeholder_output
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parent_object, placeholder_name):\n if not PlaceholderRenderingPipe.may_cache_placeholders():\n return None\n language_code = get_parent_language_code(parent_object)\n cache_key = get_placeholder_cache_key_for_parent(parent_object,\n placeholder_name, language_code)\n return cache.get(cache_key)\n",
"role": "user"
},
{
"content": "get_cached_placeholder_output",
"role": "assistant"
}
] |
def x(request, placeholder, parent_object=None, template_name=None,
cachable=None, limit_parent_language=True, fallback_language=None):
output = PlaceholderRenderingPipe(request).render_placeholder(placeholder
=placeholder, parent_object=parent_object, template_name=
template_name, cachable=cachable, limit_parent_language=
limit_parent_language, fallback_language=fallback_language)
if markers.is_edit_mode(request):
output.html = markers.wrap_placeholder_output(output.html, placeholder)
return output
|
render_placeholder
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, placeholder, parent_object=None, template_name=None,\n cachable=None, limit_parent_language=True, fallback_language=None):\n output = PlaceholderRenderingPipe(request).render_placeholder(placeholder\n =placeholder, parent_object=parent_object, template_name=\n template_name, cachable=cachable, limit_parent_language=\n limit_parent_language, fallback_language=fallback_language)\n if markers.is_edit_mode(request):\n output.html = markers.wrap_placeholder_output(output.html, placeholder)\n return output\n",
"role": "user"
},
{
"content": "render_placeholder",
"role": "assistant"
}
] |
def x(request, items, template_name=None, cachable=None):
if not items:
output = ContentItemOutput(mark_safe(u'<!-- no items to render -->'))
else:
output = RenderingPipe(request).render_items(placeholder=None,
items=items, parent_object=None, template_name=template_name,
cachable=cachable)
if markers.is_edit_mode(request):
output.html = markers.wrap_anonymous_output(output.html)
return output
|
render_content_items
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, items, template_name=None, cachable=None):\n if not items:\n output = ContentItemOutput(mark_safe(u'<!-- no items to render -->'))\n else:\n output = RenderingPipe(request).render_items(placeholder=None,\n items=items, parent_object=None, template_name=template_name,\n cachable=cachable)\n if markers.is_edit_mode(request):\n output.html = markers.wrap_anonymous_output(output.html)\n return output\n",
"role": "user"
},
{
"content": "render_content_items",
"role": "assistant"
}
] |
def x(placeholder, fallback_language=None):
parent_object = placeholder.parent
language = get_parent_language_code(parent_object)
output = SearchRenderingPipe(language).render_placeholder(placeholder=
placeholder, parent_object=parent_object, fallback_language=
fallback_language)
return output.html
|
render_placeholder_search_text
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(placeholder, fallback_language=None):\n parent_object = placeholder.parent\n language = get_parent_language_code(parent_object)\n output = SearchRenderingPipe(language).render_placeholder(placeholder=\n placeholder, parent_object=parent_object, fallback_language=\n fallback_language)\n return output.html\n",
"role": "user"
},
{
"content": "render_placeholder_search_text",
"role": "assistant"
}
] |
def x(self, name, value, attrs=None, renderer=None):
other_instance_languages = None
if value and value != '-DUMMY-':
if get_parent_language_code(self.parent_object):
other_instance_languages = get_parent_active_language_choices(self
.parent_object, exclude_current=True)
context = {'cp_plugin_list': list(self.plugins), 'placeholder_id': '',
'placeholder_slot': self.slot, 'other_instance_languages':
other_instance_languages}
return mark_safe(render_to_string(
'admin/fluent_contents/placeholderfield/widget.html', context))
|
render
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, value, attrs=None, renderer=None):\n other_instance_languages = None\n if value and value != '-DUMMY-':\n if get_parent_language_code(self.parent_object):\n other_instance_languages = get_parent_active_language_choices(self\n .parent_object, exclude_current=True)\n context = {'cp_plugin_list': list(self.plugins), 'placeholder_id': '',\n 'placeholder_slot': self.slot, 'other_instance_languages':\n other_instance_languages}\n return mark_safe(render_to_string(\n 'admin/fluent_contents/placeholderfield/widget.html', context))\n",
"role": "user"
},
{
"content": "render",
"role": "assistant"
}
] |
def x(self):
from fluent_contents import extensions
if self._plugins is None:
return extensions.plugin_pool.get_plugins()
else:
return extensions.plugin_pool.get_plugins_by_name(*self._plugins)
|
plugins
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from fluent_contents import extensions\n if self._plugins is None:\n return extensions.plugin_pool.get_plugins()\n else:\n return extensions.plugin_pool.get_plugins_by_name(*self._plugins)\n",
"role": "user"
},
{
"content": "plugins",
"role": "assistant"
}
] |
def x(response):
orig_render = response.__class__.render
def x():
try:
return orig_render(response)
except HttpRedirectRequest as e:
return HttpResponseRedirect(e.url, status=e.status)
return _inner_render
|
new_render
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(response):\n orig_render = response.__class__.render\n\n def x():\n try:\n return orig_render(response)\n except HttpRedirectRequest as e:\n return HttpResponseRedirect(e.url, status=e.status)\n return _inner_render\n",
"role": "user"
},
{
"content": "new_render",
"role": "assistant"
}
] |
def x(self, request, exception):
if isinstance(exception, HttpRedirectRequest):
return HttpResponseRedirect(exception.url, status=exception.status)
else:
return None
|
process_exception
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, exception):\n if isinstance(exception, HttpRedirectRequest):\n return HttpResponseRedirect(exception.url, status=exception.status)\n else:\n return None\n",
"role": "user"
},
{
"content": "process_exception",
"role": "assistant"
}
] |
def x(text, language=None):
text_filter = SUPPORTED_LANGUAGES.get(language, None)
if not text_filter:
raise ImproperlyConfigured(
'markup filter does not exist: {0}. Valid options are: {1}'.
format(language, ', '.join(list(SUPPORTED_LANGUAGES.keys()))))
return text_filter(text)
|
render_text
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, language=None):\n text_filter = SUPPORTED_LANGUAGES.get(language, None)\n if not text_filter:\n raise ImproperlyConfigured(\n 'markup filter does not exist: {0}. Valid options are: {1}'.\n format(language, ', '.join(list(SUPPORTED_LANGUAGES.keys()))))\n return text_filter(text)\n",
"role": "user"
},
{
"content": "render_text",
"role": "assistant"
}
] |
def x(self):
if self.remaining_items:
self.remaining_items = ContentItem.objects.get_real_instances(self.
remaining_items)
|
fetch_remaining_instances
|
[
{
"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.remaining_items:\n self.remaining_items = ContentItem.objects.get_real_instances(self.\n remaining_items)\n",
"role": "user"
},
{
"content": "fetch_remaining_instances",
"role": "assistant"
}
] |
def x(self, include_exceptions=False):
ordered_output = []
for item_id in self.output_ordering:
contentitem = self.item_source[item_id]
try:
output = self.item_output[item_id]
except KeyError:
if not include_exceptions:
continue
output = self.MISSING
else:
if not include_exceptions:
if isinstance(output, Exception) or output is self.SKIPPED:
continue
ordered_output.append((contentitem, output))
return ordered_output
|
get_output
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, include_exceptions=False):\n ordered_output = []\n for item_id in self.output_ordering:\n contentitem = self.item_source[item_id]\n try:\n output = self.item_output[item_id]\n except KeyError:\n if not include_exceptions:\n continue\n output = self.MISSING\n else:\n if not include_exceptions:\n if isinstance(output, Exception) or output is self.SKIPPED:\n continue\n ordered_output.append((contentitem, output))\n return ordered_output\n",
"role": "user"
},
{
"content": "get_output",
"role": "assistant"
}
] |
def x(self, placeholder, items, parent_object=None, template_name=None,
cachable=None):
is_queryset = False
if hasattr(items, 'non_polymorphic'):
is_queryset = True
if not items.polymorphic_disabled and items._result_cache is None:
items = items.non_polymorphic()
if not items:
logger.debug("- no items in placeholder '%s'",
get_placeholder_debug_name(placeholder))
return ContentItemOutput(mark_safe(
u"<!-- no items in placeholder '{0}' -->".format(escape(
get_placeholder_name(placeholder)))), cacheable=True)
result = self.result_class(request=self.request, parent_object=
parent_object, placeholder=placeholder, items=items, all_cacheable=
self._can_cache_merged_output(template_name, cachable))
if self.edit_mode:
result.set_uncachable()
if is_queryset:
self._fetch_cached_output(items, result=result)
result.fetch_remaining_instances()
else:
result.add_remaining_list(items)
if result.remaining_items:
self._render_uncached_items(result.remaining_items, result=result)
return self.merge_output(result, items, template_name)
|
render_items
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, placeholder, items, parent_object=None, template_name=None,\n cachable=None):\n is_queryset = False\n if hasattr(items, 'non_polymorphic'):\n is_queryset = True\n if not items.polymorphic_disabled and items._result_cache is None:\n items = items.non_polymorphic()\n if not items:\n logger.debug(\"- no items in placeholder '%s'\",\n get_placeholder_debug_name(placeholder))\n return ContentItemOutput(mark_safe(\n u\"<!-- no items in placeholder '{0}' -->\".format(escape(\n get_placeholder_name(placeholder)))), cacheable=True)\n result = self.result_class(request=self.request, parent_object=\n parent_object, placeholder=placeholder, items=items, all_cacheable=\n self._can_cache_merged_output(template_name, cachable))\n if self.edit_mode:\n result.set_uncachable()\n if is_queryset:\n self._fetch_cached_output(items, result=result)\n result.fetch_remaining_instances()\n else:\n result.add_remaining_list(items)\n if result.remaining_items:\n self._render_uncached_items(result.remaining_items, result=result)\n return self.merge_output(result, items, template_name)\n",
"role": "user"
},
{
"content": "render_items",
"role": "assistant"
}
] |
def x(self, items, result):
if (not appsettings.FLUENT_CONTENTS_CACHE_OUTPUT or not self.
use_cached_output):
result.add_remaining_list(items)
return
for contentitem in items:
result.add_ordering(contentitem)
output = None
try:
plugin = contentitem.plugin
except PluginNotFound as ex:
result.store_exception(contentitem, ex)
logger.debug('- item #%s has no matching plugin: %s',
contentitem.pk, str(ex))
continue
if self.can_use_cached_output(contentitem):
result.add_plugin_timeout(plugin)
output = plugin.get_cached_output(result.placeholder_name,
contentitem)
if output is not None and not isinstance(output, ContentItemOutput
):
output = None
logger.debug(
'Flushed cached output of {0}#{1} to store new ContentItemOutput format (key: {2})'
.format(plugin.type_name, contentitem.pk,
get_placeholder_name(contentitem.placeholder)))
if output and settings.DEBUG:
cachekey = get_rendering_cache_key(result.placeholder_name,
contentitem)
if is_template_updated(self.request, contentitem, cachekey):
output = None
if output:
result.store_output(contentitem, output)
else:
result.add_remaining(contentitem)
|
fetch_cached_output
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, items, result):\n if (not appsettings.FLUENT_CONTENTS_CACHE_OUTPUT or not self.\n use_cached_output):\n result.add_remaining_list(items)\n return\n for contentitem in items:\n result.add_ordering(contentitem)\n output = None\n try:\n plugin = contentitem.plugin\n except PluginNotFound as ex:\n result.store_exception(contentitem, ex)\n logger.debug('- item #%s has no matching plugin: %s',\n contentitem.pk, str(ex))\n continue\n if self.can_use_cached_output(contentitem):\n result.add_plugin_timeout(plugin)\n output = plugin.get_cached_output(result.placeholder_name,\n contentitem)\n if output is not None and not isinstance(output, ContentItemOutput\n ):\n output = None\n logger.debug(\n 'Flushed cached output of {0}#{1} to store new ContentItemOutput format (key: {2})'\n .format(plugin.type_name, contentitem.pk,\n get_placeholder_name(contentitem.placeholder)))\n if output and settings.DEBUG:\n cachekey = get_rendering_cache_key(result.placeholder_name,\n contentitem)\n if is_template_updated(self.request, contentitem, cachekey):\n output = None\n if output:\n result.store_output(contentitem, output)\n else:\n result.add_remaining(contentitem)\n",
"role": "user"
},
{
"content": "fetch_cached_output",
"role": "assistant"
}
] |
def x(self, contentitem):
plugin = contentitem.plugin
return (appsettings.FLUENT_CONTENTS_CACHE_OUTPUT and plugin.
cache_output and contentitem.pk)
|
can_use_cached_output
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, contentitem):\n plugin = contentitem.plugin\n return (appsettings.FLUENT_CONTENTS_CACHE_OUTPUT and plugin.\n cache_output and contentitem.pk)\n",
"role": "user"
},
{
"content": "can_use_cached_output",
"role": "assistant"
}
] |
def x(self, items, result):
for contentitem in items:
try:
output = self.render_item(contentitem)
except PluginNotFound as ex:
result.store_exception(contentitem, ex)
logger.debug('- item #%s has no matching plugin: %s',
contentitem.pk, str(ex))
continue
except SkipItem:
result.set_skipped(contentitem)
continue
self._try_cache_output(contentitem, output, result=result)
if self.edit_mode:
output.html = markers.wrap_contentitem_output(output.html,
contentitem)
result.store_output(contentitem, output)
|
render_uncached_items
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, items, result):\n for contentitem in items:\n try:\n output = self.render_item(contentitem)\n except PluginNotFound as ex:\n result.store_exception(contentitem, ex)\n logger.debug('- item #%s has no matching plugin: %s',\n contentitem.pk, str(ex))\n continue\n except SkipItem:\n result.set_skipped(contentitem)\n continue\n self._try_cache_output(contentitem, output, result=result)\n if self.edit_mode:\n output.html = markers.wrap_contentitem_output(output.html,\n contentitem)\n result.store_output(contentitem, output)\n",
"role": "user"
},
{
"content": "render_uncached_items",
"role": "assistant"
}
] |
def x(self, contentitem):
render_language = get_render_language(contentitem)
with smart_override(render_language):
return contentitem.plugin._render_contentitem(self.request, contentitem
)
|
render_item
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, contentitem):\n render_language = get_render_language(contentitem)\n with smart_override(render_language):\n return contentitem.plugin._render_contentitem(self.request, contentitem\n )\n",
"role": "user"
},
{
"content": "render_item",
"role": "assistant"
}
] |
def x(self, result, items, template_name):
html_output, media = self.get_html_output(result, items)
if not template_name:
merged_html = mark_safe(u''.join(html_output))
else:
context = {'contentitems': list(zip(items, html_output)),
'parent_object': result.parent_object, 'edit_mode': self.edit_mode}
context = PluginContext(self.request, context)
merged_html = render_to_string(template_name, context.flatten())
return ContentItemOutput(merged_html, media, cacheable=result.
all_cacheable, cache_timeout=result.all_timeout)
|
merge_output
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, result, items, template_name):\n html_output, media = self.get_html_output(result, items)\n if not template_name:\n merged_html = mark_safe(u''.join(html_output))\n else:\n context = {'contentitems': list(zip(items, html_output)),\n 'parent_object': result.parent_object, 'edit_mode': self.edit_mode}\n context = PluginContext(self.request, context)\n merged_html = render_to_string(template_name, context.flatten())\n return ContentItemOutput(merged_html, media, cacheable=result.\n all_cacheable, cache_timeout=result.all_timeout)\n",
"role": "user"
},
{
"content": "merge_output",
"role": "assistant"
}
] |
def x(self, result, items):
html_output = []
merged_media = Media()
for contentitem, output in result.get_output(include_exceptions=True):
if output is ResultTracker.MISSING:
class_name = _get_stale_item_class_name(contentitem)
html_output.append(mark_safe(
u"""<!-- Missing derived model for ContentItem #{id}: {cls}. -->
"""
.format(id=contentitem.pk, cls=class_name)))
logger.warning(
'Missing derived model for ContentItem #{id}: {cls}.'.
format(id=contentitem.pk, cls=class_name))
elif isinstance(output, Exception):
html_output.append(u'<!-- error: {0} -->\n'.format(str(output)))
else:
html_output.append(output.html)
add_media(merged_media, output.media)
return html_output, merged_media
|
get_html_output
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, result, items):\n html_output = []\n merged_media = Media()\n for contentitem, output in result.get_output(include_exceptions=True):\n if output is ResultTracker.MISSING:\n class_name = _get_stale_item_class_name(contentitem)\n html_output.append(mark_safe(\n u\"\"\"<!-- Missing derived model for ContentItem #{id}: {cls}. -->\n\"\"\"\n .format(id=contentitem.pk, cls=class_name)))\n logger.warning(\n 'Missing derived model for ContentItem #{id}: {cls}.'.\n format(id=contentitem.pk, cls=class_name))\n elif isinstance(output, Exception):\n html_output.append(u'<!-- error: {0} -->\\n'.format(str(output)))\n else:\n html_output.append(output.html)\n add_media(merged_media, output.media)\n return html_output, merged_media\n",
"role": "user"
},
{
"content": "get_html_output",
"role": "assistant"
}
] |
def x(self, placeholder, parent_object=None, template_name=None, cachable=
None, limit_parent_language=True, fallback_language=None):
placeholder_name = get_placeholder_debug_name(placeholder)
logger.debug("Rendering placeholder '%s'", placeholder_name)
cachable = self._can_cache_merged_output(template_name, cachable)
try_cache = cachable and self.may_cache_placeholders()
logger.debug('- try_cache=%s cachable=%s template_name=%s', try_cache,
cachable, template_name)
if parent_object is None:
parent_object = placeholder.parent
language_code = get_parent_language_code(parent_object)
cache_key = None
output = None
if try_cache:
cache_key = get_placeholder_cache_key_for_parent(parent_object,
placeholder.slot, language_code)
output = cache.get(cache_key)
if output:
logger.debug('- fetched cached output')
if output is None:
items, is_fallback = self._get_placeholder_items(placeholder,
parent_object, limit_parent_language, fallback_language, try_cache)
output = self.render_items(placeholder, items, parent_object,
template_name, cachable)
if is_fallback:
output.cacheable = False
if try_cache and output.cacheable:
if output.cache_timeout is not DEFAULT_TIMEOUT:
cache.set(cache_key, output, output.cache_timeout)
else:
cache.set(cache_key, output)
return output
|
render_placeholder
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, placeholder, parent_object=None, template_name=None, cachable=\n None, limit_parent_language=True, fallback_language=None):\n placeholder_name = get_placeholder_debug_name(placeholder)\n logger.debug(\"Rendering placeholder '%s'\", placeholder_name)\n cachable = self._can_cache_merged_output(template_name, cachable)\n try_cache = cachable and self.may_cache_placeholders()\n logger.debug('- try_cache=%s cachable=%s template_name=%s', try_cache,\n cachable, template_name)\n if parent_object is None:\n parent_object = placeholder.parent\n language_code = get_parent_language_code(parent_object)\n cache_key = None\n output = None\n if try_cache:\n cache_key = get_placeholder_cache_key_for_parent(parent_object,\n placeholder.slot, language_code)\n output = cache.get(cache_key)\n if output:\n logger.debug('- fetched cached output')\n if output is None:\n items, is_fallback = self._get_placeholder_items(placeholder,\n parent_object, limit_parent_language, fallback_language, try_cache)\n output = self.render_items(placeholder, items, parent_object,\n template_name, cachable)\n if is_fallback:\n output.cacheable = False\n if try_cache and output.cacheable:\n if output.cache_timeout is not DEFAULT_TIMEOUT:\n cache.set(cache_key, output, output.cache_timeout)\n else:\n cache.set(cache_key, output)\n return output\n",
"role": "user"
},
{
"content": "render_placeholder",
"role": "assistant"
}
] |
def x(self, plugin):
assert issubclass(plugin, ContentPlugin
), 'The plugin must inherit from `ContentPlugin`'
assert plugin.model, 'The plugin has no model defined'
assert issubclass(plugin.model, ContentItem
), 'The plugin model must inherit from `ContentItem`'
assert issubclass(plugin.form, ContentItemForm
), 'The plugin form must inherit from `ContentItemForm`'
name = plugin.__name__
name = name.lower()
if name in self.plugins:
raise PluginAlreadyRegistered(
'{0}: a plugin with this name is already registered'.format(name))
if plugin.model in self._name_for_model:
existing_plugin = self.plugins[self._name_for_model[plugin.model]]
raise ModelAlreadyRegistered(
"Can't register the model {0} to {2}, it's already registered to {1}!"
.format(plugin.model.__name__, existing_plugin.name, plugin.
__name__))
plugin_instance = plugin()
self.plugins[name] = plugin_instance
self._name_for_model[plugin.model] = name
if self._name_for_ctype_id is not None:
self._name_for_ctype_id[plugin.type_id] = name
return plugin
|
register
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, plugin):\n assert issubclass(plugin, ContentPlugin\n ), 'The plugin must inherit from `ContentPlugin`'\n assert plugin.model, 'The plugin has no model defined'\n assert issubclass(plugin.model, ContentItem\n ), 'The plugin model must inherit from `ContentItem`'\n assert issubclass(plugin.form, ContentItemForm\n ), 'The plugin form must inherit from `ContentItemForm`'\n name = plugin.__name__\n name = name.lower()\n if name in self.plugins:\n raise PluginAlreadyRegistered(\n '{0}: a plugin with this name is already registered'.format(name))\n if plugin.model in self._name_for_model:\n existing_plugin = self.plugins[self._name_for_model[plugin.model]]\n raise ModelAlreadyRegistered(\n \"Can't register the model {0} to {2}, it's already registered to {1}!\"\n .format(plugin.model.__name__, existing_plugin.name, plugin.\n __name__))\n plugin_instance = plugin()\n self.plugins[name] = plugin_instance\n self._name_for_model[plugin.model] = name\n if self._name_for_ctype_id is not None:\n self._name_for_ctype_id[plugin.type_id] = name\n return plugin\n",
"role": "user"
},
{
"content": "register",
"role": "assistant"
}
] |
def x(self, placeholder_slot):
slot_config = appsettings.FLUENT_CONTENTS_PLACEHOLDER_CONFIG.get(
placeholder_slot) or {}
plugins = slot_config.get('plugins')
if not plugins:
return self.get_plugins()
else:
try:
return self.get_plugins_by_name(*plugins)
except PluginNotFound as e:
raise PluginNotFound(str(e) +
" Update the plugin list of the FLUENT_CONTENTS_PLACEHOLDER_CONFIG['{0}'] setting."
.format(placeholder_slot))
|
get_allowed_plugins
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, placeholder_slot):\n slot_config = appsettings.FLUENT_CONTENTS_PLACEHOLDER_CONFIG.get(\n placeholder_slot) or {}\n plugins = slot_config.get('plugins')\n if not plugins:\n return self.get_plugins()\n else:\n try:\n return self.get_plugins_by_name(*plugins)\n except PluginNotFound as e:\n raise PluginNotFound(str(e) +\n \" Update the plugin list of the FLUENT_CONTENTS_PLACEHOLDER_CONFIG['{0}'] setting.\"\n .format(placeholder_slot))\n",
"role": "user"
},
{
"content": "get_allowed_plugins",
"role": "assistant"
}
] |
def x(self, *names):
self._import_plugins()
plugin_instances = []
for name in names:
if isinstance(name, six.string_types):
try:
plugin_instances.append(self.plugins[name.lower()])
except KeyError:
raise PluginNotFound("No plugin named '{0}'.".format(name))
elif isinstance(name, type) and issubclass(name, ContentPlugin):
plugin_instances.append(self.plugins[self._name_for_model[name.
model]])
else:
raise TypeError(
'get_plugins_by_name() expects a plugin name or class, not: {0}'
.format(name))
return plugin_instances
|
get_plugins_by_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *names):\n self._import_plugins()\n plugin_instances = []\n for name in names:\n if isinstance(name, six.string_types):\n try:\n plugin_instances.append(self.plugins[name.lower()])\n except KeyError:\n raise PluginNotFound(\"No plugin named '{0}'.\".format(name))\n elif isinstance(name, type) and issubclass(name, ContentPlugin):\n plugin_instances.append(self.plugins[self._name_for_model[name.\n model]])\n else:\n raise TypeError(\n 'get_plugins_by_name() expects a plugin name or class, not: {0}'\n .format(name))\n return plugin_instances\n",
"role": "user"
},
{
"content": "get_plugins_by_name",
"role": "assistant"
}
] |
def x(self):
self._import_plugins()
return [plugin.model for plugin in self.plugins.values()]
|
get_model_classes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._import_plugins()\n return [plugin.model for plugin in self.plugins.values()]\n",
"role": "user"
},
{
"content": "get_model_classes",
"role": "assistant"
}
] |
def x(self, model_class):
self._import_plugins()
assert issubclass(model_class, ContentItem)
try:
name = self._name_for_model[model_class]
except KeyError:
raise PluginNotFound("No plugin found for model '{0}'.".format(
model_class.__name__))
return self.plugins[name]
|
get_plugin_by_model
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, model_class):\n self._import_plugins()\n assert issubclass(model_class, ContentItem)\n try:\n name = self._name_for_model[model_class]\n except KeyError:\n raise PluginNotFound(\"No plugin found for model '{0}'.\".format(\n model_class.__name__))\n return self.plugins[name]\n",
"role": "user"
},
{
"content": "get_plugin_by_model",
"role": "assistant"
}
] |
def x(self):
if self.detected:
return
self.scanLock.acquire()
if self.detected:
return
try:
import_apps_submodule('content_plugins')
self.detected = True
finally:
self.scanLock.release()
|
import_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 self.detected:\n return\n self.scanLock.acquire()\n if self.detected:\n return\n try:\n import_apps_submodule('content_plugins')\n self.detected = True\n finally:\n self.scanLock.release()\n",
"role": "user"
},
{
"content": "import_plugins",
"role": "assistant"
}
] |
def x(instance, html, field_name):
try:
html = apply_pre_filters(instance, html)
html_final = apply_post_filters(instance, html)
except ValidationError as e:
if hasattr(e, 'error_list'):
raise ValidationError({field_name: e.error_list})
raise
return html, html_final
|
apply_filters
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(instance, html, field_name):\n try:\n html = apply_pre_filters(instance, html)\n html_final = apply_post_filters(instance, html)\n except ValidationError as e:\n if hasattr(e, 'error_list'):\n raise ValidationError({field_name: e.error_list})\n raise\n return html, html_final\n",
"role": "user"
},
{
"content": "apply_filters",
"role": "assistant"
}
] |
def x(instance, html):
for post_func in appsettings.PRE_FILTER_FUNCTIONS:
html = post_func(instance, html)
return html
|
apply_pre_filters
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(instance, html):\n for post_func in appsettings.PRE_FILTER_FUNCTIONS:\n html = post_func(instance, html)\n return html\n",
"role": "user"
},
{
"content": "apply_pre_filters",
"role": "assistant"
}
] |
def x(instance, html):
for post_func in appsettings.POST_FILTER_FUNCTIONS:
html = post_func(instance, html)
return html
|
apply_post_filters
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(instance, html):\n for post_func in appsettings.POST_FILTER_FUNCTIONS:\n html = post_func(instance, html)\n return html\n",
"role": "user"
},
{
"content": "apply_post_filters",
"role": "assistant"
}
] |
def x(comment):
parent = comment.content_object
for instance in CommentsAreaItem.objects.parent(parent):
instance.clear_cache()
|
clear_commentarea_cache
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(comment):\n parent = comment.content_object\n for instance in CommentsAreaItem.objects.parent(parent):\n instance.clear_cache()\n",
"role": "user"
},
{
"content": "clear_commentarea_cache",
"role": "assistant"
}
] |
def x(self, site):
self._parent_site = site
if sharedcontent_appsettings.FLUENT_SHARED_CONTENT_ENABLE_CROSS_SITE:
return self.filter(Q(parent_site=site) | Q(is_cross_site=True))
else:
return self.filter(parent_site=site)
|
parent_site
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, site):\n self._parent_site = site\n if sharedcontent_appsettings.FLUENT_SHARED_CONTENT_ENABLE_CROSS_SITE:\n return self.filter(Q(parent_site=site) | Q(is_cross_site=True))\n else:\n return self.filter(parent_site=site)\n",
"role": "user"
},
{
"content": "parent_site",
"role": "assistant"
}
] |
def x(self):
if (appsettings.FLUENT_CONTENTS_FILTER_SITE_ID and self._parent_site is
None):
return self.parent_site(settings.SITE_ID)
else:
return self
|
single_site
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if (appsettings.FLUENT_CONTENTS_FILTER_SITE_ID and self._parent_site is\n None):\n return self.parent_site(settings.SITE_ID)\n else:\n return self\n",
"role": "user"
},
{
"content": "single_site",
"role": "assistant"
}
] |
def x(template):
nodes = get_node_instances(template, PagePlaceholderNode)
names = set()
result = []
for pageplaceholdernode in nodes:
data = PlaceholderData(slot=pageplaceholdernode.get_slot(), title=
pageplaceholdernode.get_title(), role=pageplaceholdernode.
get_role(), fallback_language=pageplaceholdernode.
get_fallback_language())
if data.slot not in names:
result.append(data)
names.add(data.slot)
return result
|
get_template_placeholder_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(template):\n nodes = get_node_instances(template, PagePlaceholderNode)\n names = set()\n result = []\n for pageplaceholdernode in nodes:\n data = PlaceholderData(slot=pageplaceholdernode.get_slot(), title=\n pageplaceholdernode.get_title(), role=pageplaceholdernode.\n get_role(), fallback_language=pageplaceholdernode.\n get_fallback_language())\n if data.slot not in names:\n result.append(data)\n names.add(data.slot)\n return result\n",
"role": "user"
},
{
"content": "get_template_placeholder_data",
"role": "assistant"
}
] |
def x(self, model):
url_fields = sorted(f for f in model._meta.fields if isinstance(f, (
PluginUrlField, models.URLField)))
file_fields = sorted(f for f in model._meta.fields if isinstance(f, (
PluginImageField, models.FileField)))
html_fields = sorted(f for f in model._meta.fields if isinstance(f, (
models.TextField, PluginHtmlField)))
all_fields = [f.name for f in file_fields + html_fields + url_fields]
if not all_fields:
return []
if model.__name__ in self.exclude:
self.stderr.write('Skipping {0} ({1})\n'.format(model.__name__,
', '.join(all_fields)))
return []
sys.stderr.write('Inspecting {0} ({1})\n'.format(model.__name__, ', '.
join(all_fields)))
q_notnull = reduce(operator.or_, (Q(**{'{0}__isnull'.format(f): False}) for
f in all_fields))
qs = model.objects.filter(q_notnull).order_by('pk')
urls = []
for object in qs:
for field in html_fields:
value = getattr(object, field.name)
if value:
html_images = self.extract_html_urls(value)
urls += html_images
for image in html_images:
self.show_match(object, image)
for field in file_fields:
value = getattr(object, field.name)
if value:
value = unquote_utf8(value.url)
urls.append(value)
self.show_match(object, value)
for field in url_fields:
value = getattr(object, field.name)
if value:
if isinstance(value, six.text_type):
value = force_text(value)
else:
value = value.to_db_value()
urls.append(value)
self.show_match(object, value)
return urls
|
inspect_model
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, model):\n url_fields = sorted(f for f in model._meta.fields if isinstance(f, (\n PluginUrlField, models.URLField)))\n file_fields = sorted(f for f in model._meta.fields if isinstance(f, (\n PluginImageField, models.FileField)))\n html_fields = sorted(f for f in model._meta.fields if isinstance(f, (\n models.TextField, PluginHtmlField)))\n all_fields = [f.name for f in file_fields + html_fields + url_fields]\n if not all_fields:\n return []\n if model.__name__ in self.exclude:\n self.stderr.write('Skipping {0} ({1})\\n'.format(model.__name__,\n ', '.join(all_fields)))\n return []\n sys.stderr.write('Inspecting {0} ({1})\\n'.format(model.__name__, ', '.\n join(all_fields)))\n q_notnull = reduce(operator.or_, (Q(**{'{0}__isnull'.format(f): False}) for\n f in all_fields))\n qs = model.objects.filter(q_notnull).order_by('pk')\n urls = []\n for object in qs:\n for field in html_fields:\n value = getattr(object, field.name)\n if value:\n html_images = self.extract_html_urls(value)\n urls += html_images\n for image in html_images:\n self.show_match(object, image)\n for field in file_fields:\n value = getattr(object, field.name)\n if value:\n value = unquote_utf8(value.url)\n urls.append(value)\n self.show_match(object, value)\n for field in url_fields:\n value = getattr(object, field.name)\n if value:\n if isinstance(value, six.text_type):\n value = force_text(value)\n else:\n value = value.to_db_value()\n urls.append(value)\n self.show_match(object, value)\n return urls\n",
"role": "user"
},
{
"content": "inspect_model",
"role": "assistant"
}
] |
def x(self, html):
p = HTMLParser(tree=treebuilders.getTreeBuilder('dom'))
dom = p.parse(html)
urls = []
for img in dom.getElementsByTagName('img'):
src = img.getAttribute('src')
if src:
urls.append(unquote_utf8(src))
srcset = img.getAttribute('srcset')
if srcset:
urls += self.extract_srcset(srcset)
for source in dom.getElementsByTagName('source'):
srcset = source.getAttribute('srcset')
if srcset:
urls += self.extract_srcset(srcset)
for source in dom.getElementsByTagName('a'):
href = source.getAttribute('href')
if href:
urls.append(unquote_utf8(href))
return urls
|
extract_html_urls
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, html):\n p = HTMLParser(tree=treebuilders.getTreeBuilder('dom'))\n dom = p.parse(html)\n urls = []\n for img in dom.getElementsByTagName('img'):\n src = img.getAttribute('src')\n if src:\n urls.append(unquote_utf8(src))\n srcset = img.getAttribute('srcset')\n if srcset:\n urls += self.extract_srcset(srcset)\n for source in dom.getElementsByTagName('source'):\n srcset = source.getAttribute('srcset')\n if srcset:\n urls += self.extract_srcset(srcset)\n for source in dom.getElementsByTagName('a'):\n href = source.getAttribute('href')\n if href:\n urls.append(unquote_utf8(href))\n return urls\n",
"role": "user"
},
{
"content": "extract_html_urls",
"role": "assistant"
}
] |
def x(self, srcset):
urls = []
for item in srcset.split(','):
if item:
urls.append(unquote_utf8(item.rsplit(' ', 1)[0]))
return urls
|
extract_srcset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, srcset):\n urls = []\n for item in srcset.split(','):\n if item:\n urls.append(unquote_utf8(item.rsplit(' ', 1)[0]))\n return urls\n",
"role": "user"
},
{
"content": "extract_srcset",
"role": "assistant"
}
] |
def x(instance, **kwargs):
translation = instance
parent_object = translation.master
parent_object.set_current_language(translation.language_code)
for item in ContentItem.objects.parent(parent_object,
limit_parent_language=True):
item.delete()
|
on_delete_model_translation
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(instance, **kwargs):\n translation = instance\n parent_object = translation.master\n parent_object.set_current_language(translation.language_code)\n for item in ContentItem.objects.parent(parent_object,\n limit_parent_language=True):\n item.delete()\n",
"role": "user"
},
{
"content": "on_delete_model_translation",
"role": "assistant"
}
] |
def x(input, sanitize=False):
parser_kwargs = {}
serializer_kwargs = {}
if sanitize:
if HTMLSanitizer is None:
serializer_kwargs['sanitize'] = True
else:
parser_kwargs['tokenizer'] = HTMLSanitizer
p = HTMLParser(tree=treebuilders.getTreeBuilder('dom'), **parser_kwargs)
dom_tree = p.parseFragment(input)
walker = treewalkers.getTreeWalker('dom')
stream = walker(dom_tree)
s = HTMLSerializer(omit_optional_tags=False, **serializer_kwargs)
return ''.join(s.serialize(stream))
|
clean_html
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(input, sanitize=False):\n parser_kwargs = {}\n serializer_kwargs = {}\n if sanitize:\n if HTMLSanitizer is None:\n serializer_kwargs['sanitize'] = True\n else:\n parser_kwargs['tokenizer'] = HTMLSanitizer\n p = HTMLParser(tree=treebuilders.getTreeBuilder('dom'), **parser_kwargs)\n dom_tree = p.parseFragment(input)\n walker = treewalkers.getTreeWalker('dom')\n stream = walker(dom_tree)\n s = HTMLSerializer(omit_optional_tags=False, **serializer_kwargs)\n return ''.join(s.serialize(stream))\n",
"role": "user"
},
{
"content": "clean_html",
"role": "assistant"
}
] |
def x(self):
plugins = self.get_allowed_plugins()
return {'slot': self.slot, 'title': self.title, 'role': self.role,
'fallback_language': self.fallback_language, 'allowed_plugins': [
plugin.name for plugin in plugins]}
|
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 plugins = self.get_allowed_plugins()\n return {'slot': self.slot, 'title': self.title, 'role': self.role,\n 'fallback_language': self.fallback_language, 'allowed_plugins': [\n plugin.name for plugin in plugins]}\n",
"role": "user"
},
{
"content": "as_dict",
"role": "assistant"
}
] |
def x(apps, schema_editor):
from fluent_contents.plugins.markup.models import LANGUAGE_MODEL_CLASSES
from fluent_contents.plugins.markup.models import MarkupItem
from django.contrib.contenttypes.models import ContentType
ctype = ContentType.objects.get_for_model(MarkupItem)
for language, proxy_model in LANGUAGE_MODEL_CLASSES.items():
proxy_ctype = ContentType.objects.get_for_model(proxy_model,
for_concrete_model=False)
MarkupItem.objects.filter(polymorphic_ctype=ctype, language=language
).update(polymorphic_ctype=proxy_ctype)
|
forwards
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(apps, schema_editor):\n from fluent_contents.plugins.markup.models import LANGUAGE_MODEL_CLASSES\n from fluent_contents.plugins.markup.models import MarkupItem\n from django.contrib.contenttypes.models import ContentType\n ctype = ContentType.objects.get_for_model(MarkupItem)\n for language, proxy_model in LANGUAGE_MODEL_CLASSES.items():\n proxy_ctype = ContentType.objects.get_for_model(proxy_model,\n for_concrete_model=False)\n MarkupItem.objects.filter(polymorphic_ctype=ctype, language=language\n ).update(polymorphic_ctype=proxy_ctype)\n",
"role": "user"
},
{
"content": "forwards",
"role": "assistant"
}
] |
def x(self, request, obj=None, **kwargs):
def x(p):
return {'slot': p.slot, 'title': p.title, 'role': p.role}
initial = []
if request.method == 'GET':
placeholder_admin = self._get_parent_modeladmin()
data = placeholder_admin.get_placeholder_data(request, obj)
initial = [_placeholder_initial(d) for d in data]
FormSetClass = super(PlaceholderEditorInline, self).get_formset(request,
obj, **kwargs)
FormSetClass.__init__ = curry(FormSetClass.__init__, initial=initial)
return FormSetClass
|
get_formset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, obj=None, **kwargs):\n\n def x(p):\n return {'slot': p.slot, 'title': p.title, 'role': p.role}\n initial = []\n if request.method == 'GET':\n placeholder_admin = self._get_parent_modeladmin()\n data = placeholder_admin.get_placeholder_data(request, obj)\n initial = [_placeholder_initial(d) for d in data]\n FormSetClass = super(PlaceholderEditorInline, self).get_formset(request,\n obj, **kwargs)\n FormSetClass.__init__ = curry(FormSetClass.__init__, initial=initial)\n return FormSetClass\n",
"role": "user"
},
{
"content": "get_formset",
"role": "assistant"
}
] |
def x(self, request, *args, **kwargs):
inlines = super(PlaceholderEditorAdmin, self).get_inline_instances(request,
*args, **kwargs)
extra_inline_instances = []
inlinetypes = self.get_extra_inlines()
for InlineType in inlinetypes:
inline_instance = InlineType(self.model, self.admin_site)
extra_inline_instances.append(inline_instance)
return extra_inline_instances + inlines
|
get_inline_instances
|
[
{
"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 inlines = super(PlaceholderEditorAdmin, self).get_inline_instances(request,\n *args, **kwargs)\n extra_inline_instances = []\n inlinetypes = self.get_extra_inlines()\n for InlineType in inlinetypes:\n inline_instance = InlineType(self.model, self.admin_site)\n extra_inline_instances.append(inline_instance)\n return extra_inline_instances + inlines\n",
"role": "user"
},
{
"content": "get_inline_instances",
"role": "assistant"
}
] |
def x(self, request, object_id):
language = 'en'
with translation.override(language):
obj = self.get_object(request, object_id)
if obj is None:
json = {'success': False, 'error': 'Page not found'}
status = 404
elif not self.has_change_permission(request, obj):
json = {'success': False, 'error': 'No access to page'}
status = 403
else:
status = 200
json = {'success': True, 'object_id': object_id, 'language_code':
language, 'formset_forms': self._get_object_formset_data(
request, obj)}
return JsonResponse(json, status=status)
|
get_placeholder_data_view
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, object_id):\n language = 'en'\n with translation.override(language):\n obj = self.get_object(request, object_id)\n if obj is None:\n json = {'success': False, 'error': 'Page not found'}\n status = 404\n elif not self.has_change_permission(request, obj):\n json = {'success': False, 'error': 'No access to page'}\n status = 403\n else:\n status = 200\n json = {'success': True, 'object_id': object_id, 'language_code':\n language, 'formset_forms': self._get_object_formset_data(\n request, obj)}\n return JsonResponse(json, status=status)\n",
"role": "user"
},
{
"content": "get_placeholder_data_view",
"role": "assistant"
}
] |
def x(method_or_func):
args = get_args(method_or_func)
if not args:
raise TypeError('Function must accept at least one argument.')
if args[0] == 'self':
def x(self, response, **kwargs):
callback = create_bound_method(method_or_func, self)
genwrapper = RequestGenerator(callback, **kwargs)
return genwrapper(response)
else:
warnings.warn('Decorating a non-method function will be deprecated',
ScrapyDeprecationWarning, stacklevel=1)
def x(response, **kwargs):
genwrapper = RequestGenerator(method_or_func, **kwargs)
return genwrapper(response)
return wraps(method_or_func)(wrapper)
|
inline_requests
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(method_or_func):\n args = get_args(method_or_func)\n if not args:\n raise TypeError('Function must accept at least one argument.')\n if args[0] == 'self':\n\n def x(self, response, **kwargs):\n callback = create_bound_method(method_or_func, self)\n genwrapper = RequestGenerator(callback, **kwargs)\n return genwrapper(response)\n else:\n warnings.warn('Decorating a non-method function will be deprecated',\n ScrapyDeprecationWarning, stacklevel=1)\n\n def x(response, **kwargs):\n genwrapper = RequestGenerator(method_or_func, **kwargs)\n return genwrapper(response)\n return wraps(method_or_func)(wrapper)\n",
"role": "user"
},
{
"content": "inline_requests",
"role": "assistant"
}
] |
def x(method_or_func):
try:
args = list(inspect.signature(method_or_func).parameters.keys())
except AttributeError:
args = inspect.getargspec(method_or_func).args
return args
|
get_args
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(method_or_func):\n try:\n args = list(inspect.signature(method_or_func).parameters.keys())\n except AttributeError:\n args = inspect.getargspec(method_or_func).args\n return args\n",
"role": "user"
},
{
"content": "get_args",
"role": "assistant"
}
] |
def x(self, generator, _prev=None):
while True:
if _prev:
ret, _prev = _prev, None
else:
try:
ret = next(generator)
except StopIteration:
break
if isinstance(ret, Request):
if ret.callback:
warnings.warn(
'Got a request with callback set, bypassing the generator wrapper. Generator may not be able to resume. %s'
% ret)
elif ret.errback:
warnings.warn(
'Got a request with errback set, bypassing the generator wrapper. Generator may not be able to resume. %s'
% ret)
else:
yield self._wrapRequest(ret, generator)
return
yield ret
|
unwindGenerator
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, generator, _prev=None):\n while True:\n if _prev:\n ret, _prev = _prev, None\n else:\n try:\n ret = next(generator)\n except StopIteration:\n break\n if isinstance(ret, Request):\n if ret.callback:\n warnings.warn(\n 'Got a request with callback set, bypassing the generator wrapper. Generator may not be able to resume. %s'\n % ret)\n elif ret.errback:\n warnings.warn(\n 'Got a request with errback set, bypassing the generator wrapper. Generator may not be able to resume. %s'\n % ret)\n else:\n yield self._wrapRequest(ret, generator)\n return\n yield ret\n",
"role": "user"
},
{
"content": "unwindGenerator",
"role": "assistant"
}
] |
def x(fn):
@wraps(fn)
def x(*args, **kwargs):
jwt_data = _decode_jwt_from_headers()
ctx_stack.top.jwt = jwt_data
return fn(*args, **kwargs)
return wrapper
|
jwt_required
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fn):\n\n @wraps(fn)\n def x(*args, **kwargs):\n jwt_data = _decode_jwt_from_headers()\n ctx_stack.top.jwt = jwt_data\n return fn(*args, **kwargs)\n return wrapper\n",
"role": "user"
},
{
"content": "jwt_required",
"role": "assistant"
}
] |
def x(fn):
@wraps(fn)
def x(*args, **kwargs):
try:
jwt_data = _decode_jwt_from_headers()
ctx_stack.top.jwt = jwt_data
except (NoAuthorizationError, InvalidHeaderError):
pass
return fn(*args, **kwargs)
return wrapper
|
jwt_optional
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fn):\n\n @wraps(fn)\n def x(*args, **kwargs):\n try:\n jwt_data = _decode_jwt_from_headers()\n ctx_stack.top.jwt = jwt_data\n except (NoAuthorizationError, InvalidHeaderError):\n pass\n return fn(*args, **kwargs)\n return wrapper\n",
"role": "user"
},
{
"content": "jwt_optional",
"role": "assistant"
}
] |
def x(encoded_token):
secret = config.decode_key
algorithm = config.algorithm
audience = config.audience
return jwt.decode(encoded_token, secret, algorithms=[algorithm],
audience=audience)
|
decode_jwt
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(encoded_token):\n secret = config.decode_key\n algorithm = config.algorithm\n audience = config.audience\n return jwt.decode(encoded_token, secret, algorithms=[algorithm],\n audience=audience)\n",
"role": "user"
},
{
"content": "decode_jwt",
"role": "assistant"
}
] |
def x(self, app):
if not hasattr(app, 'extensions'):
app.extensions = {}
app.extensions['flask-jwt-simple'] = self
self._set_default_configuration_options(app)
self._set_error_handler_callbacks(app)
app.config['PROPAGATE_EXCEPTIONS'] = True
|
init_app
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, app):\n if not hasattr(app, 'extensions'):\n app.extensions = {}\n app.extensions['flask-jwt-simple'] = self\n self._set_default_configuration_options(app)\n self._set_error_handler_callbacks(app)\n app.config['PROPAGATE_EXCEPTIONS'] = True\n",
"role": "user"
},
{
"content": "init_app",
"role": "assistant"
}
] |
def x(self, app):
@app.errorhandler(NoAuthorizationError)
def x(e):
return self._unauthorized_callback(str(e))
@app.errorhandler(InvalidHeaderError)
def x(e):
return self._invalid_token_callback(str(e))
@app.errorhandler(jwt.ExpiredSignatureError)
def x(e):
return self._expired_token_callback()
@app.errorhandler(jwt.InvalidTokenError)
def x(e):
return self._invalid_token_callback(str(e))
|
set_error_handler_callbacks
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, app):\n\n @app.errorhandler(NoAuthorizationError)\n def x(e):\n return self._unauthorized_callback(str(e))\n\n @app.errorhandler(InvalidHeaderError)\n def x(e):\n return self._invalid_token_callback(str(e))\n\n @app.errorhandler(jwt.ExpiredSignatureError)\n def x(e):\n return self._expired_token_callback()\n\n @app.errorhandler(jwt.InvalidTokenError)\n def x(e):\n return self._invalid_token_callback(str(e))\n",
"role": "user"
},
{
"content": "set_error_handler_callbacks",
"role": "assistant"
}
] |
def x(app):
app.config.setdefault('JWT_HEADER_NAME', 'Authorization')
app.config.setdefault('JWT_HEADER_TYPE', 'Bearer')
app.config.setdefault('JWT_EXPIRES', datetime.timedelta(hours=1))
app.config.setdefault('JWT_ALGORITHM', 'HS256')
app.config.setdefault('JWT_IDENTITY_CLAIM', 'sub')
app.config.setdefault('JWT_DECODE_AUDIENCE', None)
app.config.setdefault('JWT_SECRET_KEY', None)
app.config.setdefault('JWT_PRIVATE_KEY', None)
app.config.setdefault('JWT_PUBLIC_KEY', None)
|
set_default_configuration_options
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app):\n app.config.setdefault('JWT_HEADER_NAME', 'Authorization')\n app.config.setdefault('JWT_HEADER_TYPE', 'Bearer')\n app.config.setdefault('JWT_EXPIRES', datetime.timedelta(hours=1))\n app.config.setdefault('JWT_ALGORITHM', 'HS256')\n app.config.setdefault('JWT_IDENTITY_CLAIM', 'sub')\n app.config.setdefault('JWT_DECODE_AUDIENCE', None)\n app.config.setdefault('JWT_SECRET_KEY', None)\n app.config.setdefault('JWT_PRIVATE_KEY', None)\n app.config.setdefault('JWT_PUBLIC_KEY', None)\n",
"role": "user"
},
{
"content": "set_default_configuration_options",
"role": "assistant"
}
] |
def x(**kwargs):
if 'series' in kwargs:
kwargs.pop('series')
path = 'series'
else:
path = None
return Fred().category(path, **kwargs)
|
category
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(**kwargs):\n if 'series' in kwargs:\n kwargs.pop('series')\n path = 'series'\n else:\n path = None\n return Fred().category(path, **kwargs)\n",
"role": "user"
},
{
"content": "category",
"role": "assistant"
}
] |
def x(release_id=None, **kwargs):
if not 'id' in kwargs and release_id is not None:
kwargs['release_id'] = release_id
return Fred().release(**kwargs)
return Fred().releases(**kwargs)
|
releases
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(release_id=None, **kwargs):\n if not 'id' in kwargs and release_id is not None:\n kwargs['release_id'] = release_id\n return Fred().release(**kwargs)\n return Fred().releases(**kwargs)\n",
"role": "user"
},
{
"content": "releases",
"role": "assistant"
}
] |
def x(identifier=None, **kwargs):
if identifier:
kwargs['series_id'] = identifier
if 'release' in kwargs:
kwargs.pop('release')
path = 'release'
elif 'releases' in kwargs:
kwargs.pop('releases')
path = 'release'
else:
path = None
return Fred().series(path, **kwargs)
|
series
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(identifier=None, **kwargs):\n if identifier:\n kwargs['series_id'] = identifier\n if 'release' in kwargs:\n kwargs.pop('release')\n path = 'release'\n elif 'releases' in kwargs:\n kwargs.pop('releases')\n path = 'release'\n else:\n path = None\n return Fred().series(path, **kwargs)\n",
"role": "user"
},
{
"content": "series",
"role": "assistant"
}
] |
def x(source_id=None, **kwargs):
if source_id is not None:
kwargs['source_id'] = source_id
elif 'id' in kwargs:
source_id = kwargs.pop('id')
kwargs['source_id'] = source_id
if 'releases' in kwargs:
kwargs.pop('releases')
path = 'releases'
else:
path = None
return Fred().source(path, **kwargs)
|
source
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source_id=None, **kwargs):\n if source_id is not None:\n kwargs['source_id'] = source_id\n elif 'id' in kwargs:\n source_id = kwargs.pop('id')\n kwargs['source_id'] = source_id\n if 'releases' in kwargs:\n kwargs.pop('releases')\n path = 'releases'\n else:\n path = None\n return Fred().source(path, **kwargs)\n",
"role": "user"
},
{
"content": "source",
"role": "assistant"
}
] |
def x(source_id=None, **kwargs):
if source_id or 'id' in kwargs:
return source(source_id, **kwargs)
return Fred().sources(**kwargs)
|
sources
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source_id=None, **kwargs):\n if source_id or 'id' in kwargs:\n return source(source_id, **kwargs)\n return Fred().sources(**kwargs)\n",
"role": "user"
},
{
"content": "sources",
"role": "assistant"
}
] |
def x(self, *args):
args = filter(None, args)
path = self.endpoint + '/'.join(args)
return path
|
create_path
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args):\n args = filter(None, args)\n path = self.endpoint + '/'.join(args)\n return path\n",
"role": "user"
},
{
"content": "create_path",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
location = args[0]
params = self._get_keywords(location, kwargs)
url = self._create_path(*args)
request = requests.get(url, params=params)
content = request.content
self._request = request
return self._output(content)
|
get
|
[
{
"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 location = args[0]\n params = self._get_keywords(location, kwargs)\n url = self._create_path(*args)\n request = requests.get(url, params=params)\n content = request.content\n self._request = request\n return self._output(content)\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, location, keywords):
if 'xml' in keywords:
keywords.pop('xml')
self.xml = True
else:
keywords['file_type'] = 'json'
if 'id' in keywords:
if location != 'series':
location = location.rstrip('s')
key = '%s_id' % location
value = keywords.pop('id')
keywords[key] = value
if 'start' in keywords:
time = keywords.pop('start')
keywords['realtime_start'] = time
if 'end' in keywords:
time = keywords.pop('end')
keywords['realtime_end'] = time
if 'sort' in keywords:
order = keywords.pop('sort')
keywords['sort_order'] = order
keywords['api_key'] = self.api_key
return keywords
|
get_keywords
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, location, keywords):\n if 'xml' in keywords:\n keywords.pop('xml')\n self.xml = True\n else:\n keywords['file_type'] = 'json'\n if 'id' in keywords:\n if location != 'series':\n location = location.rstrip('s')\n key = '%s_id' % location\n value = keywords.pop('id')\n keywords[key] = value\n if 'start' in keywords:\n time = keywords.pop('start')\n keywords['realtime_start'] = time\n if 'end' in keywords:\n time = keywords.pop('end')\n keywords['realtime_end'] = time\n if 'sort' in keywords:\n order = keywords.pop('sort')\n keywords['sort_order'] = order\n keywords['api_key'] = self.api_key\n return keywords\n",
"role": "user"
},
{
"content": "get_keywords",
"role": "assistant"
}
] |
def x(self, item):
if use_feed_image:
feed_image = item.feed_image
if feed_image:
image_complete_url = urljoin(self.get_site_url(), feed_image.
file.url)
else:
image_complete_url = ''
content_field = getattr(item, self.item_content_field)
try:
content = expand_db_html(content_field)
except:
content = content_field.__html__()
soup = BeautifulSoup(content, 'html.parser')
for div in soup.find_all('div', {'class': 'responsive-object'}):
del div['style']
for img_tag in soup.findAll('img'):
if img_tag.has_attr('src'):
img_tag['src'] = urljoin(self.get_site_url(), img_tag['src'])
fields_to_add = {'content': soup.prettify(formatter='html')}
if use_feed_image:
fields_to_add['image'] = image_complete_url
else:
fields_to_add['image'] = ''
return fields_to_add
|
item_extra_kwargs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, item):\n if use_feed_image:\n feed_image = item.feed_image\n if feed_image:\n image_complete_url = urljoin(self.get_site_url(), feed_image.\n file.url)\n else:\n image_complete_url = ''\n content_field = getattr(item, self.item_content_field)\n try:\n content = expand_db_html(content_field)\n except:\n content = content_field.__html__()\n soup = BeautifulSoup(content, 'html.parser')\n for div in soup.find_all('div', {'class': 'responsive-object'}):\n del div['style']\n for img_tag in soup.findAll('img'):\n if img_tag.has_attr('src'):\n img_tag['src'] = urljoin(self.get_site_url(), img_tag['src'])\n fields_to_add = {'content': soup.prettify(formatter='html')}\n if use_feed_image:\n fields_to_add['image'] = image_complete_url\n else:\n fields_to_add['image'] = ''\n return fields_to_add\n",
"role": "user"
},
{
"content": "item_extra_kwargs",
"role": "assistant"
}
] |
def x(request, item_slug):
item = get_object_or_404(treenav.MenuItem, slug=item_slug)
raise Http404
|
treenav_undefined_url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, item_slug):\n item = get_object_or_404(treenav.MenuItem, slug=item_slug)\n raise Http404\n",
"role": "user"
},
{
"content": "treenav_undefined_url",
"role": "assistant"
}
] |
def x(sender, instance, created, **kwargs):
from django.contrib.contenttypes.models import ContentType
from .models import MenuItem
cache_key = 'django-treenav-menumodels'
if sender == MenuItem:
cache.delete(cache_key)
menu_models = cache.get(cache_key)
if not menu_models:
menu_models = []
for menu_item in MenuItem.objects.exclude(content_type__isnull=True):
menu_models.append(menu_item.content_type.model_class())
cache.set(cache_key, menu_models)
if sender in menu_models:
ct = ContentType.objects.get_for_model(sender)
items = MenuItem.objects.filter(content_type=ct, object_id=instance.pk)
for item in items:
if item.href != instance.get_absolute_url():
item.href = instance.get_absolute_url()
item.save()
|
treenav_save_other_object_handler
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sender, instance, created, **kwargs):\n from django.contrib.contenttypes.models import ContentType\n from .models import MenuItem\n cache_key = 'django-treenav-menumodels'\n if sender == MenuItem:\n cache.delete(cache_key)\n menu_models = cache.get(cache_key)\n if not menu_models:\n menu_models = []\n for menu_item in MenuItem.objects.exclude(content_type__isnull=True):\n menu_models.append(menu_item.content_type.model_class())\n cache.set(cache_key, menu_models)\n if sender in menu_models:\n ct = ContentType.objects.get_for_model(sender)\n items = MenuItem.objects.filter(content_type=ct, object_id=instance.pk)\n for item in items:\n if item.href != instance.get_absolute_url():\n item.href = instance.get_absolute_url()\n item.save()\n",
"role": "user"
},
{
"content": "treenav_save_other_object_handler",
"role": "assistant"
}
] |
def x(self, request):
for item in treenav.MenuItem.objects.all():
item.save()
self.message_user(request, _('Menu item HREFs refreshed successfully.'))
info = self.model._meta.app_label, self.model._meta.model_name
changelist_url = reverse('admin:%s_%s_changelist' % info, current_app=
self.admin_site.name)
return redirect(changelist_url)
|
refresh_hrefs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n for item in treenav.MenuItem.objects.all():\n item.save()\n self.message_user(request, _('Menu item HREFs refreshed successfully.'))\n info = self.model._meta.app_label, self.model._meta.model_name\n changelist_url = reverse('admin:%s_%s_changelist' % info, current_app=\n self.admin_site.name)\n return redirect(changelist_url)\n",
"role": "user"
},
{
"content": "refresh_hrefs",
"role": "assistant"
}
] |
def x(self, request):
treenav.delete_cache()
self.message_user(request, _('Cache menuitem cache cleaned successfully.'))
info = self.model._meta.app_label, self.model._meta.model_name
changelist_url = reverse('admin:%s_%s_changelist' % info, current_app=
self.admin_site.name)
return redirect(changelist_url)
|
clean_cache
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n treenav.delete_cache()\n self.message_user(request, _('Cache menuitem cache cleaned successfully.'))\n info = self.model._meta.app_label, self.model._meta.model_name\n changelist_url = reverse('admin:%s_%s_changelist' % info, current_app=\n self.admin_site.name)\n return redirect(changelist_url)\n",
"role": "user"
},
{
"content": "clean_cache",
"role": "assistant"
}
] |
def x(self, request):
self.model.objects.rebuild()
self.message_user(request, _('Menu Tree Rebuilt.'))
return self.clean_cache(request)
|
rebuild_tree
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n self.model.objects.rebuild()\n self.message_user(request, _('Menu Tree Rebuilt.'))\n return self.clean_cache(request)\n",
"role": "user"
},
{
"content": "rebuild_tree",
"role": "assistant"
}
] |
def x(self, request, form, formsets, change):
super(MenuItemAdmin, self).save_related(request, form, formsets, change)
self.model.objects.rebuild()
|
save_related
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, form, formsets, change):\n super(MenuItemAdmin, self).save_related(request, form, formsets, change)\n self.model.objects.rebuild()\n",
"role": "user"
},
{
"content": "save_related",
"role": "assistant"
}
] |
def x(X: Union[pd.DataFrame, np.ndarray], labels: np.ndarray, centroids: np
.ndarray) ->float:
disp = np.sum(np.sum([(np.abs(inst - centroids[label]) ** 2) for inst,
label in zip(X, labels)]))
return disp
|
calculate_dispersion
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(X: Union[pd.DataFrame, np.ndarray], labels: np.ndarray, centroids: np\n .ndarray) ->float:\n disp = np.sum(np.sum([(np.abs(inst - centroids[label]) ** 2) for inst,\n label in zip(X, labels)]))\n return disp\n",
"role": "user"
},
{
"content": "calculate_dispersion",
"role": "assistant"
}
] |
def x(self, X: Union[pd.DataFrame, np.ndarray], n_refs: int, n_clusters: int
) ->Tuple[float, int]:
ref_dispersions = np.zeros(n_refs)
for i in range(n_refs):
random_data = np.random.random_sample(size=X.shape)
centroids, labels = kmeans2(data=random_data, k=n_clusters, iter=10,
minit='points')
dispersion = self._calculate_dispersion(X=random_data, labels=
labels, centroids=centroids)
ref_dispersions[i] = dispersion
centroids, labels = kmeans2(data=X, k=n_clusters, iter=10, minit='points')
dispersion = self._calculate_dispersion(X=X, labels=labels, centroids=
centroids)
gap_value = np.mean(np.log(ref_dispersions)) - np.log(dispersion)
return gap_value, int(n_clusters)
|
calculate_gap
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, X: Union[pd.DataFrame, np.ndarray], n_refs: int, n_clusters: int\n ) ->Tuple[float, int]:\n ref_dispersions = np.zeros(n_refs)\n for i in range(n_refs):\n random_data = np.random.random_sample(size=X.shape)\n centroids, labels = kmeans2(data=random_data, k=n_clusters, iter=10,\n minit='points')\n dispersion = self._calculate_dispersion(X=random_data, labels=\n labels, centroids=centroids)\n ref_dispersions[i] = dispersion\n centroids, labels = kmeans2(data=X, k=n_clusters, iter=10, minit='points')\n dispersion = self._calculate_dispersion(X=X, labels=labels, centroids=\n centroids)\n gap_value = np.mean(np.log(ref_dispersions)) - np.log(dispersion)\n return gap_value, int(n_clusters)\n",
"role": "user"
},
{
"content": "calculate_gap",
"role": "assistant"
}
] |
def x(self, X: Union[pd.DataFrame, np.ndarray], n_refs: int, cluster_array:
np.ndarray):
from gap_statistic.rust import gapstat
for label, gap_value in gapstat.optimal_k(X, list(cluster_array)):
yield gap_value, label
|
process_with_rust
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, X: Union[pd.DataFrame, np.ndarray], n_refs: int, cluster_array:\n np.ndarray):\n from gap_statistic.rust import gapstat\n for label, gap_value in gapstat.optimal_k(X, list(cluster_array)):\n yield gap_value, label\n",
"role": "user"
},
{
"content": "process_with_rust",
"role": "assistant"
}
] |
def x(self, X: Union[pd.DataFrame, np.ndarray], n_refs: int, cluster_array:
np.ndarray):
if Parallel is None:
raise EnvironmentError(
'joblib is not installed; cannot use joblib as the parallel backend!'
)
with Parallel(n_jobs=self.n_jobs) as parallel:
for gap_value, n_clusters in parallel(delayed(self._calculate_gap)(
X, n_refs, n_clusters) for n_clusters in cluster_array):
yield gap_value, n_clusters
|
process_with_joblib
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, X: Union[pd.DataFrame, np.ndarray], n_refs: int, cluster_array:\n np.ndarray):\n if Parallel is None:\n raise EnvironmentError(\n 'joblib is not installed; cannot use joblib as the parallel backend!'\n )\n with Parallel(n_jobs=self.n_jobs) as parallel:\n for gap_value, n_clusters in parallel(delayed(self._calculate_gap)(\n X, n_refs, n_clusters) for n_clusters in cluster_array):\n yield gap_value, n_clusters\n",
"role": "user"
},
{
"content": "process_with_joblib",
"role": "assistant"
}
] |
def x(self, X: Union[pd.DataFrame, np.ndarray], n_refs: int, cluster_array:
np.ndarray):
with ProcessPoolExecutor(max_workers=self.n_jobs) as executor:
jobs = [executor.submit(self._calculate_gap, X, n_refs, n_clusters) for
n_clusters in cluster_array]
for future in as_completed(jobs):
gap_value, k = future.result()
yield gap_value, k
|
process_with_multiprocessing
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, X: Union[pd.DataFrame, np.ndarray], n_refs: int, cluster_array:\n np.ndarray):\n with ProcessPoolExecutor(max_workers=self.n_jobs) as executor:\n jobs = [executor.submit(self._calculate_gap, X, n_refs, n_clusters) for\n n_clusters in cluster_array]\n for future in as_completed(jobs):\n gap_value, k = future.result()\n yield gap_value, k\n",
"role": "user"
},
{
"content": "process_with_multiprocessing",
"role": "assistant"
}
] |
def x(self, X: Union[pd.DataFrame, np.ndarray], n_refs: int, cluster_array:
np.ndarray):
for gap_value, n_clusters in [self._calculate_gap(X, n_refs, n_clusters
) for n_clusters in cluster_array]:
yield gap_value, n_clusters
|
process_non_parallel
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, X: Union[pd.DataFrame, np.ndarray], n_refs: int, cluster_array:\n np.ndarray):\n for gap_value, n_clusters in [self._calculate_gap(X, n_refs, n_clusters\n ) for n_clusters in cluster_array]:\n yield gap_value, n_clusters\n",
"role": "user"
},
{
"content": "process_non_parallel",
"role": "assistant"
}
] |
def x(self):
query = self.table().where('batch', self.get_last_batch_number())
return query.order_by('migration', 'desc').get()
|
get_last
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n query = self.table().where('batch', self.get_last_batch_number())\n return query.order_by('migration', 'desc').get()\n",
"role": "user"
},
{
"content": "get_last",
"role": "assistant"
}
] |
def x(self, query, values):
table = self.wrap_table(query.from__)
if not isinstance(values, list):
values = [values]
columns = self.columnize(values[0].keys())
parameters = self.parameterize(values[0].values())
value = ['(%s)' % parameters] * len(values)
parameters = ', '.join(value)
return 'INSERT INTO %s (%s) VALUES %s' % (table, columns, parameters)
|
compile_insert
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query, values):\n table = self.wrap_table(query.from__)\n if not isinstance(values, list):\n values = [values]\n columns = self.columnize(values[0].keys())\n parameters = self.parameterize(values[0].values())\n value = ['(%s)' % parameters] * len(values)\n parameters = ', '.join(value)\n return 'INSERT INTO %s (%s) VALUES %s' % (table, columns, parameters)\n",
"role": "user"
},
{
"content": "compile_insert",
"role": "assistant"
}
] |
def x(self, diff):
sql = []
for column_diff in diff.changed_columns.values():
if self.is_unchanged_binary_column(column_diff):
continue
old_column_name = column_diff.old_column_name
column = column_diff.column
if any([column_diff.has_changed('type'), column_diff.has_changed(
'precision'), column_diff.has_changed('scale'), column_diff.
has_changed('fixed')]):
query = ('ALTER ' + old_column_name + ' TYPE ' + self.
get_sql_type_declaration(column.to_dict()))
sql.append('ALTER TABLE ' + diff.name + ' ' + query)
if column_diff.has_changed('default') or column_diff.has_changed('type'
):
if column.get_default() is None:
default_clause = ' DROP DEFAULT'
else:
default_clause = (' SET' + self.
get_default_value_declaration_sql(column.to_dict()))
query = 'ALTER ' + old_column_name + default_clause
sql.append('ALTER TABLE ' + diff.name + ' ' + query)
if column_diff.has_changed('notnull'):
op = 'DROP'
if column.get_notnull():
op = 'SET'
query = 'ALTER ' + old_column_name + ' ' + op + ' NOT NULL'
sql.append('ALTER TABLE ' + diff.name + ' ' + query)
if column_diff.has_changed('autoincrement'):
if column.get_autoincrement():
seq_name = self.get_identity_sequence_name(diff.name,
old_column_name)
sql.append('CREATE SEQUENCE ' + seq_name)
sql.append("SELECT setval('" + seq_name + "', (SELECT MAX(" +
old_column_name + ') FROM ' + diff.name + '))')
query = ('ALTER ' + old_column_name +
" SET DEFAULT nextval('" + seq_name + "')")
sql.append('ALTER TABLE ' + diff.name + ' ' + query)
else:
query = 'ALTER ' + old_column_name + ' DROP DEFAULT'
sql.append('ALTER TABLE ' + diff.name + ' ' + query)
if column_diff.has_changed('length'):
query = ('ALTER ' + old_column_name + ' TYPE ' + self.
get_sql_type_declaration(column.to_dict()))
sql.append('ALTER TABLE ' + diff.name + ' ' + query)
for old_column_name, column in diff.renamed_columns.items():
sql.append('ALTER TABLE ' + diff.name + ' RENAME COLUMN ' +
old_column_name + ' TO ' + column.get_name())
return sql
|
get_alter_table_sql
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, diff):\n sql = []\n for column_diff in diff.changed_columns.values():\n if self.is_unchanged_binary_column(column_diff):\n continue\n old_column_name = column_diff.old_column_name\n column = column_diff.column\n if any([column_diff.has_changed('type'), column_diff.has_changed(\n 'precision'), column_diff.has_changed('scale'), column_diff.\n has_changed('fixed')]):\n query = ('ALTER ' + old_column_name + ' TYPE ' + self.\n get_sql_type_declaration(column.to_dict()))\n sql.append('ALTER TABLE ' + diff.name + ' ' + query)\n if column_diff.has_changed('default') or column_diff.has_changed('type'\n ):\n if column.get_default() is None:\n default_clause = ' DROP DEFAULT'\n else:\n default_clause = (' SET' + self.\n get_default_value_declaration_sql(column.to_dict()))\n query = 'ALTER ' + old_column_name + default_clause\n sql.append('ALTER TABLE ' + diff.name + ' ' + query)\n if column_diff.has_changed('notnull'):\n op = 'DROP'\n if column.get_notnull():\n op = 'SET'\n query = 'ALTER ' + old_column_name + ' ' + op + ' NOT NULL'\n sql.append('ALTER TABLE ' + diff.name + ' ' + query)\n if column_diff.has_changed('autoincrement'):\n if column.get_autoincrement():\n seq_name = self.get_identity_sequence_name(diff.name,\n old_column_name)\n sql.append('CREATE SEQUENCE ' + seq_name)\n sql.append(\"SELECT setval('\" + seq_name + \"', (SELECT MAX(\" +\n old_column_name + ') FROM ' + diff.name + '))')\n query = ('ALTER ' + old_column_name +\n \" SET DEFAULT nextval('\" + seq_name + \"')\")\n sql.append('ALTER TABLE ' + diff.name + ' ' + query)\n else:\n query = 'ALTER ' + old_column_name + ' DROP DEFAULT'\n sql.append('ALTER TABLE ' + diff.name + ' ' + query)\n if column_diff.has_changed('length'):\n query = ('ALTER ' + old_column_name + ' TYPE ' + self.\n get_sql_type_declaration(column.to_dict()))\n sql.append('ALTER TABLE ' + diff.name + ' ' + query)\n for old_column_name, column in diff.renamed_columns.items():\n sql.append('ALTER TABLE ' + diff.name + ' RENAME COLUMN ' +\n old_column_name + ' TO ' + column.get_name())\n return sql\n",
"role": "user"
},
{
"content": "get_alter_table_sql",
"role": "assistant"
}
] |
def x(self, type, query, where):
value = str(where['value']).zfill(2)
value = self.parameter(value)
return "strftime('%s', %s) %s %s" % (type, self.wrap(where['column']),
where['operator'], value)
|
date_based_where
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, type, query, where):\n value = str(where['value']).zfill(2)\n value = self.parameter(value)\n return \"strftime('%s', %s) %s %s\" % (type, self.wrap(where['column']),\n where['operator'], value)\n",
"role": "user"
},
{
"content": "date_based_where",
"role": "assistant"
}
] |
def x(self, query):
sql = super(MySqlQueryGrammar, self).compile_select(query)
if query.unions:
sql = '(%s) %s' % (sql, self._compile_unions(query))
return sql
|
compile_select
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query):\n sql = super(MySqlQueryGrammar, self).compile_select(query)\n if query.unions:\n sql = '(%s) %s' % (sql, self._compile_unions(query))\n return sql\n",
"role": "user"
},
{
"content": "compile_select",
"role": "assistant"
}
] |
def x(self, query, value):
if isinstance(value, basestring):
return value
if value is True:
return 'FOR UPDATE'
elif value is False:
return 'LOCK IN SHARE MODE'
|
compile_lock
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query, value):\n if isinstance(value, basestring):\n return value\n if value is True:\n return 'FOR UPDATE'\n elif value is False:\n return 'LOCK IN SHARE MODE'\n",
"role": "user"
},
{
"content": "compile_lock",
"role": "assistant"
}
] |
def x(self, query, values):
sql = super(MySqlQueryGrammar, self).compile_update(query, values)
if query.orders:
sql += ' %s' % self._compile_orders(query, query.orders)
if query.limit_:
sql += ' %s' % self._compile_limit(query, query.limit_)
return sql.rstrip()
|
compile_update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query, values):\n sql = super(MySqlQueryGrammar, self).compile_update(query, values)\n if query.orders:\n sql += ' %s' % self._compile_orders(query, query.orders)\n if query.limit_:\n sql += ' %s' % self._compile_limit(query, query.limit_)\n return sql.rstrip()\n",
"role": "user"
},
{
"content": "compile_update",
"role": "assistant"
}
] |
def x(self):
results = []
if isinstance(self._items, dict):
items = self._items.values()
for values in items:
if isinstance(values, Collection):
values = values.all()
results += values
return Collection(results)
|
collapse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n results = []\n if isinstance(self._items, dict):\n items = self._items.values()\n for values in items:\n if isinstance(values, Collection):\n values = values.all()\n results += values\n return Collection(results)\n",
"role": "user"
},
{
"content": "collapse",
"role": "assistant"
}
] |
def x(self, key, value=None):
if value is not None:
if isinstance(self._items, list):
return key in self._items and self._items[self._items.index(key)
] == value
return self._items.get(key) == value
return key in self._items
|
contains
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, value=None):\n if value is not None:\n if isinstance(self._items, list):\n return key in self._items and self._items[self._items.index(key)\n ] == value\n return self._items.get(key) == value\n return key in self._items\n",
"role": "user"
},
{
"content": "contains",
"role": "assistant"
}
] |
def x(self, value, key=None):
results = map(lambda x: x[value], self._items)
return list(results)
|
lists
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, key=None):\n results = map(lambda x: x[value], self._items)\n return list(results)\n",
"role": "user"
},
{
"content": "lists",
"role": "assistant"
}
] |
def x(self, callback):
if isinstance(self._items, dict):
return Collection(list(map(callback, self._items.values())))
return Collection(list(map(callback, self._items)))
|
map
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callback):\n if isinstance(self._items, dict):\n return Collection(list(map(callback, self._items.values())))\n return Collection(list(map(callback, self._items)))\n",
"role": "user"
},
{
"content": "map",
"role": "assistant"
}
] |
def x(self):
seen = set()
seen_add = seen.add
return Collection([x for x in self._items if not (x in seen or seen_add
(x))])
|
unique
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n seen = set()\n seen_add = seen.add\n return Collection([x for x in self._items if not (x in seen or seen_add\n (x))])\n",
"role": "user"
},
{
"content": "unique",
"role": "assistant"
}
] |
def x(self, *relations):
if len(self._items) > 0:
query = self.first().new_query().with_(*relations)
self._items = query.eager_load_relations(self._items)
return self
|
load
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *relations):\n if len(self._items) > 0:\n query = self.first().new_query().with_(*relations)\n self._items = query.eager_load_relations(self._items)\n return self\n",
"role": "user"
},
{
"content": "load",
"role": "assistant"
}
] |
def x(self, blueprint, command, _):
table = self.wrap_table(blueprint)
on = self.wrap_table(command.on)
columns = self.columnize(command.columns)
on_columns = self.columnize(command.references if isinstance(command.
references, list) else [command.references])
sql = 'ALTER TABLE %s ADD CONSTRAINT %s ' % (table, command.index)
sql += 'FOREIGN KEY (%s) REFERENCES %s (%s)' % (columns, on, on_columns)
if command.get('on_delete'):
sql += ' ON DELETE %s' % command.on_delete
if command.get('on_update'):
sql += ' ON UPDATE %s' % command.on_update
return sql
|
compile_foreign
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, blueprint, command, _):\n table = self.wrap_table(blueprint)\n on = self.wrap_table(command.on)\n columns = self.columnize(command.columns)\n on_columns = self.columnize(command.references if isinstance(command.\n references, list) else [command.references])\n sql = 'ALTER TABLE %s ADD CONSTRAINT %s ' % (table, command.index)\n sql += 'FOREIGN KEY (%s) REFERENCES %s (%s)' % (columns, on, on_columns)\n if command.get('on_delete'):\n sql += ' ON DELETE %s' % command.on_delete\n if command.get('on_update'):\n sql += ' ON UPDATE %s' % command.on_update\n return sql\n",
"role": "user"
},
{
"content": "compile_foreign",
"role": "assistant"
}
] |
def x(self, blueprint):
columns = []
for column in blueprint.get_added_columns():
sql = self.wrap(column) + ' ' + self._get_type(column)
columns.append(self._add_modifiers(sql, blueprint, column))
return columns
|
get_columns
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, blueprint):\n columns = []\n for column in blueprint.get_added_columns():\n sql = self.wrap(column) + ' ' + self._get_type(column)\n columns.append(self._add_modifiers(sql, blueprint, column))\n return columns\n",
"role": "user"
},
{
"content": "get_columns",
"role": "assistant"
}
] |
def x(self, sql, blueprint, column):
for modifier in self._modifiers:
method = '_modify_%s' % modifier
if hasattr(self, method):
sql += getattr(self, method)(blueprint, column)
return sql
|
add_modifiers
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sql, blueprint, column):\n for modifier in self._modifiers:\n method = '_modify_%s' % modifier\n if hasattr(self, method):\n sql += getattr(self, method)(blueprint, column)\n return sql\n",
"role": "user"
},
{
"content": "add_modifiers",
"role": "assistant"
}
] |
def x(self, model):
values = {}
delete_keys = []
for key, value in model.get_attributes().items():
if key.find('pivot_') == 0:
values[key[6:]] = value
delete_keys.append(key)
for key in delete_keys:
delattr(model, key)
return values
|
clean_pivot_attributes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, model):\n values = {}\n delete_keys = []\n for key, value in model.get_attributes().items():\n if key.find('pivot_') == 0:\n values[key[6:]] = value\n delete_keys.append(key)\n for key in delete_keys:\n delattr(model, key)\n return values\n",
"role": "user"
},
{
"content": "clean_pivot_attributes",
"role": "assistant"
}
] |
def x(self, query, parent):
query.select(QueryExpression('COUNT(*)'))
table_prefix = self._query.get_query().get_connection().get_table_prefix()
hash_ = self.get_relation_count_hash()
query.from_('%s AS %s%s' % (self._table, table_prefix, hash_))
key = self.wrap(self.get_qualified_parent_key_name())
return query.where('%s.%s' % (hash_, self._foreign_key), '=',
QueryExpression(key))
|
get_relation_count_query_for_self_join
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query, parent):\n query.select(QueryExpression('COUNT(*)'))\n table_prefix = self._query.get_query().get_connection().get_table_prefix()\n hash_ = self.get_relation_count_hash()\n query.from_('%s AS %s%s' % (self._table, table_prefix, hash_))\n key = self.wrap(self.get_qualified_parent_key_name())\n return query.where('%s.%s' % (hash_, self._foreign_key), '=',\n QueryExpression(key))\n",
"role": "user"
},
{
"content": "get_relation_count_query_for_self_join",
"role": "assistant"
}
] |
def x(self, columns=None):
if columns == ['*'] or columns is None:
columns = ['%s.*' % self._related.get_table()]
return columns + self._get_aliased_pivot_columns()
|
get_select_columns
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, columns=None):\n if columns == ['*'] or columns is None:\n columns = ['%s.*' % self._related.get_table()]\n return columns + self._get_aliased_pivot_columns()\n",
"role": "user"
},
{
"content": "get_select_columns",
"role": "assistant"
}
] |
def x(self):
defaults = [self._foreign_key, self._other_key]
columns = []
for column in (defaults + self._pivot_columns):
value = '%s.%s AS pivot_%s' % (self._table, column, column)
if value not in columns:
columns.append('%s.%s AS pivot_%s' % (self._table, column, column))
return columns
|
get_aliased_pivot_columns
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n defaults = [self._foreign_key, self._other_key]\n columns = []\n for column in (defaults + self._pivot_columns):\n value = '%s.%s AS pivot_%s' % (self._table, column, column)\n if value not in columns:\n columns.append('%s.%s AS pivot_%s' % (self._table, column, column))\n return columns\n",
"role": "user"
},
{
"content": "get_aliased_pivot_columns",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.