source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(cls, namespace, name): def x(kind): cls._FOREIGN[namespace, name] = kind() return kind return func
register
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, namespace, name):\n\n def x(kind):\n cls._FOREIGN[namespace, name] = kind()\n return kind\n return func\n", "role": "user" }, { "content": "register", "role": "assistant" } ]
def x(): repo = GIRepository() repo.require('GLib', '2.0', 0) info = repo.find_by_name('GLib', 'spawn_sync') return not info.get_arg(8).may_be_null
may_be_null_is_nullable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n repo = GIRepository()\n repo.require('GLib', '2.0', 0)\n info = repo.find_by_name('GLib', 'spawn_sync')\n return not info.get_arg(8).may_be_null\n", "role": "user" }, { "content": "may_be_null_is_nullable", "role": "assistant" } ]
def x(type_): if type_ is None: return '' if isinstance(type_, string_types): return type_ elif isinstance(type_, list): assert len(type_) == 1 return '[%s]' % get_type_name(type_[0]) elif isinstance(type_, dict): assert len(type_) == 1 key, value = list(type_.items())[0] return '{%s: %s}' % (get_type_name(key), get_type_name(value)) elif type_.__module__ in ('__builtin__', 'builtins'): return type_.__name__ else: return '%s.%s' % (type_.__module__, type_.__name__)
get_type_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(type_):\n if type_ is None:\n return ''\n if isinstance(type_, string_types):\n return type_\n elif isinstance(type_, list):\n assert len(type_) == 1\n return '[%s]' % get_type_name(type_[0])\n elif isinstance(type_, dict):\n assert len(type_) == 1\n key, value = list(type_.items())[0]\n return '{%s: %s}' % (get_type_name(key), get_type_name(value))\n elif type_.__module__ in ('__builtin__', 'builtins'):\n return type_.__name__\n else:\n return '%s.%s' % (type_.__module__, type_.__name__)\n", "role": "user" }, { "content": "get_type_name", "role": "assistant" } ]
def x(func_name, args, ret, throws, signal_owner_type=None): out_args = [] if ret and not ret.ignore: if ret.py_type is None: out_args.append('unknown') else: tname = get_type_name(ret.py_type) if ret.may_return_null: tname += ' or None' out_args.append(tname) in_args = [] if signal_owner_type is not None: name = get_signal_owner_var_name(signal_owner_type) in_args.append('%s: %s' % (name, get_type_name(signal_owner_type. pytype))) for arg in args: if arg.is_aux: continue if arg.is_direction_in(): if arg.py_type is None: in_args.append(arg.in_var) else: tname = get_type_name(arg.py_type) if arg.may_be_null: tname += ' or None' in_args.append('%s: %s' % (arg.in_var, tname)) if arg.is_direction_out(): if arg.py_type is None: out_args.append(arg.name) else: tname = get_type_name(arg.py_type) if may_be_null_is_nullable( ) and arg.may_be_null and arg.can_unpack_none: tname += ' or None' out_args.append('%s: %s' % (arg.name, tname)) in_def = ', '.join(in_args) if not out_args: out_def = 'None' elif len(out_args) == 1: out_def = out_args[0] else: out_def = '(%s)' % ', '.join(out_args) error = '' if throws: error = 'raises ' return '%s(%s) %s-> %s' % (func_name, in_def, error, out_def)
build_docstring
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func_name, args, ret, throws, signal_owner_type=None):\n out_args = []\n if ret and not ret.ignore:\n if ret.py_type is None:\n out_args.append('unknown')\n else:\n tname = get_type_name(ret.py_type)\n if ret.may_return_null:\n tname += ' or None'\n out_args.append(tname)\n in_args = []\n if signal_owner_type is not None:\n name = get_signal_owner_var_name(signal_owner_type)\n in_args.append('%s: %s' % (name, get_type_name(signal_owner_type.\n pytype)))\n for arg in args:\n if arg.is_aux:\n continue\n if arg.is_direction_in():\n if arg.py_type is None:\n in_args.append(arg.in_var)\n else:\n tname = get_type_name(arg.py_type)\n if arg.may_be_null:\n tname += ' or None'\n in_args.append('%s: %s' % (arg.in_var, tname))\n if arg.is_direction_out():\n if arg.py_type is None:\n out_args.append(arg.name)\n else:\n tname = get_type_name(arg.py_type)\n if may_be_null_is_nullable(\n ) and arg.may_be_null and arg.can_unpack_none:\n tname += ' or None'\n out_args.append('%s: %s' % (arg.name, tname))\n in_def = ', '.join(in_args)\n if not out_args:\n out_def = 'None'\n elif len(out_args) == 1:\n out_def = out_args[0]\n else:\n out_def = '(%s)' % ', '.join(out_args)\n error = ''\n if throws:\n error = 'raises '\n return '%s(%s) %s-> %s' % (func_name, in_def, error, out_def)\n", "role": "user" }, { "content": "build_docstring", "role": "assistant" } ]
def x(info, method=False): assert isinstance(info, GIFunctionInfo) arg_infos = list(info.get_args()) arg_types = [a.get_type() for a in arg_infos] return_type = info.get_return_type() func = None messages = [] for backend in list_backends(): instance = backend() try: func = _generate_function(instance, info, arg_infos, arg_types, return_type, method) except NotImplementedError: messages.append('%s: %s' % (backend.NAME, traceback.format_exc())) else: break if func: return func raise NotImplementedError('\n'.join(messages))
generate_function
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(info, method=False):\n assert isinstance(info, GIFunctionInfo)\n arg_infos = list(info.get_args())\n arg_types = [a.get_type() for a in arg_infos]\n return_type = info.get_return_type()\n func = None\n messages = []\n for backend in list_backends():\n instance = backend()\n try:\n func = _generate_function(instance, info, arg_infos, arg_types,\n return_type, method)\n except NotImplementedError:\n messages.append('%s: %s' % (backend.NAME, traceback.format_exc()))\n else:\n break\n if func:\n return func\n raise NotImplementedError('\\n'.join(messages))\n", "role": "user" }, { "content": "generate_function", "role": "assistant" } ]
def x(info, func_name, method=False, signal_owner_type=None): assert isinstance(info, GICallableInfo) arg_infos = list(info.get_args()) arg_types = [a.get_type() for a in arg_infos] return_type = info.get_return_type() backend = get_backend('null')() args = [] for arg_info, arg_type in zip(arg_infos, arg_types): cls = get_argument_class(arg_type) name = escape_identifier(arg_info.name) name = escape_parameter(name) args.append(cls(name, args, backend, arg_info, arg_type)) cls = get_return_class(return_type) return_value = cls(info, return_type, args, backend) for arg in args: arg.setup() return_value.setup() in_args = [a for a in args if not a.is_aux and a.in_var] if in_args and in_args[-1].closure != -1: name = in_args[-1].in_var in_args[-1].in_var = '*' + name func_name = escape_identifier(func_name) docstring = build_docstring(func_name, args, return_value, False, signal_owner_type) in_names = [a.in_var for a in in_args] var_fac = backend.var var_fac.add_blacklist(in_names) self_name = '' if method: self_name = var_fac.request_name('self') in_names.insert(0, self_name) main, var = backend.parse( """ def $func_name($func_args): '''$docstring''' raise NotImplementedError("This is just a dummy callback function") """ , func_args=', '.join(in_names), docstring=docstring, func_name= func_name) func = main.compile()[func_name] func._code = main func.__doc__ = docstring func.__module__ = info.namespace return func
generate_dummy_callable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(info, func_name, method=False, signal_owner_type=None):\n assert isinstance(info, GICallableInfo)\n arg_infos = list(info.get_args())\n arg_types = [a.get_type() for a in arg_infos]\n return_type = info.get_return_type()\n backend = get_backend('null')()\n args = []\n for arg_info, arg_type in zip(arg_infos, arg_types):\n cls = get_argument_class(arg_type)\n name = escape_identifier(arg_info.name)\n name = escape_parameter(name)\n args.append(cls(name, args, backend, arg_info, arg_type))\n cls = get_return_class(return_type)\n return_value = cls(info, return_type, args, backend)\n for arg in args:\n arg.setup()\n return_value.setup()\n in_args = [a for a in args if not a.is_aux and a.in_var]\n if in_args and in_args[-1].closure != -1:\n name = in_args[-1].in_var\n in_args[-1].in_var = '*' + name\n func_name = escape_identifier(func_name)\n docstring = build_docstring(func_name, args, return_value, False,\n signal_owner_type)\n in_names = [a.in_var for a in in_args]\n var_fac = backend.var\n var_fac.add_blacklist(in_names)\n self_name = ''\n if method:\n self_name = var_fac.request_name('self')\n in_names.insert(0, self_name)\n main, var = backend.parse(\n \"\"\"\ndef $func_name($func_args):\n '''$docstring'''\n\n raise NotImplementedError(\"This is just a dummy callback function\")\n\"\"\"\n , func_args=', '.join(in_names), docstring=docstring, func_name=\n func_name)\n func = main.compile()[func_name]\n func._code = main\n func.__doc__ = docstring\n func.__module__ = info.namespace\n return func\n", "role": "user" }, { "content": "generate_dummy_callable", "role": "assistant" } ]
def x(ffi, type_name, prefix, flags=False): class _template(int): _map = {} @property def x(self): return int(self) def x(self): return self._map.get(self, 'Unknown') def x(self): return '%s.%s' % (type(self).__name__, str(self)) class _template_flags(int): _map = {} @property def x(self): return int(self) def x(self): names = [] val = int(self) for flag, name in self._map.items(): if val & flag: names.append(name) val &= ~flag if val: names.append(str(val)) return ' | '.join(sorted(names or ['Unknown'])) def x(self): return '%s(%s)' % (type(self).__name__, str(self)) if flags: template = _template_flags else: template = _template cls = type(type_name, template.__bases__, dict(template.__dict__)) prefix_len = len(prefix) for value, name in ffi.typeof(type_name).elements.items(): assert name[:prefix_len] == prefix name = name[prefix_len:] setattr(cls, name, cls(value)) cls._map[value] = name return cls
create_enum_class
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ffi, type_name, prefix, flags=False):\n\n\n class _template(int):\n _map = {}\n\n @property\n def x(self):\n return int(self)\n\n def x(self):\n return self._map.get(self, 'Unknown')\n\n def x(self):\n return '%s.%s' % (type(self).__name__, str(self))\n\n\n class _template_flags(int):\n _map = {}\n\n @property\n def x(self):\n return int(self)\n\n def x(self):\n names = []\n val = int(self)\n for flag, name in self._map.items():\n if val & flag:\n names.append(name)\n val &= ~flag\n if val:\n names.append(str(val))\n return ' | '.join(sorted(names or ['Unknown']))\n\n def x(self):\n return '%s(%s)' % (type(self).__name__, str(self))\n if flags:\n template = _template_flags\n else:\n template = _template\n cls = type(type_name, template.__bases__, dict(template.__dict__))\n prefix_len = len(prefix)\n for value, name in ffi.typeof(type_name).elements.items():\n assert name[:prefix_len] == prefix\n name = name[prefix_len:]\n setattr(cls, name, cls(value))\n cls._map[value] = name\n return cls\n", "role": "user" }, { "content": "create_enum_class", "role": "assistant" } ]
def x(string, reg=re.compile('=\\s*(\\d+)\\s*<<\\s*(\\d+)')): def x(match): shift_by = int(match.group(2)) value = int(match.group(1)) int_value = ctypes.c_int(value << shift_by).value return '= %s' % str(int_value) return reg.sub(repl_shift, string)
fixup_cdef_enums
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(string, reg=re.compile('=\\\\s*(\\\\d+)\\\\s*<<\\\\s*(\\\\d+)')):\n\n def x(match):\n shift_by = int(match.group(2))\n value = int(match.group(1))\n int_value = ctypes.c_int(value << shift_by).value\n return '= %s' % str(int_value)\n return reg.sub(repl_shift, string)\n", "role": "user" }, { "content": "fixup_cdef_enums", "role": "assistant" } ]
def x(g, type_, transfer_full=True): values = [] item = g while item: ptr = item.contents.data value = cast(ptr, type_).value values.append(value) if transfer_full: free(ptr) item = item.next() if transfer_full: g.free() return values
unpack_glist
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(g, type_, transfer_full=True):\n values = []\n item = g\n while item:\n ptr = item.contents.data\n value = cast(ptr, type_).value\n values.append(value)\n if transfer_full:\n free(ptr)\n item = item.next()\n if transfer_full:\n g.free()\n return values\n", "role": "user" }, { "content": "unpack_glist", "role": "assistant" } ]
def x(array): addrs = cast(array, POINTER(ctypes.c_void_p)) l = [] i = 0 value = array[i] while value: l.append(value) free(addrs[i]) i += 1 value = array[i] free(addrs) return l
unpack_nullterm_array
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(array):\n addrs = cast(array, POINTER(ctypes.c_void_p))\n l = []\n i = 0\n value = array[i]\n while value:\n l.append(value)\n free(addrs[i])\n i += 1\n value = array[i]\n free(addrs)\n return l\n", "role": "user" }, { "content": "unpack_nullterm_array", "role": "assistant" } ]
def x(namespace, version): global _versions repo = GIRepository() namespaces = repo.get_loaded_namespaces() if namespace in namespaces: loaded_version = repo.get_version(namespace) if loaded_version != version: raise ValueError( 'Namespace %s is already loaded with version %s' % ( namespace, loaded_version)) if namespace in _versions and _versions[namespace] != version: raise ValueError('Namespace %s already requires version %s' % ( namespace, _versions[namespace])) available_versions = repo.enumerate_versions(namespace) if not available_versions: raise ValueError('Namespace %s not available' % namespace) if version not in available_versions: raise ValueError('Namespace %s not available for version %s' % ( namespace, version)) _versions[namespace] = version
require_version
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(namespace, version):\n global _versions\n repo = GIRepository()\n namespaces = repo.get_loaded_namespaces()\n if namespace in namespaces:\n loaded_version = repo.get_version(namespace)\n if loaded_version != version:\n raise ValueError(\n 'Namespace %s is already loaded with version %s' % (\n namespace, loaded_version))\n if namespace in _versions and _versions[namespace] != version:\n raise ValueError('Namespace %s already requires version %s' % (\n namespace, _versions[namespace]))\n available_versions = repo.enumerate_versions(namespace)\n if not available_versions:\n raise ValueError('Namespace %s not available' % namespace)\n if version not in available_versions:\n raise ValueError('Namespace %s not available for version %s' % (\n namespace, version))\n _versions[namespace] = version\n", "role": "user" }, { "content": "require_version", "role": "assistant" } ]
def x(namespace, stacklevel): repository = GIRepository() was_loaded = repository.is_registered(namespace) yield if was_loaded: return if namespace in ('GLib', 'GObject', 'Gio'): return if get_required_version(namespace) is not None: return version = repository.get_version(namespace) warnings.warn( "%(namespace)s was imported without specifying a version first. Use gi.require_version('%(namespace)s', '%(version)s') before import to ensure that the right version gets loaded." % {'namespace': namespace, 'version': version}, PyGIWarning, stacklevel=stacklevel)
check_require_version
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(namespace, stacklevel):\n repository = GIRepository()\n was_loaded = repository.is_registered(namespace)\n yield\n if was_loaded:\n return\n if namespace in ('GLib', 'GObject', 'Gio'):\n return\n if get_required_version(namespace) is not None:\n return\n version = repository.get_version(namespace)\n warnings.warn(\n \"%(namespace)s was imported without specifying a version first. Use gi.require_version('%(namespace)s', '%(version)s') before import to ensure that the right version gets loaded.\"\n % {'namespace': namespace, 'version': version}, PyGIWarning,\n stacklevel=stacklevel)\n", "role": "user" }, { "content": "check_require_version", "role": "assistant" } ]
def x(import_hook): py_version = sys.version_info[:2] if py_version <= (3, 2): return 4 if import_hook else 2 elif py_version == (3, 3): return 8 if import_hook else 10 elif py_version == (3, 4): return 10 if import_hook else 8 else: return 4 if import_hook else 2
get_import_stacklevel
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(import_hook):\n py_version = sys.version_info[:2]\n if py_version <= (3, 2):\n return 4 if import_hook else 2\n elif py_version == (3, 3):\n return 8 if import_hook else 10\n elif py_version == (3, 4):\n return 10 if import_hook else 8\n else:\n return 4 if import_hook else 2\n", "role": "user" }, { "content": "get_import_stacklevel", "role": "assistant" } ]
def x(glist_ptr, cffi_type, transfer_full=True): current = glist_ptr while current: yield ffi.cast(cffi_type, current.data) if transfer_full: free(current.data) current = current.next if transfer_full: lib.g_list_free(glist_ptr)
unpack_glist
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(glist_ptr, cffi_type, transfer_full=True):\n current = glist_ptr\n while current:\n yield ffi.cast(cffi_type, current.data)\n if transfer_full:\n free(current.data)\n current = current.next\n if transfer_full:\n lib.g_list_free(glist_ptr)\n", "role": "user" }, { "content": "unpack_glist", "role": "assistant" } ]
def x(ptr): assert ptr index = 0 current = ptr[index] while current: yield current free(ffi.cast('gpointer', current)) index += 1 current = ptr[index] free(ffi.cast('gpointer', ptr))
unpack_zeroterm_array
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ptr):\n assert ptr\n index = 0\n current = ptr[index]\n while current:\n yield current\n free(ffi.cast('gpointer', current))\n index += 1\n current = ptr[index]\n free(ffi.cast('gpointer', ptr))\n", "role": "user" }, { "content": "unpack_zeroterm_array", "role": "assistant" } ]
def x(struct_info): cls_dict = dict(_Structure.__dict__) cls = type(struct_info.name, _Structure.__bases__, cls_dict) cls.__module__ = struct_info.namespace cls.__gtype__ = PGType(struct_info.g_type) cls._size = struct_info.size cls._is_gtype_struct = struct_info.is_gtype_struct for method_info in struct_info.get_methods(): add_method(method_info, cls) for field_info in struct_info.get_fields(): field_name = escape_identifier(field_info.name) attr = FieldAttribute(field_name, field_info) setattr(cls, field_name, attr) return cls
StructureAttribute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(struct_info):\n cls_dict = dict(_Structure.__dict__)\n cls = type(struct_info.name, _Structure.__bases__, cls_dict)\n cls.__module__ = struct_info.namespace\n cls.__gtype__ = PGType(struct_info.g_type)\n cls._size = struct_info.size\n cls._is_gtype_struct = struct_info.is_gtype_struct\n for method_info in struct_info.get_methods():\n add_method(method_info, cls)\n for field_info in struct_info.get_fields():\n field_name = escape_identifier(field_info.name)\n attr = FieldAttribute(field_name, field_info)\n setattr(cls, field_name, attr)\n return cls\n", "role": "user" }, { "content": "StructureAttribute", "role": "assistant" } ]
def x(cls, error, own=True): if not own: error = error.copy() self = cls() self._error = error return self
from_gerror
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, error, own=True):\n if not own:\n error = error.copy()\n self = cls()\n self._error = error\n return self\n", "role": "user" }, { "content": "from_gerror", "role": "assistant" } ]
def x(version): if isinstance(version, string_types): version = tuple(map(int, version.split('.'))) if version > version_info: str_version = '.'.join(map(str, version)) raise ValueError("pgi version '%s' requested, '%s' available" % ( str_version, __version__))
check_version
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(version):\n if isinstance(version, string_types):\n version = tuple(map(int, version.split('.')))\n if version > version_info:\n str_version = '.'.join(map(str, version))\n raise ValueError(\"pgi version '%s' requested, '%s' available\" % (\n str_version, __version__))\n", "role": "user" }, { "content": "check_version", "role": "assistant" } ]
def x(): import sys if 'gi.repository' in const.PREFIX: return for mod in iterkeys(sys.modules): if mod == 'gi' or mod.startswith('gi.'): raise AssertionError('pgi has to be imported before gi') import pgi import pgi.repository sys.modules['gi'] = pgi sys.modules['gi.repository'] = pgi.repository const.PREFIX.append('gi.repository')
install_as_gi
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n import sys\n if 'gi.repository' in const.PREFIX:\n return\n for mod in iterkeys(sys.modules):\n if mod == 'gi' or mod.startswith('gi.'):\n raise AssertionError('pgi has to be imported before gi')\n import pgi\n import pgi.repository\n sys.modules['gi'] = pgi\n sys.modules['gi.repository'] = pgi.repository\n const.PREFIX.append('gi.repository')\n", "role": "user" }, { "content": "install_as_gi", "role": "assistant" } ]
def x(model, panel_cls, heading, index=None): from wagtail.wagtailadmin.views.pages import get_page_edit_handler edit_handler = get_page_edit_handler(model) panel_instance = ObjectList([panel_cls()], heading=heading).bind_to_model( model) if index: edit_handler.children.insert(index, panel_instance) else: edit_handler.children.append(panel_instance)
add_panel_to_edit_handler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(model, panel_cls, heading, index=None):\n from wagtail.wagtailadmin.views.pages import get_page_edit_handler\n edit_handler = get_page_edit_handler(model)\n panel_instance = ObjectList([panel_cls()], heading=heading).bind_to_model(\n model)\n if index:\n edit_handler.children.insert(index, panel_instance)\n else:\n edit_handler.children.append(panel_instance)\n", "role": "user" }, { "content": "add_panel_to_edit_handler", "role": "assistant" } ]
def x(self, **kwargs): query_str = self.request.GET.get('q', None) queryset = kwargs.pop('object_list', self.object_list) context_object_name = self.get_context_object_name(queryset) context = {'ordering': self.get_ordering(), 'query_string': query_str, 'is_searching': bool(query_str)} if not self.request.is_ajax() or kwargs.get('force_search', False): context.update({'search_form': self.get_search_form(), 'popular_tags': self.model.popular_tags()}) if context_object_name is not None: context[context_object_name] = queryset context.update(kwargs) return super(IndexView, self).get_context_data(**context)
get_context_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n query_str = self.request.GET.get('q', None)\n queryset = kwargs.pop('object_list', self.object_list)\n context_object_name = self.get_context_object_name(queryset)\n context = {'ordering': self.get_ordering(), 'query_string': query_str,\n 'is_searching': bool(query_str)}\n if not self.request.is_ajax() or kwargs.get('force_search', False):\n context.update({'search_form': self.get_search_form(),\n 'popular_tags': self.model.popular_tags()})\n if context_object_name is not None:\n context[context_object_name] = queryset\n context.update(kwargs)\n return super(IndexView, self).get_context_data(**context)\n", "role": "user" }, { "content": "get_context_data", "role": "assistant" } ]
def x(self): ordering = self.request.GET.get('ordering', None) if ordering not in ['title', '-created_at']: ordering = '-created_at' return ordering
get_ordering
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n ordering = self.request.GET.get('ordering', None)\n if ordering not in ['title', '-created_at']:\n ordering = '-created_at'\n return ordering\n", "role": "user" }, { "content": "get_ordering", "role": "assistant" } ]
def x(self): queryset = super(IndexView, self).get_queryset() search_form = self.get_search_form() if search_form.is_valid(): query_str = search_form.cleaned_data.get('q', '').strip() queryset = self.model.objects.search(query_str) return queryset
get_queryset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n queryset = super(IndexView, self).get_queryset()\n search_form = self.get_search_form()\n if search_form.is_valid():\n query_str = search_form.cleaned_data.get('q', '').strip()\n queryset = self.model.objects.search(query_str)\n return queryset\n", "role": "user" }, { "content": "get_queryset", "role": "assistant" } ]
def x(self): if 'q' in self.request.GET: return self.search_form_class(self.request.GET) else: return self.search_form_class(placeholder=_(u'Search'))
get_search_form
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if 'q' in self.request.GET:\n return self.search_form_class(self.request.GET)\n else:\n return self.search_form_class(placeholder=_(u'Search'))\n", "role": "user" }, { "content": "get_search_form", "role": "assistant" } ]
def x(self): if self.request.is_ajax(): template_name = '/results.html' else: template_name = '/index.html' return ['{0}{1}'.format(self.template_dir, template_name)]
get_template_names
[ { "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.request.is_ajax():\n template_name = '/results.html'\n else:\n template_name = '/index.html'\n return ['{0}{1}'.format(self.template_dir, template_name)]\n", "role": "user" }, { "content": "get_template_names", "role": "assistant" } ]
def x(self, queryset, page_size): paginator = self.get_paginator(queryset, page_size, orphans=self. get_paginate_orphans(), allow_empty_first_page=self.get_allow_empty()) page_kwarg = self.page_kwarg page_num = self.kwargs.get(page_kwarg) or self.request.GET.get(page_kwarg ) or 1 try: page = paginator.page(page_num) except PageNotAnInteger: page = paginator.page(1) except EmptyPage: page = paginator.page(paginator.num_pages) return paginator, page, page.object_list, page.has_other_pages()
paginate_queryset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, queryset, page_size):\n paginator = self.get_paginator(queryset, page_size, orphans=self.\n get_paginate_orphans(), allow_empty_first_page=self.get_allow_empty())\n page_kwarg = self.page_kwarg\n page_num = self.kwargs.get(page_kwarg) or self.request.GET.get(page_kwarg\n ) or 1\n try:\n page = paginator.page(page_num)\n except PageNotAnInteger:\n page = paginator.page(1)\n except EmptyPage:\n page = paginator.page(paginator.num_pages)\n return paginator, page, page.object_list, page.has_other_pages()\n", "role": "user" }, { "content": "paginate_queryset", "role": "assistant" } ]
def x(self, form): meta = getattr(self.model, '_meta') messages.error(self.request, _( u'The {0} could not be saved due to errors.').format(meta. verbose_name.lower())) return super(BaseEditView, self).form_invalid(form)
form_invalid
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, form):\n meta = getattr(self.model, '_meta')\n messages.error(self.request, _(\n u'The {0} could not be saved due to errors.').format(meta.\n verbose_name.lower()))\n return super(BaseEditView, self).form_invalid(form)\n", "role": "user" }, { "content": "form_invalid", "role": "assistant" } ]
def x(self, form): self.object = form.save() meta = getattr(self.object, '_meta') for backend in get_search_backends(): backend.add(object) messages.success(self.request, _(u'{0} "{1}" saved.').format(meta. verbose_name, str(self.object)), buttons=[messages.button(reverse( '{0}:edit'.format(self.url_namespace), args=(self.object.id,)), _( u'Edit'))]) return redirect(self.get_success_url())
form_valid
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, form):\n self.object = form.save()\n meta = getattr(self.object, '_meta')\n for backend in get_search_backends():\n backend.add(object)\n messages.success(self.request, _(u'{0} \"{1}\" saved.').format(meta.\n verbose_name, str(self.object)), buttons=[messages.button(reverse(\n '{0}:edit'.format(self.url_namespace), args=(self.object.id,)), _(\n u'Edit'))])\n return redirect(self.get_success_url())\n", "role": "user" }, { "content": "form_valid", "role": "assistant" } ]
def x(self): if self.success_url: url = force_text(self.success_url) else: url = reverse('{0}:index'.format(self.url_namespace)) return url
get_success_url
[ { "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.success_url:\n url = force_text(self.success_url)\n else:\n url = reverse('{0}:index'.format(self.url_namespace))\n return url\n", "role": "user" }, { "content": "get_success_url", "role": "assistant" } ]
def x(self, request, *args, **kwargs): self.object = self.get_object() success_url = self.get_success_url() meta = getattr(self.object, '_meta') self.object.delete() messages.success(request, _(u'{0} "{1}" deleted.').format(meta. verbose_name.lower(), str(self.object))) return redirect(success_url)
delete
[ { "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 self.object = self.get_object()\n success_url = self.get_success_url()\n meta = getattr(self.object, '_meta')\n self.object.delete()\n messages.success(request, _(u'{0} \"{1}\" deleted.').format(meta.\n verbose_name.lower(), str(self.object)))\n return redirect(success_url)\n", "role": "user" }, { "content": "delete", "role": "assistant" } ]
def x(iterable, n): iterable = iter(iterable) while 1: t = tuple(islice(iterable, n)) if t: yield t else: return
chunked
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(iterable, n):\n iterable = iter(iterable)\n while 1:\n t = tuple(islice(iterable, n))\n if t:\n yield t\n else:\n return\n", "role": "user" }, { "content": "chunked", "role": "assistant" } ]
def x(explanation, indent=' ', indent_level=0): if not explanation: return '' line = '%s%s %2.4f' % (indent * indent_level, explanation['description' ], explanation['value']) if 'details' in explanation: details = '\n'.join([format_explanation(subtree, indent, indent_level + 1) for subtree in explanation['details']]) return line + '\n' + details return line
format_explanation
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(explanation, indent=' ', indent_level=0):\n if not explanation:\n return ''\n line = '%s%s %2.4f' % (indent * indent_level, explanation['description'\n ], explanation['value'])\n if 'details' in explanation:\n details = '\\n'.join([format_explanation(subtree, indent, \n indent_level + 1) for subtree in explanation['details']])\n return line + '\\n' + details\n return line\n", "role": "user" }, { "content": "format_explanation", "role": "assistant" } ]
def x(**overrides): defaults = {'urls': settings.ES_URLS, 'timeout': getattr(settings, 'ES_TIMEOUT', 5)} defaults.update(overrides) return base_get_es(**defaults)
get_es
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(**overrides):\n defaults = {'urls': settings.ES_URLS, 'timeout': getattr(settings,\n 'ES_TIMEOUT', 5)}\n defaults.update(overrides)\n return base_get_es(**defaults)\n", "role": "user" }, { "content": "get_es", "role": "assistant" } ]
def x(fun): @wraps(fun) def x(*args, **kw): if getattr(settings, 'ES_DISABLED', False): log.debug('Search disabled for %s.' % fun) return return fun(*args, es=get_es(), **kw) return wrapper
es_required
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fun):\n\n @wraps(fun)\n def x(*args, **kw):\n if getattr(settings, 'ES_DISABLED', False):\n log.debug('Search disabled for %s.' % fun)\n return\n return fun(*args, es=get_es(), **kw)\n return wrapper\n", "role": "user" }, { "content": "es_required", "role": "assistant" } ]
def x(self, default_builder=get_es): return super(S, self).get_es(default_builder=default_builder)
get_es
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, default_builder=get_es):\n return super(S, self).get_es(default_builder=default_builder)\n", "role": "user" }, { "content": "get_es", "role": "assistant" } ]
def x(self, default_indexes=None): doctype = self.type.get_mapping_type_name() indexes = settings.ES_INDEXES.get(doctype) or settings.ES_INDEXES['default' ] if isinstance(indexes, six.string_types): indexes = [indexes] return super(S, self).get_indexes(default_indexes=indexes)
get_indexes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, default_indexes=None):\n doctype = self.type.get_mapping_type_name()\n indexes = settings.ES_INDEXES.get(doctype) or settings.ES_INDEXES['default'\n ]\n if isinstance(indexes, six.string_types):\n indexes = [indexes]\n return super(S, self).get_indexes(default_indexes=indexes)\n", "role": "user" }, { "content": "get_indexes", "role": "assistant" } ]
def x(self, default_doctypes=None): doctypes = self.type.get_mapping_type_name() if isinstance(doctypes, six.string_types): doctypes = [doctypes] return super(S, self).get_doctypes(default_doctypes=doctypes)
get_doctypes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, default_doctypes=None):\n doctypes = self.type.get_mapping_type_name()\n if isinstance(doctypes, six.string_types):\n doctypes = [doctypes]\n return super(S, self).get_doctypes(default_doctypes=doctypes)\n", "role": "user" }, { "content": "get_doctypes", "role": "assistant" } ]
def x(cls): indexes = settings.ES_INDEXES index = indexes.get(cls.get_mapping_type_name()) or indexes['default'] if not isinstance(index, six.string_types): index = index[0] return index
get_index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n indexes = settings.ES_INDEXES\n index = indexes.get(cls.get_mapping_type_name()) or indexes['default']\n if not isinstance(index, six.string_types):\n index = index[0]\n return index\n", "role": "user" }, { "content": "get_index", "role": "assistant" } ]
def x(cls): model = cls.get_model() return model.objects.order_by('id').values_list('id', flat=True)
get_indexable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n model = cls.get_model()\n return model.objects.order_by('id').values_list('id', flat=True)\n", "role": "user" }, { "content": "get_indexable", "role": "assistant" } ]
def x(urls=None, timeout=DEFAULT_TIMEOUT, force_new=False, **settings): urls = urls or DEFAULT_URLS if 'hosts' in settings: raise DeprecationWarning('"hosts" is deprecated in favor of "urls".') if not force_new: key = _build_key(urls, timeout, **settings) if key in _cached_elasticsearch: return _cached_elasticsearch[key] es = Elasticsearch(urls, timeout=timeout, **settings) if not force_new: _cached_elasticsearch[key] = es return es
get_es
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(urls=None, timeout=DEFAULT_TIMEOUT, force_new=False, **settings):\n urls = urls or DEFAULT_URLS\n if 'hosts' in settings:\n raise DeprecationWarning('\"hosts\" is deprecated in favor of \"urls\".')\n if not force_new:\n key = _build_key(urls, timeout, **settings)\n if key in _cached_elasticsearch:\n return _cached_elasticsearch[key]\n es = Elasticsearch(urls, timeout=timeout, **settings)\n if not force_new:\n _cached_elasticsearch[key] = es\n return es\n", "role": "user" }, { "content": "get_es", "role": "assistant" } ]
def x(items): facets = {} for name, data in items: facets[name] = FacetResult(name, data) return facets
facet_counts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(items):\n facets = {}\n for name, data in items:\n facets[name] = FacetResult(name, data)\n return facets\n", "role": "user" }, { "content": "facet_counts", "role": "assistant" } ]
def x(name, action, key, value, boost): if boost is not None: value_key = 'query' if action in MATCH_ACTIONS else 'value' return {name: {'boost': boost, value_key: value}} return {name: value}
boosted_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, action, key, value, boost):\n if boost is not None:\n value_key = 'query' if action in MATCH_ACTIONS else 'value'\n return {name: {'boost': boost, value_key: value}}\n return {name: value}\n", "role": "user" }, { "content": "boosted_value", "role": "assistant" } ]
def x(obj, result): obj.es_meta = Metadata(id=result.get('_id', 0), source=result.get( '_source', {}), score=result.get('_score', None), type=result.get( '_type', None), explanation=result.get('_explanation', {}), highlight=result.get('highlight', {})) obj._id = result.get('_id', 0) return obj
decorate_with_metadata
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, result):\n obj.es_meta = Metadata(id=result.get('_id', 0), source=result.get(\n '_source', {}), score=result.get('_score', None), type=result.get(\n '_type', None), explanation=result.get('_explanation', {}),\n highlight=result.get('highlight', {}))\n obj._id = result.get('_id', 0)\n return obj\n", "role": "user" }, { "content": "decorate_with_metadata", "role": "assistant" } ]
def x(self, other, conn='and'): f = F() self_filters = copy.deepcopy(self.filters) other_filters = copy.deepcopy(other.filters) if not self.filters: f.filters = other_filters elif not other.filters: f.filters = self_filters elif conn in self.filters[0]: f.filters = self_filters f.filters[0][conn].extend(other_filters) elif conn in other.filters[0]: f.filters = other_filters f.filters[0][conn].extend(self_filters) else: f.filters = [{conn: self_filters + other_filters}] return f
combine
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, other, conn='and'):\n f = F()\n self_filters = copy.deepcopy(self.filters)\n other_filters = copy.deepcopy(other.filters)\n if not self.filters:\n f.filters = other_filters\n elif not other.filters:\n f.filters = self_filters\n elif conn in self.filters[0]:\n f.filters = self_filters\n f.filters[0][conn].extend(other_filters)\n elif conn in other.filters[0]:\n f.filters = other_filters\n f.filters[0][conn].extend(self_filters)\n else:\n f.filters = [{conn: self_filters + other_filters}]\n return f\n", "role": "user" }, { "content": "combine", "role": "assistant" } ]
def x(self, obj): if isinstance(obj, string_types): if len(obj) == 26: try: return datetime.strptime(obj, '%Y-%m-%dT%H:%M:%S.%f') except (TypeError, ValueError): pass elif len(obj) == 19: try: return datetime.strptime(obj, '%Y-%m-%dT%H:%M:%S') except (TypeError, ValueError): pass elif len(obj) == 10: try: return datetime.strptime(obj, '%Y-%m-%d') except (TypeError, ValueError): pass elif isinstance(obj, dict): for key, val in obj.items(): obj[key] = self.to_python(val) elif isinstance(obj, list): return [self.to_python(item) for item in obj] return obj
to_python
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj):\n if isinstance(obj, string_types):\n if len(obj) == 26:\n try:\n return datetime.strptime(obj, '%Y-%m-%dT%H:%M:%S.%f')\n except (TypeError, ValueError):\n pass\n elif len(obj) == 19:\n try:\n return datetime.strptime(obj, '%Y-%m-%dT%H:%M:%S')\n except (TypeError, ValueError):\n pass\n elif len(obj) == 10:\n try:\n return datetime.strptime(obj, '%Y-%m-%d')\n except (TypeError, ValueError):\n pass\n elif isinstance(obj, dict):\n for key, val in obj.items():\n obj[key] = self.to_python(val)\n elif isinstance(obj, list):\n return [self.to_python(item) for item in obj]\n return obj\n", "role": "user" }, { "content": "to_python", "role": "assistant" } ]
def x(self, *queries, **kw): q = Q() for query in queries: q += query if 'or_' in kw: or_query = kw.pop('or_') or_query['should'] = True q += Q(**or_query) q += Q(**kw) return self._clone(next_step=('query', q))
query
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *queries, **kw):\n q = Q()\n for query in queries:\n q += query\n if 'or_' in kw:\n or_query = kw.pop('or_')\n or_query['should'] = True\n q += Q(**or_query)\n q += Q(**kw)\n return self._clone(next_step=('query', q))\n", "role": "user" }, { "content": "query", "role": "assistant" } ]
def x(self, *filters, **kw): items = kw.items() if six.PY3: items = list(items) return self._clone(next_step=('filter', list(filters) + items))
filter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *filters, **kw):\n items = kw.items()\n if six.PY3:\n items = list(items)\n return self._clone(next_step=('filter', list(filters) + items))\n", "role": "user" }, { "content": "filter", "role": "assistant" } ]
def x(self, **kw): new = self._clone() new.field_boosts.update(kw) return new
boost
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kw):\n new = self._clone()\n new.field_boosts.update(kw)\n return new\n", "role": "user" }, { "content": "boost", "role": "assistant" } ]
def x(self, amount_, *queries, **kw): q = Q() for query in queries: q += query q += Q(**kw) return self._clone(next_step=('demote', (amount_, q)))
demote
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, amount_, *queries, **kw):\n q = Q()\n for query in queries:\n q += query\n q += Q(**kw)\n return self._clone(next_step=('demote', (amount_, q)))\n", "role": "user" }, { "content": "demote", "role": "assistant" } ]
def x(self, **kw): items = kw.items() if six.PY3: items = list(items) return self._clone(next_step=('facet_raw', items))
facet_raw
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kw):\n items = kw.items()\n if six.PY3:\n items = list(items)\n return self._clone(next_step=('facet_raw', items))\n", "role": "user" }, { "content": "facet_raw", "role": "assistant" } ]
def x(self, name, term, **kwargs): return self._clone(next_step=('suggest', (name, term, kwargs)))
suggest
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, term, **kwargs):\n return self._clone(next_step=('suggest', (name, term, kwargs)))\n", "role": "user" }, { "content": "suggest", "role": "assistant" } ]
def x(self, **kw): new = self._clone() actions = ['values_list', 'values_dict', 'order_by', 'query', 'filter', 'facet'] for key, vals in kw.items(): assert key in actions if hasattr(vals, 'items'): new.steps.append((key, vals.items())) else: new.steps.append((key, vals)) return new
extra
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kw):\n new = self._clone()\n actions = ['values_list', 'values_dict', 'order_by', 'query', 'filter',\n 'facet']\n for key, vals in kw.items():\n assert key in actions\n if hasattr(vals, 'items'):\n new.steps.append((key, vals.items()))\n else:\n new.steps.append((key, vals))\n return new\n", "role": "user" }, { "content": "extra", "role": "assistant" } ]
def x(self): filters = [] filters_raw = None queries = [] query_raw = None sort = [] dict_fields = set() list_fields = set() facets = {} facets_raw = {} demote = None highlight_fields = set() highlight_options = {} suggestions = {} explain = False as_list = as_dict = False search_type = None for action, value in self.steps: if action == 'order_by': sort = [] for key in value: if isinstance(key, string_types) and key.startswith('-'): sort.append({key[1:]: 'desc'}) else: sort.append(key) elif action == 'values_list': if not value: list_fields = set() else: list_fields |= set(value) as_list, as_dict = True, False elif action == 'values_dict': if not value: dict_fields = set() else: dict_fields |= set(value) as_list, as_dict = False, True elif action == 'explain': explain = value elif action == 'query': queries.append(value) elif action == 'query_raw': query_raw = value elif action == 'demote': demote = value elif action == 'filter': filters.extend(self._process_filters(value)) elif action == 'filter_raw': filters_raw = value elif action == 'facet': facets.update(_process_facets(*value)) elif action == 'facet_raw': facets_raw.update(dict(value)) elif action == 'highlight': if value[0] == (None,): highlight_fields = set() else: highlight_fields |= set(value[0]) highlight_options.update(value[1]) elif action == 'search_type': search_type = value elif action == 'suggest': suggestions[value[0]] = value[1], value[2] elif action in ('es', 'indexes', 'doctypes', 'boost'): pass else: raise NotImplementedError(action) qs = {} if filters_raw: qs['filter'] = filters_raw elif len(filters) > 1: qs['filter'] = {'and': filters} elif filters: qs['filter'] = filters[0] if query_raw: qs['query'] = query_raw else: pq = self._process_queries(queries) if demote is not None: qs['query'] = {'boosting': {'negative': self._process_queries([ demote[1]]), 'negative_boost': demote[0]}} if pq: qs['query']['boosting']['positive'] = pq elif pq: qs['query'] = pq if as_list: fields = qs['fields'] = list(list_fields) if list_fields else ['*'] elif as_dict: fields = qs['fields'] = list(dict_fields) if dict_fields else ['*'] else: fields = set() if facets: qs['facets'] = facets for facet in facets.values(): if facet.get('facet_filter', 1) is None and 'filter' in qs: facet['facet_filter'] = qs['filter'] if facets_raw: qs.setdefault('facets', {}).update(facets_raw) if sort: qs['sort'] = sort if self.start: qs['from'] = self.start if self.stop is not None: qs['size'] = self.stop - self.start if highlight_fields: qs['highlight'] = self._build_highlight(highlight_fields, highlight_options) if explain: qs['explain'] = True for suggestion, (term, kwargs) in six.iteritems(suggestions): qs.setdefault('suggest', {})[suggestion] = {'text': term, 'term': { 'field': kwargs.get('field', '_all')}} self.fields, self.as_list, self.as_dict = fields, as_list, as_dict self.search_type = search_type return qs
build_search
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n filters = []\n filters_raw = None\n queries = []\n query_raw = None\n sort = []\n dict_fields = set()\n list_fields = set()\n facets = {}\n facets_raw = {}\n demote = None\n highlight_fields = set()\n highlight_options = {}\n suggestions = {}\n explain = False\n as_list = as_dict = False\n search_type = None\n for action, value in self.steps:\n if action == 'order_by':\n sort = []\n for key in value:\n if isinstance(key, string_types) and key.startswith('-'):\n sort.append({key[1:]: 'desc'})\n else:\n sort.append(key)\n elif action == 'values_list':\n if not value:\n list_fields = set()\n else:\n list_fields |= set(value)\n as_list, as_dict = True, False\n elif action == 'values_dict':\n if not value:\n dict_fields = set()\n else:\n dict_fields |= set(value)\n as_list, as_dict = False, True\n elif action == 'explain':\n explain = value\n elif action == 'query':\n queries.append(value)\n elif action == 'query_raw':\n query_raw = value\n elif action == 'demote':\n demote = value\n elif action == 'filter':\n filters.extend(self._process_filters(value))\n elif action == 'filter_raw':\n filters_raw = value\n elif action == 'facet':\n facets.update(_process_facets(*value))\n elif action == 'facet_raw':\n facets_raw.update(dict(value))\n elif action == 'highlight':\n if value[0] == (None,):\n highlight_fields = set()\n else:\n highlight_fields |= set(value[0])\n highlight_options.update(value[1])\n elif action == 'search_type':\n search_type = value\n elif action == 'suggest':\n suggestions[value[0]] = value[1], value[2]\n elif action in ('es', 'indexes', 'doctypes', 'boost'):\n pass\n else:\n raise NotImplementedError(action)\n qs = {}\n if filters_raw:\n qs['filter'] = filters_raw\n elif len(filters) > 1:\n qs['filter'] = {'and': filters}\n elif filters:\n qs['filter'] = filters[0]\n if query_raw:\n qs['query'] = query_raw\n else:\n pq = self._process_queries(queries)\n if demote is not None:\n qs['query'] = {'boosting': {'negative': self._process_queries([\n demote[1]]), 'negative_boost': demote[0]}}\n if pq:\n qs['query']['boosting']['positive'] = pq\n elif pq:\n qs['query'] = pq\n if as_list:\n fields = qs['fields'] = list(list_fields) if list_fields else ['*']\n elif as_dict:\n fields = qs['fields'] = list(dict_fields) if dict_fields else ['*']\n else:\n fields = set()\n if facets:\n qs['facets'] = facets\n for facet in facets.values():\n if facet.get('facet_filter', 1) is None and 'filter' in qs:\n facet['facet_filter'] = qs['filter']\n if facets_raw:\n qs.setdefault('facets', {}).update(facets_raw)\n if sort:\n qs['sort'] = sort\n if self.start:\n qs['from'] = self.start\n if self.stop is not None:\n qs['size'] = self.stop - self.start\n if highlight_fields:\n qs['highlight'] = self._build_highlight(highlight_fields,\n highlight_options)\n if explain:\n qs['explain'] = True\n for suggestion, (term, kwargs) in six.iteritems(suggestions):\n qs.setdefault('suggest', {})[suggestion] = {'text': term, 'term': {\n 'field': kwargs.get('field', '_all')}}\n self.fields, self.as_list, self.as_dict = fields, as_list, as_dict\n self.search_type = search_type\n return qs\n", "role": "user" }, { "content": "build_search", "role": "assistant" } ]
def x(self, fields, options): ret = {'fields': dict((f, {}) for f in fields), 'order': 'score'} ret.update(options) return ret
build_highlight
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fields, options):\n ret = {'fields': dict((f, {}) for f in fields), 'order': 'score'}\n ret.update(options)\n return ret\n", "role": "user" }, { "content": "build_highlight", "role": "assistant" } ]
def x(self, filters): rv = [] for f in filters: if isinstance(f, F): if f.filters: rv.extend(self._process_filters(f.filters)) continue elif isinstance(f, dict): if six.PY3: key = list(f.keys())[0] else: key = f.keys()[0] val = f[key] key = key.strip('_') if key not in ('or', 'and', 'not', 'filter'): raise InvalidFieldActionError('%s is not a valid connector' % f.keys()[0]) if 'filter' in val: filter_filters = self._process_filters(val['filter']) if len(filter_filters) == 1: filter_filters = filter_filters[0] rv.append({key: {'filter': filter_filters}}) else: rv.append({key: self._process_filters(val)}) else: key, val = f key, field_action = split_field_action(key) handler_name = 'process_filter_{0}'.format(field_action) if field_action and hasattr(self, handler_name): rv.append(getattr(self, handler_name)(key, val, field_action)) elif key.strip('_') in ('or', 'and', 'not'): connector = key.strip('_') rv.append({connector: self._process_filters(val.items())}) elif field_action is None: if val is None: rv.append({'missing': {'field': key, 'null_value': True}}) else: rv.append({'term': {key: val}}) elif field_action in ('startswith', 'prefix'): rv.append({'prefix': {key: val}}) elif field_action == 'in': rv.append({'in': {key: val}}) elif field_action in RANGE_ACTIONS: rv.append({'range': {key: {field_action: val}}}) elif field_action == 'range': lower, upper = val rv.append({'range': {key: {'gte': lower, 'lte': upper}}}) elif field_action == 'distance': distance, latitude, longitude = val rv.append({'geo_distance': {'distance': distance, key: [ longitude, latitude]}}) else: raise InvalidFieldActionError( '%s is not a valid field action' % field_action) return rv
process_filters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filters):\n rv = []\n for f in filters:\n if isinstance(f, F):\n if f.filters:\n rv.extend(self._process_filters(f.filters))\n continue\n elif isinstance(f, dict):\n if six.PY3:\n key = list(f.keys())[0]\n else:\n key = f.keys()[0]\n val = f[key]\n key = key.strip('_')\n if key not in ('or', 'and', 'not', 'filter'):\n raise InvalidFieldActionError('%s is not a valid connector' %\n f.keys()[0])\n if 'filter' in val:\n filter_filters = self._process_filters(val['filter'])\n if len(filter_filters) == 1:\n filter_filters = filter_filters[0]\n rv.append({key: {'filter': filter_filters}})\n else:\n rv.append({key: self._process_filters(val)})\n else:\n key, val = f\n key, field_action = split_field_action(key)\n handler_name = 'process_filter_{0}'.format(field_action)\n if field_action and hasattr(self, handler_name):\n rv.append(getattr(self, handler_name)(key, val, field_action))\n elif key.strip('_') in ('or', 'and', 'not'):\n connector = key.strip('_')\n rv.append({connector: self._process_filters(val.items())})\n elif field_action is None:\n if val is None:\n rv.append({'missing': {'field': key, 'null_value': True}})\n else:\n rv.append({'term': {key: val}})\n elif field_action in ('startswith', 'prefix'):\n rv.append({'prefix': {key: val}})\n elif field_action == 'in':\n rv.append({'in': {key: val}})\n elif field_action in RANGE_ACTIONS:\n rv.append({'range': {key: {field_action: val}}})\n elif field_action == 'range':\n lower, upper = val\n rv.append({'range': {key: {'gte': lower, 'lte': upper}}})\n elif field_action == 'distance':\n distance, latitude, longitude = val\n rv.append({'geo_distance': {'distance': distance, key: [\n longitude, latitude]}})\n else:\n raise InvalidFieldActionError(\n '%s is not a valid field action' % field_action)\n return rv\n", "role": "user" }, { "content": "process_filters", "role": "assistant" } ]
def x(self, query): key, val = query field_name, field_action = split_field_action(key) boost = self.field_boosts.get(key) if boost is None: boost = self.field_boosts.get(field_name) handler_name = 'process_query_{0}'.format(field_action) if field_action and hasattr(self, handler_name): return getattr(self, handler_name)(field_name, val, field_action) elif field_action in QUERY_ACTION_MAP: return {QUERY_ACTION_MAP[field_action]: _boosted_value(field_name, field_action, key, val, boost)} elif field_action == 'query_string': return {'query_string': {'default_field': field_name, 'query': val}} elif field_action in RANGE_ACTIONS: return {'range': {field_name: _boosted_value(field_action, field_action, key, val, boost)}} elif field_action == 'range': lower, upper = val value = {'gte': lower, 'lte': upper} if boost: value['boost'] = boost return {'range': {field_name: value}} raise InvalidFieldActionError('%s is not a valid field action' % field_action)
process_query
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, query):\n key, val = query\n field_name, field_action = split_field_action(key)\n boost = self.field_boosts.get(key)\n if boost is None:\n boost = self.field_boosts.get(field_name)\n handler_name = 'process_query_{0}'.format(field_action)\n if field_action and hasattr(self, handler_name):\n return getattr(self, handler_name)(field_name, val, field_action)\n elif field_action in QUERY_ACTION_MAP:\n return {QUERY_ACTION_MAP[field_action]: _boosted_value(field_name,\n field_action, key, val, boost)}\n elif field_action == 'query_string':\n return {'query_string': {'default_field': field_name, 'query': val}}\n elif field_action in RANGE_ACTIONS:\n return {'range': {field_name: _boosted_value(field_action,\n field_action, key, val, boost)}}\n elif field_action == 'range':\n lower, upper = val\n value = {'gte': lower, 'lte': upper}\n if boost:\n value['boost'] = boost\n return {'range': {field_name: value}}\n raise InvalidFieldActionError('%s is not a valid field action' %\n field_action)\n", "role": "user" }, { "content": "process_query", "role": "assistant" } ]
def x(self, queries): new_q = Q() for query in queries: new_q += query should_q = [self._process_query(query) for query in new_q.should_q] must_q = [self._process_query(query) for query in new_q.must_q] must_not_q = [self._process_query(query) for query in new_q.must_not_q] if len(must_q) > 1 or len(should_q) + len(must_not_q) > 0: bool_query = {} if must_q: bool_query['must'] = must_q if should_q: bool_query['should'] = should_q if must_not_q: bool_query['must_not'] = must_not_q return {'bool': bool_query} if must_q: return must_q[0] return {}
process_queries
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, queries):\n new_q = Q()\n for query in queries:\n new_q += query\n should_q = [self._process_query(query) for query in new_q.should_q]\n must_q = [self._process_query(query) for query in new_q.must_q]\n must_not_q = [self._process_query(query) for query in new_q.must_not_q]\n if len(must_q) > 1 or len(should_q) + len(must_not_q) > 0:\n bool_query = {}\n if must_q:\n bool_query['must'] = must_q\n if should_q:\n bool_query['should'] = should_q\n if must_not_q:\n bool_query['must_not'] = must_not_q\n return {'bool': bool_query}\n if must_q:\n return must_q[0]\n return {}\n", "role": "user" }, { "content": "process_queries", "role": "assistant" } ]
def x(self): if self._results_cache is None: response = self.raw() ResultsClass = self.get_results_class() results = self.to_python(response.get('hits', {}).get('hits', [])) self._results_cache = ResultsClass(self.type, response, results, self.fields) return self._results_cache
do_search
[ { "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._results_cache is None:\n response = self.raw()\n ResultsClass = self.get_results_class()\n results = self.to_python(response.get('hits', {}).get('hits', []))\n self._results_cache = ResultsClass(self.type, response, results,\n self.fields)\n return self._results_cache\n", "role": "user" }, { "content": "do_search", "role": "assistant" } ]
def x(self, default_builder=get_es): args = {} for action, value in self.steps: if action == 'es': args.update(**value) return default_builder(**args)
get_es
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, default_builder=get_es):\n args = {}\n for action, value in self.steps:\n if action == 'es':\n args.update(**value)\n return default_builder(**args)\n", "role": "user" }, { "content": "get_es", "role": "assistant" } ]
def x(self, default_indexes=DEFAULT_INDEXES): for action, value in reversed(self.steps): if action == 'indexes': return list(value) if self.type is not None: indexes = self.type.get_index() if isinstance(indexes, string_types): indexes = [indexes] return indexes return default_indexes
get_indexes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, default_indexes=DEFAULT_INDEXES):\n for action, value in reversed(self.steps):\n if action == 'indexes':\n return list(value)\n if self.type is not None:\n indexes = self.type.get_index()\n if isinstance(indexes, string_types):\n indexes = [indexes]\n return indexes\n return default_indexes\n", "role": "user" }, { "content": "get_indexes", "role": "assistant" } ]
def x(self, default_doctypes=DEFAULT_DOCTYPES): for action, value in reversed(self.steps): if action == 'doctypes': return list(value) if self.type is not None: return [self.type.get_mapping_type_name()] return default_doctypes
get_doctypes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, default_doctypes=DEFAULT_DOCTYPES):\n for action, value in reversed(self.steps):\n if action == 'doctypes':\n return list(value)\n if self.type is not None:\n return [self.type.get_mapping_type_name()]\n return default_doctypes\n", "role": "user" }, { "content": "get_doctypes", "role": "assistant" } ]
def x(self): qs = self.build_search() es = self.get_es() index = self.get_indexes() doc_type = self.get_doctypes() if doc_type and not index: raise BadSearch( 'You must specify an index if you are specifying doctypes.') extra_search_kwargs = {} if self.search_type: extra_search_kwargs['search_type'] = self.search_type hits = es.search(body=qs, index=self.get_indexes(), doc_type=self. get_doctypes(), **extra_search_kwargs) log.debug('[%s] %s' % (hits['took'], qs)) return hits
raw
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n qs = self.build_search()\n es = self.get_es()\n index = self.get_indexes()\n doc_type = self.get_doctypes()\n if doc_type and not index:\n raise BadSearch(\n 'You must specify an index if you are specifying doctypes.')\n extra_search_kwargs = {}\n if self.search_type:\n extra_search_kwargs['search_type'] = self.search_type\n hits = es.search(body=qs, index=self.get_indexes(), doc_type=self.\n get_doctypes(), **extra_search_kwargs)\n log.debug('[%s] %s' % (hits['took'], qs))\n return hits\n", "role": "user" }, { "content": "raw", "role": "assistant" } ]
def x(self): if self.s: return self.s.get_es() return self.es or get_es()
get_es
[ { "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.s:\n return self.s.get_es()\n return self.es or get_es()\n", "role": "user" }, { "content": "get_es", "role": "assistant" } ]
def x(self): es = self.get_es() params = dict(self.query_params) mlt_fields = self.mlt_fields or params.pop('mlt_fields', []) body = self.s.build_search() if self.s else '' hits = es.mlt(index=self.index, doc_type=self.doctype, id=self.id, mlt_fields=mlt_fields, body=body, **params) log.debug(hits) return hits
raw
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n es = self.get_es()\n params = dict(self.query_params)\n mlt_fields = self.mlt_fields or params.pop('mlt_fields', [])\n body = self.s.build_search() if self.s else ''\n hits = es.mlt(index=self.index, doc_type=self.doctype, id=self.id,\n mlt_fields=mlt_fields, body=body, **params)\n log.debug(hits)\n return hits\n", "role": "user" }, { "content": "raw", "role": "assistant" } ]
def x(self): if self._results_cache is None: response = self.raw() results = self.to_python(response.get('hits', {}).get('hits', [])) self._results_cache = DictSearchResults(self.type, response, results, None) return self._results_cache
do_search
[ { "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._results_cache is None:\n response = self.raw()\n results = self.to_python(response.get('hits', {}).get('hits', []))\n self._results_cache = DictSearchResults(self.type, response,\n results, None)\n return self._results_cache\n", "role": "user" }, { "content": "do_search", "role": "assistant" } ]
def x(cls, document, id_=None, overwrite_existing=True, es=None, index=None): if es is None: es = cls.get_es() if index is None: index = cls.get_index() kw = {} if not overwrite_existing: kw['op_type'] = 'create' es.index(index=index, doc_type=cls.get_mapping_type_name(), body= document, id=id_, **kw)
index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, document, id_=None, overwrite_existing=True, es=None, index=None):\n if es is None:\n es = cls.get_es()\n if index is None:\n index = cls.get_index()\n kw = {}\n if not overwrite_existing:\n kw['op_type'] = 'create'\n es.index(index=index, doc_type=cls.get_mapping_type_name(), body=\n document, id=id_, **kw)\n", "role": "user" }, { "content": "index", "role": "assistant" } ]
def x(cls, documents, id_field='id', es=None, index=None): if es is None: es = cls.get_es() if index is None: index = cls.get_index() documents = (dict(d, _id=d[id_field]) for d in documents) bulk_index(es, documents, index=index, doc_type=cls. get_mapping_type_name(), raise_on_error=True)
bulk_index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, documents, id_field='id', es=None, index=None):\n if es is None:\n es = cls.get_es()\n if index is None:\n index = cls.get_index()\n documents = (dict(d, _id=d[id_field]) for d in documents)\n bulk_index(es, documents, index=index, doc_type=cls.\n get_mapping_type_name(), raise_on_error=True)\n", "role": "user" }, { "content": "bulk_index", "role": "assistant" } ]
def x(cls, id_, es=None, index=None): if es is None: es = cls.get_es() if index is None: index = cls.get_index() es.delete(index=index, doc_type=cls.get_mapping_type_name(), id=id_)
unindex
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, id_, es=None, index=None):\n if es is None:\n es = cls.get_es()\n if index is None:\n index = cls.get_index()\n es.delete(index=index, doc_type=cls.get_mapping_type_name(), id=id_)\n", "role": "user" }, { "content": "unindex", "role": "assistant" } ]
def x(cls, es=None, index=None): if es is None: es = cls.get_es() if index is None: index = cls.get_index() es.indices.refresh(index=index)
refresh_index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, es=None, index=None):\n if es is None:\n es = cls.get_es()\n if index is None:\n index = cls.get_index()\n es.indices.refresh(index=index)\n", "role": "user" }, { "content": "refresh_index", "role": "assistant" } ]
def x(): if _monkeypatched_es: return def x(fun): @wraps(fun) def x(self, *args, **kwargs): def x(item): for key, val in item.items(): if 'ok' in val: val['status'] = 201 return item ret = fun(self, *args, **kwargs) if 'items' in ret: ret['items'] = [fix_item(item) for item in ret['items']] return ret return _fixed_bulk Elasticsearch.bulk = normalize_bulk_return(Elasticsearch.bulk)
monkeypatch_es
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n if _monkeypatched_es:\n return\n\n def x(fun):\n\n @wraps(fun)\n def x(self, *args, **kwargs):\n\n def x(item):\n for key, val in item.items():\n if 'ok' in val:\n val['status'] = 201\n return item\n ret = fun(self, *args, **kwargs)\n if 'items' in ret:\n ret['items'] = [fix_item(item) for item in ret['items']]\n return ret\n return _fixed_bulk\n Elasticsearch.bulk = normalize_bulk_return(Elasticsearch.bulk)\n", "role": "user" }, { "content": "monkeypatch_es", "role": "assistant" } ]
def x(self, **kwargs): kwargs.update({'entries': Entry.objects.get_for_tag(self.kwargs.get( 'slug', 0))}) return super(EntriesView, self).get_context_data(**kwargs)
get_context_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n kwargs.update({'entries': Entry.objects.get_for_tag(self.kwargs.get(\n 'slug', 0))})\n return super(EntriesView, self).get_context_data(**kwargs)\n", "role": "user" }, { "content": "get_context_data", "role": "assistant" } ]
def x(self, service, username): assoc = self._generate_assoc(service, username) service = escape_for_ini(service) username = escape_for_ini(username) config = configparser.RawConfigParser() if os.path.exists(self.file_path): config.read(self.file_path) try: password_base64 = config.get(service, username).encode() password_encrypted = decodebytes(password_base64) try: password = self.decrypt(password_encrypted, assoc).decode('utf-8') except ValueError: password = self.decrypt(password_encrypted).decode('utf-8') except (configparser.NoOptionError, configparser.NoSectionError): password = None return password
get_password
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service, username):\n assoc = self._generate_assoc(service, username)\n service = escape_for_ini(service)\n username = escape_for_ini(username)\n config = configparser.RawConfigParser()\n if os.path.exists(self.file_path):\n config.read(self.file_path)\n try:\n password_base64 = config.get(service, username).encode()\n password_encrypted = decodebytes(password_base64)\n try:\n password = self.decrypt(password_encrypted, assoc).decode('utf-8')\n except ValueError:\n password = self.decrypt(password_encrypted).decode('utf-8')\n except (configparser.NoOptionError, configparser.NoSectionError):\n password = None\n return password\n", "role": "user" }, { "content": "get_password", "role": "assistant" } ]
def x(self, service, username, password): if not username: raise ValueError('Username cannot be blank.') if not isinstance(password, string_types): raise TypeError('Password should be a unicode string, not bytes.') assoc = self._generate_assoc(service, username) password_encrypted = self.encrypt(password.encode('utf-8'), assoc) password_base64 = '\n' + encodebytes(password_encrypted).decode() self._write_config_value(service, username, password_base64)
set_password
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service, username, password):\n if not username:\n raise ValueError('Username cannot be blank.')\n if not isinstance(password, string_types):\n raise TypeError('Password should be a unicode string, not bytes.')\n assoc = self._generate_assoc(service, username)\n password_encrypted = self.encrypt(password.encode('utf-8'), assoc)\n password_base64 = '\\n' + encodebytes(password_encrypted).decode()\n self._write_config_value(service, username, password_base64)\n", "role": "user" }, { "content": "set_password", "role": "assistant" } ]
def x(self): storage_root = os.path.dirname(self.file_path) needs_storage_root = storage_root and not os.path.isdir(storage_root) if needs_storage_root: os.makedirs(storage_root) if not os.path.isfile(self.file_path): with open(self.file_path, 'w'): pass user_read_write = 384 os.chmod(self.file_path, user_read_write)
ensure_file_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n storage_root = os.path.dirname(self.file_path)\n needs_storage_root = storage_root and not os.path.isdir(storage_root)\n if needs_storage_root:\n os.makedirs(storage_root)\n if not os.path.isfile(self.file_path):\n with open(self.file_path, 'w'):\n pass\n user_read_write = 384\n os.chmod(self.file_path, user_read_write)\n", "role": "user" }, { "content": "ensure_file_path", "role": "assistant" } ]
def x(self, service, username): service = escape_for_ini(service) username = escape_for_ini(username) config = configparser.RawConfigParser() if os.path.exists(self.file_path): config.read(self.file_path) try: if not config.remove_option(service, username): raise PasswordDeleteError('Password not found') except configparser.NoSectionError: raise PasswordDeleteError('Password not found') with open(self.file_path, 'w') as config_file: config.write(config_file)
delete_password
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service, username):\n service = escape_for_ini(service)\n username = escape_for_ini(username)\n config = configparser.RawConfigParser()\n if os.path.exists(self.file_path):\n config.read(self.file_path)\n try:\n if not config.remove_option(service, username):\n raise PasswordDeleteError('Password not found')\n except configparser.NoSectionError:\n raise PasswordDeleteError('Password not found')\n with open(self.file_path, 'w') as config_file:\n config.write(config_file)\n", "role": "user" }, { "content": "delete_password", "role": "assistant" } ]
def x(self): Page = apps.get_model('wagtailcore', 'Page') applicable = [] for model in apps.get_models(): meta = getattr(model, '_meta') fields = meta.get_all_field_names() if issubclass(model, Page) and 'tags' in fields: applicable.append(model) return applicable
applicable_models
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n Page = apps.get_model('wagtailcore', 'Page')\n applicable = []\n for model in apps.get_models():\n meta = getattr(model, '_meta')\n fields = meta.get_all_field_names()\n if issubclass(model, Page) and 'tags' in fields:\n applicable.append(model)\n return applicable\n", "role": "user" }, { "content": "applicable_models", "role": "assistant" } ]
def x(self): from wagtailplus.utils.edit_handlers import add_panel_to_edit_handler from wagtailplus.wagtailrelations.edit_handlers import RelatedPanel for model in self.applicable_models: add_panel_to_edit_handler(model, RelatedPanel, _(u'Related'))
add_relationship_panels
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n from wagtailplus.utils.edit_handlers import add_panel_to_edit_handler\n from wagtailplus.wagtailrelations.edit_handlers import RelatedPanel\n for model in self.applicable_models:\n add_panel_to_edit_handler(model, RelatedPanel, _(u'Related'))\n", "role": "user" }, { "content": "add_relationship_panels", "role": "assistant" } ]
def x(self): Entry = apps.get_model('wagtailrelations', 'Entry') @cached_property def x(instance): return instance.get_related() @cached_property def x(instance): return instance.get_related_live() @cached_property def x(instance): return instance.get_related_with_scores() def x(instance): entry = Entry.objects.get_for_model(instance)[0] return entry.get_related() def x(instance): entry = Entry.objects.get_for_model(instance)[0] return entry.get_related_live() def x(instance): try: entry = Entry.objects.get_for_model(instance)[0] return entry.get_related_with_scores() except IntegrityError: return [] for model in self.applicable_models: model.add_to_class('get_related', get_related) model.add_to_class('get_related_live', get_related_live) model.add_to_class('get_related_with_scores', get_related_with_scores) model.add_to_class('related', related) model.add_to_class('related_live', related_live) model.add_to_class('related_with_scores', related_with_scores)
add_relationship_methods
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n Entry = apps.get_model('wagtailrelations', 'Entry')\n\n @cached_property\n def x(instance):\n return instance.get_related()\n\n @cached_property\n def x(instance):\n return instance.get_related_live()\n\n @cached_property\n def x(instance):\n return instance.get_related_with_scores()\n\n def x(instance):\n entry = Entry.objects.get_for_model(instance)[0]\n return entry.get_related()\n\n def x(instance):\n entry = Entry.objects.get_for_model(instance)[0]\n return entry.get_related_live()\n\n def x(instance):\n try:\n entry = Entry.objects.get_for_model(instance)[0]\n return entry.get_related_with_scores()\n except IntegrityError:\n return []\n for model in self.applicable_models:\n model.add_to_class('get_related', get_related)\n model.add_to_class('get_related_live', get_related_live)\n model.add_to_class('get_related_with_scores', get_related_with_scores)\n model.add_to_class('related', related)\n model.add_to_class('related_live', related_live)\n model.add_to_class('related_with_scores', related_with_scores)\n", "role": "user" }, { "content": "add_relationship_methods", "role": "assistant" } ]
def x(self): import wagtailplus.wagtailrelations.signals.handlers self.add_relationship_panels() self.add_relationship_methods() super(WagtailRelationsAppConfig, self).ready()
ready
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n import wagtailplus.wagtailrelations.signals.handlers\n self.add_relationship_panels()\n self.add_relationship_methods()\n super(WagtailRelationsAppConfig, self).ready()\n", "role": "user" }, { "content": "ready", "role": "assistant" } ]
def x(self): Page = apps.get_model('wagtailcore', 'Page') applicable = [] for model in apps.get_models(): if issubclass(model, Page): applicable.append(model) return applicable
applicable_models
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n Page = apps.get_model('wagtailcore', 'Page')\n applicable = []\n for model in apps.get_models():\n if issubclass(model, Page):\n applicable.append(model)\n return applicable\n", "role": "user" }, { "content": "applicable_models", "role": "assistant" } ]
def x(self): from wagtailplus.utils.edit_handlers import add_panel_to_edit_handler from wagtailplus.wagtailrollbacks.edit_handlers import HistoryPanel for model in self.applicable_models: add_panel_to_edit_handler(model, HistoryPanel, _(u'History'))
add_rollback_panels
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n from wagtailplus.utils.edit_handlers import add_panel_to_edit_handler\n from wagtailplus.wagtailrollbacks.edit_handlers import HistoryPanel\n for model in self.applicable_models:\n add_panel_to_edit_handler(model, HistoryPanel, _(u'History'))\n", "role": "user" }, { "content": "add_rollback_panels", "role": "assistant" } ]
def x(): def x(instance, revision_id, user=None, submitted_for_moderation=False, approved_go_live_at=None, changed=True): old_revision = instance.revisions.get(pk=revision_id) new_revision = instance.revisions.create(content_json=old_revision. content_json, user=user, submitted_for_moderation= submitted_for_moderation, approved_go_live_at=approved_go_live_at) update_fields = [] instance.latest_revision_created_at = new_revision.created_at update_fields.append('latest_revision_created_at') if changed: instance.has_unpublished_changes = True update_fields.append('has_unpublished_changes') if update_fields: instance.save(update_fields=update_fields) logger.info('Page edited: "%s" id=%d revision_id=%d', instance. title, instance.id, new_revision.id) if submitted_for_moderation: logger.info( 'Page submitted for moderation: "%s" id=%d revision_id=%d', instance.title, instance.id, new_revision.id) return new_revision Page = apps.get_model('wagtailcore', 'Page') Page.add_to_class('rollback', page_rollback)
add_rollback_methods
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n\n def x(instance, revision_id, user=None, submitted_for_moderation=False,\n approved_go_live_at=None, changed=True):\n old_revision = instance.revisions.get(pk=revision_id)\n new_revision = instance.revisions.create(content_json=old_revision.\n content_json, user=user, submitted_for_moderation=\n submitted_for_moderation, approved_go_live_at=approved_go_live_at)\n update_fields = []\n instance.latest_revision_created_at = new_revision.created_at\n update_fields.append('latest_revision_created_at')\n if changed:\n instance.has_unpublished_changes = True\n update_fields.append('has_unpublished_changes')\n if update_fields:\n instance.save(update_fields=update_fields)\n logger.info('Page edited: \"%s\" id=%d revision_id=%d', instance.\n title, instance.id, new_revision.id)\n if submitted_for_moderation:\n logger.info(\n 'Page submitted for moderation: \"%s\" id=%d revision_id=%d',\n instance.title, instance.id, new_revision.id)\n return new_revision\n Page = apps.get_model('wagtailcore', 'Page')\n Page.add_to_class('rollback', page_rollback)\n", "role": "user" }, { "content": "add_rollback_methods", "role": "assistant" } ]
def x(self): self.add_rollback_panels() self.add_rollback_methods() super(WagtailRollbacksAppConfig, self).ready()
ready
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.add_rollback_panels()\n self.add_rollback_methods()\n super(WagtailRollbacksAppConfig, self).ready()\n", "role": "user" }, { "content": "ready", "role": "assistant" } ]
def x(page): related = [] entry = Entry.get_for_model(page) if entry: related = entry.related return related
get_related
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(page):\n related = []\n entry = Entry.get_for_model(page)\n if entry:\n related = entry.related\n return related\n", "role": "user" }, { "content": "get_related", "role": "assistant" } ]
def x(entry): namespaces = {Document: 'wagtaildocs:edit', Link: 'wagtaillinks:edit', Page: 'wagtailadmin_pages:edit'} for cls, url in namespaces.iteritems(): if issubclass(entry.content_type.model_class(), cls): return urlresolvers.reverse(url, args=(entry.object_id,)) return ''
get_related_entry_admin_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(entry):\n namespaces = {Document: 'wagtaildocs:edit', Link: 'wagtaillinks:edit',\n Page: 'wagtailadmin_pages:edit'}\n for cls, url in namespaces.iteritems():\n if issubclass(entry.content_type.model_class(), cls):\n return urlresolvers.reverse(url, args=(entry.object_id,))\n return ''\n", "role": "user" }, { "content": "get_related_entry_admin_url", "role": "assistant" } ]
def x(page): related = [] entry = Entry.get_for_model(page) if entry: related = entry.related_with_scores return related
get_related_with_scores
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(page):\n related = []\n entry = Entry.get_for_model(page)\n if entry:\n related = entry.related_with_scores\n return related\n", "role": "user" }, { "content": "get_related_with_scores", "role": "assistant" } ]
def x(self, service, username): init_part = self._keyring.get_password(service, username) if init_part: parts = [init_part] i = 1 while True: next_part = self._keyring.get_password(service, '%s{{part_%d}}' % (username, i)) if next_part: parts.append(next_part) i += 1 else: break return ''.join(parts) return None
get_password
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service, username):\n init_part = self._keyring.get_password(service, username)\n if init_part:\n parts = [init_part]\n i = 1\n while True:\n next_part = self._keyring.get_password(service, '%s{{part_%d}}' %\n (username, i))\n if next_part:\n parts.append(next_part)\n i += 1\n else:\n break\n return ''.join(parts)\n return None\n", "role": "user" }, { "content": "get_password", "role": "assistant" } ]
def x(self, service, username, password): segments = range(0, len(password), self._max_password_size) password_parts = [password[i:i + self._max_password_size] for i in segments ] for i, password_part in enumerate(password_parts): curr_username = username if i > 0: curr_username += '{{part_%d}}' % i self._keyring.set_password(service, curr_username, password_part)
set_password
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service, username, password):\n segments = range(0, len(password), self._max_password_size)\n password_parts = [password[i:i + self._max_password_size] for i in segments\n ]\n for i, password_part in enumerate(password_parts):\n curr_username = username\n if i > 0:\n curr_username += '{{part_%d}}' % i\n self._keyring.set_password(service, curr_username, password_part)\n", "role": "user" }, { "content": "set_password", "role": "assistant" } ]
def x(attrs, for_editor): try: editor_attrs = '' link = Link.objects.get(id=attrs['id']) if for_editor: editor_attrs = 'data-linktype="link" data-id="{0}" '.format(link.id ) return '<a {0}href="{1}" title="{2}">'.format(editor_attrs, escape( link.get_absolute_url()), link.title) except Link.DoesNotExist: return '<a>'
expand_db_attributes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(attrs, for_editor):\n try:\n editor_attrs = ''\n link = Link.objects.get(id=attrs['id'])\n if for_editor:\n editor_attrs = 'data-linktype=\"link\" data-id=\"{0}\" '.format(link.id\n )\n return '<a {0}href=\"{1}\" title=\"{2}\">'.format(editor_attrs, escape(\n link.get_absolute_url()), link.title)\n except Link.DoesNotExist:\n return '<a>'\n", "role": "user" }, { "content": "expand_db_attributes", "role": "assistant" } ]
def x(self): if not hasattr(self, '_crypter'): if not self.keyset_location: raise ValueError('No encrypted keyset location!') reader = keyczar.readers.CreateReader(self.keyset_location) if self.encrypting_keyset_location: encrypting_keyczar = keyczar.Crypter.Read(self. encrypting_keyset_location) reader = keyczar.readers.EncryptedReader(reader, encrypting_keyczar ) self._crypter = keyczar.Crypter(reader) return self._crypter
crypter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not hasattr(self, '_crypter'):\n if not self.keyset_location:\n raise ValueError('No encrypted keyset location!')\n reader = keyczar.readers.CreateReader(self.keyset_location)\n if self.encrypting_keyset_location:\n encrypting_keyczar = keyczar.Crypter.Read(self.\n encrypting_keyset_location)\n reader = keyczar.readers.EncryptedReader(reader, encrypting_keyczar\n )\n self._crypter = keyczar.Crypter(reader)\n return self._crypter\n", "role": "user" }, { "content": "crypter", "role": "assistant" } ]
def x(mapping_type, ids, chunk_size=100, es=None, index=None): if settings.ES_DISABLED: return log.debug('Indexing objects {0}-{1}. [{2}]'.format(ids[0], ids[-1], len (ids))) model = mapping_type.get_model() for id_list in chunked(ids, chunk_size): documents = [] for obj in model.objects.filter(id__in=id_list): try: documents.append(mapping_type.extract_document(obj.id, obj)) except Exception as exc: log.exception('Unable to extract document {0}: {1}'.format( obj, repr(exc))) if documents: mapping_type.bulk_index(documents, id_field='id', es=es, index= index)
index_objects
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(mapping_type, ids, chunk_size=100, es=None, index=None):\n if settings.ES_DISABLED:\n return\n log.debug('Indexing objects {0}-{1}. [{2}]'.format(ids[0], ids[-1], len\n (ids)))\n model = mapping_type.get_model()\n for id_list in chunked(ids, chunk_size):\n documents = []\n for obj in model.objects.filter(id__in=id_list):\n try:\n documents.append(mapping_type.extract_document(obj.id, obj))\n except Exception as exc:\n log.exception('Unable to extract document {0}: {1}'.format(\n obj, repr(exc)))\n if documents:\n mapping_type.bulk_index(documents, id_field='id', es=es, index=\n index)\n", "role": "user" }, { "content": "index_objects", "role": "assistant" } ]
def x(mapping_type, ids, es=None, index=None): if settings.ES_DISABLED: return for id_ in ids: mapping_type.unindex(id_, es=es, index=index)
unindex_objects
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(mapping_type, ids, es=None, index=None):\n if settings.ES_DISABLED:\n return\n for id_ in ids:\n mapping_type.unindex(id_, es=es, index=index)\n", "role": "user" }, { "content": "unindex_objects", "role": "assistant" } ]
def x(self, link): return json.dumps({'id': link.id, 'title': link.title, 'url': link. get_absolute_url(), 'edit_link': reverse('{0}:edit'.format(self. url_namespace), kwargs={'pk': link.pk})})
get_json
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, link):\n return json.dumps({'id': link.id, 'title': link.title, 'url': link.\n get_absolute_url(), 'edit_link': reverse('{0}:edit'.format(self.\n url_namespace), kwargs={'pk': link.pk})})\n", "role": "user" }, { "content": "get_json", "role": "assistant" } ]
def x(self, password, salt, IV): from Crypto.Protocol.KDF import PBKDF2 from Crypto.Cipher import AES pw = PBKDF2(password, salt, dkLen=self.block_size) return AES.new(pw[:self.block_size], AES.MODE_CFB, IV)
create_cipher
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, password, salt, IV):\n from Crypto.Protocol.KDF import PBKDF2\n from Crypto.Cipher import AES\n pw = PBKDF2(password, salt, dkLen=self.block_size)\n return AES.new(pw[:self.block_size], AES.MODE_CFB, IV)\n", "role": "user" }, { "content": "create_cipher", "role": "assistant" } ]
def x(self): self.keyring_key = self._get_new_password() self.set_password('keyring-setting', 'password reference', 'password reference value') self._write_config_value('keyring-setting', 'scheme', self.scheme) self._write_config_value('keyring-setting', 'version', self.version)
init_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.keyring_key = self._get_new_password()\n self.set_password('keyring-setting', 'password reference',\n 'password reference value')\n self._write_config_value('keyring-setting', 'scheme', self.scheme)\n self._write_config_value('keyring-setting', 'version', self.version)\n", "role": "user" }, { "content": "init_file", "role": "assistant" } ]
def x(self): if not os.path.exists(self.file_path): return False self._migrate() config = configparser.RawConfigParser() config.read(self.file_path) try: config.get(escape_for_ini('keyring-setting'), escape_for_ini( 'password reference')) except (configparser.NoSectionError, configparser.NoOptionError): return False try: self._check_scheme(config) except AttributeError: return True return self._check_version(config)
check_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not os.path.exists(self.file_path):\n return False\n self._migrate()\n config = configparser.RawConfigParser()\n config.read(self.file_path)\n try:\n config.get(escape_for_ini('keyring-setting'), escape_for_ini(\n 'password reference'))\n except (configparser.NoSectionError, configparser.NoOptionError):\n return False\n try:\n self._check_scheme(config)\n except AttributeError:\n return True\n return self._check_version(config)\n", "role": "user" }, { "content": "check_file", "role": "assistant" } ]
def x(self, config): try: self.file_version = config.get(escape_for_ini('keyring-setting'), escape_for_ini('version')) except (configparser.NoSectionError, configparser.NoOptionError): return False return True
check_version
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, config):\n try:\n self.file_version = config.get(escape_for_ini('keyring-setting'),\n escape_for_ini('version'))\n except (configparser.NoSectionError, configparser.NoOptionError):\n return False\n return True\n", "role": "user" }, { "content": "check_version", "role": "assistant" } ]
def x(self): self.keyring_key = getpass.getpass( 'Please enter password for encrypted keyring: ') try: ref_pw = self.get_password('keyring-setting', 'password reference') assert ref_pw == 'password reference value' except AssertionError: self._lock() raise ValueError('Incorrect Password')
unlock
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.keyring_key = getpass.getpass(\n 'Please enter password for encrypted keyring: ')\n try:\n ref_pw = self.get_password('keyring-setting', 'password reference')\n assert ref_pw == 'password reference value'\n except AssertionError:\n self._lock()\n raise ValueError('Incorrect Password')\n", "role": "user" }, { "content": "unlock", "role": "assistant" } ]
def x(c): if isinstance(c, int): c = _unichr(c) return c if c in LEGAL_CHARS else ESCAPE_FMT % ord(c)
escape_char
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(c):\n if isinstance(c, int):\n c = _unichr(c)\n return c if c in LEGAL_CHARS else ESCAPE_FMT % ord(c)\n", "role": "user" }, { "content": "escape_char", "role": "assistant" } ]
def x(value): pattern = ESCAPE_FMT.replace('%02X', '(?P<code>[0-9A-Fa-f]{2})') pattern_bytes = pattern.encode('ascii') re_esc = re.compile(pattern_bytes) return re_esc.sub(_unescape_code, value.encode('ascii')).decode('utf-8')
unescape
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n pattern = ESCAPE_FMT.replace('%02X', '(?P<code>[0-9A-Fa-f]{2})')\n pattern_bytes = pattern.encode('ascii')\n re_esc = re.compile(pattern_bytes)\n return re_esc.sub(_unescape_code, value.encode('ascii')).decode('utf-8')\n", "role": "user" }, { "content": "unescape", "role": "assistant" } ]