source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
---|---|---|
def x(self, i):
try:
if self.bslash_abort:
count = -1
c = '\\'
while c == '\\':
count += 1
c = next(i)
i.rewind(1)
if count > 0 and count % 2:
i.rewind(1)
else:
c = '/'
while c == '/':
c = next(i)
i.rewind(1)
except StopIteration:
pass
|
consume_path_sep
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, i):\n try:\n if self.bslash_abort:\n count = -1\n c = '\\\\'\n while c == '\\\\':\n count += 1\n c = next(i)\n i.rewind(1)\n if count > 0 and count % 2:\n i.rewind(1)\n else:\n c = '/'\n while c == '/':\n c = next(i)\n i.rewind(1)\n except StopIteration:\n pass\n",
"role": "user"
},
{
"content": "consume_path_sep",
"role": "assistant"
}
] |
def x(self, pattern, current):
self.set_after_start()
i = util.StringIter(pattern)
iter(i)
root_specified = False
if self.win_drive_detect:
m = RE_WIN_PATH.match(pattern)
if m:
drive = m.group(0).replace('\\\\', '\\')
if drive.endswith('\\'):
slash = True
drive = drive[:-1]
current.append(re.escape(drive))
if slash:
current.append(self.get_path_sep() + _ONE_OR_MORE)
i.advance(m.end(0))
self.consume_path_sep(i)
root_specified = True
elif pattern.startswith('\\\\'):
root_specified = True
elif not self.win_drive_detect and self.pathname and pattern.startswith('/'
):
root_specified = True
if not root_specified and self.realpath:
current.append(_NO_WIN_ROOT if self.win_drive_detect else _NO_ROOT)
current.append('')
for c in i:
index = i.index
if self.extend and c in EXT_TYPES and self.parse_extend(c, i,
current, True):
pass
elif c == '*':
self._handle_star(i, current)
elif c == '?':
current.append(self._restrict_sequence() + _QMARK)
elif c == '/':
if self.pathname:
self.set_start_dir()
self.clean_up_inverse(current)
current.append(self.get_path_sep() + _ONE_OR_MORE)
self.consume_path_sep(i)
else:
current.append(re.escape(c))
elif c == '\\':
index = i.index
try:
value = self._references(i)
if self.dir_start:
self.clean_up_inverse(current)
self.consume_path_sep(i)
current.append(value)
except StopIteration:
i.rewind(i.index - index)
current.append(re.escape(c))
elif c == '[':
index = i.index
try:
current.append(self._sequence(i))
except StopIteration:
i.rewind(i.index - index)
current.append(re.escape(c))
else:
current.append(re.escape(c))
self.update_dir_state()
self.clean_up_inverse(current)
if self.pathname:
current.append(_PATH_TRAIL % self.get_path_sep())
|
root
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pattern, current):\n self.set_after_start()\n i = util.StringIter(pattern)\n iter(i)\n root_specified = False\n if self.win_drive_detect:\n m = RE_WIN_PATH.match(pattern)\n if m:\n drive = m.group(0).replace('\\\\\\\\', '\\\\')\n if drive.endswith('\\\\'):\n slash = True\n drive = drive[:-1]\n current.append(re.escape(drive))\n if slash:\n current.append(self.get_path_sep() + _ONE_OR_MORE)\n i.advance(m.end(0))\n self.consume_path_sep(i)\n root_specified = True\n elif pattern.startswith('\\\\\\\\'):\n root_specified = True\n elif not self.win_drive_detect and self.pathname and pattern.startswith('/'\n ):\n root_specified = True\n if not root_specified and self.realpath:\n current.append(_NO_WIN_ROOT if self.win_drive_detect else _NO_ROOT)\n current.append('')\n for c in i:\n index = i.index\n if self.extend and c in EXT_TYPES and self.parse_extend(c, i,\n current, True):\n pass\n elif c == '*':\n self._handle_star(i, current)\n elif c == '?':\n current.append(self._restrict_sequence() + _QMARK)\n elif c == '/':\n if self.pathname:\n self.set_start_dir()\n self.clean_up_inverse(current)\n current.append(self.get_path_sep() + _ONE_OR_MORE)\n self.consume_path_sep(i)\n else:\n current.append(re.escape(c))\n elif c == '\\\\':\n index = i.index\n try:\n value = self._references(i)\n if self.dir_start:\n self.clean_up_inverse(current)\n self.consume_path_sep(i)\n current.append(value)\n except StopIteration:\n i.rewind(i.index - index)\n current.append(re.escape(c))\n elif c == '[':\n index = i.index\n try:\n current.append(self._sequence(i))\n except StopIteration:\n i.rewind(i.index - index)\n current.append(re.escape(c))\n else:\n current.append(re.escape(c))\n self.update_dir_state()\n self.clean_up_inverse(current)\n if self.pathname:\n current.append(_PATH_TRAIL % self.get_path_sep())\n",
"role": "user"
},
{
"content": "root",
"role": "assistant"
}
] |
def x(self):
result = ['']
negative = False
p = util.norm_pattern(self.pattern, not self.unix, self.raw_chars)
p = p.decode('latin-1') if self.is_bytes else p
if is_negative(p, self.flags):
negative = True
p = p[1:]
self.root(p, result)
case_flag = 'i' if not self.case_sensitive else ''
if util.PY36:
pattern = ('^(?!(?s%s:%s)$).*?$' if negative and not self.
globstar_capture else '^(?s%s:%s)$') % (case_flag, ''.join(result))
else:
pattern = ('(?s%s)^(?!(?:%s)$).*?$' if negative and not self.
globstar_capture else '(?s%s)^(?:%s)$') % (case_flag, ''.join(
result))
if self.is_bytes:
pattern = pattern.encode('latin-1')
return pattern
|
parse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n result = ['']\n negative = False\n p = util.norm_pattern(self.pattern, not self.unix, self.raw_chars)\n p = p.decode('latin-1') if self.is_bytes else p\n if is_negative(p, self.flags):\n negative = True\n p = p[1:]\n self.root(p, result)\n case_flag = 'i' if not self.case_sensitive else ''\n if util.PY36:\n pattern = ('^(?!(?s%s:%s)$).*?$' if negative and not self.\n globstar_capture else '^(?s%s:%s)$') % (case_flag, ''.join(result))\n else:\n pattern = ('(?s%s)^(?!(?:%s)$).*?$' if negative and not self.\n globstar_capture else '(?s%s)^(?:%s)$') % (case_flag, ''.join(\n result))\n if self.is_bytes:\n pattern = pattern.encode('latin-1')\n return pattern\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(self, filename):
return _match_pattern(filename, self._include, self._exclude, self.
_real, self._path, self._follow)
|
match
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename):\n return _match_pattern(filename, self._include, self._exclude, self.\n _real, self._path, self._follow)\n",
"role": "user"
},
{
"content": "match",
"role": "assistant"
}
] |
def x(flags):
flags = flags & FLAG_MASK | _wcparse.PATHNAME
if flags & _wcparse.REALPATH and util.platform() == 'windows':
flags |= _wcparse._FORCEWIN
if flags & _wcparse.FORCECASE:
flags ^= _wcparse.FORCECASE
return flags
|
flag_transform
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(flags):\n flags = flags & FLAG_MASK | _wcparse.PATHNAME\n if flags & _wcparse.REALPATH and util.platform() == 'windows':\n flags |= _wcparse._FORCEWIN\n if flags & _wcparse.FORCECASE:\n flags ^= _wcparse.FORCECASE\n return flags\n",
"role": "user"
},
{
"content": "flag_transform",
"role": "assistant"
}
] |
def x(patterns, *, flags=0):
return list(iglob(util.to_tuple(patterns), flags=flags))
|
glob
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(patterns, *, flags=0):\n return list(iglob(util.to_tuple(patterns), flags=flags))\n",
"role": "user"
},
{
"content": "glob",
"role": "assistant"
}
] |
def x(filename, patterns, *, flags=0):
flags = _flag_transform(flags)
if not _wcparse.is_unix_style(flags):
filename = util.norm_slash(filename)
return _wcparse.compile(_wcparse.split(patterns, flags), flags).match(
filename)
|
globmatch
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, patterns, *, flags=0):\n flags = _flag_transform(flags)\n if not _wcparse.is_unix_style(flags):\n filename = util.norm_slash(filename)\n return _wcparse.compile(_wcparse.split(patterns, flags), flags).match(\n filename)\n",
"role": "user"
},
{
"content": "globmatch",
"role": "assistant"
}
] |
def x(filenames, patterns, *, flags=0):
matches = []
flags = _flag_transform(flags)
unix = _wcparse.is_unix_style(flags)
obj = _wcparse.compile(_wcparse.split(patterns, flags), flags)
for filename in filenames:
if not unix:
filename = util.norm_slash(filename)
if obj.match(filename):
matches.append(filename)
return matches
|
globfilter
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filenames, patterns, *, flags=0):\n matches = []\n flags = _flag_transform(flags)\n unix = _wcparse.is_unix_style(flags)\n obj = _wcparse.compile(_wcparse.split(patterns, flags), flags)\n for filename in filenames:\n if not unix:\n filename = util.norm_slash(filename)\n if obj.match(filename):\n matches.append(filename)\n return matches\n",
"role": "user"
},
{
"content": "globfilter",
"role": "assistant"
}
] |
def x(pattern, unix=False):
pattern = util.norm_pattern(pattern, False, True)
return escape(pattern, unix)
|
raw_escape
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pattern, unix=False):\n pattern = util.norm_pattern(pattern, False, True)\n return escape(pattern, unix)\n",
"role": "user"
},
{
"content": "raw_escape",
"role": "assistant"
}
] |
def x(pattern, unix=False):
is_bytes = isinstance(pattern, bytes)
replace = b'\\\\\\1' if is_bytes else '\\\\\\1'
win = util.platform() == 'windows'
if win and not unix:
magic = _wcparse.RE_BWIN_MAGIC if is_bytes else _wcparse.RE_WIN_MAGIC
else:
magic = _wcparse.RE_BMAGIC if is_bytes else _wcparse.RE_MAGIC
drive = b'' if is_bytes else ''
if win and not unix:
m = (_wcparse.RE_BWIN_PATH if is_bytes else _wcparse.RE_WIN_PATH
).match(pattern)
if m:
drive = m.group(0)
pattern = pattern[len(drive):]
return drive + magic.sub(replace, pattern)
|
escape
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pattern, unix=False):\n is_bytes = isinstance(pattern, bytes)\n replace = b'\\\\\\\\\\\\1' if is_bytes else '\\\\\\\\\\\\1'\n win = util.platform() == 'windows'\n if win and not unix:\n magic = _wcparse.RE_BWIN_MAGIC if is_bytes else _wcparse.RE_WIN_MAGIC\n else:\n magic = _wcparse.RE_BMAGIC if is_bytes else _wcparse.RE_MAGIC\n drive = b'' if is_bytes else ''\n if win and not unix:\n m = (_wcparse.RE_BWIN_PATH if is_bytes else _wcparse.RE_WIN_PATH\n ).match(pattern)\n if m:\n drive = m.group(0)\n pattern = pattern[len(drive):]\n return drive + magic.sub(replace, pattern)\n",
"role": "user"
},
{
"content": "escape",
"role": "assistant"
}
] |
def x(self, pattern):
self.pattern = []
self.npatterns = None
npattern = []
for p in pattern:
if _wcparse.is_negative(p, self.flags):
npattern.append(p[1:])
else:
self.pattern.extend([_wcparse.WcPathSplit(x, self.flags).split(
) for x in _wcparse.expand_braces(p, self.flags)])
if npattern:
self.npatterns = _wcparse.compile(npattern, self.flags ^ (_wcparse.
NEGATE | _wcparse.REALPATH))
if not self.pattern and self.npatterns is not None:
self.pattern.append(_wcparse.WcPathSplit(b'**' if self.is_bytes else
'**', self.flags).split())
|
parse_patterns
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pattern):\n self.pattern = []\n self.npatterns = None\n npattern = []\n for p in pattern:\n if _wcparse.is_negative(p, self.flags):\n npattern.append(p[1:])\n else:\n self.pattern.extend([_wcparse.WcPathSplit(x, self.flags).split(\n ) for x in _wcparse.expand_braces(p, self.flags)])\n if npattern:\n self.npatterns = _wcparse.compile(npattern, self.flags ^ (_wcparse.\n NEGATE | _wcparse.REALPATH))\n if not self.pattern and self.npatterns is not None:\n self.pattern.append(_wcparse.WcPathSplit(b'**' if self.is_bytes else\n '**', self.flags).split())\n",
"role": "user"
},
{
"content": "parse_patterns",
"role": "assistant"
}
] |
def x(self, filename, patterns):
return _wcparse._match_real(filename, patterns._include, patterns.
_exclude, patterns._follow, self.symlinks)
|
match_excluded
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename, patterns):\n return _wcparse._match_real(filename, patterns._include, patterns.\n _exclude, patterns._follow, self.symlinks)\n",
"role": "user"
},
{
"content": "match_excluded",
"role": "assistant"
}
] |
def x(self, path, dir_only):
return self.npatterns and self._match_excluded(path, self.npatterns)
|
is_excluded
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, dir_only):\n return self.npatterns and self._match_excluded(path, self.npatterns)\n",
"role": "user"
},
{
"content": "is_excluded",
"role": "assistant"
}
] |
def x(self, a, b=None):
return a.lower() == b if not self.case_sensitive else a == b
|
match_literal
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, a, b=None):\n return a.lower() == b if not self.case_sensitive else a == b\n",
"role": "user"
},
{
"content": "match_literal",
"role": "assistant"
}
] |
def x(self, target):
if target is None:
matcher = None
elif isinstance(target, (str, bytes)):
if not self.case_sensitive:
match = target.lower()
else:
match = target
matcher = functools.partial(self._match_literal, b=match)
else:
matcher = target.match
return matcher
|
get_matcher
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, target):\n if target is None:\n matcher = None\n elif isinstance(target, (str, bytes)):\n if not self.case_sensitive:\n match = target.lower()\n else:\n match = target\n matcher = functools.partial(self._match_literal, b=match)\n else:\n matcher = target.match\n return matcher\n",
"role": "user"
},
{
"content": "get_matcher",
"role": "assistant"
}
] |
def x(self, curdir, matcher, dir_only=False, deep=False):
scandir = self.current if not curdir else curdir
if os.path.isdir(scandir) and matcher is not None:
for special in self.specials:
if matcher(special):
yield os.path.join(curdir, special)
try:
if NO_SCANDIR_WORKAROUND:
with os.scandir(scandir) as scan:
for f in scan:
try:
if deep and self._is_hidden(f.name):
continue
path = os.path.join(curdir, f.name)
is_dir = f.is_dir()
if is_dir:
is_link = f.is_symlink()
self.symlinks[path] = is_link
else:
is_link = False
if deep and not self.follow_links and is_link:
continue
if (not dir_only or is_dir) and (matcher is None or
matcher(f.name)):
yield path
if deep and is_dir:
yield from self._glob_dir(path, matcher,
dir_only, deep)
except OSError:
pass
else:
for f in os.listdir(scandir):
if deep and self._is_hidden(f):
continue
path = os.path.join(curdir, f)
is_dir = os.path.isdir(path)
if is_dir:
is_link = os.path.islink(path)
self.symlinks[path] = is_link
else:
is_link = False
if deep and not self.follow_links and is_link:
continue
if (not dir_only or is_dir) and (matcher is None or matcher(f)
):
yield path
if deep and is_dir:
yield from self._glob_dir(path, matcher, dir_only, deep)
except OSError:
pass
|
glob_dir
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, curdir, matcher, dir_only=False, deep=False):\n scandir = self.current if not curdir else curdir\n if os.path.isdir(scandir) and matcher is not None:\n for special in self.specials:\n if matcher(special):\n yield os.path.join(curdir, special)\n try:\n if NO_SCANDIR_WORKAROUND:\n with os.scandir(scandir) as scan:\n for f in scan:\n try:\n if deep and self._is_hidden(f.name):\n continue\n path = os.path.join(curdir, f.name)\n is_dir = f.is_dir()\n if is_dir:\n is_link = f.is_symlink()\n self.symlinks[path] = is_link\n else:\n is_link = False\n if deep and not self.follow_links and is_link:\n continue\n if (not dir_only or is_dir) and (matcher is None or\n matcher(f.name)):\n yield path\n if deep and is_dir:\n yield from self._glob_dir(path, matcher,\n dir_only, deep)\n except OSError:\n pass\n else:\n for f in os.listdir(scandir):\n if deep and self._is_hidden(f):\n continue\n path = os.path.join(curdir, f)\n is_dir = os.path.isdir(path)\n if is_dir:\n is_link = os.path.islink(path)\n self.symlinks[path] = is_link\n else:\n is_link = False\n if deep and not self.follow_links and is_link:\n continue\n if (not dir_only or is_dir) and (matcher is None or matcher(f)\n ):\n yield path\n if deep and is_dir:\n yield from self._glob_dir(path, matcher, dir_only, deep)\n except OSError:\n pass\n",
"role": "user"
},
{
"content": "glob_dir",
"role": "assistant"
}
] |
def x(self, curdir, this, rest):
is_magic = this.is_magic
dir_only = this.dir_only
target = this.pattern
is_globstar = this.is_globstar
if is_magic and is_globstar:
this = rest.pop(0) if rest else None
globstar_end = this is None
while this and not globstar_end:
if this:
dir_only = this.dir_only
target = this.pattern
if this and this.is_globstar:
this = rest.pop(0) if rest else None
if this is None:
globstar_end = True
else:
break
if globstar_end:
target = None
this = rest.pop(0) if rest else None
matcher = self._get_matcher(target)
if globstar_end and curdir:
yield os.path.join(curdir, self.empty)
for path in self._glob_dir(curdir, matcher, dir_only, deep=True):
if this:
yield from self._glob(path, this, rest[:])
else:
yield path
elif not dir_only:
matcher = self._get_matcher(target)
yield from self._glob_dir(curdir, matcher)
else:
this = rest.pop(0) if rest else None
matcher = self._get_matcher(target)
for path in self._glob_dir(curdir, matcher, True):
if this:
yield from self._glob(path, this, rest[:])
else:
yield path
|
glob
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, curdir, this, rest):\n is_magic = this.is_magic\n dir_only = this.dir_only\n target = this.pattern\n is_globstar = this.is_globstar\n if is_magic and is_globstar:\n this = rest.pop(0) if rest else None\n globstar_end = this is None\n while this and not globstar_end:\n if this:\n dir_only = this.dir_only\n target = this.pattern\n if this and this.is_globstar:\n this = rest.pop(0) if rest else None\n if this is None:\n globstar_end = True\n else:\n break\n if globstar_end:\n target = None\n this = rest.pop(0) if rest else None\n matcher = self._get_matcher(target)\n if globstar_end and curdir:\n yield os.path.join(curdir, self.empty)\n for path in self._glob_dir(curdir, matcher, dir_only, deep=True):\n if this:\n yield from self._glob(path, this, rest[:])\n else:\n yield path\n elif not dir_only:\n matcher = self._get_matcher(target)\n yield from self._glob_dir(curdir, matcher)\n else:\n this = rest.pop(0) if rest else None\n matcher = self._get_matcher(target)\n for path in self._glob_dir(curdir, matcher, True):\n if this:\n yield from self._glob(path, this, rest[:])\n else:\n yield path\n",
"role": "user"
},
{
"content": "glob",
"role": "assistant"
}
] |
def x(self, curdir):
results = [curdir]
if not self._is_parent(curdir) and not self._is_this(curdir):
fullpath = os.path.abspath(curdir)
basename = os.path.basename(fullpath)
dirname = os.path.dirname(fullpath)
if basename:
matcher = self._get_matcher(basename)
results = [os.path.basename(name) for name in self._glob_dir(
dirname, matcher, self)]
return results
|
get_starting_paths
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, curdir):\n results = [curdir]\n if not self._is_parent(curdir) and not self._is_this(curdir):\n fullpath = os.path.abspath(curdir)\n basename = os.path.basename(fullpath)\n dirname = os.path.dirname(fullpath)\n if basename:\n matcher = self._get_matcher(basename)\n results = [os.path.basename(name) for name in self._glob_dir(\n dirname, matcher, self)]\n return results\n",
"role": "user"
},
{
"content": "get_starting_paths",
"role": "assistant"
}
] |
def x(self):
self.symlinks = {}
if self.is_bytes:
curdir = os.fsencode(os.curdir)
else:
curdir = os.curdir
for pattern in self.pattern:
dir_only = pattern[-1].dir_only if pattern else False
if pattern:
if not pattern[0].is_magic:
this = pattern[0]
curdir = this[0]
if not os.path.lexists(curdir):
return
results = [curdir
] if this.is_drive else self._get_starting_paths(curdir)
if not results:
if not dir_only:
yield curdir
return
if this.dir_only:
for start in results:
if os.path.isdir(start):
rest = pattern[1:]
if rest:
this = rest.pop(0)
for match in self._glob(curdir, this, rest):
if not self._is_excluded(match, dir_only):
yield os.path.join(match, self.empty
) if dir_only else match
elif not self._is_excluded(curdir, dir_only):
yield os.path.join(curdir, self.empty
) if dir_only else curdir
else:
for start in results:
if os.path.lexists(start) and not self._is_excluded(
start, dir_only):
yield os.path.join(start, self.empty
) if dir_only else start
else:
rest = pattern[:]
this = rest.pop(0)
for match in self._glob(curdir if not curdir == self.
current else self.empty, this, rest):
if not self._is_excluded(match, dir_only):
yield os.path.join(match, self.empty
) if dir_only else match
|
glob
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.symlinks = {}\n if self.is_bytes:\n curdir = os.fsencode(os.curdir)\n else:\n curdir = os.curdir\n for pattern in self.pattern:\n dir_only = pattern[-1].dir_only if pattern else False\n if pattern:\n if not pattern[0].is_magic:\n this = pattern[0]\n curdir = this[0]\n if not os.path.lexists(curdir):\n return\n results = [curdir\n ] if this.is_drive else self._get_starting_paths(curdir)\n if not results:\n if not dir_only:\n yield curdir\n return\n if this.dir_only:\n for start in results:\n if os.path.isdir(start):\n rest = pattern[1:]\n if rest:\n this = rest.pop(0)\n for match in self._glob(curdir, this, rest):\n if not self._is_excluded(match, dir_only):\n yield os.path.join(match, self.empty\n ) if dir_only else match\n elif not self._is_excluded(curdir, dir_only):\n yield os.path.join(curdir, self.empty\n ) if dir_only else curdir\n else:\n for start in results:\n if os.path.lexists(start) and not self._is_excluded(\n start, dir_only):\n yield os.path.join(start, self.empty\n ) if dir_only else start\n else:\n rest = pattern[:]\n this = rest.pop(0)\n for match in self._glob(curdir if not curdir == self.\n current else self.empty, this, rest):\n if not self._is_excluded(match, dir_only):\n yield os.path.join(match, self.empty\n ) if dir_only else match\n",
"role": "user"
},
{
"content": "glob",
"role": "assistant"
}
] |
def x(name):
if isinstance(name, str):
return name.replace('/', '\\') if not is_case_sensitive() else name
else:
return name.replace(b'/', b'\\') if not is_case_sensitive() else name
|
norm_slash
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n if isinstance(name, str):\n return name.replace('/', '\\\\') if not is_case_sensitive() else name\n else:\n return name.replace(b'/', b'\\\\') if not is_case_sensitive() else name\n",
"role": "user"
},
{
"content": "norm_slash",
"role": "assistant"
}
] |
def x(pattern, normalize, is_raw_chars):
is_bytes = isinstance(pattern, bytes)
if not normalize and not is_raw_chars:
return pattern
def x(token):
if normalize and token in ('/', b'/'):
token = b'\\\\' if is_bytes else '\\\\'
return token
def x(m):
if m.group(1):
char = m.group(1)
if normalize:
char = b'\\\\\\\\' if is_bytes else '\\\\\\\\' if len(char
) > 1 else norm_char(char)
elif m.group(2):
char = norm_char(BACK_SLASH_TRANSLATION[m.group(2)] if
is_raw_chars else m.group(2))
elif is_raw_chars and m.group(4):
char = norm_char(bytes([int(m.group(4), 8) & 255]) if is_bytes else
chr(int(m.group(4), 8)))
elif is_raw_chars and m.group(3):
char = norm_char(bytes([int(m.group(3)[2:], 16)]) if is_bytes else
chr(int(m.group(3)[2:], 16)))
elif is_raw_chars and not is_bytes and m.group(5):
char = norm_char(unicodedata.lookup(m.group(5)[3:-1]))
elif not is_raw_chars:
char = m.group(0)
else:
value = m.group(5) if is_bytes else m.group(6)
pos = m.start(5) if is_bytes else m.start(6)
raise SyntaxError(
'Could not convert character value %s at position %d' % (
value, pos))
return char
return (RE_BNORM if is_bytes else RE_NORM).sub(norm, pattern)
|
norm_pattern
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pattern, normalize, is_raw_chars):\n is_bytes = isinstance(pattern, bytes)\n if not normalize and not is_raw_chars:\n return pattern\n\n def x(token):\n if normalize and token in ('/', b'/'):\n token = b'\\\\\\\\' if is_bytes else '\\\\\\\\'\n return token\n\n def x(m):\n if m.group(1):\n char = m.group(1)\n if normalize:\n char = b'\\\\\\\\\\\\\\\\' if is_bytes else '\\\\\\\\\\\\\\\\' if len(char\n ) > 1 else norm_char(char)\n elif m.group(2):\n char = norm_char(BACK_SLASH_TRANSLATION[m.group(2)] if\n is_raw_chars else m.group(2))\n elif is_raw_chars and m.group(4):\n char = norm_char(bytes([int(m.group(4), 8) & 255]) if is_bytes else\n chr(int(m.group(4), 8)))\n elif is_raw_chars and m.group(3):\n char = norm_char(bytes([int(m.group(3)[2:], 16)]) if is_bytes else\n chr(int(m.group(3)[2:], 16)))\n elif is_raw_chars and not is_bytes and m.group(5):\n char = norm_char(unicodedata.lookup(m.group(5)[3:-1]))\n elif not is_raw_chars:\n char = m.group(0)\n else:\n value = m.group(5) if is_bytes else m.group(6)\n pos = m.start(5) if is_bytes else m.start(6)\n raise SyntaxError(\n 'Could not convert character value %s at position %d' % (\n value, pos))\n return char\n return (RE_BNORM if is_bytes else RE_NORM).sub(norm, pattern)\n",
"role": "user"
},
{
"content": "norm_pattern",
"role": "assistant"
}
] |
def x(path):
hidden = False
f = os.path.basename(path)
if f[:1] in ('.', b'.'):
hidden = True
elif _PLATFORM == 'windows':
FILE_ATTRIBUTE_HIDDEN = 2
if PY35:
results = os.lstat(path)
hidden = bool(results.st_file_attributes & FILE_ATTRIBUTE_HIDDEN)
else:
if isinstance(path, bytes):
attrs = ctypes.windll.kernel32.GetFileAttributesA(path)
else:
attrs = ctypes.windll.kernel32.GetFileAttributesW(path)
hidden = attrs != -1 and attrs & FILE_ATTRIBUTE_HIDDEN
elif _PLATFORM == 'osx':
results = os.lstat(path)
hidden = bool(results.st_flags & stat.UF_HIDDEN)
return hidden
|
is_hidden
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n hidden = False\n f = os.path.basename(path)\n if f[:1] in ('.', b'.'):\n hidden = True\n elif _PLATFORM == 'windows':\n FILE_ATTRIBUTE_HIDDEN = 2\n if PY35:\n results = os.lstat(path)\n hidden = bool(results.st_file_attributes & FILE_ATTRIBUTE_HIDDEN)\n else:\n if isinstance(path, bytes):\n attrs = ctypes.windll.kernel32.GetFileAttributesA(path)\n else:\n attrs = ctypes.windll.kernel32.GetFileAttributesW(path)\n hidden = attrs != -1 and attrs & FILE_ATTRIBUTE_HIDDEN\n elif _PLATFORM == 'osx':\n results = os.lstat(path)\n hidden = bool(results.st_flags & stat.UF_HIDDEN)\n return hidden\n",
"role": "user"
},
{
"content": "is_hidden",
"role": "assistant"
}
] |
def x(self, pattern):
m = pattern.match(self._string, self._index)
if m:
self._index = m.end()
return m
|
match
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pattern):\n m = pattern.match(self._string, self._index)\n if m:\n self._index = m.end()\n return m\n",
"role": "user"
},
{
"content": "match",
"role": "assistant"
}
] |
def x(self):
try:
char = self._string[self._index]
self._index += 1
except IndexError:
raise StopIteration
return char
|
iternext
|
[
{
"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 char = self._string[self._index]\n self._index += 1\n except IndexError:\n raise StopIteration\n return char\n",
"role": "user"
},
{
"content": "iternext",
"role": "assistant"
}
] |
def x(text, tail_number=0):
from wagtail.core.models import Page
"""
Returns a new unique slug. Object must provide a SlugField called slug.
URL friendly slugs are generated using django.template.defaultfilters'
slugify. Numbers are added to the end of slugs for uniqueness.
based on implementation in jmbo.utils
https://github.com/praekelt/jmbo/blob/develop/jmbo/utils/__init__.py
"""
if not text:
text = 'no-title'
slug = cautious_slugify(text)[:255]
values_list = Page.objects.filter(slug__startswith=slug).values_list('id',
'slug')
max = -1
for tu in values_list:
if tu[1] == slug:
if max == -1:
max = 0
match = RE_NUMERICAL_SUFFIX.match(tu[1])
if match is not None:
i = int(match.group(1))
if i > max:
max = i
if max >= 0:
return '%s-%s' % (slug, max + 1)
else:
return slug
|
generate_slug
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, tail_number=0):\n from wagtail.core.models import Page\n \"\"\"\n Returns a new unique slug. Object must provide a SlugField called slug.\n URL friendly slugs are generated using django.template.defaultfilters'\n slugify. Numbers are added to the end of slugs for uniqueness.\n\n based on implementation in jmbo.utils\n https://github.com/praekelt/jmbo/blob/develop/jmbo/utils/__init__.py\n \"\"\"\n if not text:\n text = 'no-title'\n slug = cautious_slugify(text)[:255]\n values_list = Page.objects.filter(slug__startswith=slug).values_list('id',\n 'slug')\n max = -1\n for tu in values_list:\n if tu[1] == slug:\n if max == -1:\n max = 0\n match = RE_NUMERICAL_SUFFIX.match(tu[1])\n if match is not None:\n i = int(match.group(1))\n if i > max:\n max = i\n if max >= 0:\n return '%s-%s' % (slug, max + 1)\n else:\n return slug\n",
"role": "user"
},
{
"content": "generate_slug",
"role": "assistant"
}
] |
def x(upload_file):
temp_directory = tempfile.mkdtemp()
temp_file = tempfile.TemporaryFile()
temp_media_file = os.path.join(temp_directory, 'media')
try:
for chunk in upload_file.chunks():
temp_file.write(chunk)
with zipfile.ZipFile(temp_file, 'r') as z:
z.extractall(temp_directory)
if os.path.exists(temp_media_file):
return distutils.dir_util.copy_tree(temp_media_file, settings.
MEDIA_ROOT)
else:
raise Exception(
"Error: There is no directory called 'media' in the root of the zipped file"
)
except Exception as e:
raise e
finally:
temp_file.close()
if os.path.exists(temp_directory):
shutil.rmtree(temp_directory)
|
update_media_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(upload_file):\n temp_directory = tempfile.mkdtemp()\n temp_file = tempfile.TemporaryFile()\n temp_media_file = os.path.join(temp_directory, 'media')\n try:\n for chunk in upload_file.chunks():\n temp_file.write(chunk)\n with zipfile.ZipFile(temp_file, 'r') as z:\n z.extractall(temp_directory)\n if os.path.exists(temp_media_file):\n return distutils.dir_util.copy_tree(temp_media_file, settings.\n MEDIA_ROOT)\n else:\n raise Exception(\n \"Error: There is no directory called 'media' in the root of the zipped file\"\n )\n except Exception as e:\n raise e\n finally:\n temp_file.close()\n if os.path.exists(temp_directory):\n shutil.rmtree(temp_directory)\n",
"role": "user"
},
{
"content": "update_media_file",
"role": "assistant"
}
] |
def x(image):
md5 = hashlib.md5()
try:
for chunk in image.file.chunks():
md5.update(chunk)
return md5.hexdigest()
except ValueError:
image.file.open()
for chunk in image.file.chunks():
md5.update(chunk)
return md5.hexdigest()
finally:
image.file.close()
|
get_image_hash
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(image):\n md5 = hashlib.md5()\n try:\n for chunk in image.file.chunks():\n md5.update(chunk)\n return md5.hexdigest()\n except ValueError:\n image.file.open()\n for chunk in image.file.chunks():\n md5.update(chunk)\n return md5.hexdigest()\n finally:\n image.file.close()\n",
"role": "user"
},
{
"content": "get_image_hash",
"role": "assistant"
}
] |
def x(fields):
flat_fields = {}
nested_fields = {}
for k, v in fields.items():
if k not in KEYS_TO_EXCLUDE:
if type(v) not in [type({}), type([])]:
flat_fields.update({k: v})
else:
nested_fields.update({k: v})
return flat_fields, nested_fields
|
separate_fields
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fields):\n flat_fields = {}\n nested_fields = {}\n for k, v in fields.items():\n if k not in KEYS_TO_EXCLUDE:\n if type(v) not in [type({}), type([])]:\n flat_fields.update({k: v})\n else:\n nested_fields.update({k: v})\n return flat_fields, nested_fields\n",
"role": "user"
},
{
"content": "separate_fields",
"role": "assistant"
}
] |
def x(field, nested_fields, page, record_keeper=None):
if field in nested_fields and nested_fields[field]:
foreign_image_id = nested_fields[field]['id']
if record_keeper:
try:
local_image_id = record_keeper.get_local_image(foreign_image_id
)
local_image = Image.objects.get(id=local_image_id)
setattr(page, field, local_image)
except ObjectDoesNotExist:
raise ObjectDoesNotExist(
'executing attach_image: local image referencedin record_keeper does not actually exist.'
, None)
except Exception:
raise
else:
raise Exception(
'Attempted to attach image without record_keeper. This functionality is not yet implemented'
)
|
attach_image
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(field, nested_fields, page, record_keeper=None):\n if field in nested_fields and nested_fields[field]:\n foreign_image_id = nested_fields[field]['id']\n if record_keeper:\n try:\n local_image_id = record_keeper.get_local_image(foreign_image_id\n )\n local_image = Image.objects.get(id=local_image_id)\n setattr(page, field, local_image)\n except ObjectDoesNotExist:\n raise ObjectDoesNotExist(\n 'executing attach_image: local image referencedin record_keeper does not actually exist.'\n , None)\n except Exception:\n raise\n else:\n raise Exception(\n 'Attempted to attach image without record_keeper. This functionality is not yet implemented'\n )\n",
"role": "user"
},
{
"content": "attach_image",
"role": "assistant"
}
] |
def x(day=None):
for main in Main.objects.all():
site = main.sites_rooted_here.all().first()
main_lang = Languages.for_site(site).languages.filter(is_main_language
=True).first()
index = SectionIndexPage.objects.live().child_of(main).first()
site_settings = SiteSettings.for_site(site)
if day is None:
day = timezone.now().weekday()
if main and index:
rotate_latest(main_lang, index, main, site_settings, day)
rotate_featured_in_homepage(main_lang, day, main)
|
rotate_content
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(day=None):\n for main in Main.objects.all():\n site = main.sites_rooted_here.all().first()\n main_lang = Languages.for_site(site).languages.filter(is_main_language\n =True).first()\n index = SectionIndexPage.objects.live().child_of(main).first()\n site_settings = SiteSettings.for_site(site)\n if day is None:\n day = timezone.now().weekday()\n if main and index:\n rotate_latest(main_lang, index, main, site_settings, day)\n rotate_featured_in_homepage(main_lang, day, main)\n",
"role": "user"
},
{
"content": "rotate_content",
"role": "assistant"
}
] |
def x(apps, schema_editor):
db_alias = schema_editor.connection.alias
emit_pre_migrate_signal(verbosity=2, interactive=False, db=db_alias)
|
run_wagtail_migration_before_core_34
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(apps, schema_editor):\n db_alias = schema_editor.connection.alias\n emit_pre_migrate_signal(verbosity=2, interactive=False, db=db_alias)\n",
"role": "user"
},
{
"content": "run_wagtail_migration_before_core_34",
"role": "assistant"
}
] |
def x(context, section, featured_in_homepage=None, featured_in_section=None,
featured_in_latest=None, count=5):
request = context.get('request')
locale = context.get('locale_code')
page = section.get_main_language_page()
settings = SiteSettings.for_site(request.site) if request else None
qs = ArticlePage.objects.descendant_of(page).filter(
language__is_main_language=True)
article_ordering = settings and settings.article_ordering_within_section
cms_ordering = (article_ordering and settings.
article_ordering_within_section != ArticleOrderingChoices.
CMS_DEFAULT_SORTING)
if article_ordering and cms_ordering:
order_by = ArticleOrderingChoices.get(settings.
article_ordering_within_section).name.lower()
order_by = order_by if order_by.find('_desc') == -1 else '-{}'.format(
order_by.replace('_desc', ''))
qs = qs.order_by(order_by)
if featured_in_homepage is not None:
qs = qs.filter(featured_in_homepage=featured_in_homepage).order_by(
'-featured_in_homepage_start_date')
if featured_in_latest is not None:
qs = qs.filter(featured_in_latest=featured_in_latest)
if featured_in_section is not None:
qs = qs.filter(featured_in_section=featured_in_section).order_by(
'-featured_in_section_start_date')
if not locale:
return qs.live()[:count]
return get_pages(context, qs, locale)[:count]
|
load_descendant_articles_for_section
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context, section, featured_in_homepage=None, featured_in_section=None,\n featured_in_latest=None, count=5):\n request = context.get('request')\n locale = context.get('locale_code')\n page = section.get_main_language_page()\n settings = SiteSettings.for_site(request.site) if request else None\n qs = ArticlePage.objects.descendant_of(page).filter(\n language__is_main_language=True)\n article_ordering = settings and settings.article_ordering_within_section\n cms_ordering = (article_ordering and settings.\n article_ordering_within_section != ArticleOrderingChoices.\n CMS_DEFAULT_SORTING)\n if article_ordering and cms_ordering:\n order_by = ArticleOrderingChoices.get(settings.\n article_ordering_within_section).name.lower()\n order_by = order_by if order_by.find('_desc') == -1 else '-{}'.format(\n order_by.replace('_desc', ''))\n qs = qs.order_by(order_by)\n if featured_in_homepage is not None:\n qs = qs.filter(featured_in_homepage=featured_in_homepage).order_by(\n '-featured_in_homepage_start_date')\n if featured_in_latest is not None:\n qs = qs.filter(featured_in_latest=featured_in_latest)\n if featured_in_section is not None:\n qs = qs.filter(featured_in_section=featured_in_section).order_by(\n '-featured_in_section_start_date')\n if not locale:\n return qs.live()[:count]\n return get_pages(context, qs, locale)[:count]\n",
"role": "user"
},
{
"content": "load_descendant_articles_for_section",
"role": "assistant"
}
] |
def x(context, section, featured_in_section=None, count=5):
request = context.get('request')
locale = context.get('locale_code')
main_language_page = section.get_main_language_page()
settings = SiteSettings.for_site(request.site) if request else None
article_ordering = settings and settings.article_ordering_within_section
order_by = (ArticleOrderingChoices.get(settings.
article_ordering_within_section).name.lower() if article_ordering and
settings.article_ordering_within_section != ArticleOrderingChoices.
CMS_DEFAULT_SORTING else '-first_published_at')
order_by = order_by if order_by.find('_desc') == -1 else '-{}'.format(
order_by.replace('_desc', ''))
child_articles = ArticlePage.objects.child_of(main_language_page).filter(
language__is_main_language=True).order_by(order_by)
if featured_in_section is not None:
child_articles = child_articles.filter(featured_in_section=
featured_in_section).order_by('-featured_in_section_start_date')
related_articles = ArticlePage.objects.filter(
related_sections__section__slug=main_language_page.slug)
qs = list(chain(get_pages(context, child_articles, locale), get_pages(
context, related_articles, locale)))
if count:
p = context.get('p', 1)
paginator = Paginator(qs, count)
try:
articles = paginator.page(p)
except PageNotAnInteger:
articles = paginator.page(1)
except EmptyPage:
articles = paginator.page(paginator.num_pages)
else:
articles = qs
if not locale:
return articles
context.update({'articles_paginated': articles})
return articles
|
load_child_articles_for_section
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context, section, featured_in_section=None, count=5):\n request = context.get('request')\n locale = context.get('locale_code')\n main_language_page = section.get_main_language_page()\n settings = SiteSettings.for_site(request.site) if request else None\n article_ordering = settings and settings.article_ordering_within_section\n order_by = (ArticleOrderingChoices.get(settings.\n article_ordering_within_section).name.lower() if article_ordering and\n settings.article_ordering_within_section != ArticleOrderingChoices.\n CMS_DEFAULT_SORTING else '-first_published_at')\n order_by = order_by if order_by.find('_desc') == -1 else '-{}'.format(\n order_by.replace('_desc', ''))\n child_articles = ArticlePage.objects.child_of(main_language_page).filter(\n language__is_main_language=True).order_by(order_by)\n if featured_in_section is not None:\n child_articles = child_articles.filter(featured_in_section=\n featured_in_section).order_by('-featured_in_section_start_date')\n related_articles = ArticlePage.objects.filter(\n related_sections__section__slug=main_language_page.slug)\n qs = list(chain(get_pages(context, child_articles, locale), get_pages(\n context, related_articles, locale)))\n if count:\n p = context.get('p', 1)\n paginator = Paginator(qs, count)\n try:\n articles = paginator.page(p)\n except PageNotAnInteger:\n articles = paginator.page(1)\n except EmptyPage:\n articles = paginator.page(paginator.num_pages)\n else:\n articles = qs\n if not locale:\n return articles\n context.update({'articles_paginated': articles})\n return articles\n",
"role": "user"
},
{
"content": "load_child_articles_for_section",
"role": "assistant"
}
] |
def x(context, section, count=None):
page = section.get_main_language_page()
locale = context.get('locale_code')
qs = SectionPage.objects.child_of(page).filter(language__is_main_language
=True)
if not locale:
return qs[:count]
return get_pages(context, qs, locale)
|
load_child_sections_for_section
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context, section, count=None):\n page = section.get_main_language_page()\n locale = context.get('locale_code')\n qs = SectionPage.objects.child_of(page).filter(language__is_main_language\n =True)\n if not locale:\n return qs[:count]\n return get_pages(context, qs, locale)\n",
"role": "user"
},
{
"content": "load_child_sections_for_section",
"role": "assistant"
}
] |
def x(context, section, count=None):
page = section.get_main_language_page()
locale = context.get('locale_code')
qs = SectionPage.objects.sibling_of(page).filter(language__is_main_language
=True)
if not locale:
return qs[:count]
return get_pages(context, qs, locale)
|
load_sibling_sections
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context, section, count=None):\n page = section.get_main_language_page()\n locale = context.get('locale_code')\n qs = SectionPage.objects.sibling_of(page).filter(language__is_main_language\n =True)\n if not locale:\n return qs[:count]\n return get_pages(context, qs, locale)\n",
"role": "user"
},
{
"content": "load_sibling_sections",
"role": "assistant"
}
] |
def x(value):
md = markdown(value, extensions=['markdown.extensions.fenced_code',
'codehilite'])
""" For some unknown reason markdown wraps the value in <p> tags.
Currently there doesn't seem to be an extension to turn this off.
"""
open_tag = '<p>'
close_tag = '</p>'
if md.startswith(open_tag) and md.endswith(close_tag):
md = md[len(open_tag):-len(close_tag)]
return mark_safe(md)
|
handle_markdown
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value):\n md = markdown(value, extensions=['markdown.extensions.fenced_code',\n 'codehilite'])\n \"\"\" For some unknown reason markdown wraps the value in <p> tags.\n Currently there doesn't seem to be an extension to turn this off.\n \"\"\"\n open_tag = '<p>'\n close_tag = '</p>'\n if md.startswith(open_tag) and md.endswith(close_tag):\n md = md[len(open_tag):-len(close_tag)]\n return mark_safe(md)\n",
"role": "user"
},
{
"content": "handle_markdown",
"role": "assistant"
}
] |
def x(self, content, class_, record_keeper=None, logger=None):
fields, nested_fields = separate_fields(content)
foreign_id = content.pop('id')
if 'latest_revision_created_at' in content:
content.pop('latest_revision_created_at')
page = class_(**fields)
function_args_mapping = (add_json_dump, ('time', nested_fields, page)), (
add_list_of_things, ('tags', nested_fields, page)), (add_list_of_things
, ('metadata_tags', nested_fields, page)), (attach_image, ('image',
nested_fields, page, record_keeper)), (attach_image, (
'social_media_image', nested_fields, page, record_keeper)), (
attach_image, ('banner', nested_fields, page, record_keeper))
for mapping in function_args_mapping:
function = mapping[0]
_args = mapping[1]
try:
function(*_args)
except Exception as e:
if logger:
logger.log(ERROR, 'Failed to create page content', {
'foreign_page_id': foreign_id, 'exception': e,
'function': function.__name__})
body = add_stream_fields(nested_fields, page)
if body:
record_keeper.article_bodies[foreign_id] = body
if record_keeper:
record_relation_functions = [record_keeper.record_nav_tags,
record_keeper.record_recommended_articles, record_keeper.
record_reaction_questions, record_keeper.
record_related_sections, record_keeper.record_section_tags,
record_keeper.record_banner_page_link]
for function in record_relation_functions:
try:
function(nested_fields, foreign_id)
except Exception as e:
if logger:
logger.log(ERROR, 'Failed to record content', {
'foreign_page_id': foreign_id, 'exception': e,
'function': function.__name__})
return page
|
create_page
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, content, class_, record_keeper=None, logger=None):\n fields, nested_fields = separate_fields(content)\n foreign_id = content.pop('id')\n if 'latest_revision_created_at' in content:\n content.pop('latest_revision_created_at')\n page = class_(**fields)\n function_args_mapping = (add_json_dump, ('time', nested_fields, page)), (\n add_list_of_things, ('tags', nested_fields, page)), (add_list_of_things\n , ('metadata_tags', nested_fields, page)), (attach_image, ('image',\n nested_fields, page, record_keeper)), (attach_image, (\n 'social_media_image', nested_fields, page, record_keeper)), (\n attach_image, ('banner', nested_fields, page, record_keeper))\n for mapping in function_args_mapping:\n function = mapping[0]\n _args = mapping[1]\n try:\n function(*_args)\n except Exception as e:\n if logger:\n logger.log(ERROR, 'Failed to create page content', {\n 'foreign_page_id': foreign_id, 'exception': e,\n 'function': function.__name__})\n body = add_stream_fields(nested_fields, page)\n if body:\n record_keeper.article_bodies[foreign_id] = body\n if record_keeper:\n record_relation_functions = [record_keeper.record_nav_tags,\n record_keeper.record_recommended_articles, record_keeper.\n record_reaction_questions, record_keeper.\n record_related_sections, record_keeper.record_section_tags,\n record_keeper.record_banner_page_link]\n for function in record_relation_functions:\n try:\n function(nested_fields, foreign_id)\n except Exception as e:\n if logger:\n logger.log(ERROR, 'Failed to record content', {\n 'foreign_page_id': foreign_id, 'exception': e,\n 'function': function.__name__})\n return page\n",
"role": "user"
},
{
"content": "create_page",
"role": "assistant"
}
] |
def x(self, request, model_admin):
list_tuple = []
for article in ArticlePage.objects.all():
if article.get_parent_section():
section_tuple = article.get_parent_section(
).id, article.get_parent_section().title
if section_tuple not in list_tuple:
list_tuple.append(section_tuple)
return list_tuple
|
lookups
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, model_admin):\n list_tuple = []\n for article in ArticlePage.objects.all():\n if article.get_parent_section():\n section_tuple = article.get_parent_section(\n ).id, article.get_parent_section().title\n if section_tuple not in list_tuple:\n list_tuple.append(section_tuple)\n return list_tuple\n",
"role": "user"
},
{
"content": "lookups",
"role": "assistant"
}
] |
def x(self, request, queryset):
if self.value():
try:
section = SectionPage.objects.get(id=self.value())
return queryset.child_of(section).all()
except (ObjectDoesNotExist, MultipleObjectsReturned):
return None
|
queryset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, queryset):\n if self.value():\n try:\n section = SectionPage.objects.get(id=self.value())\n return queryset.child_of(section).all()\n except (ObjectDoesNotExist, MultipleObjectsReturned):\n return None\n",
"role": "user"
},
{
"content": "queryset",
"role": "assistant"
}
] |
def x(request):
if request.method == 'POST':
form = MediaForm(request.POST, request.FILES)
if form.is_valid():
context_dict = {}
try:
context_dict['copied_files'] = update_media_file(request.
FILES['zip_file'])
except Exception as e:
context_dict['error_message'] = e.message
return render(request,
'django_admin/transfer_media_message.html', context_dict)
else:
form = MediaForm()
return render(request, 'django_admin/upload_media.html', {'form': form})
|
upload_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n if request.method == 'POST':\n form = MediaForm(request.POST, request.FILES)\n if form.is_valid():\n context_dict = {}\n try:\n context_dict['copied_files'] = update_media_file(request.\n FILES['zip_file'])\n except Exception as e:\n context_dict['error_message'] = e.message\n return render(request,\n 'django_admin/transfer_media_message.html', context_dict)\n else:\n form = MediaForm()\n return render(request, 'django_admin/upload_media.html', {'form': form})\n",
"role": "user"
},
{
"content": "upload_file",
"role": "assistant"
}
] |
def x(request):
if request.method == 'GET':
if path.exists(settings.MEDIA_ROOT):
zipfile_name = 'media_%s.zip' % settings.SITE_NAME
in_memory_file = BytesIO()
media_zipfile = zipfile.ZipFile(in_memory_file, 'w', zipfile.
ZIP_DEFLATED)
directory_name = path.split(settings.MEDIA_ROOT)[-1]
for root, dirs, files in walk(directory_name):
for file in files:
media_zipfile.write(path.join(root, file))
media_zipfile.close()
resp = HttpResponse(in_memory_file.getvalue(), content_type=
'application/x-zip-compressed')
resp['Content-Disposition'
] = 'attachment; filename=%s' % zipfile_name
else:
resp = render(request,
'django_admin/transfer_media_message.html', {
'error_message': 'media file does not exist'})
else:
resp = HttpResponseNotAllowed(permitted_methods=['GET'])
return resp
|
download_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n if request.method == 'GET':\n if path.exists(settings.MEDIA_ROOT):\n zipfile_name = 'media_%s.zip' % settings.SITE_NAME\n in_memory_file = BytesIO()\n media_zipfile = zipfile.ZipFile(in_memory_file, 'w', zipfile.\n ZIP_DEFLATED)\n directory_name = path.split(settings.MEDIA_ROOT)[-1]\n for root, dirs, files in walk(directory_name):\n for file in files:\n media_zipfile.write(path.join(root, file))\n media_zipfile.close()\n resp = HttpResponse(in_memory_file.getvalue(), content_type=\n 'application/x-zip-compressed')\n resp['Content-Disposition'\n ] = 'attachment; filename=%s' % zipfile_name\n else:\n resp = render(request,\n 'django_admin/transfer_media_message.html', {\n 'error_message': 'media file does not exist'})\n else:\n resp = HttpResponseNotAllowed(permitted_methods=['GET'])\n return resp\n",
"role": "user"
},
{
"content": "download_file",
"role": "assistant"
}
] |
def x(apps, schema_editor):
db_alias = schema_editor.connection.alias
try:
emit_post_migrate_signal(2, False, db_alias)
except TypeError:
try:
emit_post_migrate_signal(2, False, 'default', db_alias)
except TypeError:
emit_post_migrate_signal([], 2, False, 'default', db_alias)
Group = apps.get_model('auth.Group')
Permission = apps.get_model('auth.Permission')
GroupPagePermission = apps.get_model('wagtailcore.GroupPagePermission')
SectionIndexPage = apps.get_model('core.SectionIndexPage')
MainPage = apps.get_model('core.Main')
moderator_group = Group.objects.filter(name='Moderators').first()
editor_group = Group.objects.filter(name='Editors').first()
if moderator_group:
sections = SectionIndexPage.objects.first()
GroupPagePermission.objects.get_or_create(group_id=moderator_group.
id, page_id=sections.id, permission_type='bulk_delete')
main = MainPage.objects.first()
GroupPagePermission.objects.get_or_create(group_id=moderator_group.
id, page_id=main.id, permission_type='edit')
if editor_group:
main = MainPage.objects.first()
GroupPagePermission.objects.get_or_create(group_id=editor_group.id,
page_id=main.id, permission_type='edit')
|
update_permissions_for_group
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(apps, schema_editor):\n db_alias = schema_editor.connection.alias\n try:\n emit_post_migrate_signal(2, False, db_alias)\n except TypeError:\n try:\n emit_post_migrate_signal(2, False, 'default', db_alias)\n except TypeError:\n emit_post_migrate_signal([], 2, False, 'default', db_alias)\n Group = apps.get_model('auth.Group')\n Permission = apps.get_model('auth.Permission')\n GroupPagePermission = apps.get_model('wagtailcore.GroupPagePermission')\n SectionIndexPage = apps.get_model('core.SectionIndexPage')\n MainPage = apps.get_model('core.Main')\n moderator_group = Group.objects.filter(name='Moderators').first()\n editor_group = Group.objects.filter(name='Editors').first()\n if moderator_group:\n sections = SectionIndexPage.objects.first()\n GroupPagePermission.objects.get_or_create(group_id=moderator_group.\n id, page_id=sections.id, permission_type='bulk_delete')\n main = MainPage.objects.first()\n GroupPagePermission.objects.get_or_create(group_id=moderator_group.\n id, page_id=main.id, permission_type='edit')\n if editor_group:\n main = MainPage.objects.first()\n GroupPagePermission.objects.get_or_create(group_id=editor_group.id,\n page_id=main.id, permission_type='edit')\n",
"role": "user"
},
{
"content": "update_permissions_for_group",
"role": "assistant"
}
] |
def x(self, request, queryset, view):
if 'is_main_language' in request.GET:
return queryset.filter(languages__language__is_main_language=True)
else:
return queryset
|
filter_queryset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, queryset, view):\n if 'is_main_language' in request.GET:\n return queryset.filter(languages__language__is_main_language=True)\n else:\n return queryset\n",
"role": "user"
},
{
"content": "filter_queryset",
"role": "assistant"
}
] |
def x(main_article, article_list):
existing_recommended_articles = [ra.recommended_article.specific for ra in
main_article.recommended_articles.all()]
ArticlePageRecommendedSections.objects.filter(page=main_article).delete()
for hyperlinked_article in article_list:
ArticlePageRecommendedSections(page=main_article,
recommended_article=hyperlinked_article).save()
for article in existing_recommended_articles:
if article not in article_list:
ArticlePageRecommendedSections(page=main_article,
recommended_article=article).save()
|
create_recomended_articles
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(main_article, article_list):\n existing_recommended_articles = [ra.recommended_article.specific for ra in\n main_article.recommended_articles.all()]\n ArticlePageRecommendedSections.objects.filter(page=main_article).delete()\n for hyperlinked_article in article_list:\n ArticlePageRecommendedSections(page=main_article,\n recommended_article=hyperlinked_article).save()\n for article in existing_recommended_articles:\n if article not in article_list:\n ArticlePageRecommendedSections(page=main_article,\n recommended_article=article).save()\n",
"role": "user"
},
{
"content": "create_recomended_articles",
"role": "assistant"
}
] |
def x(stream_data):
stream_data_copy = list(stream_data)
end_page_links = []
for block in stream_data_copy[::-1]:
if block['type'] == 'page':
end_page_links.insert(0, block)
stream_data_copy.pop()
else:
break
return stream_data_copy, end_page_links
|
seperate_end_page_links
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(stream_data):\n stream_data_copy = list(stream_data)\n end_page_links = []\n for block in stream_data_copy[::-1]:\n if block['type'] == 'page':\n end_page_links.insert(0, block)\n stream_data_copy.pop()\n else:\n break\n return stream_data_copy, end_page_links\n",
"role": "user"
},
{
"content": "seperate_end_page_links",
"role": "assistant"
}
] |
def x(id_list):
page_list = []
for id_ in id_list:
try:
page_list.append(Page.objects.get(id=id_).specific)
except ObjectDoesNotExist:
logging.error('Attempted to fetch non-existent page with id of {}'
.format(id_))
return page_list
|
get_pages_from_id_list
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(id_list):\n page_list = []\n for id_ in id_list:\n try:\n page_list.append(Page.objects.get(id=id_).specific)\n except ObjectDoesNotExist:\n logging.error('Attempted to fetch non-existent page with id of {}'\n .format(id_))\n return page_list\n",
"role": "user"
},
{
"content": "get_pages_from_id_list",
"role": "assistant"
}
] |
def x():
articles = ArticlePage.objects.all()
for article in articles:
remaining_blocks, linked_article_blocks = seperate_end_page_links(
article.body.stream_data)
if linked_article_blocks:
linked_article_ids = get_page_ids_from_page_blocks(
linked_article_blocks)
linked_articles = get_pages_from_id_list(linked_article_ids)
create_recomended_articles(article, linked_articles)
parent = article.get_parent().specific
parent.enable_recommended_section = True
parent.save()
stream_block = article.body.stream_block
article.body = StreamValue(stream_block, remaining_blocks, is_lazy=True
)
article.save()
|
move_page_links_to_recommended_articles
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n articles = ArticlePage.objects.all()\n for article in articles:\n remaining_blocks, linked_article_blocks = seperate_end_page_links(\n article.body.stream_data)\n if linked_article_blocks:\n linked_article_ids = get_page_ids_from_page_blocks(\n linked_article_blocks)\n linked_articles = get_pages_from_id_list(linked_article_ids)\n create_recomended_articles(article, linked_articles)\n parent = article.get_parent().specific\n parent.enable_recommended_section = True\n parent.save()\n stream_block = article.body.stream_block\n article.body = StreamValue(stream_block, remaining_blocks, is_lazy=True\n )\n article.save()\n",
"role": "user"
},
{
"content": "move_page_links_to_recommended_articles",
"role": "assistant"
}
] |
def x(template, checkout=None, no_input=False, extra_context=None):
config_dict = get_user_config()
template = expand_abbreviations(template, config_dict)
if 'git@' in template or 'https://' in template:
repo_dir = clone(repo_url=template, checkout=checkout, clone_to_dir
=config_dict['cookiecutters_dir'], no_input=no_input)
else:
repo_dir = template
context_file = os.path.join(repo_dir, 'cookiecutter.json')
logging.debug('context_file is {0}'.format(context_file))
context = generate_context(context_file=context_file, default_context=
config_dict['default_context'], extra_context=extra_context)
generate_files(repo_dir=repo_dir, context=context)
|
cookiecutter
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(template, checkout=None, no_input=False, extra_context=None):\n config_dict = get_user_config()\n template = expand_abbreviations(template, config_dict)\n if 'git@' in template or 'https://' in template:\n repo_dir = clone(repo_url=template, checkout=checkout, clone_to_dir\n =config_dict['cookiecutters_dir'], no_input=no_input)\n else:\n repo_dir = template\n context_file = os.path.join(repo_dir, 'cookiecutter.json')\n logging.debug('context_file is {0}'.format(context_file))\n context = generate_context(context_file=context_file, default_context=\n config_dict['default_context'], extra_context=extra_context)\n generate_files(repo_dir=repo_dir, context=context)\n",
"role": "user"
},
{
"content": "cookiecutter",
"role": "assistant"
}
] |
def x(self):
request = self.request
if 'type' not in request.GET:
model = Page
else:
model_name = request.GET['type']
try:
model = resolve_model_string(model_name)
except LookupError:
raise BadRequestError("type doesn't exist")
if not issubclass(model, Page):
raise BadRequestError("type doesn't exist")
queryset = model.objects.public()
queryset = queryset.descendant_of(request.site.root_page, inclusive=True)
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 request = self.request\n if 'type' not in request.GET:\n model = Page\n else:\n model_name = request.GET['type']\n try:\n model = resolve_model_string(model_name)\n except LookupError:\n raise BadRequestError(\"type doesn't exist\")\n if not issubclass(model, Page):\n raise BadRequestError(\"type doesn't exist\")\n queryset = model.objects.public()\n queryset = queryset.descendant_of(request.site.root_page, inclusive=True)\n return queryset\n",
"role": "user"
},
{
"content": "get_queryset",
"role": "assistant"
}
] |
def x(self):
request = self.request
return Languages.for_site(request.site).languages.filter().order_by('pk')
|
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 request = self.request\n return Languages.for_site(request.site).languages.filter().order_by('pk')\n",
"role": "user"
},
{
"content": "get_queryset",
"role": "assistant"
}
] |
def x(url):
response = requests.get(url)
content = json.loads(response.content)
count = content['meta']['total_count']
if count <= 20:
return content['items']
else:
items = [] + content['items']
num_requests = int(math.ceil(count // 20))
for i in range(1, num_requests + 1):
paginated_url = '{}?limit=20&offset={}'.format(url, str(i * 20))
paginated_response = requests.get(paginated_url)
items = items + json.loads(paginated_response.content)['items']
return items
|
list_of_objects_from_api
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url):\n response = requests.get(url)\n content = json.loads(response.content)\n count = content['meta']['total_count']\n if count <= 20:\n return content['items']\n else:\n items = [] + content['items']\n num_requests = int(math.ceil(count // 20))\n for i in range(1, num_requests + 1):\n paginated_url = '{}?limit=20&offset={}'.format(url, str(i * 20))\n paginated_response = requests.get(paginated_url)\n items = items + json.loads(paginated_response.content)['items']\n return items\n",
"role": "user"
},
{
"content": "list_of_objects_from_api",
"role": "assistant"
}
] |
def x(self, base_url):
base_url = base_url.rstrip('/')
url = (base_url + API_PAGES_ENDPOINT + '?type=' + self._content_type +
'&fields=' + ','.join(self._fields) +
'&order=latest_revision_created_at')
try:
response = requests.get(url)
self._base_url = base_url
self._content = response.json()
self._content = self._content['items']
return self._content
except requests.exceptions.ConnectionError:
return (
'No content could be found from {}. Are you sure this is the correct URL?'
.format(base_url))
except requests.exceptions.RequestException:
return (
'Content could not be imported at this time. Please try again later.'
)
|
get_content_from_url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, base_url):\n base_url = base_url.rstrip('/')\n url = (base_url + API_PAGES_ENDPOINT + '?type=' + self._content_type +\n '&fields=' + ','.join(self._fields) +\n '&order=latest_revision_created_at')\n try:\n response = requests.get(url)\n self._base_url = base_url\n self._content = response.json()\n self._content = self._content['items']\n return self._content\n except requests.exceptions.ConnectionError:\n return (\n 'No content could be found from {}. Are you sure this is the correct URL?'\n .format(base_url))\n except requests.exceptions.RequestException:\n return (\n 'Content could not be imported at this time. Please try again later.'\n )\n",
"role": "user"
},
{
"content": "get_content_from_url",
"role": "assistant"
}
] |
def x(self, indexes, parent_id):
if self.content():
parent = Page.objects.get(id=parent_id)
response = requests.get(self._base_url + API_PAGES_ENDPOINT + str(
indexes[0]) + '/')
section_page = response.json()
self.process_child_section(section_page['id'], parent)
|
save
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, indexes, parent_id):\n if self.content():\n parent = Page.objects.get(id=parent_id)\n response = requests.get(self._base_url + API_PAGES_ENDPOINT + str(\n indexes[0]) + '/')\n section_page = response.json()\n self.process_child_section(section_page['id'], parent)\n",
"role": "user"
},
{
"content": "save",
"role": "assistant"
}
] |
def x(self):
if Image.objects.count() == 0:
return None
total = Image.objects.count()
count = 1
for local_image in Image.objects.all():
if not hasattr(local_image, 'image_info'):
ImageInfo.objects.create(image=local_image)
local_image.refresh_from_db()
hash_ = local_image.image_info.image_hash
if hash_ in self.image_hashes:
self.log(WARNING, 'Image found with matching hash', context={
'composite hash': hash_, 'hashed image ID': self.
image_hashes[hash_].id, 'matching image ID': local_image.id})
else:
self.image_hashes[hash_] = local_image
self.log(ACTION, '{}/{} images processed'.format(count, total))
count += 1
|
get_image_details
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if Image.objects.count() == 0:\n return None\n total = Image.objects.count()\n count = 1\n for local_image in Image.objects.all():\n if not hasattr(local_image, 'image_info'):\n ImageInfo.objects.create(image=local_image)\n local_image.refresh_from_db()\n hash_ = local_image.image_info.image_hash\n if hash_ in self.image_hashes:\n self.log(WARNING, 'Image found with matching hash', context={\n 'composite hash': hash_, 'hashed image ID': self.\n image_hashes[hash_].id, 'matching image ID': local_image.id})\n else:\n self.image_hashes[hash_] = local_image\n self.log(ACTION, '{}/{} images processed'.format(count, total))\n count += 1\n",
"role": "user"
},
{
"content": "get_image_details",
"role": "assistant"
}
] |
def x(self, url, image_title):
context = {'file_url': url, 'foreign_title': image_title}
try:
image_file = requests.get(url)
local_image = Image(title=image_title, file=ImageFile(BytesIO(
image_file.content), name=image_title))
local_image.save()
return local_image, context
except Exception as e:
context.update({'exception': e})
raise ImageCreationFailed(context, None)
|
fetch_and_create_image
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, image_title):\n context = {'file_url': url, 'foreign_title': image_title}\n try:\n image_file = requests.get(url)\n local_image = Image(title=image_title, file=ImageFile(BytesIO(\n image_file.content), name=image_title))\n local_image.save()\n return local_image, context\n except Exception as e:\n context.update({'exception': e})\n raise ImageCreationFailed(context, None)\n",
"role": "user"
},
{
"content": "fetch_and_create_image",
"role": "assistant"
}
] |
def x(self, image_id):
image_detail_url = '{}{}/'.format(self.image_url, image_id)
try:
img_response = requests.get(image_detail_url)
img_info = json.loads(img_response.content)
except Exception as e:
error_context = {'image detail url': image_detail_url, 'exception': e}
raise ImageInfoFetchFailed(error_context)
if img_info['image_hash'] is None:
raise ValueError('image hash should not be none')
local_image = self.get_replica_image(img_info['image_hash'])
file_url = img_info['image_url']
if img_info['image_url'][0] == '/':
file_url = '{}{}'.format(self.base_url, img_info['image_url'])
if local_image:
context = {'local_version_existed': True, 'file_url': file_url,
'image_detail_url': image_detail_url, 'foreign_title': img_info
['title']}
if self.record_keeper:
self.record_keeper.record_image_relation(image_id, local_image.id)
return local_image, context
else:
new_image, context = self.fetch_and_create_image(file_url, img_info
['title'])
if self.record_keeper:
self.record_keeper.record_image_relation(image_id, new_image.id)
context.update({'local_version_existed': False})
return new_image, context
|
import_image
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, image_id):\n image_detail_url = '{}{}/'.format(self.image_url, image_id)\n try:\n img_response = requests.get(image_detail_url)\n img_info = json.loads(img_response.content)\n except Exception as e:\n error_context = {'image detail url': image_detail_url, 'exception': e}\n raise ImageInfoFetchFailed(error_context)\n if img_info['image_hash'] is None:\n raise ValueError('image hash should not be none')\n local_image = self.get_replica_image(img_info['image_hash'])\n file_url = img_info['image_url']\n if img_info['image_url'][0] == '/':\n file_url = '{}{}'.format(self.base_url, img_info['image_url'])\n if local_image:\n context = {'local_version_existed': True, 'file_url': file_url,\n 'image_detail_url': image_detail_url, 'foreign_title': img_info\n ['title']}\n if self.record_keeper:\n self.record_keeper.record_image_relation(image_id, local_image.id)\n return local_image, context\n else:\n new_image, context = self.fetch_and_create_image(file_url, img_info\n ['title'])\n if self.record_keeper:\n self.record_keeper.record_image_relation(image_id, new_image.id)\n context.update({'local_version_existed': False})\n return new_image, context\n",
"role": "user"
},
{
"content": "import_image",
"role": "assistant"
}
] |
def x(self):
self.log(ACTION, 'Importing Images')
try:
images = list_of_objects_from_api(self.image_url)
except Exception as e:
raise ImageInfoFetchFailed(
'Something went wrong fetching list of images')
if not images:
return None
for image_summary in images:
self.log(ACTION, 'Importing Image', depth=1)
try:
image, context = self.import_image(image_summary['id'])
self.log(SUCCESS, 'Importing Image', context=context, depth=1)
except ImageInfoFetchFailed as e:
self.log(ERROR, 'Importing Images', e, depth=1)
except ImageCreationFailed as e:
self.log(ERROR, 'Importing Images', e.message, depth=1)
except Exception as e:
context = {'exception': e, 'foreign_image_id': image_summary['id']}
self.log(ERROR, 'Importing Images', context, depth=1)
|
import_images
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.log(ACTION, 'Importing Images')\n try:\n images = list_of_objects_from_api(self.image_url)\n except Exception as e:\n raise ImageInfoFetchFailed(\n 'Something went wrong fetching list of images')\n if not images:\n return None\n for image_summary in images:\n self.log(ACTION, 'Importing Image', depth=1)\n try:\n image, context = self.import_image(image_summary['id'])\n self.log(SUCCESS, 'Importing Image', context=context, depth=1)\n except ImageInfoFetchFailed as e:\n self.log(ERROR, 'Importing Images', e, depth=1)\n except ImageCreationFailed as e:\n self.log(ERROR, 'Importing Images', e.message, depth=1)\n except Exception as e:\n context = {'exception': e, 'foreign_image_id': image_summary['id']}\n self.log(ERROR, 'Importing Images', context, depth=1)\n",
"role": "user"
},
{
"content": "import_images",
"role": "assistant"
}
] |
def x(self):
languages = list_of_objects_from_api(self.language_url)
language_ids = []
for language in languages:
language_ids.append(language['id'])
return language_ids
|
get_language_ids
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n languages = list_of_objects_from_api(self.language_url)\n language_ids = []\n for language in languages:\n language_ids.append(language['id'])\n return language_ids\n",
"role": "user"
},
{
"content": "get_language_ids",
"role": "assistant"
}
] |
def x(self, class_, attribute_name, key):
iterable = self.record_keeper.foreign_to_many_foreign_map[key]
for foreign_page_id, foreign_page_id_list in iteritems(iterable):
local_page_id = self.record_keeper.get_local_page(foreign_page_id)
local_page = Page.objects.get(id=local_page_id).specific
for _foreign_page_id in foreign_page_id_list:
try:
local_version_page_id = self.record_keeper.get_local_page(
_foreign_page_id)
foreign_page = Page.objects.get(id=local_version_page_id
).specific
realtionship_object = class_(page=local_page)
setattr(realtionship_object, attribute_name, foreign_page)
realtionship_object.save()
except Exception as e:
context = {'exception': e, 'function_schema':
'recreate_relationships(class, attribute_name, key)',
'attribute_name': str(attribute_name), 'key': str(key),
'class': str(class_), 'foreign_page_id': str(
foreign_page_id)}
self.log(ERROR, 'recreating relationships', context=context)
|
recreate_relationships
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, class_, attribute_name, key):\n iterable = self.record_keeper.foreign_to_many_foreign_map[key]\n for foreign_page_id, foreign_page_id_list in iteritems(iterable):\n local_page_id = self.record_keeper.get_local_page(foreign_page_id)\n local_page = Page.objects.get(id=local_page_id).specific\n for _foreign_page_id in foreign_page_id_list:\n try:\n local_version_page_id = self.record_keeper.get_local_page(\n _foreign_page_id)\n foreign_page = Page.objects.get(id=local_version_page_id\n ).specific\n realtionship_object = class_(page=local_page)\n setattr(realtionship_object, attribute_name, foreign_page)\n realtionship_object.save()\n except Exception as e:\n context = {'exception': e, 'function_schema':\n 'recreate_relationships(class, attribute_name, key)',\n 'attribute_name': str(attribute_name), 'key': str(key),\n 'class': str(class_), 'foreign_page_id': str(\n foreign_page_id)}\n self.log(ERROR, 'recreating relationships', context=context)\n",
"role": "user"
},
{
"content": "recreate_relationships",
"role": "assistant"
}
] |
def x(self, attribute_name, key):
iterable = self.record_keeper.foreign_to_foreign_map['banner_link_page']
for foreign_page_id, linked_page_foreign_id in iteritems(iterable):
local_page_id = self.record_keeper.get_local_page(foreign_page_id)
local_page = Page.objects.get(id=local_page_id).specific
local_id = self.record_keeper.get_local_page(linked_page_foreign_id)
linked_page = Page.objects.get(id=local_id).specific
setattr(local_page, attribute_name, linked_page)
local_page.save_revision().publish()
|
recreate_relationship
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, attribute_name, key):\n iterable = self.record_keeper.foreign_to_foreign_map['banner_link_page']\n for foreign_page_id, linked_page_foreign_id in iteritems(iterable):\n local_page_id = self.record_keeper.get_local_page(foreign_page_id)\n local_page = Page.objects.get(id=local_page_id).specific\n local_id = self.record_keeper.get_local_page(linked_page_foreign_id)\n linked_page = Page.objects.get(id=local_id).specific\n setattr(local_page, attribute_name, linked_page)\n local_page.save_revision().publish()\n",
"role": "user"
},
{
"content": "recreate_relationship",
"role": "assistant"
}
] |
def x(self):
for foreign_id, body in iteritems(self.record_keeper.article_bodies):
try:
local_page_id = self.record_keeper.get_local_page(foreign_id)
page = Page.objects.get(id=local_page_id).specific
new_body = []
for item in body:
if not item['value']:
continue
if item['type'] == 'page':
new_page_id = self.record_keeper.get_local_page(item[
'value'])
item['value'] = new_page_id
elif item['type'] == 'image':
new_image_id = self.record_keeper.get_local_image(item[
'value'])
item['value'] = new_image_id
new_body.append(item)
setattr(page, 'body', json.dumps(new_body))
page.save_revision().publish()
except Exception as e:
self.log(ERROR, 'recreating article body', {'exception': e,
'foreign_id': foreign_id, 'body': body}, depth=1)
|
recreate_article_body
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for foreign_id, body in iteritems(self.record_keeper.article_bodies):\n try:\n local_page_id = self.record_keeper.get_local_page(foreign_id)\n page = Page.objects.get(id=local_page_id).specific\n new_body = []\n for item in body:\n if not item['value']:\n continue\n if item['type'] == 'page':\n new_page_id = self.record_keeper.get_local_page(item[\n 'value'])\n item['value'] = new_page_id\n elif item['type'] == 'image':\n new_image_id = self.record_keeper.get_local_image(item[\n 'value'])\n item['value'] = new_image_id\n new_body.append(item)\n setattr(page, 'body', json.dumps(new_body))\n page.save_revision().publish()\n except Exception as e:\n self.log(ERROR, 'recreating article body', {'exception': e,\n 'foreign_id': foreign_id, 'body': body}, depth=1)\n",
"role": "user"
},
{
"content": "recreate_article_body",
"role": "assistant"
}
] |
def x(self, page_type):
response = requests.get('{}pages/?type={}'.format(self.api_url, page_type))
content = json.loads(response.content)
return content['items'][0]['id']
|
get_foreign_page_id_from_type
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, page_type):\n response = requests.get('{}pages/?type={}'.format(self.api_url, page_type))\n content = json.loads(response.content)\n return content['items'][0]['id']\n",
"role": "user"
},
{
"content": "get_foreign_page_id_from_type",
"role": "assistant"
}
] |
def x(self, local_main_lang_page, content, locale):
try:
page = self.attach_page(local_main_lang_page.get_parent(), content)
except:
return None
try:
language = SiteLanguageRelation.objects.get(language_setting=self.
language_setting, locale=locale)
page.language = language
page.translated_pages.add(local_main_lang_page)
local_main_lang_page.translated_pages.add(page)
page.save()
local_main_lang_page.save()
except:
page.delete()
return page
|
attach_translated_content
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, local_main_lang_page, content, locale):\n try:\n page = self.attach_page(local_main_lang_page.get_parent(), content)\n except:\n return None\n try:\n language = SiteLanguageRelation.objects.get(language_setting=self.\n language_setting, locale=locale)\n page.language = language\n page.translated_pages.add(local_main_lang_page)\n local_main_lang_page.translated_pages.add(page)\n page.save()\n local_main_lang_page.save()\n except:\n page.delete()\n return page\n",
"role": "user"
},
{
"content": "attach_translated_content",
"role": "assistant"
}
] |
def x(self, foreign_id, parent_id, depth=0):
url = '{}/api/v2/pages/{}/'.format(self.base_url, foreign_id)
self.log(ACTION, 'Requesting Data', {'url': url}, depth)
try:
response = requests.get(url)
content = json.loads(response.content)
except Exception as e:
self.log(ERROR, 'Requesting Data - abandoning copy', {'url': url,
'exception': e}, depth)
return None
parent = Page.objects.get(id=parent_id).specific
page = None
try:
self.log(ACTION, 'Create Page', {'url': url}, depth)
page = self.attach_page(parent, content)
if page:
self.log(SUCCESS, 'Create Page', {'url': url, 'page title':
page.title.encode('utf-8')}, depth)
except PageNotImportable as e:
message = e.message.pop('message')
self.log(WARNING, message, e.message.pop('message'), depth)
return None
if page:
if content['meta']['translations']:
for translation_obj in content['meta']['translations']:
_url = '{}/api/v2/pages/{}/'.format(self.base_url,
translation_obj['id'])
_response = requests.get(_url)
self.log(ACTION, 'Getting translated content', {'url': _url
}, depth)
if _response.content:
_content = json.loads(_response.content)
if 'locale' in translation_obj and translation_obj['locale'
]:
self.attach_translated_content(page, _content,
translation_obj['locale'])
else:
self.log(ERROR, 'locale is null', {'url': _url}, depth)
else:
self.log(ERROR, 'Getting translated content', {'url':
_url}, depth)
main_language_child_ids = content['meta']['main_language_children']
if main_language_child_ids:
for main_language_child_id in main_language_child_ids:
try:
self.copy_page_and_children(foreign_id=
main_language_child_id, parent_id=page.id, depth=
depth + 1)
except Exception as e:
self.log(ERROR, 'Copying Children', {'url': url,
'exception': e})
|
copy_page_and_children
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, foreign_id, parent_id, depth=0):\n url = '{}/api/v2/pages/{}/'.format(self.base_url, foreign_id)\n self.log(ACTION, 'Requesting Data', {'url': url}, depth)\n try:\n response = requests.get(url)\n content = json.loads(response.content)\n except Exception as e:\n self.log(ERROR, 'Requesting Data - abandoning copy', {'url': url,\n 'exception': e}, depth)\n return None\n parent = Page.objects.get(id=parent_id).specific\n page = None\n try:\n self.log(ACTION, 'Create Page', {'url': url}, depth)\n page = self.attach_page(parent, content)\n if page:\n self.log(SUCCESS, 'Create Page', {'url': url, 'page title':\n page.title.encode('utf-8')}, depth)\n except PageNotImportable as e:\n message = e.message.pop('message')\n self.log(WARNING, message, e.message.pop('message'), depth)\n return None\n if page:\n if content['meta']['translations']:\n for translation_obj in content['meta']['translations']:\n _url = '{}/api/v2/pages/{}/'.format(self.base_url,\n translation_obj['id'])\n _response = requests.get(_url)\n self.log(ACTION, 'Getting translated content', {'url': _url\n }, depth)\n if _response.content:\n _content = json.loads(_response.content)\n if 'locale' in translation_obj and translation_obj['locale'\n ]:\n self.attach_translated_content(page, _content,\n translation_obj['locale'])\n else:\n self.log(ERROR, 'locale is null', {'url': _url}, depth)\n else:\n self.log(ERROR, 'Getting translated content', {'url':\n _url}, depth)\n main_language_child_ids = content['meta']['main_language_children']\n if main_language_child_ids:\n for main_language_child_id in main_language_child_ids:\n try:\n self.copy_page_and_children(foreign_id=\n main_language_child_id, parent_id=page.id, depth=\n depth + 1)\n except Exception as e:\n self.log(ERROR, 'Copying Children', {'url': url,\n 'exception': e})\n",
"role": "user"
},
{
"content": "copy_page_and_children",
"role": "assistant"
}
] |
def x(self, foreign_id, existing_node):
url = '{}/api/v2/pages/{}/'.format(self.base_url, foreign_id)
self.log(ACTION, 'Copying Children', {'existing node type': str(type(
existing_node))})
try:
self.log(ACTION, 'Requesting Data', {'url': url})
response = requests.get(url)
content = json.loads(response.content)
self.log(SUCCESS, 'Data Fetched Successfully', {'url': url})
main_language_child_ids = content['meta']['main_language_children']
if main_language_child_ids:
for main_language_child_id in main_language_child_ids:
self.copy_page_and_children(foreign_id=
main_language_child_id, parent_id=existing_node.id, depth=1
)
else:
self.log(SUCCESS, 'No children to copy')
except Exception as e:
self.log(ERROR, 'Copying Children', {'url': url, 'exception': e})
|
copy_children
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, foreign_id, existing_node):\n url = '{}/api/v2/pages/{}/'.format(self.base_url, foreign_id)\n self.log(ACTION, 'Copying Children', {'existing node type': str(type(\n existing_node))})\n try:\n self.log(ACTION, 'Requesting Data', {'url': url})\n response = requests.get(url)\n content = json.loads(response.content)\n self.log(SUCCESS, 'Data Fetched Successfully', {'url': url})\n main_language_child_ids = content['meta']['main_language_children']\n if main_language_child_ids:\n for main_language_child_id in main_language_child_ids:\n self.copy_page_and_children(foreign_id=\n main_language_child_id, parent_id=existing_node.id, depth=1\n )\n else:\n self.log(SUCCESS, 'No children to copy')\n except Exception as e:\n self.log(ERROR, 'Copying Children', {'url': url, 'exception': e})\n",
"role": "user"
},
{
"content": "copy_children",
"role": "assistant"
}
] |
def x(self):
message = ''
for log in self.record:
if log['log_type'] in [ERROR, WARNING]:
message += self.format_message(**log)
return message
|
get_email_logs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n message = ''\n for log in self.record:\n if log['log_type'] in [ERROR, WARNING]:\n message += self.format_message(**log)\n return message\n",
"role": "user"
},
{
"content": "get_email_logs",
"role": "assistant"
}
] |
def x(chain):
if chain == Chain.bitcoin_mainnet:
return SYS_NETWORK_BITCOIN_MAINNET
elif chain == Chain.bitcoin_testnet:
return SYS_NETWORK_BITCOIN_TESTNET
elif chain == Chain.bitcoin_regtest:
return SYS_NETWORK_BITCOIN_REGTEST
else:
message = 'This chain cannot be converted to a bitcoin netcode; chain='
if chain:
message += chain.name
else:
message += '<NULL>'
raise UnknownChainError(message)
|
chain_to_bitcoin_network
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(chain):\n if chain == Chain.bitcoin_mainnet:\n return SYS_NETWORK_BITCOIN_MAINNET\n elif chain == Chain.bitcoin_testnet:\n return SYS_NETWORK_BITCOIN_TESTNET\n elif chain == Chain.bitcoin_regtest:\n return SYS_NETWORK_BITCOIN_REGTEST\n else:\n message = 'This chain cannot be converted to a bitcoin netcode; chain='\n if chain:\n message += chain.name\n else:\n message += '<NULL>'\n raise UnknownChainError(message)\n",
"role": "user"
},
{
"content": "chain_to_bitcoin_network",
"role": "assistant"
}
] |
def x(filename):
dirname, _ = os.path.split(filename)
if dirname and not os.path.exists(dirname):
os.makedirs(dirname)
|
ensure_dirs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n dirname, _ = os.path.split(filename)\n if dirname and not os.path.exists(dirname):\n os.makedirs(dirname)\n",
"role": "user"
},
{
"content": "ensure_dirs",
"role": "assistant"
}
] |
def x(self, certificate_uid):
certificate_json = self.get_certificate_json(certificate_uid)
return model.to_certificate_model(certificate_json)
|
get_certificate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, certificate_uid):\n certificate_json = self.get_certificate_json(certificate_uid)\n return model.to_certificate_model(certificate_json)\n",
"role": "user"
},
{
"content": "get_certificate",
"role": "assistant"
}
] |
def x(self, certificate_uid):
if certificate_uid.startswith(URN_UUID_PREFIX):
uid = certificate_uid[len(URN_UUID_PREFIX):]
elif certificate_uid.startswith('http'):
last_slash = certificate_uid.rindex('/')
uid = certificate_uid[last_slash + 1:]
else:
uid = certificate_uid
logging.debug('Retrieving certificate for uid=%s', uid)
certificate_bytes = self._get_certificate_raw(uid)
logging.debug('Found certificate for uid=%s', uid)
certificate_json = helpers.certificate_bytes_to_json(certificate_bytes)
return certificate_json
|
get_certificate_json
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, certificate_uid):\n if certificate_uid.startswith(URN_UUID_PREFIX):\n uid = certificate_uid[len(URN_UUID_PREFIX):]\n elif certificate_uid.startswith('http'):\n last_slash = certificate_uid.rindex('/')\n uid = certificate_uid[last_slash + 1:]\n else:\n uid = certificate_uid\n logging.debug('Retrieving certificate for uid=%s', uid)\n certificate_bytes = self._get_certificate_raw(uid)\n logging.debug('Found certificate for uid=%s', uid)\n certificate_json = helpers.certificate_bytes_to_json(certificate_bytes)\n return certificate_json\n",
"role": "user"
},
{
"content": "get_certificate_json",
"role": "assistant"
}
] |
def x(self, certificate_uid):
cert_file_bytes = self.kv_store.get(certificate_uid_to_filename(
certificate_uid))
return cert_file_bytes
|
get_certificate_raw
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, certificate_uid):\n cert_file_bytes = self.kv_store.get(certificate_uid_to_filename(\n certificate_uid))\n return cert_file_bytes\n",
"role": "user"
},
{
"content": "get_certificate_raw",
"role": "assistant"
}
] |
def x(self, certificate_uid):
logging.debug('Retrieving certificate for uid=%s', certificate_uid)
is_v1_uid = model.is_v1_uid(certificate_uid)
if not is_v1_uid:
return super(V1AwareCertificateStore, self).get_certificate(
certificate_uid)
certificate = self._find_certificate_metadata(uid=certificate_uid)
if certificate:
certificate_bytes = self._get_certificate_raw(certificate_uid)
certificate_json = helpers.certificate_bytes_to_json(certificate_bytes)
return model.to_certificate_model(certificate_json, certificate[
'txid'], certificate_bytes)
message = ('Certificate metadata not found for certificate uid=%s' %
certificate_uid)
logging.error(message)
raise KeyError(message)
|
get_certificate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, certificate_uid):\n logging.debug('Retrieving certificate for uid=%s', certificate_uid)\n is_v1_uid = model.is_v1_uid(certificate_uid)\n if not is_v1_uid:\n return super(V1AwareCertificateStore, self).get_certificate(\n certificate_uid)\n certificate = self._find_certificate_metadata(uid=certificate_uid)\n if certificate:\n certificate_bytes = self._get_certificate_raw(certificate_uid)\n certificate_json = helpers.certificate_bytes_to_json(certificate_bytes)\n return model.to_certificate_model(certificate_json, certificate[\n 'txid'], certificate_bytes)\n message = ('Certificate metadata not found for certificate uid=%s' %\n certificate_uid)\n logging.error(message)\n raise KeyError(message)\n",
"role": "user"
},
{
"content": "get_certificate",
"role": "assistant"
}
] |
def x(self, uid=None):
certificate = self.db.certificates.find_one({'uid': uid})
return certificate
|
find_certificate_metadata
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, uid=None):\n certificate = self.db.certificates.find_one({'uid': uid})\n return certificate\n",
"role": "user"
},
{
"content": "find_certificate_metadata",
"role": "assistant"
}
] |
def x(self, cmd):
cmd = ['git', '--git-dir=%s' % self.path] + cmd
print('cmd list', cmd)
print('cmd', ' '.join(cmd))
res = None
try:
res = subprocess.check_output(cmd)
except BaseException:
pass
if res:
try:
res = res.decode()
except UnicodeDecodeError:
res = res.decode('utf-8')
return res
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cmd):\n cmd = ['git', '--git-dir=%s' % self.path] + cmd\n print('cmd list', cmd)\n print('cmd', ' '.join(cmd))\n res = None\n try:\n res = subprocess.check_output(cmd)\n except BaseException:\n pass\n if res:\n try:\n res = res.decode()\n except UnicodeDecodeError:\n res = res.decode('utf-8')\n return res\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(self):
if not os.path.isdir(os.path.join(self.path)):
os.makedirs(self.path)
if not os.path.isdir(os.path.join(self.path, 'refs')):
subprocess.check_output(['git', 'clone', '--bare', self.repo_git,
self.path])
self.run(['gc', '--auto', '--prune=all'])
self.run(['fetch', '-p', 'origin', '+refs/heads/*:refs/heads/*'])
self.run(['fetch', 'origin', '+refs/pull/*/head:refs/pull/*'])
self.run(['fetch', 'origin', '+refs/merge-requests/*/head:refs/pull/*'])
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not os.path.isdir(os.path.join(self.path)):\n os.makedirs(self.path)\n if not os.path.isdir(os.path.join(self.path, 'refs')):\n subprocess.check_output(['git', 'clone', '--bare', self.repo_git,\n self.path])\n self.run(['gc', '--auto', '--prune=all'])\n self.run(['fetch', '-p', 'origin', '+refs/heads/*:refs/heads/*'])\n self.run(['fetch', 'origin', '+refs/pull/*/head:refs/pull/*'])\n self.run(['fetch', 'origin', '+refs/merge-requests/*/head:refs/pull/*'])\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(request, state=None, token=None):
if settings.DISCORD_REDIRECT_URI is not None:
redirect_uri = settings.DISCORD_REDIRECT_URI
else:
redirect_uri = request.build_absolute_uri(reverse(
'discord_bind_callback'))
scope = ['email', 'guilds.join'] if settings.DISCORD_EMAIL_SCOPE else [
'identity', 'guilds.join']
return OAuth2Session(settings.DISCORD_CLIENT_ID, redirect_uri=
redirect_uri, scope=scope, token=token, state=state)
|
oauth_session
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, state=None, token=None):\n if settings.DISCORD_REDIRECT_URI is not None:\n redirect_uri = settings.DISCORD_REDIRECT_URI\n else:\n redirect_uri = request.build_absolute_uri(reverse(\n 'discord_bind_callback'))\n scope = ['email', 'guilds.join'] if settings.DISCORD_EMAIL_SCOPE else [\n 'identity', 'guilds.join']\n return OAuth2Session(settings.DISCORD_CLIENT_ID, redirect_uri=\n redirect_uri, scope=scope, token=token, state=state)\n",
"role": "user"
},
{
"content": "oauth_session",
"role": "assistant"
}
] |
def x(self, path):
src = os.path.expandvars(os.path.expanduser(path))
basename = os.path.basename(src)
dest_path = os.path.expandvars(os.path.expanduser(os.path.join(self.
curr_work_path, basename)))
if os.path.isdir(dest_path):
shutil.rmtree(dest_path)
if os.path.isdir(src):
try:
shutil.copytree(src, dest_path)
except shutil.Error:
pass
elif os.path.isfile(src):
shutil.copy(src, dest_path)
else:
raise UserWarning(
'Just directory or file is supported to copy [%s]' % src)
return os.path.relpath(dest_path, self.curr_work_path)
|
copy_path
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path):\n src = os.path.expandvars(os.path.expanduser(path))\n basename = os.path.basename(src)\n dest_path = os.path.expandvars(os.path.expanduser(os.path.join(self.\n curr_work_path, basename)))\n if os.path.isdir(dest_path):\n shutil.rmtree(dest_path)\n if os.path.isdir(src):\n try:\n shutil.copytree(src, dest_path)\n except shutil.Error:\n pass\n elif os.path.isfile(src):\n shutil.copy(src, dest_path)\n else:\n raise UserWarning(\n 'Just directory or file is supported to copy [%s]' % src)\n return os.path.relpath(dest_path, self.curr_work_path)\n",
"role": "user"
},
{
"content": "copy_path",
"role": "assistant"
}
] |
def x(apps, schema_editor):
Profile = apps.get_model('edxval', 'Profile')
Profile.objects.get_or_create(profile_name=AUDIO_MP3_PROFILE)
|
create_audio_mp3_profile
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(apps, schema_editor):\n Profile = apps.get_model('edxval', 'Profile')\n Profile.objects.get_or_create(profile_name=AUDIO_MP3_PROFILE)\n",
"role": "user"
},
{
"content": "create_audio_mp3_profile",
"role": "assistant"
}
] |
def x(apps, schema_editor):
Profile = apps.get_model('edxval', 'Profile')
Profile.objects.filter(profile_name=AUDIO_MP3_PROFILE).delete()
|
delete_audio_mp3_profile
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(apps, schema_editor):\n Profile = apps.get_model('edxval', 'Profile')\n Profile.objects.filter(profile_name=AUDIO_MP3_PROFILE).delete()\n",
"role": "user"
},
{
"content": "delete_audio_mp3_profile",
"role": "assistant"
}
] |
def x(srt_subs):
sub_starts = []
sub_ends = []
sub_texts = []
for sub in srt_subs:
sub_starts.append(sub.start.ordinal)
sub_ends.append(sub.end.ordinal)
sub_texts.append(sub.text.replace('\n', ' '))
sjson_subs = {'start': sub_starts, 'end': sub_ends, 'text': sub_texts}
return sjson_subs
|
generate_sjson_from_srt
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(srt_subs):\n sub_starts = []\n sub_ends = []\n sub_texts = []\n for sub in srt_subs:\n sub_starts.append(sub.start.ordinal)\n sub_ends.append(sub.end.ordinal)\n sub_texts.append(sub.text.replace('\\n', ' '))\n sjson_subs = {'start': sub_starts, 'end': sub_ends, 'text': sub_texts}\n return sjson_subs\n",
"role": "user"
},
{
"content": "generate_sjson_from_srt",
"role": "assistant"
}
] |
def x(sjson_subs):
output = ''
equal_len = len(sjson_subs['start']) == len(sjson_subs['end']) == len(
sjson_subs['text'])
if not equal_len:
return output
for i in range(len(sjson_subs['start'])):
item = SubRipItem(index=i, start=SubRipTime(milliseconds=sjson_subs
['start'][i]), end=SubRipTime(milliseconds=sjson_subs['end'][i]
), text=sjson_subs['text'][i])
output += six.text_type(item)
output += '\n'
return output
|
generate_srt_from_sjson
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sjson_subs):\n output = ''\n equal_len = len(sjson_subs['start']) == len(sjson_subs['end']) == len(\n sjson_subs['text'])\n if not equal_len:\n return output\n for i in range(len(sjson_subs['start'])):\n item = SubRipItem(index=i, start=SubRipTime(milliseconds=sjson_subs\n ['start'][i]), end=SubRipTime(milliseconds=sjson_subs['end'][i]\n ), text=sjson_subs['text'][i])\n output += six.text_type(item)\n output += '\\n'\n return output\n",
"role": "user"
},
{
"content": "generate_srt_from_sjson",
"role": "assistant"
}
] |
def x(cls, content, input_format, output_format):
assert input_format in ('srt', 'sjson')
assert output_format in ('srt', 'sjson')
content = content.decode('utf-8-sig')
if input_format == output_format:
return content
if input_format == 'srt':
if output_format == 'sjson':
try:
srt_subs = SubRipFile.from_string(content, error_handling=
SubRipFile.ERROR_RAISE)
except Error as ex:
raise TranscriptsGenerationException(text_type(ex))
return json.dumps(cls.generate_sjson_from_srt(srt_subs))
if input_format == 'sjson':
if output_format == 'srt':
return cls.generate_srt_from_sjson(json.loads(content))
|
convert
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, content, input_format, output_format):\n assert input_format in ('srt', 'sjson')\n assert output_format in ('srt', 'sjson')\n content = content.decode('utf-8-sig')\n if input_format == output_format:\n return content\n if input_format == 'srt':\n if output_format == 'sjson':\n try:\n srt_subs = SubRipFile.from_string(content, error_handling=\n SubRipFile.ERROR_RAISE)\n except Error as ex:\n raise TranscriptsGenerationException(text_type(ex))\n return json.dumps(cls.generate_sjson_from_srt(srt_subs))\n if input_format == 'sjson':\n if output_format == 'srt':\n return cls.generate_srt_from_sjson(json.loads(content))\n",
"role": "user"
},
{
"content": "convert",
"role": "assistant"
}
] |
def x(apps, schema_editor):
Profile = apps.get_model('edxval', 'Profile')
Profile.objects.get_or_create(profile_name=HLS_PROFILE)
|
create_hls_profile
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(apps, schema_editor):\n Profile = apps.get_model('edxval', 'Profile')\n Profile.objects.get_or_create(profile_name=HLS_PROFILE)\n",
"role": "user"
},
{
"content": "create_hls_profile",
"role": "assistant"
}
] |
def x(apps, schema_editor):
Profile = apps.get_model('edxval', 'Profile')
Profile.objects.filter(profile_name=HLS_PROFILE).delete()
|
delete_hls_profile
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(apps, schema_editor):\n Profile = apps.get_model('edxval', 'Profile')\n Profile.objects.filter(profile_name=HLS_PROFILE).delete()\n",
"role": "user"
},
{
"content": "delete_hls_profile",
"role": "assistant"
}
] |
def x(apps, schema_editor):
Profile = apps.get_model('edxval', 'Profile')
for profile in DEFAULT_PROFILES:
Profile.objects.get_or_create(profile_name=profile)
|
create_default_profiles
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(apps, schema_editor):\n Profile = apps.get_model('edxval', 'Profile')\n for profile in DEFAULT_PROFILES:\n Profile.objects.get_or_create(profile_name=profile)\n",
"role": "user"
},
{
"content": "create_default_profiles",
"role": "assistant"
}
] |
def x(apps, schema_editor):
Profile = apps.get_model('edxval', 'Profile')
Profile.objects.filter(profile_name__in=DEFAULT_PROFILES).delete()
|
delete_default_profiles
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(apps, schema_editor):\n Profile = apps.get_model('edxval', 'Profile')\n Profile.objects.filter(profile_name__in=DEFAULT_PROFILES).delete()\n",
"role": "user"
},
{
"content": "delete_default_profiles",
"role": "assistant"
}
] |
def x(self, data):
video_id = self.context.get('video_id')
video = Video.get_or_none(edx_video_id=video_id)
if not video:
raise serializers.ValidationError('Video "{video_id}" is not valid.'
.format(video_id=video_id))
data.update(video=video)
return data
|
validate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n video_id = self.context.get('video_id')\n video = Video.get_or_none(edx_video_id=video_id)\n if not video:\n raise serializers.ValidationError('Video \"{video_id}\" is not valid.'\n .format(video_id=video_id))\n data.update(video=video)\n return data\n",
"role": "user"
},
{
"content": "validate",
"role": "assistant"
}
] |
def x(self, data):
course_id = data
course_video = image = ''
if data:
if isinstance(data, dict):
(course_id, image), = list(data.items())
course_video = CourseVideo(course_id=course_id)
course_video.full_clean(exclude=['video'])
return course_video, image
|
to_internal_value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n course_id = data\n course_video = image = ''\n if data:\n if isinstance(data, dict):\n (course_id, image), = list(data.items())\n course_video = CourseVideo(course_id=course_id)\n course_video.full_clean(exclude=['video'])\n return course_video, image\n",
"role": "user"
},
{
"content": "to_internal_value",
"role": "assistant"
}
] |
def x(self, data):
if data is not None and not isinstance(data, dict):
raise serializers.ValidationError('Invalid data')
try:
profiles = [ev['profile'] for ev in data.get('encoded_videos', [])]
if len(profiles) != len(set(profiles)):
raise serializers.ValidationError(
'Invalid data: duplicate profiles')
except KeyError:
raise serializers.ValidationError('profile required for deserializing')
except TypeError:
raise serializers.ValidationError(
'profile field needs to be a profile_name (str)')
course_videos = [(course_video, image) for course_video, image in data.
get('courses', []) if course_video]
data['courses'] = course_videos
return data
|
validate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n if data is not None and not isinstance(data, dict):\n raise serializers.ValidationError('Invalid data')\n try:\n profiles = [ev['profile'] for ev in data.get('encoded_videos', [])]\n if len(profiles) != len(set(profiles)):\n raise serializers.ValidationError(\n 'Invalid data: duplicate profiles')\n except KeyError:\n raise serializers.ValidationError('profile required for deserializing')\n except TypeError:\n raise serializers.ValidationError(\n 'profile field needs to be a profile_name (str)')\n course_videos = [(course_video, image) for course_video, image in data.\n get('courses', []) if course_video]\n data['courses'] = course_videos\n return data\n",
"role": "user"
},
{
"content": "validate",
"role": "assistant"
}
] |
def x(self, validated_data):
courses = validated_data.pop('courses', [])
encoded_videos = validated_data.pop('encoded_videos', [])
video = Video.objects.create(**validated_data)
EncodedVideo.objects.bulk_create(EncodedVideo(video=video, **video_data
) for video_data in encoded_videos)
for course_video, image_name in courses:
course_video.video = video
course_video.save()
if image_name:
VideoImage.create_or_update(course_video, image_name)
return video
|
create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, validated_data):\n courses = validated_data.pop('courses', [])\n encoded_videos = validated_data.pop('encoded_videos', [])\n video = Video.objects.create(**validated_data)\n EncodedVideo.objects.bulk_create(EncodedVideo(video=video, **video_data\n ) for video_data in encoded_videos)\n for course_video, image_name in courses:\n course_video.video = video\n course_video.save()\n if image_name:\n VideoImage.create_or_update(course_video, image_name)\n return video\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(self, instance, validated_data):
instance.status = validated_data['status']
instance.client_video_id = validated_data['client_video_id']
instance.duration = validated_data['duration']
instance.save()
instance.encoded_videos.all().delete()
EncodedVideo.objects.bulk_create(EncodedVideo(video=instance, **
video_data) for video_data in validated_data.get('encoded_videos', []))
for course_video, image_name in validated_data.get('courses', []):
course_video.video = instance
course_video.save()
if image_name:
VideoImage.create_or_update(course_video, image_name)
return instance
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance, validated_data):\n instance.status = validated_data['status']\n instance.client_video_id = validated_data['client_video_id']\n instance.duration = validated_data['duration']\n instance.save()\n instance.encoded_videos.all().delete()\n EncodedVideo.objects.bulk_create(EncodedVideo(video=instance, **\n video_data) for video_data in validated_data.get('encoded_videos', []))\n for course_video, image_name in validated_data.get('courses', []):\n course_video.video = instance\n course_video.save()\n if image_name:\n VideoImage.create_or_update(course_video, image_name)\n return instance\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x():
if hasattr(settings, 'VIDEO_IMAGE_SETTINGS'):
return get_storage_class(settings.VIDEO_IMAGE_SETTINGS.get(
'STORAGE_CLASS'))(**settings.VIDEO_IMAGE_SETTINGS.get(
'STORAGE_KWARGS', {}))
else:
return get_storage_class()()
|
get_video_image_storage
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n if hasattr(settings, 'VIDEO_IMAGE_SETTINGS'):\n return get_storage_class(settings.VIDEO_IMAGE_SETTINGS.get(\n 'STORAGE_CLASS'))(**settings.VIDEO_IMAGE_SETTINGS.get(\n 'STORAGE_KWARGS', {}))\n else:\n return get_storage_class()()\n",
"role": "user"
},
{
"content": "get_video_image_storage",
"role": "assistant"
}
] |
def x():
if hasattr(settings, 'VIDEO_TRANSCRIPTS_SETTINGS'):
return get_storage_class(settings.VIDEO_TRANSCRIPTS_SETTINGS.get(
'STORAGE_CLASS'))(**settings.VIDEO_TRANSCRIPTS_SETTINGS.get(
'STORAGE_KWARGS', {}))
else:
return get_storage_class()()
|
get_video_transcript_storage
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n if hasattr(settings, 'VIDEO_TRANSCRIPTS_SETTINGS'):\n return get_storage_class(settings.VIDEO_TRANSCRIPTS_SETTINGS.get(\n 'STORAGE_CLASS'))(**settings.VIDEO_TRANSCRIPTS_SETTINGS.get(\n 'STORAGE_KWARGS', {}))\n else:\n return get_storage_class()()\n",
"role": "user"
},
{
"content": "get_video_transcript_storage",
"role": "assistant"
}
] |
def x(file_data, file_name, file_system, static_dir):
with file_system.open(combine(static_dir, file_name), 'wb') as f:
f.write(file_data.encode('utf-8'))
|
create_file_in_fs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file_data, file_name, file_system, static_dir):\n with file_system.open(combine(static_dir, file_name), 'wb') as f:\n f.write(file_data.encode('utf-8'))\n",
"role": "user"
},
{
"content": "create_file_in_fs",
"role": "assistant"
}
] |
def x(transcript_content):
try:
sjson_obj = json.loads(transcript_content)
except ValueError:
srt_subs = SubRipFile.from_string(transcript_content,
error_handling=SubRipFile.ERROR_RAISE)
if len(srt_subs) > 0:
return TranscriptFormat.SRT
return TranscriptFormat.SJSON
|
get_transcript_format
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(transcript_content):\n try:\n sjson_obj = json.loads(transcript_content)\n except ValueError:\n srt_subs = SubRipFile.from_string(transcript_content,\n error_handling=SubRipFile.ERROR_RAISE)\n if len(srt_subs) > 0:\n return TranscriptFormat.SRT\n return TranscriptFormat.SJSON\n",
"role": "user"
},
{
"content": "get_transcript_format",
"role": "assistant"
}
] |
def x(self):
queryset = self.get_queryset()
queryset = self.filter_queryset(queryset)
filter = {}
for field in self.lookup_fields:
filter[field] = self.kwargs[field]
return get_object_or_404(queryset, **filter)
|
get_object
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n queryset = self.get_queryset()\n queryset = self.filter_queryset(queryset)\n filter = {}\n for field in self.lookup_fields:\n filter[field] = self.kwargs[field]\n return get_object_or_404(queryset, **filter)\n",
"role": "user"
},
{
"content": "get_object",
"role": "assistant"
}
] |
def x(self, request):
attrs = 'video_id', 'name', 'language_code', 'provider', 'file_format'
missing = [attr for attr in attrs if attr not in request.data]
if missing:
LOGGER.warn('[VAL] Required transcript params are missing. %s',
' and '.join(missing))
return Response(status=status.HTTP_400_BAD_REQUEST, data=dict(
message=u'{missing} must be specified.'.format(missing=' and '.
join(missing))))
video_id = request.data['video_id']
language_code = request.data['language_code']
transcript_name = request.data['name']
provider = request.data['provider']
file_format = request.data['file_format']
supported_formats = sorted(dict(TranscriptFormat.CHOICES).keys())
if file_format not in supported_formats:
message = (
u'"{format}" transcript file type is not supported. Supported formats are "{supported_formats}"'
.format(format=file_format, supported_formats=supported_formats))
return Response(status=status.HTTP_400_BAD_REQUEST, data={'message':
message})
supported_providers = sorted(dict(TranscriptProviderType.CHOICES).keys())
if provider not in supported_providers:
message = (
u'"{provider}" provider is not supported. Supported transcription providers are "{supported_providers}"'
.format(provider=provider, supported_providers=supported_providers)
)
return Response(status=status.HTTP_400_BAD_REQUEST, data={'message':
message})
transcript = VideoTranscript.get_or_none(video_id, language_code)
if transcript is None:
create_or_update_video_transcript(video_id, language_code, metadata
={'provider': provider, 'file_name': transcript_name,
'file_format': file_format})
response = Response(status=status.HTTP_200_OK)
else:
message = (
u'Can not override existing transcript for video "{video_id}" and language code "{language}".'
.format(video_id=video_id, language=language_code))
response = Response(status=status.HTTP_400_BAD_REQUEST, data={
'message': message})
return response
|
post
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n attrs = 'video_id', 'name', 'language_code', 'provider', 'file_format'\n missing = [attr for attr in attrs if attr not in request.data]\n if missing:\n LOGGER.warn('[VAL] Required transcript params are missing. %s',\n ' and '.join(missing))\n return Response(status=status.HTTP_400_BAD_REQUEST, data=dict(\n message=u'{missing} must be specified.'.format(missing=' and '.\n join(missing))))\n video_id = request.data['video_id']\n language_code = request.data['language_code']\n transcript_name = request.data['name']\n provider = request.data['provider']\n file_format = request.data['file_format']\n supported_formats = sorted(dict(TranscriptFormat.CHOICES).keys())\n if file_format not in supported_formats:\n message = (\n u'\"{format}\" transcript file type is not supported. Supported formats are \"{supported_formats}\"'\n .format(format=file_format, supported_formats=supported_formats))\n return Response(status=status.HTTP_400_BAD_REQUEST, data={'message':\n message})\n supported_providers = sorted(dict(TranscriptProviderType.CHOICES).keys())\n if provider not in supported_providers:\n message = (\n u'\"{provider}\" provider is not supported. Supported transcription providers are \"{supported_providers}\"'\n .format(provider=provider, supported_providers=supported_providers)\n )\n return Response(status=status.HTTP_400_BAD_REQUEST, data={'message':\n message})\n transcript = VideoTranscript.get_or_none(video_id, language_code)\n if transcript is None:\n create_or_update_video_transcript(video_id, language_code, metadata\n ={'provider': provider, 'file_name': transcript_name,\n 'file_format': file_format})\n response = Response(status=status.HTTP_200_OK)\n else:\n message = (\n u'Can not override existing transcript for video \"{video_id}\" and language code \"{language}\".'\n .format(video_id=video_id, language=language_code))\n response = Response(status=status.HTTP_400_BAD_REQUEST, data={\n 'message': message})\n return response\n",
"role": "user"
},
{
"content": "post",
"role": "assistant"
}
] |
def x(self, request):
attrs = 'edx_video_id', 'status'
missing = [attr for attr in attrs if attr not in request.data]
if missing:
return Response(status=status.HTTP_400_BAD_REQUEST, data={'message':
u'"{missing}" params must be specified.'.format(missing=' and '
.join(missing))})
edx_video_id = request.data['edx_video_id']
video_status = request.data['status']
if video_status not in VALID_VIDEO_STATUSES:
return Response(status=status.HTTP_400_BAD_REQUEST, data={'message':
u'"{status}" is not a valid Video status.'.format(status=
video_status)})
try:
video = Video.objects.get(edx_video_id=edx_video_id)
video.status = video_status
video.save()
response_status = status.HTTP_200_OK
response_payload = {}
except Video.DoesNotExist:
response_status = status.HTTP_400_BAD_REQUEST
response_payload = {'message':
u'Video is not found for specified edx_video_id: {edx_video_id}'
.format(edx_video_id=edx_video_id)}
return Response(status=response_status, data=response_payload)
|
patch
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n attrs = 'edx_video_id', 'status'\n missing = [attr for attr in attrs if attr not in request.data]\n if missing:\n return Response(status=status.HTTP_400_BAD_REQUEST, data={'message':\n u'\"{missing}\" params must be specified.'.format(missing=' and '\n .join(missing))})\n edx_video_id = request.data['edx_video_id']\n video_status = request.data['status']\n if video_status not in VALID_VIDEO_STATUSES:\n return Response(status=status.HTTP_400_BAD_REQUEST, data={'message':\n u'\"{status}\" is not a valid Video status.'.format(status=\n video_status)})\n try:\n video = Video.objects.get(edx_video_id=edx_video_id)\n video.status = video_status\n video.save()\n response_status = status.HTTP_200_OK\n response_payload = {}\n except Video.DoesNotExist:\n response_status = status.HTTP_400_BAD_REQUEST\n response_payload = {'message':\n u'Video is not found for specified edx_video_id: {edx_video_id}'\n .format(edx_video_id=edx_video_id)}\n return Response(status=response_status, data=response_payload)\n",
"role": "user"
},
{
"content": "patch",
"role": "assistant"
}
] |
def x(self, request):
attrs = 'course_id', 'edx_video_id', 'generated_images'
missing = [attr for attr in attrs if attr not in request.data]
if missing:
return Response(status=status.HTTP_400_BAD_REQUEST, data={'message':
u'{missing} must be specified to update a video image.'.format(
missing=' and '.join(missing))})
course_id = request.data['course_id']
edx_video_id = request.data['edx_video_id']
generated_images = request.data['generated_images']
try:
course_video = CourseVideo.objects.select_related('video_image').get(
course_id=six.text_type(course_id), video__edx_video_id=
edx_video_id)
except CourseVideo.DoesNotExist:
return Response(status=status.HTTP_400_BAD_REQUEST, data={'message':
u'CourseVideo not found for course_id: {course_id}'.format(
course_id=course_id)})
try:
VideoImage.create_or_update(course_video, generated_images=
generated_images)
except ValidationError as ex:
return Response(status=status.HTTP_400_BAD_REQUEST, data={'message':
str(ex)})
return Response()
|
post
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n attrs = 'course_id', 'edx_video_id', 'generated_images'\n missing = [attr for attr in attrs if attr not in request.data]\n if missing:\n return Response(status=status.HTTP_400_BAD_REQUEST, data={'message':\n u'{missing} must be specified to update a video image.'.format(\n missing=' and '.join(missing))})\n course_id = request.data['course_id']\n edx_video_id = request.data['edx_video_id']\n generated_images = request.data['generated_images']\n try:\n course_video = CourseVideo.objects.select_related('video_image').get(\n course_id=six.text_type(course_id), video__edx_video_id=\n edx_video_id)\n except CourseVideo.DoesNotExist:\n return Response(status=status.HTTP_400_BAD_REQUEST, data={'message':\n u'CourseVideo not found for course_id: {course_id}'.format(\n course_id=course_id)})\n try:\n VideoImage.create_or_update(course_video, generated_images=\n generated_images)\n except ValidationError as ex:\n return Response(status=status.HTTP_400_BAD_REQUEST, data={'message':\n str(ex)})\n return Response()\n",
"role": "user"
},
{
"content": "post",
"role": "assistant"
}
] |
def x(self, request):
courses = request.data.get('courses')
batch_size = request.data.get('batch_size', 50)
offset = request.data.get('offset', 0)
if courses:
videos = CourseVideo.objects.select_related('video').prefetch_related(
'video__encoded_videos', 'video__encoded_videos__profile').filter(
course_id__in=courses, video__status='file_complete').exclude(
video__encoded_videos__profile__profile_name='hls').values_list(
'video__edx_video_id', flat=True).distinct()
response = Response({'videos': videos}, status=status.HTTP_200_OK)
else:
videos = Video.objects.prefetch_related('encoded_videos',
'encoded_videos__profile').filter(status='file_complete').exclude(
encoded_videos__profile__profile_name='hls').order_by('id'
).values_list('edx_video_id', flat=True).distinct()
response = Response({'videos': videos[offset:offset + batch_size],
'total': videos.count(), 'offset': offset, 'batch_size':
batch_size}, status=status.HTTP_200_OK)
return response
|
post
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n courses = request.data.get('courses')\n batch_size = request.data.get('batch_size', 50)\n offset = request.data.get('offset', 0)\n if courses:\n videos = CourseVideo.objects.select_related('video').prefetch_related(\n 'video__encoded_videos', 'video__encoded_videos__profile').filter(\n course_id__in=courses, video__status='file_complete').exclude(\n video__encoded_videos__profile__profile_name='hls').values_list(\n 'video__edx_video_id', flat=True).distinct()\n response = Response({'videos': videos}, status=status.HTTP_200_OK)\n else:\n videos = Video.objects.prefetch_related('encoded_videos',\n 'encoded_videos__profile').filter(status='file_complete').exclude(\n encoded_videos__profile__profile_name='hls').order_by('id'\n ).values_list('edx_video_id', flat=True).distinct()\n response = Response({'videos': videos[offset:offset + batch_size],\n 'total': videos.count(), 'offset': offset, 'batch_size':\n batch_size}, status=status.HTTP_200_OK)\n return response\n",
"role": "user"
},
{
"content": "post",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.