source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, form, name):
return '{form_prefix}{prefix_name}-{field_name}'.format(form_prefix=
form.prefix + '-' if form.prefix else '', prefix_name=self.
prefix_name, field_name=name)
| get_prefix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, form, name):\n return '{form_prefix}{prefix_name}-{field_name}'.format(form_prefix=\n form.prefix + '-' if form.prefix else '', prefix_name=self.\n prefix_name, field_name=name)\n",
"role": "user"
},
{
"content": "get_prefix",
"role": "assistant"
}
] |
def x(self, form, name):
if hasattr(form, 'initial'):
return form.initial.get(name, None)
return None
| get_initial | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, form, name):\n if hasattr(form, 'initial'):\n return form.initial.get(name, None)\n return None\n",
"role": "user"
},
{
"content": "get_initial",
"role": "assistant"
}
] |
def x(self, form, name):
kwargs = {'prefix': self.get_prefix(form, name), 'initial': self.
get_initial(form, name)}
kwargs.update(self.default_kwargs)
return kwargs
| get_kwargs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, form, name):\n kwargs = {'prefix': self.get_prefix(form, name), 'initial': self.\n get_initial(form, name)}\n kwargs.update(self.default_kwargs)\n return kwargs\n",
"role": "user"
},
{
"content": "get_kwargs",
"role": "assistant"
}
] |
def x(self, form, name):
kwargs = self.get_kwargs(form, name)
form_class = self.get_form_class(form, name)
composite_form = form_class(data=form.data if form.is_bound else None,
files=form.files if form.is_bound else None, **kwargs)
return composite_form
| get_form | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, form, name):\n kwargs = self.get_kwargs(form, name)\n form_class = self.get_form_class(form, name)\n composite_form = form_class(data=form.data if form.is_bound else None,\n files=form.files if form.is_bound else None, **kwargs)\n return composite_form\n",
"role": "user"
},
{
"content": "get_form",
"role": "assistant"
}
] |
def x(self, form, name):
kwargs = super(ModelFormField, self).get_kwargs(form, name)
instance = self.get_instance(form, name)
kwargs.setdefault('instance', instance)
kwargs.setdefault('empty_permitted', not self.required)
return kwargs
| get_kwargs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, form, name):\n kwargs = super(ModelFormField, self).get_kwargs(form, name)\n instance = self.get_instance(form, name)\n kwargs.setdefault('instance', instance)\n kwargs.setdefault('empty_permitted', not self.required)\n return kwargs\n",
"role": "user"
},
{
"content": "get_kwargs",
"role": "assistant"
}
] |
def x(self, form, name, composite_form):
if composite_form.empty_permitted and not composite_form.has_changed():
return False
return True
| shall_save | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, form, name, composite_form):\n if composite_form.empty_permitted and not composite_form.has_changed():\n return False\n return True\n",
"role": "user"
},
{
"content": "shall_save",
"role": "assistant"
}
] |
def x(self, form, name, composite_form, commit):
if self.shall_save(form, name, composite_form):
return composite_form.save(commit=commit)
return None
| save | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, form, name, composite_form, commit):\n if self.shall_save(form, name, composite_form):\n return composite_form.save(commit=commit)\n return None\n",
"role": "user"
},
{
"content": "save",
"role": "assistant"
}
] |
def x(self, form, name):
if self.blank is not None:
return self.blank
model = form._meta.model
field = model._meta.get_field(self.get_field_name(form, name))
return field.blank
| allow_blank | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, form, name):\n if self.blank is not None:\n return self.blank\n model = form._meta.model\n field = model._meta.get_field(self.get_field_name(form, name))\n return field.blank\n",
"role": "user"
},
{
"content": "allow_blank",
"role": "assistant"
}
] |
def x(self, form, name):
kwargs = self.get_kwargs(form, name)
formset_class = self.get_formset_class(form, name)
formset = formset_class(form.data if form.is_bound else None, form.
files if form.is_bound else None, **kwargs)
return formset
| get_formset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, form, name):\n kwargs = self.get_kwargs(form, name)\n formset_class = self.get_formset_class(form, name)\n formset = formset_class(form.data if form.is_bound else None, form.\n files if form.is_bound else None, **kwargs)\n return formset\n",
"role": "user"
},
{
"content": "get_formset",
"role": "assistant"
}
] |
def x(self, form, name):
if self.formset_class is not None:
return self.formset_class
formset_class = inlineformset_factory(self.get_parent_model(form, name),
self.get_model(form, name), **self.formset_factory_kwargs)
return formset_class
| get_formset_class | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, form, name):\n if self.formset_class is not None:\n return self.formset_class\n formset_class = inlineformset_factory(self.get_parent_model(form, name),\n self.get_model(form, name), **self.formset_factory_kwargs)\n return formset_class\n",
"role": "user"
},
{
"content": "get_formset_class",
"role": "assistant"
}
] |
def x(self, app, config_prefix='MONGOALCHEMY'):
self.config_prefix = config_prefix
def x(suffix):
return '%s_%s' % (config_prefix, suffix)
if key('DATABASE') not in app.config:
raise ImproperlyConfiguredError(
'You should provide a database name (the %s setting).' % key(
'DATABASE'))
uri = _get_mongo_uri(app, key)
rs = app.config.get(key('REPLICA_SET'))
timezone = None
if key('TIMEZONE') in app.config:
timezone = pytz.timezone(app.config.get(key('TIMEZONE')))
self.session = session.Session.connect(app.config.get(key('DATABASE')),
safe=app.config.get(key('SAFE_SESSION'), False), timezone=timezone,
host=uri, replicaSet=rs)
self.Document._session = self.session
| init_app | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, app, config_prefix='MONGOALCHEMY'):\n self.config_prefix = config_prefix\n\n def x(suffix):\n return '%s_%s' % (config_prefix, suffix)\n if key('DATABASE') not in app.config:\n raise ImproperlyConfiguredError(\n 'You should provide a database name (the %s setting).' % key(\n 'DATABASE'))\n uri = _get_mongo_uri(app, key)\n rs = app.config.get(key('REPLICA_SET'))\n timezone = None\n if key('TIMEZONE') in app.config:\n timezone = pytz.timezone(app.config.get(key('TIMEZONE')))\n self.session = session.Session.connect(app.config.get(key('DATABASE')),\n safe=app.config.get(key('SAFE_SESSION'), False), timezone=timezone,\n host=uri, replicaSet=rs)\n self.Document._session = self.session\n",
"role": "user"
},
{
"content": "init_app",
"role": "assistant"
}
] |
def x(self, error_out=False):
return self.query.paginate(self.page - 1, self.per_page, error_out)
| prev | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, error_out=False):\n return self.query.paginate(self.page - 1, self.per_page, error_out)\n",
"role": "user"
},
{
"content": "prev",
"role": "assistant"
}
] |
def x(self, mongo_id):
try:
return self.filter(self.type.mongo_id == mongo_id).first()
except exceptions.BadValueException:
return None
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mongo_id):\n try:\n return self.filter(self.type.mongo_id == mongo_id).first()\n except exceptions.BadValueException:\n return None\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, mongo_id):
document = self.get(mongo_id)
if document is None:
abort(404)
return document
| get_or_404 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mongo_id):\n document = self.get(mongo_id)\n if document is None:\n abort(404)\n return document\n",
"role": "user"
},
{
"content": "get_or_404",
"role": "assistant"
}
] |
def x(self, page, per_page=20, error_out=True):
if page < 1 and error_out:
abort(404)
items = self.skip((page - 1) * per_page).limit(per_page).all()
if len(items) < 1 and page != 1 and error_out:
abort(404)
return Pagination(self, page, per_page, self.count(), items)
| paginate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, page, per_page=20, error_out=True):\n if page < 1 and error_out:\n abort(404)\n items = self.skip((page - 1) * per_page).limit(per_page).all()\n if len(items) < 1 and page != 1 and error_out:\n abort(404)\n return Pagination(self, page, per_page, self.count(), items)\n",
"role": "user"
},
{
"content": "paginate",
"role": "assistant"
}
] |
def x(self, safe=None):
self._session.insert(self, safe=safe)
self._session.flush()
| save | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, safe=None):\n self._session.insert(self, safe=safe)\n self._session.flush()\n",
"role": "user"
},
{
"content": "save",
"role": "assistant"
}
] |
def x(self, safe=None):
self._session.remove(self, safe=None)
self._session.flush()
| remove | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, safe=None):\n self._session.remove(self, safe=None)\n self._session.flush()\n",
"role": "user"
},
{
"content": "remove",
"role": "assistant"
}
] |
def x():
authors = Author.query.all()
content = '<p>Authors:</p>'
for author in authors:
content += '<p>%s</p>' % author.name
return content
| list_authors | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n authors = Author.query.all()\n content = '<p>Authors:</p>'\n for author in authors:\n content += '<p>%s</p>' % author.name\n return content\n",
"role": "user"
},
{
"content": "list_authors",
"role": "assistant"
}
] |
def x(self):
disable = _CXString()
conf.lib.clang_getDiagnosticOption(self, byref(disable))
return _CXString.from_result(disable)
| disable_option | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n disable = _CXString()\n conf.lib.clang_getDiagnosticOption(self, byref(disable))\n return _CXString.from_result(disable)\n",
"role": "user"
},
{
"content": "disable_option",
"role": "assistant"
}
] |
def x(self, options=None):
if options is None:
options = conf.lib.clang_defaultDiagnosticDisplayOptions()
if options & ~Diagnostic._FormatOptionsMask:
raise ValueError('Invalid format options')
return conf.lib.clang_formatDiagnostic(self, options)
| format | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, options=None):\n if options is None:\n options = conf.lib.clang_defaultDiagnosticDisplayOptions()\n if options & ~Diagnostic._FormatOptionsMask:\n raise ValueError('Invalid format options')\n return conf.lib.clang_formatDiagnostic(self, options)\n",
"role": "user"
},
{
"content": "format",
"role": "assistant"
}
] |
def x(self):
if self._name_map is None:
self._name_map = {}
for key, value in self.__class__.__dict__.items():
if isinstance(value, self.__class__):
self._name_map[value] = key
return self._name_map[self]
| name | [
{
"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._name_map is None:\n self._name_map = {}\n for key, value in self.__class__.__dict__.items():\n if isinstance(value, self.__class__):\n self._name_map[value] = key\n return self._name_map[self]\n",
"role": "user"
},
{
"content": "name",
"role": "assistant"
}
] |
def x(self):
if not hasattr(self, '_spelling'):
self._spelling = conf.lib.clang_getCursorSpelling(self)
return self._spelling
| spelling | [
{
"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, '_spelling'):\n self._spelling = conf.lib.clang_getCursorSpelling(self)\n return self._spelling\n",
"role": "user"
},
{
"content": "spelling",
"role": "assistant"
}
] |
def x(self):
if not hasattr(self, '_displayname'):
self._displayname = conf.lib.clang_getCursorDisplayName(self)
return self._displayname
| displayname | [
{
"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, '_displayname'):\n self._displayname = conf.lib.clang_getCursorDisplayName(self)\n return self._displayname\n",
"role": "user"
},
{
"content": "displayname",
"role": "assistant"
}
] |
def x(self):
if not hasattr(self, '_mangled_name'):
self._mangled_name = conf.lib.clang_Cursor_getMangling(self)
return self._mangled_name
| mangled_name | [
{
"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, '_mangled_name'):\n self._mangled_name = conf.lib.clang_Cursor_getMangling(self)\n return self._mangled_name\n",
"role": "user"
},
{
"content": "mangled_name",
"role": "assistant"
}
] |
def x(self):
if not hasattr(self, '_linkage'):
self._linkage = conf.lib.clang_getCursorLinkage(self)
return LinkageKind.from_id(self._linkage)
| linkage | [
{
"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, '_linkage'):\n self._linkage = conf.lib.clang_getCursorLinkage(self)\n return LinkageKind.from_id(self._linkage)\n",
"role": "user"
},
{
"content": "linkage",
"role": "assistant"
}
] |
def x(self):
if not hasattr(self, '_availability'):
self._availability = conf.lib.clang_getCursorAvailability(self)
return AvailabilityKind.from_id(self._availability)
| availability | [
{
"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, '_availability'):\n self._availability = conf.lib.clang_getCursorAvailability(self)\n return AvailabilityKind.from_id(self._availability)\n",
"role": "user"
},
{
"content": "availability",
"role": "assistant"
}
] |
def x(self):
if not hasattr(self, '_objc_type_encoding'):
self._objc_type_encoding = conf.lib.clang_getDeclObjCTypeEncoding(self)
return self._objc_type_encoding
| objc_type_encoding | [
{
"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, '_objc_type_encoding'):\n self._objc_type_encoding = conf.lib.clang_getDeclObjCTypeEncoding(self)\n return self._objc_type_encoding\n",
"role": "user"
},
{
"content": "objc_type_encoding",
"role": "assistant"
}
] |
def x(cls, filename, args=None, unsaved_files=None, options=0, index=None):
if args is None:
args = []
if unsaved_files is None:
unsaved_files = []
if index is None:
index = Index.create()
args_array = None
if len(args) > 0:
args_array = (c_char_p * len(args))(*[b(x) for x in args])
unsaved_array = None
if len(unsaved_files) > 0:
unsaved_array = (_CXUnsavedFile * len(unsaved_files))()
for i, (name, contents) in enumerate(unsaved_files):
if hasattr(contents, 'read'):
contents = contents.read()
unsaved_array[i].name = b(name)
unsaved_array[i].contents = b(contents)
unsaved_array[i].length = len(contents)
ptr = conf.lib.clang_parseTranslationUnit(index, filename, args_array,
len(args), unsaved_array, len(unsaved_files), options)
if not ptr:
raise TranslationUnitLoadError('Error parsing translation unit.')
return cls(ptr, index=index)
| from_source | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, filename, args=None, unsaved_files=None, options=0, index=None):\n if args is None:\n args = []\n if unsaved_files is None:\n unsaved_files = []\n if index is None:\n index = Index.create()\n args_array = None\n if len(args) > 0:\n args_array = (c_char_p * len(args))(*[b(x) for x in args])\n unsaved_array = None\n if len(unsaved_files) > 0:\n unsaved_array = (_CXUnsavedFile * len(unsaved_files))()\n for i, (name, contents) in enumerate(unsaved_files):\n if hasattr(contents, 'read'):\n contents = contents.read()\n unsaved_array[i].name = b(name)\n unsaved_array[i].contents = b(contents)\n unsaved_array[i].length = len(contents)\n ptr = conf.lib.clang_parseTranslationUnit(index, filename, args_array,\n len(args), unsaved_array, len(unsaved_files), options)\n if not ptr:\n raise TranslationUnitLoadError('Error parsing translation unit.')\n return cls(ptr, index=index)\n",
"role": "user"
},
{
"content": "from_source",
"role": "assistant"
}
] |
def x(self):
cursor = Cursor()
cursor._tu = self._tu
conf.lib.clang_annotateTokens(self._tu, byref(self), 1, byref(cursor))
return cursor
| cursor | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n cursor = Cursor()\n cursor._tu = self._tu\n conf.lib.clang_annotateTokens(self._tu, byref(self), 1, byref(cursor))\n return cursor\n",
"role": "user"
},
{
"content": "cursor",
"role": "assistant"
}
] |
def x(self):
self.index = cindex.Index.create()
self.headers = {}
for f in self.files:
if f in self.processed:
continue
print('Processing {0}'.format(os.path.basename(f)))
tu = self.index.parse(f, self.flags)
if len(tu.diagnostics) != 0:
fatal = False
for d in tu.diagnostics:
sys.stderr.write(d.format())
sys.stderr.write('\n')
if (d.severity == cindex.Diagnostic.Fatal or d.severity ==
cindex.Diagnostic.Error):
fatal = True
if fatal:
sys.stderr.write(
'\nCould not generate documentation due to parser errors\n'
)
sys.exit(1)
if not tu:
sys.stderr.write('Could not parse file %s...\n' % (f,))
sys.exit(1)
extractfiles = [f]
for inc in tu.get_includes():
filename = str(inc.include)
self.headers[filename] = True
if (filename in self.processed or not filename in self.files or
filename in extractfiles):
continue
extractfiles.append(filename)
for e in extractfiles:
db = comment.CommentsDatabase(e, tu)
self.add_categories(db.category_names)
self.commentsdbs[e] = db
self.visit(tu.cursor.get_children())
for f in self.processing:
self.processed[f] = True
self.processing = {}
for node in self.all_nodes:
q = node.qid
if node.parent is None:
par = self.find_parent(node)
if (par is None or par == self.root) and not node.cursor is None:
location = node.cursor.extent.start
db = self.commentsdbs[location.file.name]
if db:
par = self.category_to_node[db.lookup_category(location)]
if par is None:
par = self.root
par.append(node)
cm = self.find_node_comment(node)
if cm:
node.merge_comment(cm)
classes = {}
for node in self.all_nodes:
q = node.qid
self.qid_to_node[q] = node
if isinstance(node, nodes.Class):
classes[q] = node
for qid in classes:
classes[qid].resolve_bases(classes)
| process | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.index = cindex.Index.create()\n self.headers = {}\n for f in self.files:\n if f in self.processed:\n continue\n print('Processing {0}'.format(os.path.basename(f)))\n tu = self.index.parse(f, self.flags)\n if len(tu.diagnostics) != 0:\n fatal = False\n for d in tu.diagnostics:\n sys.stderr.write(d.format())\n sys.stderr.write('\\n')\n if (d.severity == cindex.Diagnostic.Fatal or d.severity ==\n cindex.Diagnostic.Error):\n fatal = True\n if fatal:\n sys.stderr.write(\n '\\nCould not generate documentation due to parser errors\\n'\n )\n sys.exit(1)\n if not tu:\n sys.stderr.write('Could not parse file %s...\\n' % (f,))\n sys.exit(1)\n extractfiles = [f]\n for inc in tu.get_includes():\n filename = str(inc.include)\n self.headers[filename] = True\n if (filename in self.processed or not filename in self.files or\n filename in extractfiles):\n continue\n extractfiles.append(filename)\n for e in extractfiles:\n db = comment.CommentsDatabase(e, tu)\n self.add_categories(db.category_names)\n self.commentsdbs[e] = db\n self.visit(tu.cursor.get_children())\n for f in self.processing:\n self.processed[f] = True\n self.processing = {}\n for node in self.all_nodes:\n q = node.qid\n if node.parent is None:\n par = self.find_parent(node)\n if (par is None or par == self.root) and not node.cursor is None:\n location = node.cursor.extent.start\n db = self.commentsdbs[location.file.name]\n if db:\n par = self.category_to_node[db.lookup_category(location)]\n if par is None:\n par = self.root\n par.append(node)\n cm = self.find_node_comment(node)\n if cm:\n node.merge_comment(cm)\n classes = {}\n for node in self.all_nodes:\n q = node.qid\n self.qid_to_node[q] = node\n if isinstance(node, nodes.Class):\n classes[q] = node\n for qid in classes:\n classes[qid].resolve_bases(classes)\n",
"role": "user"
},
{
"content": "process",
"role": "assistant"
}
] |
def x(self, citer, parent=None):
if not citer:
return
while True:
try:
item = next(citer)
except StopIteration:
return
if not item.location.file:
self.visit(item.get_children())
continue
if str(item.location.file) in self.processed:
continue
if not str(item.location.file) in self.files:
continue
if item.kind == cindex.CursorKind.UNEXPOSED_DECL:
self.visit(item.get_children(), parent)
continue
self.processing[str(item.location.file)] = True
if item.kind in self.kindmap:
cls = self.kindmap[item.kind]
if not cls:
continue
node = self.usr_to_node[item.get_usr()]
if not node or self.is_unique_anon_struct(node, parent):
if self.cursor_is_exposed(item):
node = cls(item, None)
self.register_node(node, parent)
elif isinstance(parent, nodes.Typedef) and isinstance(node,
nodes.Struct):
self.register_anon_typedef(node, parent)
else:
self.cursor_to_node[item] = node
node.add_ref(item)
if node and node.process_children:
self.visit(item.get_children(), node)
else:
par = self.cursor_to_node[item.semantic_parent]
if not par:
par = parent
if par:
ret = par.visit(item, citer)
if not ret is None:
for node in ret:
self.register_node(node, par)
ignoretop = [cindex.CursorKind.TYPE_REF, cindex.CursorKind.
PARM_DECL]
if (not par or ret is None) and not item.kind in ignoretop:
log.warning('Unhandled cursor: %s', item.kind)
| visit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, citer, parent=None):\n if not citer:\n return\n while True:\n try:\n item = next(citer)\n except StopIteration:\n return\n if not item.location.file:\n self.visit(item.get_children())\n continue\n if str(item.location.file) in self.processed:\n continue\n if not str(item.location.file) in self.files:\n continue\n if item.kind == cindex.CursorKind.UNEXPOSED_DECL:\n self.visit(item.get_children(), parent)\n continue\n self.processing[str(item.location.file)] = True\n if item.kind in self.kindmap:\n cls = self.kindmap[item.kind]\n if not cls:\n continue\n node = self.usr_to_node[item.get_usr()]\n if not node or self.is_unique_anon_struct(node, parent):\n if self.cursor_is_exposed(item):\n node = cls(item, None)\n self.register_node(node, parent)\n elif isinstance(parent, nodes.Typedef) and isinstance(node,\n nodes.Struct):\n self.register_anon_typedef(node, parent)\n else:\n self.cursor_to_node[item] = node\n node.add_ref(item)\n if node and node.process_children:\n self.visit(item.get_children(), node)\n else:\n par = self.cursor_to_node[item.semantic_parent]\n if not par:\n par = parent\n if par:\n ret = par.visit(item, citer)\n if not ret is None:\n for node in ret:\n self.register_node(node, par)\n ignoretop = [cindex.CursorKind.TYPE_REF, cindex.CursorKind.\n PARM_DECL]\n if (not par or ret is None) and not item.kind in ignoretop:\n log.warning('Unhandled cursor: %s', item.kind)\n",
"role": "user"
},
{
"content": "visit",
"role": "assistant"
}
] |
def x(self, filename, tu):
it = tu.get_tokens(extent=tu.get_extent(filename, (0, int(os.stat(
filename).st_size))))
while True:
try:
self.extract_loop(it)
except StopIteration:
break
| extract | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename, tu):\n it = tu.get_tokens(extent=tu.get_extent(filename, (0, int(os.stat(\n filename).st_size))))\n while True:\n try:\n self.extract_loop(it)\n except StopIteration:\n break\n",
"role": "user"
},
{
"content": "extract",
"role": "assistant"
}
] |
def x(name, fields, defaults=None):
nt = collections.namedtuple(name, fields)
nt.__new__.__defaults__ = (None,) * len(nt._fields)
if isinstance(defaults, collections.Mapping):
nt.__new__.__defaults__ = tuple(nt(**defaults))
elif defaults:
nt.__new__.__defaults__ = tuple(nt(*defaults))
return nt
| defaultsnamedtuple | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, fields, defaults=None):\n nt = collections.namedtuple(name, fields)\n nt.__new__.__defaults__ = (None,) * len(nt._fields)\n if isinstance(defaults, collections.Mapping):\n nt.__new__.__defaults__ = tuple(nt(**defaults))\n elif defaults:\n nt.__new__.__defaults__ = tuple(nt(*defaults))\n return nt\n",
"role": "user"
},
{
"content": "defaultsnamedtuple",
"role": "assistant"
}
] |
def x(self, app):
self.app = app
if not hasattr(app, 'extensions'):
app.extensions = {}
app.extensions['plugin_manager'] = self
self.reload()
| init_app | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, app):\n self.app = app\n if not hasattr(app, 'extensions'):\n app.extensions = {}\n app.extensions['plugin_manager'] = self\n self.reload()\n",
"role": "user"
},
{
"content": "init_app",
"role": "assistant"
}
] |
def x(self):
self.clear()
for plugin in self.app.config.get('plugin_modules', ()):
self.load_plugin(plugin)
| reload | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.clear()\n for plugin in self.app.config.get('plugin_modules', ()):\n self.load_plugin(plugin)\n",
"role": "user"
},
{
"content": "reload",
"role": "assistant"
}
] |
def x(self, plugin):
names = [('%s%s%s' % (namespace, '' if namespace[-1] == '_' else '.',
plugin) if namespace else plugin) for namespace in self.namespaces]
for name in names:
if name in sys.modules:
return sys.modules[name]
for name in names:
try:
__import__(name)
return sys.modules[name]
except (ImportError, KeyError):
pass
raise PluginNotFoundError('No plugin module %r found, tried %r' % (
plugin, names), plugin, names)
| import_plugin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, plugin):\n names = [('%s%s%s' % (namespace, '' if namespace[-1] == '_' else '.',\n plugin) if namespace else plugin) for namespace in self.namespaces]\n for name in names:\n if name in sys.modules:\n return sys.modules[name]\n for name in names:\n try:\n __import__(name)\n return sys.modules[name]\n except (ImportError, KeyError):\n pass\n raise PluginNotFoundError('No plugin module %r found, tried %r' % (\n plugin, names), plugin, names)\n",
"role": "user"
},
{
"content": "import_plugin",
"role": "assistant"
}
] |
def x(self, plugin):
module = super(RegistrablePluginManager, self).load_plugin(plugin)
if hasattr(module, 'register_plugin'):
module.register_plugin(self)
return module
| load_plugin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, plugin):\n module = super(RegistrablePluginManager, self).load_plugin(plugin)\n if hasattr(module, 'register_plugin'):\n module.register_plugin(self)\n return module\n",
"role": "user"
},
{
"content": "load_plugin",
"role": "assistant"
}
] |
def x(self, blueprint):
if blueprint not in self._blueprint_known:
self.app.register_blueprint(blueprint)
self._blueprint_known.add(blueprint)
| register_blueprint | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, blueprint):\n if blueprint not in self._blueprint_known:\n self.app.register_blueprint(blueprint)\n self._blueprint_known.add(blueprint)\n",
"role": "user"
},
{
"content": "register_blueprint",
"role": "assistant"
}
] |
def x(cls, file, widget):
return widget.__class__(*[(value(file) if callable(value) else value) for
value in widget])
| resolve_widget | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, file, widget):\n return widget.__class__(*[(value(file) if callable(value) else value) for\n value in widget])\n",
"role": "user"
},
{
"content": "resolve_widget",
"role": "assistant"
}
] |
def x(self, file=None, place=None):
for filter, dynamic, cwidget in self._widgets:
try:
if file and filter and not filter(file):
continue
except BaseException as e:
warnings.warn('Plugin action filtering failed with error: %s' %
e, RuntimeWarning)
continue
if place and place != cwidget.place:
continue
if file and dynamic:
cwidget = self._resolve_widget(file, cwidget)
yield cwidget
| iter_widgets | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file=None, place=None):\n for filter, dynamic, cwidget in self._widgets:\n try:\n if file and filter and not filter(file):\n continue\n except BaseException as e:\n warnings.warn('Plugin action filtering failed with error: %s' %\n e, RuntimeWarning)\n continue\n if place and place != cwidget.place:\n continue\n if file and dynamic:\n cwidget = self._resolve_widget(file, cwidget)\n yield cwidget\n",
"role": "user"
},
{
"content": "iter_widgets",
"role": "assistant"
}
] |
def x(self, place, type, file=None, **kwargs):
widget_class = self.widget_types.get(type, self.widget_types['base'])
kwargs.update(place=place, type=type)
try:
element = widget_class(**kwargs)
except TypeError as e:
message = e.args[0] if e.args else ''
if ('unexpected keyword argument' in message or
'required positional argument' in message):
raise WidgetParameterException('type %s; %s; available: %r' % (
type, message, widget_class._fields))
raise e
if file and any(map(callable, element)):
return self._resolve_widget(file, element)
return element
| create_widget | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, place, type, file=None, **kwargs):\n widget_class = self.widget_types.get(type, self.widget_types['base'])\n kwargs.update(place=place, type=type)\n try:\n element = widget_class(**kwargs)\n except TypeError as e:\n message = e.args[0] if e.args else ''\n if ('unexpected keyword argument' in message or \n 'required positional argument' in message):\n raise WidgetParameterException('type %s; %s; available: %r' % (\n type, message, widget_class._fields))\n raise e\n if file and any(map(callable, element)):\n return self._resolve_widget(file, element)\n return element\n",
"role": "user"
},
{
"content": "create_widget",
"role": "assistant"
}
] |
def x(self, place=None, type=None, widget=None, filter=None, **kwargs):
if bool(widget) == bool(place or type):
raise InvalidArgumentError(
'register_widget takes either place and type or widget')
widget = widget or self.create_widget(place, type, **kwargs)
dynamic = any(map(callable, widget))
self._widgets.append((filter, dynamic, widget))
return widget
| register_widget | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, place=None, type=None, widget=None, filter=None, **kwargs):\n if bool(widget) == bool(place or type):\n raise InvalidArgumentError(\n 'register_widget takes either place and type or widget')\n widget = widget or self.create_widget(place, type, **kwargs)\n dynamic = any(map(callable, widget))\n self._widgets.append((filter, dynamic, widget))\n return widget\n",
"role": "user"
},
{
"content": "register_widget",
"role": "assistant"
}
] |
def x(self):
self._mimetype_functions = list(self._default_mimetype_functions)
super(MimetypePluginManager, self).clear()
| clear | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._mimetype_functions = list(self._default_mimetype_functions)\n super(MimetypePluginManager, self).clear()\n",
"role": "user"
},
{
"content": "clear",
"role": "assistant"
}
] |
def x(self, path):
for fnc in self._mimetype_functions:
mime = fnc(path)
if mime:
return mime
return mimetype.by_default(path)
| get_mimetype | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path):\n for fnc in self._mimetype_functions:\n mime = fnc(path)\n if mime:\n return mime\n return mimetype.by_default(path)\n",
"role": "user"
},
{
"content": "get_mimetype",
"role": "assistant"
}
] |
def x(self, plugin):
module = self.import_plugin(plugin)
if hasattr(module, 'register_arguments'):
manager = ArgumentPluginManager()
module.register_arguments(manager)
return manager._argparse_argkwargs
return ()
| extract_plugin_arguments | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, plugin):\n module = self.import_plugin(plugin)\n if hasattr(module, 'register_arguments'):\n manager = ArgumentPluginManager()\n module.register_arguments(manager)\n return manager._argparse_argkwargs\n return ()\n",
"role": "user"
},
{
"content": "extract_plugin_arguments",
"role": "assistant"
}
] |
def x(self, argv, base=None):
plugin_parser = argparse.ArgumentParser(add_help=False)
plugin_parser.add_argument('--plugin', action='append', default=[])
parent = base or plugin_parser
parser = argparse.ArgumentParser(parents=(parent,), add_help=False, **
getattr(parent, 'defaults', {}))
plugins = [plugin for plugins in plugin_parser.parse_known_args(argv)[0
].plugin for plugin in plugins.split(',')]
for plugin in sorted(set(plugins), key=plugins.index):
arguments = self.extract_plugin_arguments(plugin)
if arguments:
group = parser.add_argument_group('%s arguments' % plugin)
for argargs, argkwargs in arguments:
group.add_argument(*argargs, **argkwargs)
self._argparse_arguments = parser.parse_args(argv)
return self._argparse_arguments
| load_arguments | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, argv, base=None):\n plugin_parser = argparse.ArgumentParser(add_help=False)\n plugin_parser.add_argument('--plugin', action='append', default=[])\n parent = base or plugin_parser\n parser = argparse.ArgumentParser(parents=(parent,), add_help=False, **\n getattr(parent, 'defaults', {}))\n plugins = [plugin for plugins in plugin_parser.parse_known_args(argv)[0\n ].plugin for plugin in plugins.split(',')]\n for plugin in sorted(set(plugins), key=plugins.index):\n arguments = self.extract_plugin_arguments(plugin)\n if arguments:\n group = parser.add_argument_group('%s arguments' % plugin)\n for argargs, argkwargs in arguments:\n group.add_argument(*argargs, **argkwargs)\n self._argparse_arguments = parser.parse_args(argv)\n return self._argparse_arguments\n",
"role": "user"
},
{
"content": "load_arguments",
"role": "assistant"
}
] |
def x(cookies):
try:
data = cookies.get('browse-sorting', 'e30=').encode('ascii')
for path, prop in json.loads(base64.b64decode(data).decode('utf-8')):
yield path, prop
except (ValueError, TypeError, KeyError) as e:
logger.exception(e)
| iter_cookie_browse_sorting | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cookies):\n try:\n data = cookies.get('browse-sorting', 'e30=').encode('ascii')\n for path, prop in json.loads(base64.b64decode(data).decode('utf-8')):\n yield path, prop\n except (ValueError, TypeError, KeyError) as e:\n logger.exception(e)\n",
"role": "user"
},
{
"content": "iter_cookie_browse_sorting",
"role": "assistant"
}
] |
def x(path, default):
if request:
for cpath, cprop in iter_cookie_browse_sorting(request.cookies):
if path == cpath:
return cprop
return default
| get_cookie_browse_sorting | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, default):\n if request:\n for cpath, cprop in iter_cookie_browse_sorting(request.cookies):\n if path == cpath:\n return cprop\n return default\n",
"role": "user"
},
{
"content": "get_cookie_browse_sorting",
"role": "assistant"
}
] |
def x(prop):
if prop.startswith('-'):
prop = prop[1:]
reverse = True
else:
reverse = False
if prop == 'text':
return lambda x: (x.is_directory == reverse, x.link.text.lower() if
x.link and x.link.text else x.name), reverse
if prop == 'size':
return lambda x: (x.is_directory == reverse, x.stats.st_size), reverse
return lambda x: (x.is_directory == reverse, getattr(x, prop, None)
), reverse
| browse_sortkey_reverse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(prop):\n if prop.startswith('-'):\n prop = prop[1:]\n reverse = True\n else:\n reverse = False\n if prop == 'text':\n return lambda x: (x.is_directory == reverse, x.link.text.lower() if\n x.link and x.link.text else x.name), reverse\n if prop == 'size':\n return lambda x: (x.is_directory == reverse, x.stats.st_size), reverse\n return lambda x: (x.is_directory == reverse, getattr(x, prop, None)\n ), reverse\n",
"role": "user"
},
{
"content": "browse_sortkey_reverse",
"role": "assistant"
}
] |
def x(template_name, **context):
app.update_template_context(context)
template = app.jinja_env.get_template(template_name)
stream = template.generate(context)
return Response(stream_with_context(stream))
| stream_template | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(template_name, **context):\n app.update_template_context(context)\n template = app.jinja_env.get_template(template_name)\n stream = template.generate(context)\n return Response(stream_with_context(stream))\n",
"role": "user"
},
{
"content": "stream_template",
"role": "assistant"
}
] |
def x(cls, *args, **kwargs):
gk = cls.genkey
return dict((gk(k), v) for k, v in dict(*args, **kwargs).items())
| gendict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, *args, **kwargs):\n gk = cls.genkey\n return dict((gk(k), v) for k, v in dict(*args, **kwargs).items())\n",
"role": "user"
},
{
"content": "gendict",
"role": "assistant"
}
] |
def x(self):
try:
options = self.jumps[self.current]
except KeyError:
raise KeyError('Current state %r not defined in %s.jumps.' % (self.
current, self.__class__))
offset = len(self.start)
index = len(self.pending)
if self.streaming:
index -= max(map(len, options))
key = index, 1
result = index, '', None
for amark, anext in options.items():
asize = len(amark)
aindex = self.pending.find(amark, offset, index + asize)
if aindex > -1:
index = aindex
akey = aindex, -asize
if akey < key:
key = akey
result = aindex, amark, anext
return result
| nearest | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n options = self.jumps[self.current]\n except KeyError:\n raise KeyError('Current state %r not defined in %s.jumps.' % (self.\n current, self.__class__))\n offset = len(self.start)\n index = len(self.pending)\n if self.streaming:\n index -= max(map(len, options))\n key = index, 1\n result = index, '', None\n for amark, anext in options.items():\n asize = len(amark)\n aindex = self.pending.find(amark, offset, index + asize)\n if aindex > -1:\n index = aindex\n akey = aindex, -asize\n if akey < key:\n key = akey\n result = aindex, amark, anext\n return result\n",
"role": "user"
},
{
"content": "nearest",
"role": "assistant"
}
] |
def x(self, data, mark, next):
method = getattr(self, 'transform_%s' % self.current, None)
return method(data, mark, next) if method else data
| transform | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, mark, next):\n method = getattr(self, 'transform_%s' % self.current, None)\n return method(data, mark, next) if method else data\n",
"role": "user"
},
{
"content": "transform",
"role": "assistant"
}
] |
def x(self, data=''):
self.streaming = True
self.pending += data
for i in self:
yield i
| feed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data=''):\n self.streaming = True\n self.pending += data\n for i in self:\n yield i\n",
"role": "user"
},
{
"content": "feed",
"role": "assistant"
}
] |
def x(self, data=''):
self.pending += data
self.streaming = False
for i in self:
yield i
| finish | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data=''):\n self.pending += data\n self.streaming = False\n for i in self:\n yield i\n",
"role": "user"
},
{
"content": "finish",
"role": "assistant"
}
] |
def x(self):
if self.exclude:
exclude = self.exclude
ap = functools.partial(os.path.join, self.path)
self._tarfile.add(self.path, '', filter=lambda info: None if
exclude(ap(info.name)) else info)
else:
self._tarfile.add(self.path, '')
self._tarfile.close()
self._finished += 1
if not self._result.is_set():
self._result.set()
| fill | [
{
"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.exclude:\n exclude = self.exclude\n ap = functools.partial(os.path.join, self.path)\n self._tarfile.add(self.path, '', filter=lambda info: None if\n exclude(ap(info.name)) else info)\n else:\n self._tarfile.add(self.path, '')\n self._tarfile.close()\n self._finished += 1\n if not self._result.is_set():\n self._result.set()\n",
"role": "user"
},
{
"content": "fill",
"role": "assistant"
}
] |
def x(self, data):
self._add.wait()
self._data += data
if len(self._data) > self._want:
self._add.clear()
self._result.set()
return len(data)
| write | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n self._add.wait()\n self._data += data\n if len(self._data) > self._want:\n self._add.clear()\n self._result.set()\n return len(data)\n",
"role": "user"
},
{
"content": "write",
"role": "assistant"
}
] |
def x(self, want=0):
if self._finished:
if self._finished == 1:
self._finished += 1
return ''
return EOFError('EOF reached')
self._want = want
self._add.set()
self._result.wait()
self._result.clear()
if want:
data = self._data[:want]
self._data = self._data[want:]
else:
data = self._data
self._data = bytes()
return data
| read | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, want=0):\n if self._finished:\n if self._finished == 1:\n self._finished += 1\n return ''\n return EOFError('EOF reached')\n self._want = want\n self._add.set()\n self._result.wait()\n self._result.clear()\n if want:\n data = self._data[:want]\n self._data = self._data[want:]\n else:\n data = self._data\n self._data = bytes()\n return data\n",
"role": "user"
},
{
"content": "read",
"role": "assistant"
}
] |
def x(path):
return os.path.isfile(path) and os.access(path, os.X_OK)
| isexec | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n return os.path.isfile(path) and os.access(path, os.X_OK)\n",
"role": "user"
},
{
"content": "isexec",
"role": "assistant"
}
] |
def x(path, os_name=os.name, fs_encoding=FS_ENCODING, errors=None):
if not isinstance(path, bytes):
return path
if not errors:
use_strict = PY_LEGACY or os_name == 'nt'
errors = 'strict' if use_strict else 'surrogateescape'
return path.decode(fs_encoding, errors=errors)
| fsdecode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, os_name=os.name, fs_encoding=FS_ENCODING, errors=None):\n if not isinstance(path, bytes):\n return path\n if not errors:\n use_strict = PY_LEGACY or os_name == 'nt'\n errors = 'strict' if use_strict else 'surrogateescape'\n return path.decode(fs_encoding, errors=errors)\n",
"role": "user"
},
{
"content": "fsdecode",
"role": "assistant"
}
] |
def x(path, os_name=os.name, fs_encoding=FS_ENCODING, errors=None):
if isinstance(path, bytes):
return path
if not errors:
use_strict = PY_LEGACY or os_name == 'nt'
errors = 'strict' if use_strict else 'surrogateescape'
return path.encode(fs_encoding, errors=errors)
| fsencode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, os_name=os.name, fs_encoding=FS_ENCODING, errors=None):\n if isinstance(path, bytes):\n return path\n if not errors:\n use_strict = PY_LEGACY or os_name == 'nt'\n errors = 'strict' if use_strict else 'surrogateescape'\n return path.encode(fs_encoding, errors=errors)\n",
"role": "user"
},
{
"content": "fsencode",
"role": "assistant"
}
] |
def x(fs_encoding=FS_ENCODING, cwd_fnc=os.getcwd):
path = fsdecode(cwd_fnc(), fs_encoding=fs_encoding)
return os.path.abspath(path)
| getcwd | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fs_encoding=FS_ENCODING, cwd_fnc=os.getcwd):\n path = fsdecode(cwd_fnc(), fs_encoding=fs_encoding)\n return os.path.abspath(path)\n",
"role": "user"
},
{
"content": "getcwd",
"role": "assistant"
}
] |
def x(environ=os.environ, true_values=TRUE_VALUES):
return environ.get('DEBUG', '').lower() in true_values
| getdebug | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(environ=os.environ, true_values=TRUE_VALUES):\n return environ.get('DEBUG', '').lower() in true_values\n",
"role": "user"
},
{
"content": "getdebug",
"role": "assistant"
}
] |
def x(func_or_text, environ=os.environ):
def x(func):
message = 'Deprecated function {}.'.format(func.__name__) if callable(
func_or_text) else func_or_text
@functools.wraps(func)
def x(*args, **kwargs):
with warnings.catch_warnings():
if getdebug(environ):
warnings.simplefilter('always', DeprecationWarning)
warnings.warn(message, category=DeprecationWarning,
stacklevel=3)
return func(*args, **kwargs)
return new_func
return inner(func_or_text) if callable(func_or_text) else inner
| deprecated | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func_or_text, environ=os.environ):\n\n def x(func):\n message = 'Deprecated function {}.'.format(func.__name__) if callable(\n func_or_text) else func_or_text\n\n @functools.wraps(func)\n def x(*args, **kwargs):\n with warnings.catch_warnings():\n if getdebug(environ):\n warnings.simplefilter('always', DeprecationWarning)\n warnings.warn(message, category=DeprecationWarning,\n stacklevel=3)\n return func(*args, **kwargs)\n return new_func\n return inner(func_or_text) if callable(func_or_text) else inner\n",
"role": "user"
},
{
"content": "deprecated",
"role": "assistant"
}
] |
def x(other):
def x(fnc):
fnc.__doc__ = fnc.__doc__ or getattr(other, '__doc__')
return fnc
return inner
| usedoc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(other):\n\n def x(fnc):\n fnc.__doc__ = fnc.__doc__ or getattr(other, '__doc__')\n return fnc\n return inner\n",
"role": "user"
},
{
"content": "usedoc",
"role": "assistant"
}
] |
def x(value, sep=os.pathsep):
for part in value.split(sep):
if part[:1] == part[-1:] == '"' or part[:1] == part[-1:] == "'":
part = part[1:-1]
yield part
| pathsplit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, sep=os.pathsep):\n for part in value.split(sep):\n if part[:1] == part[-1:] == '\"' or part[:1] == part[-1:] == \"'\":\n part = part[1:-1]\n yield part\n",
"role": "user"
},
{
"content": "pathsplit",
"role": "assistant"
}
] |
def x(value, sep=os.pathsep, os_sep=os.sep):
escapes = []
normpath = ntpath.normpath if os_sep == '\\' else posixpath.normpath
if '\\' not in (os_sep, sep):
escapes.extend((('\\\\', '<ESCAPE-ESCAPE>', '\\'), ('\\"',
'<ESCAPE-DQUOTE>', '"'), ("\\'", '<ESCAPE-SQUOTE>', "'"), (
'\\%s' % sep, '<ESCAPE-PATHSEP>', sep)))
for original, escape, unescape in escapes:
value = value.replace(original, escape)
for part in pathsplit(value, sep=sep):
if part[-1:] == os_sep and part != os_sep:
part = part[:-1]
for original, escape, unescape in escapes:
part = part.replace(escape, unescape)
yield normpath(fsdecode(part))
| pathparse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, sep=os.pathsep, os_sep=os.sep):\n escapes = []\n normpath = ntpath.normpath if os_sep == '\\\\' else posixpath.normpath\n if '\\\\' not in (os_sep, sep):\n escapes.extend((('\\\\\\\\', '<ESCAPE-ESCAPE>', '\\\\'), ('\\\\\"',\n '<ESCAPE-DQUOTE>', '\"'), (\"\\\\'\", '<ESCAPE-SQUOTE>', \"'\"), (\n '\\\\%s' % sep, '<ESCAPE-PATHSEP>', sep)))\n for original, escape, unescape in escapes:\n value = value.replace(original, escape)\n for part in pathsplit(value, sep=sep):\n if part[-1:] == os_sep and part != os_sep:\n part = part[:-1]\n for original, escape, unescape in escapes:\n part = part.replace(escape, unescape)\n yield normpath(fsdecode(part))\n",
"role": "user"
},
{
"content": "pathparse",
"role": "assistant"
}
] |
def x(path, os_name=os.name, isdir_fnc=os.path.isdir, pathconf_fnc=getattr(
os, 'pathconf', None), pathconf_names=getattr(os, 'pathconf_names', ())):
if pathconf_fnc and pathconf_names:
return {key: pathconf_fnc(path, key) for key in pathconf_names}
if os_name == 'nt':
maxpath = 246 if isdir_fnc(path) else 259
else:
maxpath = 255
return {'PC_PATH_MAX': maxpath, 'PC_NAME_MAX': maxpath - len(path)}
| pathconf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, os_name=os.name, isdir_fnc=os.path.isdir, pathconf_fnc=getattr(\n os, 'pathconf', None), pathconf_names=getattr(os, 'pathconf_names', ())):\n if pathconf_fnc and pathconf_names:\n return {key: pathconf_fnc(path, key) for key in pathconf_names}\n if os_name == 'nt':\n maxpath = 246 if isdir_fnc(path) else 259\n else:\n maxpath = 255\n return {'PC_PATH_MAX': maxpath, 'PC_NAME_MAX': maxpath - len(path)}\n",
"role": "user"
},
{
"content": "pathconf",
"role": "assistant"
}
] |
def x(name, env_path=ENV_PATH, env_path_ext=ENV_PATHEXT, is_executable_fnc=
isexec, path_join_fnc=os.path.join, os_name=os.name):
for path in env_path:
for suffix in env_path_ext:
exe_file = path_join_fnc(path, name) + suffix
if is_executable_fnc(exe_file):
return exe_file
return None
| which | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, env_path=ENV_PATH, env_path_ext=ENV_PATHEXT, is_executable_fnc=\n isexec, path_join_fnc=os.path.join, os_name=os.name):\n for path in env_path:\n for suffix in env_path_ext:\n exe_file = path_join_fnc(path, name) + suffix\n if is_executable_fnc(exe_file):\n return exe_file\n return None\n",
"role": "user"
},
{
"content": "which",
"role": "assistant"
}
] |
def x(pattern, chars=frozenset('()[]{}?*+|^$\\.-#')):
escape = '\\{}'.format
return ''.join(escape(c) if c in chars or c.isspace() else '\\000' if c ==
'\x00' else c for c in pattern)
| re_escape | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pattern, chars=frozenset('()[]{}?*+|^$\\\\.-#')):\n escape = '\\\\{}'.format\n return ''.join(escape(c) if c in chars or c.isspace() else '\\\\000' if c ==\n '\\x00' else c for c in pattern)\n",
"role": "user"
},
{
"content": "re_escape",
"role": "assistant"
}
] |
def x(manager):
manager.register_blueprint(player)
manager.register_mimetype_function(detect_playable_mimetype)
manager.register_widget(place='styles', type='stylesheet', endpoint=
'player.static', filename='css/browse.css')
manager.register_widget(place='entry-link', type='link', endpoint=
'player.audio', filter=PlayableFile.detect)
manager.register_widget(place='entry-link', icon='playlist', type=
'link', endpoint='player.playlist', filter=PlayListFile.detect)
manager.register_widget(place='entry-actions', css='play', type=
'button', endpoint='player.audio', filter=PlayableFile.detect)
manager.register_widget(place='entry-actions', css='play', type=
'button', endpoint='player.playlist', filter=PlayListFile.detect)
if manager.get_argument('player_directory_play'):
manager.register_widget(place='header', type='button', endpoint=
'player.directory', text='Play directory', filter=
PlayableDirectory.detect)
| register_plugin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(manager):\n manager.register_blueprint(player)\n manager.register_mimetype_function(detect_playable_mimetype)\n manager.register_widget(place='styles', type='stylesheet', endpoint=\n 'player.static', filename='css/browse.css')\n manager.register_widget(place='entry-link', type='link', endpoint=\n 'player.audio', filter=PlayableFile.detect)\n manager.register_widget(place='entry-link', icon='playlist', type=\n 'link', endpoint='player.playlist', filter=PlayListFile.detect)\n manager.register_widget(place='entry-actions', css='play', type=\n 'button', endpoint='player.audio', filter=PlayableFile.detect)\n manager.register_widget(place='entry-actions', css='play', type=\n 'button', endpoint='player.playlist', filter=PlayListFile.detect)\n if manager.get_argument('player_directory_play'):\n manager.register_widget(place='header', type='button', endpoint=\n 'player.directory', text='Play directory', filter=\n PlayableDirectory.detect)\n",
"role": "user"
},
{
"content": "register_plugin",
"role": "assistant"
}
] |
def x(size, binary=True):
if binary:
fmt_sizes = binary_units
fmt_divider = 1024.0
else:
fmt_sizes = standard_units
fmt_divider = 1000.0
for fmt in fmt_sizes[:-1]:
if size < 1000:
return size, fmt
size /= fmt_divider
return size, fmt_sizes[-1]
| fmt_size | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(size, binary=True):\n if binary:\n fmt_sizes = binary_units\n fmt_divider = 1024.0\n else:\n fmt_sizes = standard_units\n fmt_divider = 1000.0\n for fmt in fmt_sizes[:-1]:\n if size < 1000:\n return size, fmt\n size /= fmt_divider\n return size, fmt_sizes[-1]\n",
"role": "user"
},
{
"content": "fmt_size",
"role": "assistant"
}
] |
def x(path, base, os_sep=os.sep):
if not check_base(path, base, os_sep):
raise OutsideDirectoryBase('%r is not under %r' % (path, base))
prefix_len = len(base)
if not base.endswith(os_sep):
prefix_len += len(os_sep)
return path[prefix_len:]
| relativize_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, base, os_sep=os.sep):\n if not check_base(path, base, os_sep):\n raise OutsideDirectoryBase('%r is not under %r' % (path, base))\n prefix_len = len(base)\n if not base.endswith(os_sep):\n prefix_len += len(os_sep)\n return path[prefix_len:]\n",
"role": "user"
},
{
"content": "relativize_path",
"role": "assistant"
}
] |
def x(path, base, os_sep=os.sep):
return relativize_path(path, base, os_sep).replace(os_sep, '/')
| abspath_to_urlpath | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, base, os_sep=os.sep):\n return relativize_path(path, base, os_sep).replace(os_sep, '/')\n",
"role": "user"
},
{
"content": "abspath_to_urlpath",
"role": "assistant"
}
] |
def x(path, base, os_sep=os.sep):
prefix = base if base.endswith(os_sep) else base + os_sep
realpath = os.path.abspath(prefix + path.replace('/', os_sep))
if check_path(base, realpath) or check_under_base(realpath, base):
return realpath
raise OutsideDirectoryBase('%r is not under %r' % (realpath, base))
| urlpath_to_abspath | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, base, os_sep=os.sep):\n prefix = base if base.endswith(os_sep) else base + os_sep\n realpath = os.path.abspath(prefix + path.replace('/', os_sep))\n if check_path(base, realpath) or check_under_base(realpath, base):\n return realpath\n raise OutsideDirectoryBase('%r is not under %r' % (realpath, base))\n",
"role": "user"
},
{
"content": "urlpath_to_abspath",
"role": "assistant"
}
] |
def x(path):
for sep in common_path_separators:
if sep in path:
_, path = path.rsplit(sep, 1)
return path
| generic_filename | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n for sep in common_path_separators:\n if sep in path:\n _, path = path.rsplit(sep, 1)\n return path\n",
"role": "user"
},
{
"content": "generic_filename",
"role": "assistant"
}
] |
def x(path, restricted_chars=restricted_chars):
for character in restricted_chars:
path = path.replace(character, '_')
return path
| clean_restricted_chars | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, restricted_chars=restricted_chars):\n for character in restricted_chars:\n path = path.replace(character, '_')\n return path\n",
"role": "user"
},
{
"content": "clean_restricted_chars",
"role": "assistant"
}
] |
def x(filename, destiny_os=os.name, restricted_names=restricted_names):
return (filename in restricted_names or destiny_os == 'nt' and filename
.split('.', 1)[0].upper() in nt_device_names)
| check_forbidden_filename | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, destiny_os=os.name, restricted_names=restricted_names):\n return (filename in restricted_names or destiny_os == 'nt' and filename\n .split('.', 1)[0].upper() in nt_device_names)\n",
"role": "user"
},
{
"content": "check_forbidden_filename",
"role": "assistant"
}
] |
def x(path, base, os_sep=os.sep):
base = base[:-len(os_sep)] if base.endswith(os_sep) else base
return os.path.normcase(path) == os.path.normcase(base)
| check_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, base, os_sep=os.sep):\n base = base[:-len(os_sep)] if base.endswith(os_sep) else base\n return os.path.normcase(path) == os.path.normcase(base)\n",
"role": "user"
},
{
"content": "check_path",
"role": "assistant"
}
] |
def x(path, base, os_sep=os.sep):
return check_path(path, base, os_sep) or check_under_base(path, base,
os_sep)
| check_base | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, base, os_sep=os.sep):\n return check_path(path, base, os_sep) or check_under_base(path, base,\n os_sep)\n",
"role": "user"
},
{
"content": "check_base",
"role": "assistant"
}
] |
def x(path, base, os_sep=os.sep):
prefix = base if base.endswith(os_sep) else base + os_sep
return os.path.normcase(path).startswith(os.path.normcase(prefix))
| check_under_base | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, base, os_sep=os.sep):\n prefix = base if base.endswith(os_sep) else base + os_sep\n return os.path.normcase(path).startswith(os.path.normcase(prefix))\n",
"role": "user"
},
{
"content": "check_under_base",
"role": "assistant"
}
] |
def x(path, destiny_os=os.name, fs_encoding=compat.FS_ENCODING):
path = generic_filename(path)
path = clean_restricted_chars(path, restricted_chars=
nt_restricted_chars if destiny_os == 'nt' else restricted_chars)
path = path.strip(' .')
if check_forbidden_filename(path, destiny_os=destiny_os):
return ''
if isinstance(path, bytes):
path = path.decode('latin-1', errors=underscore_replace)
kwargs = {'os_name': destiny_os, 'fs_encoding': fs_encoding, 'errors':
underscore_replace}
fs_encoded_path = compat.fsencode(path, **kwargs)
fs_decoded_path = compat.fsdecode(fs_encoded_path, **kwargs)
return fs_decoded_path
| secure_filename | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, destiny_os=os.name, fs_encoding=compat.FS_ENCODING):\n path = generic_filename(path)\n path = clean_restricted_chars(path, restricted_chars=\n nt_restricted_chars if destiny_os == 'nt' else restricted_chars)\n path = path.strip(' .')\n if check_forbidden_filename(path, destiny_os=destiny_os):\n return ''\n if isinstance(path, bytes):\n path = path.decode('latin-1', errors=underscore_replace)\n kwargs = {'os_name': destiny_os, 'fs_encoding': fs_encoding, 'errors':\n underscore_replace}\n fs_encoded_path = compat.fsencode(path, **kwargs)\n fs_decoded_path = compat.fsdecode(fs_encoded_path, **kwargs)\n return fs_decoded_path\n",
"role": "user"
},
{
"content": "secure_filename",
"role": "assistant"
}
] |
def x(filename, attempt=None):
filename_parts = filename.rsplit(u'.', 2)
name = filename_parts[0]
ext = ''.join(u'.%s' % ext for ext in filename_parts[1:])
if attempt is None:
choose = random.choice
extra = u' %s' % ''.join(choose(fs_safe_characters) for i in range(8))
else:
extra = u' (%d)' % attempt
return u'%s%s%s' % (name, extra, ext)
| alternative_filename | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, attempt=None):\n filename_parts = filename.rsplit(u'.', 2)\n name = filename_parts[0]\n ext = ''.join(u'.%s' % ext for ext in filename_parts[1:])\n if attempt is None:\n choose = random.choice\n extra = u' %s' % ''.join(choose(fs_safe_characters) for i in range(8))\n else:\n extra = u' (%d)' % attempt\n return u'%s%s%s' % (name, extra, ext)\n",
"role": "user"
},
{
"content": "alternative_filename",
"role": "assistant"
}
] |
def x(path, app=None):
exclude = app and app.config.get('exclude_fnc')
if exclude:
return (item for item in compat.scandir(path) if not exclude(item.path)
)
return compat.scandir(path)
| scandir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, app=None):\n exclude = app and app.config.get('exclude_fnc')\n if exclude:\n return (item for item in compat.scandir(path) if not exclude(item.path)\n )\n return compat.scandir(path)\n",
"role": "user"
},
{
"content": "scandir",
"role": "assistant"
}
] |
def x(self):
exclude = self.app and self.app.config['exclude_fnc']
return exclude and exclude(self.path)
| is_excluded | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n exclude = self.app and self.app.config['exclude_fnc']\n return exclude and exclude(self.path)\n",
"role": "user"
},
{
"content": "is_excluded",
"role": "assistant"
}
] |
def x(self):
widgets = []
if self.can_remove:
widgets.append(self.plugin_manager.create_widget('entry-actions',
'button', file=self, css='remove', endpoint='remove'))
return widgets + self.plugin_manager.get_widgets(file=self)
| widgets | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n widgets = []\n if self.can_remove:\n widgets.append(self.plugin_manager.create_widget('entry-actions',\n 'button', file=self, css='remove', endpoint='remove'))\n return widgets + self.plugin_manager.get_widgets(file=self)\n",
"role": "user"
},
{
"content": "widgets",
"role": "assistant"
}
] |
def x(self):
link = None
for widget in self.widgets:
if widget.place == 'entry-link':
link = widget
return link
| link | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n link = None\n for widget in self.widgets:\n if widget.place == 'entry-link':\n link = widget\n return link\n",
"role": "user"
},
{
"content": "link",
"role": "assistant"
}
] |
def x(self):
dirbase = self.app.config['directory_remove']
return bool(dirbase and check_under_base(self.path, dirbase))
| can_remove | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n dirbase = self.app.config['directory_remove']\n return bool(dirbase and check_under_base(self.path, dirbase))\n",
"role": "user"
},
{
"content": "can_remove",
"role": "assistant"
}
] |
def x(self):
if check_path(self.path, self.app.config['directory_base']):
return None
parent = os.path.dirname(self.path) if self.path else None
return self.directory_class(parent, self.app) if parent else None
| parent | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if check_path(self.path, self.app.config['directory_base']):\n return None\n parent = os.path.dirname(self.path) if self.path else None\n return self.directory_class(parent, self.app) if parent else None\n",
"role": "user"
},
{
"content": "parent",
"role": "assistant"
}
] |
def x(self):
ancestors = []
parent = self.parent
while parent:
ancestors.append(parent)
parent = parent.parent
return ancestors
| ancestors | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ancestors = []\n parent = self.parent\n while parent:\n ancestors.append(parent)\n parent = parent.parent\n return ancestors\n",
"role": "user"
},
{
"content": "ancestors",
"role": "assistant"
}
] |
def x(self):
try:
dt = datetime.datetime.fromtimestamp(self.stats.st_mtime)
return dt.strftime('%Y.%m.%d %H:%M:%S')
except OSError:
return None
| modified | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n dt = datetime.datetime.fromtimestamp(self.stats.st_mtime)\n return dt.strftime('%Y.%m.%d %H:%M:%S')\n except OSError:\n return None\n",
"role": "user"
},
{
"content": "modified",
"role": "assistant"
}
] |
def x(cls, path, app=None):
app = app or current_app
base = app.config['directory_base']
path = urlpath_to_abspath(path, base)
if not cls.generic:
kls = cls
elif os.path.isdir(path):
kls = cls.directory_class
else:
kls = cls.file_class
return kls(path=path, app=app)
| from_urlpath | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, path, app=None):\n app = app or current_app\n base = app.config['directory_base']\n path = urlpath_to_abspath(path, base)\n if not cls.generic:\n kls = cls\n elif os.path.isdir(path):\n kls = cls.directory_class\n else:\n kls = cls.file_class\n return kls(path=path, app=app)\n",
"role": "user"
},
{
"content": "from_urlpath",
"role": "assistant"
}
] |
def x(self, current_dir, patterns):
pattern = patterns[0]
patterns = patterns[1:]
has_wildcard = is_pattern(pattern)
using_globstar = pattern == '**'
if has_wildcard:
entries = [x.name for x in scandir(current_dir)]
else:
entries = [pattern]
if using_globstar:
matching_subdirs = map(lambda x: x[0], walk(current_dir))
else:
subdirs = [e for e in entries if os.path.isdir(os.path.join(
current_dir, e))]
matching_subdirs = match_entries(subdirs, pattern)
if using_globstar and not patterns:
patterns = ['*']
if patterns:
for subdir in matching_subdirs:
absolute_path = os.path.join(current_dir, subdir)
for match in self._find_paths(absolute_path, patterns):
yield match
else:
if not has_wildcard:
entries = [pattern + '.wsp', pattern + '.wsp.gz']
files = [e for e in entries if os.path.isfile(os.path.join(
current_dir, e))]
matching_files = match_entries(files, pattern + '.*')
for _basename in (matching_files + matching_subdirs):
yield os.path.join(current_dir, _basename)
| find_paths | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, current_dir, patterns):\n pattern = patterns[0]\n patterns = patterns[1:]\n has_wildcard = is_pattern(pattern)\n using_globstar = pattern == '**'\n if has_wildcard:\n entries = [x.name for x in scandir(current_dir)]\n else:\n entries = [pattern]\n if using_globstar:\n matching_subdirs = map(lambda x: x[0], walk(current_dir))\n else:\n subdirs = [e for e in entries if os.path.isdir(os.path.join(\n current_dir, e))]\n matching_subdirs = match_entries(subdirs, pattern)\n if using_globstar and not patterns:\n patterns = ['*']\n if patterns:\n for subdir in matching_subdirs:\n absolute_path = os.path.join(current_dir, subdir)\n for match in self._find_paths(absolute_path, patterns):\n yield match\n else:\n if not has_wildcard:\n entries = [pattern + '.wsp', pattern + '.wsp.gz']\n files = [e for e in entries if os.path.isfile(os.path.join(\n current_dir, e))]\n matching_files = match_entries(files, pattern + '.*')\n for _basename in (matching_files + matching_subdirs):\n yield os.path.join(current_dir, _basename)\n",
"role": "user"
},
{
"content": "find_paths",
"role": "assistant"
}
] |
def x(intervals):
disjoint_intervals = []
for interval in intervals:
if disjoint_intervals and disjoint_intervals[-1].overlaps(interval):
disjoint_intervals[-1] = disjoint_intervals[-1].union(interval)
else:
disjoint_intervals.append(interval)
return disjoint_intervals
| union_overlapping | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(intervals):\n disjoint_intervals = []\n for interval in intervals:\n if disjoint_intervals and disjoint_intervals[-1].overlaps(interval):\n disjoint_intervals[-1] = disjoint_intervals[-1].union(interval)\n else:\n disjoint_intervals.append(interval)\n return disjoint_intervals\n",
"role": "user"
},
{
"content": "union_overlapping",
"role": "assistant"
}
] |
def x(query, index):
for node in app.store.find(query):
if node.is_leaf:
index.add(node.path)
else:
recurse('{0}.*'.format(node.path), index)
| recurse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(query, index):\n for node in app.store.find(query):\n if node.is_leaf:\n index.add(node.path)\n else:\n recurse('{0}.*'.format(node.path), index)\n",
"role": "user"
},
{
"content": "recurse",
"role": "assistant"
}
] |
def x(path, aggregationMethod, xFilesFactor=None):
fh = None
try:
fh = open(path, 'r+b')
if LOCK:
fcntl.flock(fh.fileno(), fcntl.LOCK_EX)
packedMetadata = fh.read(metadataSize)
try:
aggregationType, maxRetention, xff, archiveCount = struct.unpack(
metadataFormat, packedMetadata)
except:
raise CorruptWhisperFile('Unable to read header', fh.name)
try:
newAggregationType = struct.pack(longFormat,
aggregationMethodToType[aggregationMethod])
except KeyError:
raise InvalidAggregationMethod(
'Unrecognized aggregation method: %s' % aggregationMethod)
if xFilesFactor is not None:
xff = struct.pack(floatFormat, float(xFilesFactor))
else:
xff = struct.pack(floatFormat, xff)
maxRetention = struct.pack(longFormat, maxRetention)
archiveCount = struct.pack(longFormat, archiveCount)
packedMetadata = newAggregationType + maxRetention + xff + archiveCount
fh.seek(0)
fh.write(packedMetadata)
if AUTOFLUSH:
fh.flush()
os.fsync(fh.fileno())
if CACHE_HEADERS and fh.name in __headerCache:
del __headerCache[fh.name]
finally:
if fh:
fh.close()
return aggregationTypeToMethod.get(aggregationType, 'average')
| setAggregationMethod | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, aggregationMethod, xFilesFactor=None):\n fh = None\n try:\n fh = open(path, 'r+b')\n if LOCK:\n fcntl.flock(fh.fileno(), fcntl.LOCK_EX)\n packedMetadata = fh.read(metadataSize)\n try:\n aggregationType, maxRetention, xff, archiveCount = struct.unpack(\n metadataFormat, packedMetadata)\n except:\n raise CorruptWhisperFile('Unable to read header', fh.name)\n try:\n newAggregationType = struct.pack(longFormat,\n aggregationMethodToType[aggregationMethod])\n except KeyError:\n raise InvalidAggregationMethod(\n 'Unrecognized aggregation method: %s' % aggregationMethod)\n if xFilesFactor is not None:\n xff = struct.pack(floatFormat, float(xFilesFactor))\n else:\n xff = struct.pack(floatFormat, xff)\n maxRetention = struct.pack(longFormat, maxRetention)\n archiveCount = struct.pack(longFormat, archiveCount)\n packedMetadata = newAggregationType + maxRetention + xff + archiveCount\n fh.seek(0)\n fh.write(packedMetadata)\n if AUTOFLUSH:\n fh.flush()\n os.fsync(fh.fileno())\n if CACHE_HEADERS and fh.name in __headerCache:\n del __headerCache[fh.name]\n finally:\n if fh:\n fh.close()\n return aggregationTypeToMethod.get(aggregationType, 'average')\n",
"role": "user"
},
{
"content": "setAggregationMethod",
"role": "assistant"
}
] |
def x(archiveList):
if not archiveList:
raise InvalidConfiguration(
'You must specify at least one archive configuration!')
archiveList = sorted(archiveList, key=lambda a: a[0])
for i, archive in enumerate(archiveList):
if i == len(archiveList) - 1:
break
nextArchive = archiveList[i + 1]
if not archive[0] < nextArchive[0]:
raise InvalidConfiguration(
'A Whisper database may not configured havingtwo archives with the same precision (archive%d: %s, archive%d: %s)'
% (i, archive, i + 1, nextArchive))
if nextArchive[0] % archive[0] != 0:
raise InvalidConfiguration(
"Higher precision archives' precision must evenly divide all lower precision archives' precision (archive%d: %s, archive%d: %s)"
% (i, archive[0], i + 1, nextArchive[0]))
retention = archive[0] * archive[1]
nextRetention = nextArchive[0] * nextArchive[1]
if not nextRetention > retention:
raise InvalidConfiguration(
'Lower precision archives must cover larger time intervals than higher precision archives (archive%d: %s seconds, archive%d: %s seconds)'
% (i, retention, i + 1, nextRetention))
archivePoints = archive[1]
pointsPerConsolidation = nextArchive[0] // archive[0]
if not archivePoints >= pointsPerConsolidation:
raise InvalidConfiguration(
"Each archive must have at least enough points to consolidate to the next archive (archive%d consolidates %d of archive%d's points but it has only %d total points)"
% (i + 1, pointsPerConsolidation, i, archivePoints))
| validateArchiveList | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(archiveList):\n if not archiveList:\n raise InvalidConfiguration(\n 'You must specify at least one archive configuration!')\n archiveList = sorted(archiveList, key=lambda a: a[0])\n for i, archive in enumerate(archiveList):\n if i == len(archiveList) - 1:\n break\n nextArchive = archiveList[i + 1]\n if not archive[0] < nextArchive[0]:\n raise InvalidConfiguration(\n 'A Whisper database may not configured havingtwo archives with the same precision (archive%d: %s, archive%d: %s)'\n % (i, archive, i + 1, nextArchive))\n if nextArchive[0] % archive[0] != 0:\n raise InvalidConfiguration(\n \"Higher precision archives' precision must evenly divide all lower precision archives' precision (archive%d: %s, archive%d: %s)\"\n % (i, archive[0], i + 1, nextArchive[0]))\n retention = archive[0] * archive[1]\n nextRetention = nextArchive[0] * nextArchive[1]\n if not nextRetention > retention:\n raise InvalidConfiguration(\n 'Lower precision archives must cover larger time intervals than higher precision archives (archive%d: %s seconds, archive%d: %s seconds)'\n % (i, retention, i + 1, nextRetention))\n archivePoints = archive[1]\n pointsPerConsolidation = nextArchive[0] // archive[0]\n if not archivePoints >= pointsPerConsolidation:\n raise InvalidConfiguration(\n \"Each archive must have at least enough points to consolidate to the next archive (archive%d consolidates %d of archive%d's points but it has only %d total points)\"\n % (i + 1, pointsPerConsolidation, i, archivePoints))\n",
"role": "user"
},
{
"content": "validateArchiveList",
"role": "assistant"
}
] |
def x(path, archiveList, xFilesFactor=None, aggregationMethod=None, sparse=
False, useFallocate=False):
if xFilesFactor is None:
xFilesFactor = 0.5
if aggregationMethod is None:
aggregationMethod = 'average'
validateArchiveList(archiveList)
if os.path.exists(path):
raise InvalidConfiguration('File %s already exists!' % path)
fh = None
try:
fh = open(path, 'wb')
if LOCK:
fcntl.flock(fh.fileno(), fcntl.LOCK_EX)
aggregationType = struct.pack(longFormat, aggregationMethodToType.
get(aggregationMethod, 1))
oldest = max([(secondsPerPoint * points) for secondsPerPoint,
points in archiveList])
maxRetention = struct.pack(longFormat, oldest)
xFilesFactor = struct.pack(floatFormat, float(xFilesFactor))
archiveCount = struct.pack(longFormat, len(archiveList))
packedMetadata = (aggregationType + maxRetention + xFilesFactor +
archiveCount)
fh.write(packedMetadata)
headerSize = metadataSize + archiveInfoSize * len(archiveList)
archiveOffsetPointer = headerSize
for secondsPerPoint, points in archiveList:
archiveInfo = struct.pack(archiveInfoFormat,
archiveOffsetPointer, secondsPerPoint, points)
fh.write(archiveInfo)
archiveOffsetPointer += points * pointSize
if CAN_FALLOCATE and useFallocate:
remaining = archiveOffsetPointer - headerSize
fallocate(fh, headerSize, remaining)
elif sparse:
fh.seek(archiveOffsetPointer - 1)
fh.write('\x00')
else:
remaining = archiveOffsetPointer - headerSize
chunksize = 16384
zeroes = b'\x00' * chunksize
while remaining > chunksize:
fh.write(zeroes)
remaining -= chunksize
fh.write(zeroes[:remaining])
if AUTOFLUSH:
fh.flush()
os.fsync(fh.fileno())
finally:
if fh:
fh.close()
| create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, archiveList, xFilesFactor=None, aggregationMethod=None, sparse=\n False, useFallocate=False):\n if xFilesFactor is None:\n xFilesFactor = 0.5\n if aggregationMethod is None:\n aggregationMethod = 'average'\n validateArchiveList(archiveList)\n if os.path.exists(path):\n raise InvalidConfiguration('File %s already exists!' % path)\n fh = None\n try:\n fh = open(path, 'wb')\n if LOCK:\n fcntl.flock(fh.fileno(), fcntl.LOCK_EX)\n aggregationType = struct.pack(longFormat, aggregationMethodToType.\n get(aggregationMethod, 1))\n oldest = max([(secondsPerPoint * points) for secondsPerPoint,\n points in archiveList])\n maxRetention = struct.pack(longFormat, oldest)\n xFilesFactor = struct.pack(floatFormat, float(xFilesFactor))\n archiveCount = struct.pack(longFormat, len(archiveList))\n packedMetadata = (aggregationType + maxRetention + xFilesFactor +\n archiveCount)\n fh.write(packedMetadata)\n headerSize = metadataSize + archiveInfoSize * len(archiveList)\n archiveOffsetPointer = headerSize\n for secondsPerPoint, points in archiveList:\n archiveInfo = struct.pack(archiveInfoFormat,\n archiveOffsetPointer, secondsPerPoint, points)\n fh.write(archiveInfo)\n archiveOffsetPointer += points * pointSize\n if CAN_FALLOCATE and useFallocate:\n remaining = archiveOffsetPointer - headerSize\n fallocate(fh, headerSize, remaining)\n elif sparse:\n fh.seek(archiveOffsetPointer - 1)\n fh.write('\\x00')\n else:\n remaining = archiveOffsetPointer - headerSize\n chunksize = 16384\n zeroes = b'\\x00' * chunksize\n while remaining > chunksize:\n fh.write(zeroes)\n remaining -= chunksize\n fh.write(zeroes[:remaining])\n if AUTOFLUSH:\n fh.flush()\n os.fsync(fh.fileno())\n finally:\n if fh:\n fh.close()\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(path, value, timestamp=None):
value = float(value)
fh = None
try:
fh = open(path, 'r+b')
return file_update(fh, value, timestamp)
finally:
if fh:
fh.close()
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, value, timestamp=None):\n value = float(value)\n fh = None\n try:\n fh = open(path, 'r+b')\n return file_update(fh, value, timestamp)\n finally:\n if fh:\n fh.close()\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(path, points):
if not points:
return
points = [(int(t), float(v)) for t, v in points]
points.sort(key=lambda p: p[0], reverse=True)
fh = None
try:
fh = open(path, 'r+b')
return file_update_many(fh, points)
finally:
if fh:
fh.close()
| update_many | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, points):\n if not points:\n return\n points = [(int(t), float(v)) for t, v in points]\n points.sort(key=lambda p: p[0], reverse=True)\n fh = None\n try:\n fh = open(path, 'r+b')\n return file_update_many(fh, points)\n finally:\n if fh:\n fh.close()\n",
"role": "user"
},
{
"content": "update_many",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.