source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, folder, cleanup=False, validate_folder=True):
if folder.startswith('http') or 'github' in folder:
folder = clone(folder, tmpdir=self.tmpdir)
elif os.path.basename(folder) == 'config.json':
config = os.path.dirname(folder)
return self._validate_config(config, validate_folder)
valid = self._validate_folder(folder)
if cleanup is True:
shutil.rmtree(folder)
return valid
| validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, folder, cleanup=False, validate_folder=True):\n if folder.startswith('http') or 'github' in folder:\n folder = clone(folder, tmpdir=self.tmpdir... |
def x(self, folder, validate_folder=True):
config = '%s/config.json' % folder
name = os.path.basename(folder)
if not os.path.exists(config):
return notvalid('%s: config.json not found.' % folder)
try:
config = read_json(config)
except:
return notvalid('%s: cannot load json, invalid.' % name)
if isinstance(config, list):
return notvalid('%s: config.json is a list, not valid.' % name)
fields = self.get_validation_fields()
for field, value, ftype in fields:
bot.verbose('field: %s, required: %s' % (field, value))
if field not in config.keys():
if value == 1:
return notvalid(
'%s: config.json is missing required field %s' % (name,
field))
elif not isinstance(config[field], ftype):
return notvalid('%s: invalid type, must be %s.' % (name, str(
ftype)))
if field == 'exp_id' and validate_folder is True:
if config[field] != name:
return notvalid(
'%s: exp_id parameter %s does not match folder name.' %
(name, config[field]))
if not re.match('^[a-z0-9_-]*$', config[field]):
message = '%s: exp_id parameter %s has invalid characters'
message += 'only lowercase [a-z],[0-9], -, and _ allowed.'
return notvalid(message % (name, config[field]))
return True
| validate_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, folder, validate_folder=True):\n config = '%s/config.json' % folder\n name = os.path.basename(folder)\n if not os.path.exists(config):\n ... |
def x(self):
return [('name', 1, str), ('time', 1, int), ('url', 1, str), (
'description', 1, str), ('instructions', 1, str), ('exp_id', 1, str
), ('install', 0, list), ('contributors', 0, list), ('reference', 0,
list), ('cognitive_atlas_task_id', 0, str), ('template', 0, str)]
| get_validation_fields | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return [('name', 1, str), ('time', 1, int), ('url', 1, str), (\n 'description', 1, str), ('instructions', 1, str), ('exp_id', 1, str\n ... |
def x(varset, experiment, token):
url = ''
if experiment in varset:
variables = dict()
if token in varset[experiment]:
for k, v in varset[experiment][token].items():
variables[k] = v
if '*' in varset[experiment]:
for k, v in varset[experiment]['*'].items():
if k not in variables:
variables[k] = v
varlist = [('%s=%s' % (k, v)) for k, v in variables.items()]
url = '&'.join(varlist)
bot.debug('Parsed url: %s' % url)
return url
| get_runtime_vars | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(varset, experiment, token):\n url = ''\n if experiment in varset:\n variables = dict()\n if token in varset[experiment]:\n for k... |
def x(variable_file=None, sep=','):
if variable_file is None:
if EXPFACTORY_RUNTIME_VARS is not None:
variable_file = EXPFACTORY_RUNTIME_VARS
if variable_file is not None:
if not os.path.exists(variable_file):
bot.warning('%s is set, but not found' % variable_file)
return variable_file
if variable_file is None:
return variable_file
delim = sep
if EXPFACTORY_RUNTIME_DELIM is not None:
delim = EXPFACTORY_RUNTIME_DELIM
bot.debug('Delim for variables file set to %s' % sep)
varset = dict()
rows = _read_runtime_vars(variable_file)
if len(rows) > 0:
for row in rows:
exp_id = row[0].lower()
var_name = row[1]
var_value = row[2]
token = row[3]
if exp_id not in varset:
varset[exp_id] = {}
if token not in varset[exp_id]:
varset[exp_id][token] = {}
if token == '*':
bot.debug('Found global variable %s' % var_name)
if var_name in varset[exp_id][token]:
bot.warning('%s defined twice %s:%s' % (var_name, exp_id,
token))
varset[exp_id][token][var_name] = var_value
return varset
| generate_runtime_vars | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(variable_file=None, sep=','):\n if variable_file is None:\n if EXPFACTORY_RUNTIME_VARS is not None:\n variable_file = EXPFACTORY_RUNTIME_V... |
def x(variable_file, sep=','):
rows = [x for x in read_file(variable_file).split('\n') if x.strip()]
valid_rows = []
if len(rows) > 0:
header = rows.pop(0).split(sep)
validate_header(header)
for row in rows:
row = _validate_row(row, sep=sep, required_length=4)
if row:
valid_rows.append(row)
return valid_rows
| read_runtime_vars | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(variable_file, sep=','):\n rows = [x for x in read_file(variable_file).split('\\n') if x.strip()]\n valid_rows = []\n if len(rows) > 0:\n heade... |
def x(row, sep=',', required_length=None):
if not isinstance(row, list):
row = _parse_row(row, sep)
if required_length:
length = len(row)
if length != required_length:
bot.warning('Row should have length %s (not %s)' % (
required_length, length))
bot.warning(row)
row = None
return row
| validate_row | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(row, sep=',', required_length=None):\n if not isinstance(row, list):\n row = _parse_row(row, sep)\n if required_length:\n length = len(row)... |
def x(row, sep=','):
parsed = row.split(sep)
parsed = [x for x in parsed if x.strip()]
return parsed
| parse_row | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(row, sep=','):\n parsed = row.split(sep)\n parsed = [x for x in parsed if x.strip()]\n return parsed\n",
"role": "user"
},
{
"content": "p... |
def x(header, required_fields=None):
if required_fields is None:
required_fields = ['exp_id', 'var_name', 'var_value', 'token']
length = len(required_fields)
header = _validate_row(header, required_length=length)
header = [x.lower() for x in header]
for idx in range(length):
field = header[idx].lower().strip()
if required_fields[idx] != field:
bot.error('Malformed header field %s, exiting.' % field)
sys.exit(1)
| validate_header | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(header, required_fields=None):\n if required_fields is None:\n required_fields = ['exp_id', 'var_name', 'var_value', 'token']\n length = len(requi... |
def x(view_func):
@wraps(view_func)
def x(request, *args, **kwargs):
if request.user.is_active and request.user.is_superuser:
return view_func(request, *args, **kwargs)
assert hasattr(request, 'session'
), "The Django admin requires session middleware to be installed. Edit your MIDDLEWARE_CLASSES setting to insert 'django.contrib.sessions.middleware.SessionMiddleware'."
defaults = {'template_name': 'admin/login.html',
'redirect_field_name': request.get_full_path(),
'authentication_form': AdminAuthenticationForm, 'extra_context':
{'title': _('Log in'), 'app_path': request.get_full_path()}}
return LoginView(request, **defaults)
return _checklogin
| superuser_required | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(view_func):\n\n @wraps(view_func)\n def x(request, *args, **kwargs):\n if request.user.is_active and request.user.is_superuser:\n retur... |
def x(cls, pattern_factory, lines):
if isinstance(pattern_factory, string_types):
pattern_factory = util.lookup_pattern(pattern_factory)
if not callable(pattern_factory):
raise TypeError('pattern_factory:{!r} is not callable.'.format(
pattern_factory))
if isinstance(lines, (bytes, unicode)):
raise TypeError('lines:{!r} is not an iterable.'.format(lines))
lines = [pattern_factory(line) for line in lines if line]
return cls(lines)
| from_lines | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, pattern_factory, lines):\n if isinstance(pattern_factory, string_types):\n pattern_factory = util.lookup_pattern(pattern_factory)\n if not ca... |
def x(self, file, separators=None):
norm_file = util.normalize_file(file, separators=separators)
return util.match_file(self.patterns, norm_file)
| match_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file, separators=None):\n norm_file = util.normalize_file(file, separators=separators)\n return util.match_file(self.patterns, norm_file)\n",
"... |
def x(self, files, separators=None):
if isinstance(files, (bytes, unicode)):
raise TypeError('files:{!r} is not an iterable.'.format(files))
file_map = util.normalize_files(files, separators=separators)
matched_files = util.match_files(self.patterns, iterkeys(file_map))
for path in matched_files:
yield file_map[path]
| match_files | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, files, separators=None):\n if isinstance(files, (bytes, unicode)):\n raise TypeError('files:{!r} is not an iterable.'.format(files))\n file_... |
def x(self, root, on_error=None, follow_links=None):
files = util.iter_tree(root, on_error=on_error, follow_links=follow_links)
return self.match_files(files)
| match_tree | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, root, on_error=None, follow_links=None):\n files = util.iter_tree(root, on_error=on_error, follow_links=follow_links)\n return self.match_files(fil... |
def x(cls, pattern):
if isinstance(pattern, unicode):
return_type = unicode
elif isinstance(pattern, bytes):
return_type = bytes
pattern = pattern.decode(_BYTES_ENCODING)
else:
raise TypeError('pattern:{!r} is not a unicode or byte string.'.
format(pattern))
pattern = pattern.strip()
if pattern.startswith('#'):
regex = None
include = None
elif pattern == '/':
regex = None
include = None
elif pattern:
if pattern.startswith('!'):
include = False
pattern = pattern[1:]
else:
include = True
if pattern.startswith('\\'):
pattern = pattern[1:]
pattern_segs = pattern.split('/')
if not pattern_segs[0]:
del pattern_segs[0]
elif len(pattern_segs) == 1 or len(pattern_segs
) == 2 and not pattern_segs[1]:
if pattern_segs[0] != '**':
pattern_segs.insert(0, '**')
else:
pass
if not pattern_segs[-1] and len(pattern_segs) > 1:
pattern_segs[-1] = '**'
output = ['^']
need_slash = False
end = len(pattern_segs) - 1
for i, seg in enumerate(pattern_segs):
if seg == '**':
if i == 0 and i == end:
output.append('.+')
elif i == 0:
output.append('(?:.+/)?')
need_slash = False
elif i == end:
output.append('/.*')
else:
output.append('(?:/.+)?')
need_slash = True
elif seg == '*':
if need_slash:
output.append('/')
output.append('[^/]+')
need_slash = True
else:
if need_slash:
output.append('/')
output.append(cls._translate_segment_glob(seg))
if i == end and include is True:
output.append('(?:/.*)?')
need_slash = True
output.append('$')
regex = ''.join(output)
else:
regex = None
include = None
if regex is not None and return_type is bytes:
regex = regex.encode(_BYTES_ENCODING)
return regex, include
| pattern_to_regex | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, pattern):\n if isinstance(pattern, unicode):\n return_type = unicode\n elif isinstance(pattern, bytes):\n return_type = bytes\n ... |
def x(pattern):
escape = False
regex = ''
i, end = 0, len(pattern)
while i < end:
char = pattern[i]
i += 1
if escape:
escape = False
regex += re.escape(char)
elif char == '\\':
escape = True
elif char == '*':
regex += '[^/]*'
elif char == '?':
regex += '[^/]'
elif char == '[':
j = i
if j < end and pattern[j] == '!':
j += 1
if j < end and pattern[j] == ']':
j += 1
while j < end and pattern[j] != ']':
j += 1
if j < end:
j += 1
expr = '['
if pattern[i] == '!':
expr += '^'
i += 1
elif pattern[i] == '^':
expr += '\\^'
i += 1
expr += pattern[i:j].replace('\\', '\\\\')
regex += expr
i = j
else:
regex += '\\['
else:
regex += re.escape(char)
return regex
| translate_segment_glob | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pattern):\n escape = False\n regex = ''\n i, end = 0, len(pattern)\n while i < end:\n char = pattern[i]\n i += 1\n if escape:\... |
def x(cls, *args, **kw):
cls._deprecated()
return super(GitIgnorePattern, cls).pattern_to_regex(*args, **kw)
| pattern_to_regex | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, *args, **kw):\n cls._deprecated()\n return super(GitIgnorePattern, cls).pattern_to_regex(*args, **kw)\n",
"role": "user"
},
{
"content":... |
def x(root, on_error=None, follow_links=None):
if on_error is not None and not callable(on_error):
raise TypeError('on_error:{!r} is not callable.'.format(on_error))
if follow_links is None:
follow_links = True
for file_rel in _iter_tree_next(os.path.abspath(root), '', {}, on_error,
follow_links):
yield file_rel
| iter_tree | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(root, on_error=None, follow_links=None):\n if on_error is not None and not callable(on_error):\n raise TypeError('on_error:{!r} is not callable.'.for... |
def x(root_full, dir_rel, memo, on_error, follow_links):
dir_full = os.path.join(root_full, dir_rel)
dir_real = os.path.realpath(dir_full)
if dir_real not in memo:
memo[dir_real] = dir_rel
else:
raise RecursionError(real_path=dir_real, first_path=memo[dir_real],
second_path=dir_rel)
for node in os.listdir(dir_full):
node_rel = os.path.join(dir_rel, node)
node_full = os.path.join(root_full, node_rel)
try:
node_stat = os.lstat(node_full)
except OSError as e:
if on_error is not None:
on_error(e)
continue
if stat.S_ISLNK(node_stat.st_mode):
is_link = True
try:
node_stat = os.stat(node_full)
except OSError as e:
if on_error is not None:
on_error(e)
continue
else:
is_link = False
if stat.S_ISDIR(node_stat.st_mode) and (follow_links or not is_link):
for file_rel in _iter_tree_next(root_full, node_rel, memo,
on_error, follow_links):
yield file_rel
elif stat.S_ISREG(node_stat.st_mode):
yield node_rel
del memo[dir_real]
| iter_tree_next | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(root_full, dir_rel, memo, on_error, follow_links):\n dir_full = os.path.join(root_full, dir_rel)\n dir_real = os.path.realpath(dir_full)\n if dir_real... |
def x(patterns, file):
matched = False
for pattern in patterns:
if pattern.include is not None:
if file in pattern.match((file,)):
matched = pattern.include
return matched
| match_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(patterns, file):\n matched = False\n for pattern in patterns:\n if pattern.include is not None:\n if file in pattern.match((file,)):\n ... |
def x(patterns, files):
all_files = files if isinstance(files, collection_type) else list(files)
return_files = set()
for pattern in patterns:
if pattern.include is not None:
result_files = pattern.match(all_files)
if pattern.include:
return_files.update(result_files)
else:
return_files.difference_update(result_files)
return return_files
| match_files | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(patterns, files):\n all_files = files if isinstance(files, collection_type) else list(files)\n return_files = set()\n for pattern in patterns:\n ... |
def x(file, separators=None):
if separators is None:
separators = NORMALIZE_PATH_SEPS
norm_file = file
for sep in separators:
norm_file = norm_file.replace(sep, posixpath.sep)
if norm_file.startswith('./'):
norm_file = norm_file[2:]
return norm_file
| normalize_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file, separators=None):\n if separators is None:\n separators = NORMALIZE_PATH_SEPS\n norm_file = file\n for sep in separators:\n norm_f... |
def x(files, separators=None):
norm_files = {}
for path in files:
norm_files[normalize_file(path, separators=separators)] = path
return norm_files
| normalize_files | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(files, separators=None):\n norm_files = {}\n for path in files:\n norm_files[normalize_file(path, separators=separators)] = path\n return norm_... |
def x(name, pattern_factory, override=None):
if not isinstance(name, string_types):
raise TypeError('name:{!r} is not a string.'.format(name))
if not callable(pattern_factory):
raise TypeError('pattern_factory:{!r} is not callable.'.format(
pattern_factory))
if name in _registered_patterns and not override:
raise AlreadyRegisteredError(name, _registered_patterns[name])
_registered_patterns[name] = pattern_factory
| register_pattern | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, pattern_factory, override=None):\n if not isinstance(name, string_types):\n raise TypeError('name:{!r} is not a string.'.format(name))\n if ... |
def x(self):
return (
'Real path {real!r} was encountered at {first!r} and then {second!r}.'
.format(real=self.real_path, first=self.first_path, second=self.
second_path))
| message | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return (\n 'Real path {real!r} was encountered at {first!r} and then {second!r}.'\n .format(real=self.real_path, first=self.first_pat... |
def x(self, files):
raise NotImplementedError('{}.{} must override match().'.format(self.
__class__.__module__, self.__class__.__name__))
| match | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, files):\n raise NotImplementedError('{}.{} must override match().'.format(self.\n __class__.__module__, self.__class__.__name__))\n",
"role... |
def x(self, files):
if self.include is not None:
for path in files:
if self.regex.match(path) is not None:
yield path
| match | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, files):\n if self.include is not None:\n for path in files:\n if self.regex.match(path) is not None:\n yield path\n",... |
def x(self, obj):
if not obj:
return None
self.user_default_add_related_pks(obj)
return dict((('id', obj.id), ('username', obj.username), self.
field_to_json('DateTime', 'date_joined', obj.date_joined), self.
field_to_json('PKList', 'votes', model=Choice, pks=obj._votes_pks)))
| user_default_serializer | [
{
"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 not obj:\n return None\n self.user_default_add_related_pks(obj)\n return dict((('id', obj.id), ('username', obj.username), sel... |
def x(self, pk):
try:
obj = User.objects.get(pk=pk)
except User.DoesNotExist:
return None
else:
self.user_default_add_related_pks(obj)
return obj
| user_default_loader | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pk):\n try:\n obj = User.objects.get(pk=pk)\n except User.DoesNotExist:\n return None\n else:\n self.user_default_add_relat... |
def x(self, obj):
if not hasattr(obj, '_votes_pks'):
obj._votes_pks = list(obj.votes.values_list('pk', flat=True))
| user_default_add_related_pks | [
{
"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 not hasattr(obj, '_votes_pks'):\n obj._votes_pks = list(obj.votes.values_list('pk', flat=True))\n",
"role": "user"
},
{
... |
def x(self, obj):
user_pks = User.objects.values_list('pk', flat=True)
return [('User', pk, False) for pk in user_pks]
| group_default_invalidator | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj):\n user_pks = User.objects.values_list('pk', flat=True)\n return [('User', pk, False) for pk in user_pks]\n",
"role": "user"
},
{
... |
def x(self, obj):
if not obj:
return None
self.question_default_add_related_pks(obj)
return dict((('id', obj.id), ('question_text', obj.question_text), self
.field_to_json('DateTime', 'pub_date', obj.pub_date), self.
field_to_json('PKList', 'choices', model=Choice, pks=obj._choice_pks)))
| question_default_serializer | [
{
"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 not obj:\n return None\n self.question_default_add_related_pks(obj)\n return dict((('id', obj.id), ('question_text', obj.quest... |
def x(self, pk):
try:
obj = Question.objects.get(pk=pk)
except Question.DoesNotExist:
return None
else:
self.question_default_add_related_pks(obj)
return obj
| question_default_loader | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pk):\n try:\n obj = Question.objects.get(pk=pk)\n except Question.DoesNotExist:\n return None\n else:\n self.question_defau... |
def x(self, obj):
if not hasattr(obj, '_choice_pks'):
obj._choice_pks = list(obj.choices.values_list('pk', flat=True))
| question_default_add_related_pks | [
{
"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 not hasattr(obj, '_choice_pks'):\n obj._choice_pks = list(obj.choices.values_list('pk', flat=True))\n",
"role": "user"
},
{
... |
def x(self, obj):
if not obj:
return None
self.choice_default_add_related_pks(obj)
return dict((('id', obj.id), ('choice_text', obj.choice_text), self.
field_to_json('PK', 'question', model=Question, pk=obj.question_id),
self.field_to_json('PKList', 'voters', model=User, pks=obj._voter_pks))
)
| choice_default_serializer | [
{
"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 not obj:\n return None\n self.choice_default_add_related_pks(obj)\n return dict((('id', obj.id), ('choice_text', obj.choice_te... |
def x(self, pk):
try:
obj = Choice.objects.get(pk=pk)
except Choice.DoesNotExist:
return None
else:
self.choice_default_add_related_pks(obj)
return obj
| choice_default_loader | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pk):\n try:\n obj = Choice.objects.get(pk=pk)\n except Choice.DoesNotExist:\n return None\n else:\n self.choice_default_add... |
def x(self, obj):
if not hasattr(obj, '_voter_pks'):
obj._voter_pks = obj.voters.values_list('pk', flat=True)
| choice_default_add_related_pks | [
{
"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 not hasattr(obj, '_voter_pks'):\n obj._voter_pks = obj.voters.values_list('pk', flat=True)\n",
"role": "user"
},
{
"cont... |
def x(self, obj):
invalid = [('Question', obj.question_id, True)]
for pk in obj.voters.values_list('pk', flat=True):
invalid.append(('User', pk, False))
return invalid
| choice_default_invalidator | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj):\n invalid = [('Question', obj.question_id, True)]\n for pk in obj.voters.values_list('pk', flat=True):\n invalid.append(('User', pk, F... |
def x(self):
if not self._cache:
use_cache = getattr(settings, 'USE_DRF_INSTANCE_CACHE', True)
if use_cache:
from django.core.cache import cache
self._cache = cache
return self._cache
| cache | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self._cache:\n use_cache = getattr(settings, 'USE_DRF_INSTANCE_CACHE', True)\n if use_cache:\n from django.core.cac... |
def x(self, model_name, obj_pk):
if self.cache:
for version in self.versions:
key = self.key_for(version, model_name, obj_pk)
self.cache.delete(key)
| delete_all_versions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, model_name, obj_pk):\n if self.cache:\n for version in self.versions:\n key = self.key_for(version, model_name, obj_pk)\n ... |
def x(self, model_name, version, func_name):
assert func_name in ('serializer', 'loader', 'invalidator')
name = '%s_%s_%s' % (model_name.lower(), version, func_name)
return getattr(self, name)
| model_function | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, model_name, version, func_name):\n assert func_name in ('serializer', 'loader', 'invalidator')\n name = '%s_%s_%s' % (model_name.lower(), version, ... |
def x(self, type_code, func_name):
assert func_name in ('to_json', 'from_json')
name = 'field_%s_%s' % (type_code.lower(), func_name)
return getattr(self, name)
| field_function | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, type_code, func_name):\n assert func_name in ('to_json', 'from_json')\n name = 'field_%s_%s' % (type_code.lower(), func_name)\n return getattr(s... |
def x(self, type_code, key, *args, **kwargs):
assert ':' not in key
to_json = self.field_function(type_code, 'to_json')
key_and_type = '%s:%s' % (key, type_code)
json_value = to_json(*args, **kwargs)
return key_and_type, json_value
| field_to_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, type_code, key, *args, **kwargs):\n assert ':' not in key\n to_json = self.field_function(type_code, 'to_json')\n key_and_type = '%s:%s' % (key,... |
def x(self, key_and_type, json_value):
assert ':' in key_and_type
key, type_code = key_and_type.split(':', 1)
from_json = self.field_function(type_code, 'from_json')
value = from_json(json_value)
return key, value
| field_from_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key_and_type, json_value):\n assert ':' in key_and_type\n key, type_code = key_and_type.split(':', 1)\n from_json = self.field_function(type_cod... |
def x(self, object_specs, version=None):
ret = dict()
spec_keys = set()
cache_keys = []
version = version or self.default_version
for model_name, obj_pk, obj in object_specs:
assert model_name
assert obj_pk
obj_key = self.key_for(version, model_name, obj_pk)
spec_keys.add((model_name, obj_pk, obj, obj_key))
cache_keys.append(obj_key)
if cache_keys and self.cache:
cache_vals = self.cache.get_many(cache_keys)
else:
cache_vals = {}
cache_to_set = {}
for model_name, obj_pk, obj, obj_key in spec_keys:
obj_val = cache_vals.get(obj_key)
obj_native = json.loads(obj_val) if obj_val else None
if not obj_native:
if not obj:
loader = self.model_function(model_name, version, 'loader')
obj = loader(obj_pk)
serializer = self.model_function(model_name, version, 'serializer')
obj_native = serializer(obj) or {}
if obj_native:
cache_to_set[obj_key] = json.dumps(obj_native)
keys = [key for key in obj_native.keys() if ':' in key]
for key in keys:
json_value = obj_native.pop(key)
name, value = self.field_from_json(key, json_value)
assert name not in obj_native
obj_native[name] = value
if obj_native:
ret[model_name, obj_pk] = obj_native, obj_key, obj
if cache_to_set and self.cache:
self.cache.set_many(cache_to_set)
return ret
| get_instances | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, object_specs, version=None):\n ret = dict()\n spec_keys = set()\n cache_keys = []\n version = version or self.default_version\n for model_... |
def x(self, model_name, pk, instance=None, version=None, update_only=False):
versions = [version] if version else self.versions
invalid = []
for version in versions:
serializer = self.model_function(model_name, version, 'serializer')
loader = self.model_function(model_name, version, 'loader')
invalidator = self.model_function(model_name, version, 'invalidator')
if serializer is None and loader is None and invalidator is None:
continue
if self.cache is None:
continue
if not instance:
instance = loader(pk)
if serializer:
key = self.key_for(version, model_name, pk)
current_raw = self.cache.get(key)
current = json.loads(current_raw) if current_raw else None
if update_only and current_raw is None:
new = None
else:
new = serializer(instance)
deleted = not instance
invalidate = current != new or deleted
if invalidate:
if deleted:
self.cache.delete(key)
else:
self.cache.set(key, json.dumps(new))
else:
invalidate = True
if instance and invalidate:
for upstream in invalidator(instance):
if isinstance(upstream, str):
self.cache.delete(upstream)
else:
m, i, immediate = upstream
if immediate:
invalidate_key = self.key_for(version, m, i)
self.cache.delete(invalidate_key)
invalid.append((m, i, version))
return invalid
| update_instance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, model_name, pk, instance=None, version=None, update_only=False):\n versions = [version] if version else self.versions\n invalid = []\n for versi... |
def x(self, day):
if isinstance(day, six.string_types):
day = parse_date(day)
return [day.year, day.month, day.day] if day else None
| field_date_to_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, day):\n if isinstance(day, six.string_types):\n day = parse_date(day)\n return [day.year, day.month, day.day] if day else None\n",
"role... |
def x(self, json_val):
if type(json_val) == int:
seconds = int(json_val)
dt = datetime.fromtimestamp(seconds, utc)
elif json_val is None:
dt = None
else:
seconds, microseconds = [int(x) for x in json_val.split('.')]
dt = datetime.fromtimestamp(seconds, utc)
dt += timedelta(microseconds=microseconds)
return dt
| field_datetime_from_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, json_val):\n if type(json_val) == int:\n seconds = int(json_val)\n dt = datetime.fromtimestamp(seconds, utc)\n elif json_val is None:... |
def x(self, dt):
if isinstance(dt, six.string_types):
dt = parse_datetime(dt)
if not dt:
return None
ts = timegm(dt.utctimetuple())
if dt.microsecond:
return '{0}.{1:0>6d}'.format(ts, dt.microsecond)
else:
return ts
| field_datetime_to_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dt):\n if isinstance(dt, six.string_types):\n dt = parse_datetime(dt)\n if not dt:\n return None\n ts = timegm(dt.utctimetuple())\... |
def x(self, json_val):
if isinstance(json_val, str):
return timedelta(seconds=float(json_val))
elif json_val is None:
return None
else:
return timedelta(seconds=json_val)
| field_timedelta_from_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, json_val):\n if isinstance(json_val, str):\n return timedelta(seconds=float(json_val))\n elif json_val is None:\n return None\n el... |
def x(self, td):
if isinstance(td, six.string_types):
td = parse_duration(td)
if not td:
return None
if td.microseconds > 0:
return str(td.total_seconds())
else:
return int(td.total_seconds())
| field_timedelta_to_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, td):\n if isinstance(td, six.string_types):\n td = parse_duration(td)\n if not td:\n return None\n if td.microseconds > 0:\n ... |
def x(self, data):
model = get_model(data['app'], data['model'])
return PkOnlyQueryset(self, model, data['pks'])
| field_pklist_from_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n model = get_model(data['app'], data['model'])\n return PkOnlyQueryset(self, model, data['pks'])\n",
"role": "user"
},
{
"conte... |
def x(self, model, pks):
app_label = model._meta.app_label
model_name = model._meta.model_name
return {'app': app_label, 'model': model_name, 'pks': list(pks)}
| field_pklist_to_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, model, pks):\n app_label = model._meta.app_label\n model_name = model._meta.model_name\n return {'app': app_label, 'model': model_name, 'pks': l... |
def x(self, data):
model = get_model(data['app'], data['model'])
return PkOnlyModel(self, model, data['pk'])
| field_pk_from_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n model = get_model(data['app'], data['model'])\n return PkOnlyModel(self, model, data['pk'])\n",
"role": "user"
},
{
"content":... |
def x(self, model, pk):
app_label = model._meta.app_label
model_name = model._meta.model_name
return {'app': app_label, 'model': model_name, 'pk': pk}
| field_pk_to_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, model, pk):\n app_label = model._meta.app_label\n model_name = model._meta.model_name\n return {'app': app_label, 'model': model_name, 'pk': pk}... |
def x(sender, instance, action, reverse, model, pk_set, **kwargs):
if action not in ('post_add', 'post_remove', 'post_clear'):
return
if model == User:
assert type(instance) == Choice
choices = [instance]
if pk_set:
users = list(User.objects.filter(pk__in=pk_set))
else:
users = []
else:
if pk_set:
choices = list(Choice.objects.filter(pk__in=pk_set))
else:
choices = []
users = [instance]
from .tasks import update_cache_for_instance
for choice in choices:
update_cache_for_instance('Choice', choice.pk, choice)
for user in users:
update_cache_for_instance('User', user.pk, user)
| choice_voters_changed_update_cache | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sender, instance, action, reverse, model, pk_set, **kwargs):\n if action not in ('post_add', 'post_remove', 'post_clear'):\n return\n if model == ... |
def x(sender, instance, **kwargs):
name = sender.__name__
if name in cached_model_names:
from .tasks import update_cache_for_instance
update_cache_for_instance(name, instance.pk, instance)
| post_delete_update_cache | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sender, instance, **kwargs):\n name = sender.__name__\n if name in cached_model_names:\n from .tasks import update_cache_for_instance\n upd... |
def x(sender, instance, created, raw, **kwargs):
if raw:
return
name = sender.__name__
if name in cached_model_names:
delay_cache = getattr(instance, '_delay_cache', False)
if not delay_cache:
from .tasks import update_cache_for_instance
update_cache_for_instance(name, instance.pk, instance)
| post_save_update_cache | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sender, instance, created, raw, **kwargs):\n if raw:\n return\n name = sender.__name__\n if name in cached_model_names:\n delay_cache = ... |
def x(self):
queryset = super(CachedViewMixin, self).get_queryset()
if self.action in ('list', 'retrieve'):
return CachedQueryset(self.get_queryset_cache(), queryset=queryset)
else:
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(CachedViewMixin, self).get_queryset()\n if self.action in ('list', 'retrieve'):\n return CachedQueryset(self.get_queryse... |
def x(self, queryset=None):
assert queryset is None, 'Passing a queryset is disabled'
queryset = self.filter_queryset(self.get_queryset())
lookup_url_kwarg = self.lookup_url_kwarg or self.lookup_field
lookup = self.kwargs.get(lookup_url_kwarg, None)
assert lookup is not None, 'Other lookup methods are disabled'
filter_kwargs = {self.lookup_field: lookup}
obj = self.get_object_or_404(queryset, **filter_kwargs)
self.check_object_permissions(self.request, obj)
return obj
| get_object | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, queryset=None):\n assert queryset is None, 'Passing a queryset is disabled'\n queryset = self.filter_queryset(self.get_queryset())\n lookup_url_... |
def x(self, queryset, *filter_args, **filter_kwargs):
if isinstance(queryset, CachedQueryset):
try:
return queryset.get(*filter_args, **filter_kwargs)
except queryset.model.DoesNotExist:
raise Http404('No %s matches the given query.' % queryset.model)
else:
return get_object_or_404(queryset, *filter_args, **filter_kwargs)
| get_object_or_404 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, queryset, *filter_args, **filter_kwargs):\n if isinstance(queryset, CachedQueryset):\n try:\n return queryset.get(*filter_args, **fi... |
def x(self, **kwargs):
if 'default' in kwargs:
default = kwargs.pop('default')
if kwargs:
raise TypeError('Unexpected argument: {}'.format(repr(next(iter
(kwargs)))))
return default
else:
raise JSaneException('Key does not exist: {}'.format(repr(self.
_key_name)))
| r | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n if 'default' in kwargs:\n default = kwargs.pop('default')\n if kwargs:\n raise TypeError('Unexpected argument: {... |
def x(self, **kwargs):
kwargs.pop('default', None)
if kwargs:
raise TypeError('Unexpected argument: {}'.format(repr(next(iter(
kwargs)))))
return self._obj
| r | [
{
"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.pop('default', None)\n if kwargs:\n raise TypeError('Unexpected argument: {}'.format(repr(next(iter(\n kwargs... |
def x(model_name, instance_pk, instance=None, version=None):
cache = SampleCache()
invalid = cache.update_instance(model_name, instance_pk, instance, version)
for invalid_name, invalid_pk, invalid_version in invalid:
update_cache_for_instance.delay(invalid_name, invalid_pk, version=
invalid_version)
| update_cache_for_instance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model_name, instance_pk, instance=None, version=None):\n cache = SampleCache()\n invalid = cache.update_instance(model_name, instance_pk, instance, versi... |
def x(self, *args, **kwargs):
flat = kwargs.pop('flat', False)
assert flat is True
assert len(args) == 1
assert args[0] == self.model._meta.pk.name
return self.pks
| values_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n flat = kwargs.pop('flat', False)\n assert flat is True\n assert len(args) == 1\n assert args[0] == self.model._meta.pk.na... |
def x(self):
if self._primary_keys is None:
self._primary_keys = list(self.queryset.values_list('pk', flat=True))
return self._primary_keys
| pks | [
{
"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._primary_keys is None:\n self._primary_keys = list(self.queryset.values_list('pk', flat=True))\n return self._primary_keys\n",
... |
def x(self):
if self._primary_keys is None:
return self.queryset.count()
else:
return len(self.pks)
| count | [
{
"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._primary_keys is None:\n return self.queryset.count()\n else:\n return len(self.pks)\n",
"role": "user"
},
{
"... |
def x(self, **kwargs):
assert not self._primary_keys
self.queryset = self.queryset.filter(**kwargs)
return self
| filter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n assert not self._primary_keys\n self.queryset = self.queryset.filter(**kwargs)\n return self\n",
"role": "user"
},
{
"c... |
def x(self, *args, **kwargs):
assert not args
assert list(kwargs.keys()) == ['pk']
pk = kwargs['pk']
model_name = self.model.__name__
object_spec = model_name, pk, None
instances = self.cache.get_instances((object_spec,))
try:
model_data = instances[model_name, pk][0]
except KeyError:
raise self.model.DoesNotExist(
'No match for %r with args %r, kwargs %r' % (self.model, args,
kwargs))
else:
return CachedModel(self.model, model_data)
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n assert not args\n assert list(kwargs.keys()) == ['pk']\n pk = kwargs['pk']\n model_name = self.model.__name__\n object... |
def x(cls):
constants = {}
for method_path in WebpackConstants.get_constant_processors():
method = import_string(method_path)
if not callable(method):
raise ImproperlyConfigured(
'Constant processor "%s" is not callable' % method_path)
result = method(constants)
if isinstance(result, dict):
constants.update(result)
return constants
| collect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n constants = {}\n for method_path in WebpackConstants.get_constant_processors():\n method = import_string(method_path)\n if not call... |
def x(data):
from phonenumber_field.phonenumber import to_python
phone_number = to_python(data)
if not phone_number:
return data
elif not phone_number.country_code:
raise serializers.ValidationError(_(
'Phone number needs to include valid country code (E.g +37255555555).'
))
elif not phone_number.is_valid():
raise serializers.ValidationError(_(
'The phone number entered is not valid.'))
return data
| phonenumber_validation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data):\n from phonenumber_field.phonenumber import to_python\n phone_number = to_python(data)\n if not phone_number:\n return data\n elif no... |
def x(self, locale):
with translation.override(locale):
translation_engine = DjangoTranslation(locale, domain=self.domain,
localedirs=self.paths)
trans_cat = translation_engine._catalog
trans_fallback_cat = (translation_engine._fallback._catalog if
translation_engine._fallback else {})
return trans_cat, trans_fallback_cat
| get_catalog | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, locale):\n with translation.override(locale):\n translation_engine = DjangoTranslation(locale, domain=self.domain,\n localedirs=self... |
def x(cls, packages):
allowable_packages = dict((app_config.name, app_config) for app_config in
apps.get_app_configs())
app_configs = [allowable_packages[p] for p in packages if p in
allowable_packages]
return [os.path.join(app.path, 'locale') for app in app_configs]
| get_paths | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, packages):\n allowable_packages = dict((app_config.name, app_config) for app_config in\n apps.get_app_configs())\n app_configs = [allowable_p... |
def x(cls, catalog, key):
header_value = None
if '' in catalog:
for line in catalog[''].split('\n'):
if line.startswith('%s:' % key):
header_value = line.split(':', 1)[1].strip()
return header_value
| get_catalogue_header_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, catalog, key):\n header_value = None\n if '' in catalog:\n for line in catalog[''].split('\\n'):\n if line.startswith('%s:' % key)... |
def x(self, catalogue):
match = re.search('nplurals=\\s*(\\d+)', self.get_plural(catalogue) or '')
if match:
return int(match.groups()[0])
return 2
| num_plurals | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, catalogue):\n match = re.search('nplurals=\\\\s*(\\\\d+)', self.get_plural(catalogue) or '')\n if match:\n return int(match.groups()[0])\n ... |
def x(self, locale, catalog):
return {'po-revision-date': self.get_catalogue_header_value(catalog,
'PO-Revision-Date'), 'mime-version': self.
get_catalogue_header_value(catalog, 'MIME-Version'),
'last-translator': 'Automatic <hi@thorgate.eu>', 'x-generator':
'Python', 'language': self.get_catalogue_header_value(catalog,
'Language') or locale, 'lang': locale, 'content-transfer-encoding':
self.get_catalogue_header_value(catalog,
'Content-Transfer-Encoding'), 'project-id-version': self.
get_catalogue_header_value(catalog, 'Project-Id-Version'),
'pot-creation-date': self.get_catalogue_header_value(catalog,
'POT-Creation-Date'), 'domain': self.domain, 'report-msgid-bugs-to':
self.get_catalogue_header_value(catalog, 'Report-Msgid-Bugs-To'),
'content-type': self.get_catalogue_header_value(catalog,
'Content-Type'), 'plural-forms': self.get_plural(catalog),
'language-team': self.get_catalogue_header_value(catalog,
'Language-Team')}
| make_header | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, locale, catalog):\n return {'po-revision-date': self.get_catalogue_header_value(catalog,\n 'PO-Revision-Date'), 'mime-version': self.\n ... |
def x(self):
languages = {}
locale_data = {}
for language_code, label in settings.LANGUAGES:
languages[language_code] = '%s' % label
trans_cat, trans_fallback_cat = self.get_catalog(language_code)
locale_data[language_code] = {}
locale_data[language_code][''] = self.make_header(language_code,
trans_cat)
num_plurals = self._num_plurals(trans_cat)
pdict = {}
seen_keys = set()
for key, value in itertools.chain(six.iteritems(trans_cat), six.
iteritems(trans_fallback_cat)):
if key == '' or key in seen_keys:
continue
if isinstance(key, six.string_types):
locale_data[language_code][key] = [value]
elif isinstance(key, tuple):
msgid, cnt = key
pdict.setdefault(msgid, {})[cnt] = value
else:
raise TypeError(key)
seen_keys.add(key)
for k, v in pdict.items():
locale_data[language_code][k] = [v.get(i, '') for i in range(
num_plurals)]
for key, value in locale_data.items():
locale_data[key] = json.dumps(value)
return languages, locale_data
| collect_translations | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n languages = {}\n locale_data = {}\n for language_code, label in settings.LANGUAGES:\n languages[language_code] = '%s' % label\n ... |
def x(client, endpoint, object_id):
endpoint = '/'.join([endpoint, str(object_id)])
return client.authenticated_request(endpoint).json()
| get_endpoint_obj | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(client, endpoint, object_id):\n endpoint = '/'.join([endpoint, str(object_id)])\n return client.authenticated_request(endpoint).json()\n",
"role": "u... |
def x(client, endpoint, object_id, revision, data):
data['revision'] = int(revision)
endpoint = '/'.join([endpoint, str(object_id)])
return client.authenticated_request(endpoint, 'PATCH', data=data).json()
| update_endpoint_obj | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(client, endpoint, object_id, revision, data):\n data['revision'] = int(revision)\n endpoint = '/'.join([endpoint, str(object_id)])\n return client.aut... |
def x(self, method, response):
if self.api_version:
if response.status_code >= 400:
raise ValueError('{} {}'.format(response.status_code, str(
response.json())))
if method == 'GET':
assert response.status_code == 200
elif method == 'POST':
assert response.status_code == 201
elif method == 'PATCH':
assert response.status_code == 200
elif method == 'DELETE':
assert response.status_code == 204
| validate_response | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method, response):\n if self.api_version:\n if response.status_code >= 400:\n raise ValueError('{} {}'.format(response.status_code, ... |
def x(self, endpoint, method='GET', headers=None, params=None, data=None):
if not headers:
headers = {}
if method in ['POST', 'PATCH', 'PUT']:
headers['Content-Type'] = 'application/json'
url = '/'.join([self.api_url, 'v' + self.api_version, endpoint])
data = json.dumps(data) if data else None
try:
response = requests.request(method=method, url=url, params=params,
headers=headers, data=data)
except requests.exceptions.Timeout as e:
raise wp_exceptions.TimeoutError(e)
except requests.exceptions.ConnectionError as e:
raise wp_exceptions.ConnectionError(e)
self._validate_response(method, response)
return response
| request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, endpoint, method='GET', headers=None, params=None, data=None):\n if not headers:\n headers = {}\n if method in ['POST', 'PATCH', 'PUT']:\n ... |
def x(self, code, client_id, client_secret):
headers = {'Content-Type': 'application/json'}
data = {'client_id': client_id, 'client_secret': client_secret, 'code':
code}
str_data = json.dumps(data)
response = requests.request(method='POST', url=ACCESS_TOKEN_URL,
headers=headers, data=str_data)
status_code = response.status_code
if status_code != 200:
raise ValueError('{} -- {}'.format(status_code, response.json()))
return body['access_token']
| get_access_token | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, code, client_id, client_secret):\n headers = {'Content-Type': 'application/json'}\n data = {'client_id': client_id, 'client_secret': client_secret,... |
def x(self, endpoint, method='GET', params=None, data=None):
headers = {'X-Access-Token': self.access_token, 'X-Client-ID': self.
client_id}
return self.api.request(endpoint, method=method, headers=headers,
params=params, data=data)
| authenticated_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, endpoint, method='GET', params=None, data=None):\n headers = {'X-Access-Token': self.access_token, 'X-Client-ID': self.\n client_id}\n retur... |
def x(self, list_id, revision, title=None, public=None):
return lists_endpoint.update_list(self, list_id, revision, title=title,
public=public)
| update_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, list_id, revision, title=None, public=None):\n return lists_endpoint.update_list(self, list_id, revision, title=title,\n public=public)\n",
... |
def x(self, list_id, completed=False):
return tasks_endpoint.get_tasks(self, list_id, completed=completed)
| get_tasks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, list_id, completed=False):\n return tasks_endpoint.get_tasks(self, list_id, completed=completed)\n",
"role": "user"
},
{
"content": "get_t... |
def x(self, list_id, title, assignee_id=None, completed=None,
recurrence_type=None, recurrence_count=None, due_date=None, starred=None):
return tasks_endpoint.create_task(self, list_id, title, assignee_id=
assignee_id, completed=completed, recurrence_type=recurrence_type,
recurrence_count=recurrence_count, due_date=due_date, starred=starred)
| create_task | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, list_id, title, assignee_id=None, completed=None,\n recurrence_type=None, recurrence_count=None, due_date=None, starred=None):\n return tasks_endpo... |
def x(self, task_id, revision, title=None, assignee_id=None, completed=None,
recurrence_type=None, recurrence_count=None, due_date=None, starred=
None, remove=None):
return tasks_endpoint.update_task(self, task_id, revision, title=title,
assignee_id=assignee_id, completed=completed, recurrence_type=
recurrence_type, recurrence_count=recurrence_count, due_date=
due_date, starred=starred, remove=remove)
| update_task | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, task_id, revision, title=None, assignee_id=None, completed=None,\n recurrence_type=None, recurrence_count=None, due_date=None, starred=\n None, rem... |
def x(self, note_id, revision, content):
return notes_endpoint.update_note(self, note_id, revision, content)
| update_note | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, note_id, revision, content):\n return notes_endpoint.update_note(self, note_id, revision, content)\n",
"role": "user"
},
{
"content": "upd... |
def x(self, task_id, completed=False):
return subtasks_endpoint.get_task_subtasks(self, task_id, completed=
completed)
| get_task_subtasks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, task_id, completed=False):\n return subtasks_endpoint.get_task_subtasks(self, task_id, completed=\n completed)\n",
"role": "user"
},
{
... |
def x(self, list_id, completed=False):
return subtasks_endpoint.get_list_subtasks(self, list_id, completed=
completed)
| get_list_subtasks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, list_id, completed=False):\n return subtasks_endpoint.get_list_subtasks(self, list_id, completed=\n completed)\n",
"role": "user"
},
{
... |
def x(self, task_id, title, completed=False):
return subtasks_endpoint.create_subtask(self, task_id, title, completed
=completed)
| create_subtask | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, task_id, title, completed=False):\n return subtasks_endpoint.create_subtask(self, task_id, title, completed\n =completed)\n",
"role": "user... |
def x(self, subtask_id, revision, title=None, completed=None):
return subtasks_endpoint.update_subtask(self, subtask_id, revision,
title=title, completed=completed)
| update_subtask | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subtask_id, revision, title=None, completed=None):\n return subtasks_endpoint.update_subtask(self, subtask_id, revision,\n title=title, complet... |
def x(self, positions_obj_id, revision, values):
return positions_endpoints.update_list_positions_obj(self,
positions_obj_id, revision, values)
| update_list_positions_obj | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, positions_obj_id, revision, values):\n return positions_endpoints.update_list_positions_obj(self,\n positions_obj_id, revision, values)\n",
... |
def x(self, positions_obj_id, revision, values):
return positions_endpoints.update_task_positions_obj(self,
positions_obj_id, revision, values)
| update_task_positions_obj | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, positions_obj_id, revision, values):\n return positions_endpoints.update_task_positions_obj(self,\n positions_obj_id, revision, values)\n",
... |
def x(self, positions_obj_id, revision, values):
return positions_endpoints.update_subtask_positions_obj(self,
positions_obj_id, revision, values)
| update_subtask_positions_obj | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, positions_obj_id, revision, values):\n return positions_endpoints.update_subtask_positions_obj(self,\n positions_obj_id, revision, values)\n",
... |
def x(date, api):
try:
datetime.datetime.strptime(date, api.DATE_FORMAT)
except ValueError:
raise ValueError("Date '{}' does not conform to API format: {}".
format(date, api.DATE_FORMAT))
| check_date_format | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(date, api):\n try:\n datetime.datetime.strptime(date, api.DATE_FORMAT)\n except ValueError:\n raise ValueError(\"Date '{}' does not conform... |
def x(client, list_id, completed=False):
params = {'list_id': str(list_id), 'completed': completed}
response = client.authenticated_request(client.api.Endpoints.TASKS,
params=params)
return response.json()
| get_tasks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(client, list_id, completed=False):\n params = {'list_id': str(list_id), 'completed': completed}\n response = client.authenticated_request(client.api.Endp... |
def x(client, task_id):
endpoint = '/'.join([client.api.Endpoints.TASKS, str(task_id)])
response = client.authenticated_request(endpoint)
return response.json()
| get_task | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(client, task_id):\n endpoint = '/'.join([client.api.Endpoints.TASKS, str(task_id)])\n response = client.authenticated_request(endpoint)\n return respo... |
def x(client, list_id, title, assignee_id=None, completed=None,
recurrence_type=None, recurrence_count=None, due_date=None, starred=None):
_check_title_length(title, client.api)
if (recurrence_type is None and recurrence_count is not None or
recurrence_type is not None and recurrence_count is None):
raise ValueError(
'recurrence_type and recurrence_count are required are required together'
)
if due_date is not None:
_check_date_format(due_date, client.api)
data = {'list_id': int(list_id) if list_id else None, 'title': title,
'assignee_id': int(assignee_id) if assignee_id else None,
'completed': completed, 'recurrence_type': recurrence_type,
'recurrence_count': int(recurrence_count) if recurrence_count else
None, 'due_date': due_date, 'starred': starred}
data = {key: value for key, value in data.items() if value is not None}
response = client.authenticated_request(client.api.Endpoints.TASKS,
'POST', data=data)
return response.json()
| create_task | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(client, list_id, title, assignee_id=None, completed=None,\n recurrence_type=None, recurrence_count=None, due_date=None, starred=None):\n _check_title_len... |
def x(client, task_id, revision, title=None, assignee_id=None, completed=
None, recurrence_type=None, recurrence_count=None, due_date=None,
starred=None, remove=None):
if title is not None:
_check_title_length(title, client.api)
if (recurrence_type is None and recurrence_count is not None or
recurrence_type is not None and recurrence_count is None):
raise ValueError(
'recurrence_type and recurrence_count are required are required together'
)
if due_date is not None:
_check_date_format(due_date, client.api)
data = {'revision': int(revision), 'title': title, 'assignee_id': int(
assignee_id) if assignee_id else None, 'completed': completed,
'recurrence_type': recurrence_type, 'recurrence_count': int(
recurrence_count) if recurrence_count else None, 'due_date':
due_date, 'starred': starred, 'remove': remove}
data = {key: value for key, value in data.items() if value is not None}
endpoint = '/'.join([client.api.Endpoints.TASKS, str(task_id)])
response = client.authenticated_request(endpoint, 'PATCH', data=data)
return response.json()
| update_task | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(client, task_id, revision, title=None, assignee_id=None, completed=\n None, recurrence_type=None, recurrence_count=None, due_date=None,\n starred=None, r... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.