source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(func, variables, annotations=None):
arg_read_var = []
for arg_name, anno in (annotations or func.__annotations__).items():
if arg_name == 'return':
continue
var, read = _parse_arg(func, variables, arg_name, anno)
arg = Argument(name=arg_name, read=read)
arg_read_var.append((arg, var))
return arg_read_var
| parse_args | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func, variables, annotations=None):\n arg_read_var = []\n for arg_name, anno in (annotations or func.__annotations__).items():\n if arg_name == 'r... |
def x(func, variables, arg_name, anno):
if isinstance(anno, str):
var = variables[anno]
return var, var.read_latest
elif isinstance(anno, list) and len(anno) == 1 and isinstance(anno[0], str
):
var = variables[anno[0]]
return var, var.read_all
raise StartupError('cannot parse annotation %r of parameter %r for %r' %
(anno, arg_name, func))
| parse_arg | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func, variables, arg_name, anno):\n if isinstance(anno, str):\n var = variables[anno]\n return var, var.read_latest\n elif isinstance(anno,... |
def x(func, variables, annotations=None):
anno = (annotations or func.__annotations__).get('return')
if anno is None:
return None
elif isinstance(anno, str):
writeto = variables[anno]
writeto.notify_will_write()
return writeto
elif isinstance(anno, tuple) and all(isinstance(name, str) for name in anno
):
writeto = tuple(variables[name] for name in anno)
for var in writeto:
var.notify_will_write()
return writeto
raise StartupError('cannot parse return annotation %r for %r' % (anno,
func))
| parse_ret | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func, variables, annotations=None):\n anno = (annotations or func.__annotations__).get('return')\n if anno is None:\n return None\n elif isinst... |
def x(kwargs, variables):
writeto = []
for var_name, value in kwargs.items():
var = variables[var_name]
var.notify_will_write()
var.write(value)
writeto.append(var)
return _notify_reader_writes(writeto)
| write_values | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(kwargs, variables):\n writeto = []\n for var_name, value in kwargs.items():\n var = variables[var_name]\n var.notify_will_write()\n ... |
def x(writeto):
satisfied = []
for var in writeto:
if var.readable:
for reader in var.readers:
reader.notify_read_ready()
if reader.satisfied:
satisfied.append(reader)
return Closure.sort(satisfied)
| notify_reader_writes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(writeto):\n satisfied = []\n for var in writeto:\n if var.readable:\n for reader in var.readers:\n reader.notify_read_re... |
def x(self):
del self.funcs
del self.variables
del self.variable_values
del self.satisfied
| release | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n del self.funcs\n del self.variables\n del self.variable_values\n del self.satisfied\n",
"role": "user"
},
{
"content": "releas... |
def x(self, name, value):
if not hasattr(self, 'funcs'):
raise StartupError('startup cannot be called again')
self.variable_values[name] = value
| set | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, value):\n if not hasattr(self, 'funcs'):\n raise StartupError('startup cannot be called again')\n self.variable_values[name] = value\n... |
def x(self, **kwargs):
if not hasattr(self, 'funcs'):
raise StartupError('startup cannot be called again')
for name, var in self.variables.items():
var.name = name
self.variable_values.update(kwargs)
for name in self.variable_values:
self.variables[name].name = name
queue = Closure.sort(self.satisfied)
queue.extend(_write_values(self.variable_values, self.variables))
while queue:
closure = queue.pop(0)
writeto = closure.call()
self.funcs.remove(closure.func)
queue.extend(_notify_reader_writes(writeto))
if self.funcs:
raise StartupError('cannot satisfy dependency for %r' % self.funcs)
values = {name: var.read_latest() for name, var in self.variables.items()}
self._release()
return values
| call | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n if not hasattr(self, 'funcs'):\n raise StartupError('startup cannot be called again')\n for name, var in self.variables.items()... |
def x(self, value):
assert self.num_write_waits > 0, self
self.num_write_waits -= 1
self.values.append(value)
if self.readable:
LOG.debug('%s is now readable', self.name)
| write | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n assert self.num_write_waits > 0, self\n self.num_write_waits -= 1\n self.values.append(value)\n if self.readable:\n LOG.debu... |
def x(self):
assert self.satisfied, self
LOG.debug('call %s.%s', self.func.__module__, self.func.__qualname__)
kwargs = {arg.name: arg.read() for arg in self.args}
out_value = self.func(**kwargs)
if self.writeto is None:
writeto = set()
elif isinstance(self.writeto, Variable):
self.writeto.write(out_value)
writeto = {self.writeto}
else:
for var, value in zip(self.writeto, out_value):
var.write(value)
writeto = set(self.writeto)
self._release()
return writeto
| call | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n assert self.satisfied, self\n LOG.debug('call %s.%s', self.func.__module__, self.func.__qualname__)\n kwargs = {arg.name: arg.read() for arg ... |
def x(self, command):
command = wrap(command)
table = self.get_table(command['update'])
es_index = self.es.cluster.get_index(read_only=False, alias=None,
kwargs=self.es.settings)
schema = table.schema
query = {'from': command['update'], 'select': [{'value': '_id'}] + [{
'name': k, 'value': v} for k, v in command.set.items()], 'where':
command.where, 'format': 'list', 'limit': 10000}
results = self.query(query)
if results.data:
content = ''.join(t for r in results.data for _id, row in [(r._id,
r)] for _ in [row.__setitem__('_id', None)] for update in map(
value2json, ({'update': {'_id': _id}}, {'doc': row})) for t in
(update, '\n'))
response = self.es.cluster.post(es_index.path + '/' + '_bulk', data
=content, headers={'Content-Type': 'application/json'}, timeout
=self.settings.timeout, params={'wait_for_active_shards': self.
settings.wait_for_active_shards})
if response.errors:
Log.error('could not update: {{error}}', error=[e.error for i in
response['items'] for e in i.values() if e.status not in (
200, 201)])
if '.' in listwrap(command.clear):
es_filter = self.es.cluster.lang[jx_expression(command.where)
].to_esfilter(schema)
self.es.delete_record(es_filter)
return
es_index.flush()
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, command):\n command = wrap(command)\n table = self.get_table(command['update'])\n es_index = self.es.cluster.get_index(read_only=False, alias=No... |
def x(fileobj, keywords, comment_tags, options):
extractor = TonnikalaExtractor()
for msg in extractor(filename=None, fileobj=fileobj, options=Options()):
msgid = msg.msgid,
prefix = ''
if msg.msgid_plural:
msgid = (msg.msgid_plural,) + msgid
prefix = 'n'
if msg.msgctxt:
msgid = (msg.msgctxt,) + msgid
prefix += 'p'
yield msg.location[1], prefix + 'gettext', msgid, msg.comment
| extract_tonnikala | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fileobj, keywords, comment_tags, options):\n extractor = TonnikalaExtractor()\n for msg in extractor(filename=None, fileobj=fileobj, options=Options()):\... |
def x(self):
self.lvmarker_count = 0
self.geminate_count = 0
self.next_char_info = None
self.next_char_type = None
self.active_vowel = None
self.active_vowel_info = None
self.active_vowel_ro = None
self.active_xvowel = None
self.active_xvowel_info = None
self.active_char = None
self.active_char_info = None
self.active_char_type = None
self.active_dgr_a_info = None
self.active_dgr_b_info = None
self.has_xvowel = False
self.has_digraph_b = False
self.has_u_lvm = False
self.unknown_char = None
| clear_char | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.lvmarker_count = 0\n self.geminate_count = 0\n self.next_char_info = None\n self.next_char_type = None\n self.active_vowel = None\... |
def x(self):
if (self.unknown_strategy == UNKNOWN_INCLUDE and self.unknown_char is not
None):
self._append_to_stack(self.unknown_char)
self.unknown_char = None
| append_unknown_char | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if (self.unknown_strategy == UNKNOWN_INCLUDE and self.unknown_char is not\n None):\n self._append_to_stack(self.unknown_char)\n se... |
def x(self):
if self.active_char is None:
if self.unknown_char is not None:
self._append_unknown_char()
return
char_info = self.active_char_info
char_type = self.active_char_type
char_ro = char_info[0]
xv = self.active_xvowel_info
di_b = self.active_dgr_b_info
gem = self.geminate_count
lvm = self.lvmarker_count
if char_type == VOWEL and len(char_info) >= 3 and xv is not None:
try:
exc = char_info[2]['xv'][xv[0]]
char_ro = exc
except (IndexError, KeyError):
pass
if char_type not in CHAR_TYPES:
raise InvalidCharacterTypeError
if xv is di_b is None and gem == lvm == 0 and char_ro != 'n':
self._append_to_stack(char_ro)
self._append_unknown_char()
self._clear_char()
return
if char_type == CV:
char_gem_cons = char_info[1]
char_cons = char_info[2]
char_lv = char_info[4]
char_apostrophe = ''
if char_ro == 'n' and self.next_char_info is not None:
first_char = None
if self.next_char_type == CV:
first_char = self._char_ro_cons(self.next_char_info, CV)
if self.next_char_type == VOWEL or self.next_char_type == XVOWEL:
first_char = self._char_ro_vowel(self.next_char_info, VOWEL)
if first_char in n_apostrophe:
char_apostrophe = APOSTROPHE_CHAR
if (self.active_dgr_a_info is not None and self.active_dgr_b_info
is not None):
char_cons = self.active_dgr_a_info[0]
gem_cons = char_gem_cons * gem
if xv is not None:
vowel = xv[1] * lvm if lvm > 0 else xv[0]
elif di_b is not None:
vowel = di_b[1] * lvm if lvm > 0 else di_b[0]
else:
vowel = ''
if vowel != '':
char_main = char_cons + char_apostrophe + vowel
elif lvm > 0:
char_main = char_cons + char_apostrophe + char_lv * lvm
else:
char_main = char_ro + char_apostrophe
self._append_to_stack(gem_cons + char_main)
if char_type == VOWEL or char_type == XVOWEL:
char_lv = char_info[1]
if xv is not None:
xv_ro = xv[1] * lvm if lvm > 0 else xv[0]
self._append_to_stack(char_ro + xv_ro)
else:
vowel_ro = char_lv * lvm if lvm > 0 else char_ro
self._append_to_stack(vowel_ro)
self._append_unknown_char()
self._clear_char()
| flush_char | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.active_char is None:\n if self.unknown_char is not None:\n self._append_unknown_char()\n return\n char_info = s... |
def x(self):
char_type = self.active_char_type
if char_type == VOWEL or char_type == CV or self.active_xvowel is None:
return
self._set_char(self.active_xvowel, XVOWEL)
self.active_xvowel = None
self.active_xvowel_info = None
| promote_solitary_xvowel | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n char_type = self.active_char_type\n if char_type == VOWEL or char_type == CV or self.active_xvowel is None:\n return\n self._set_char(... |
def x(self, string):
if self.has_xvowel:
self._promote_solitary_xvowel()
self.unknown_char = string
self._flush_char()
| add_unknown_char | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, string):\n if self.has_xvowel:\n self._promote_solitary_xvowel()\n self.unknown_char = string\n self._flush_char()\n",
"role": "user"... |
def x(self, char):
self._set_char(char, CV)
self.active_dgr_a_info = di_a_lt[char]
| set_digraph_a | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, char):\n self._set_char(char, CV)\n self.active_dgr_a_info = di_a_lt[char]\n",
"role": "user"
},
{
"content": "set_digraph_a",
"rol... |
def x(self, char):
self.has_digraph_b = True
self.active_vowel_ro = di_b_lt[char][0]
self.active_dgr_b_info = di_b_lt[char]
| set_digraph_b | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, char):\n self.has_digraph_b = True\n self.active_vowel_ro = di_b_lt[char][0]\n self.active_dgr_b_info = di_b_lt[char]\n",
"role": "user"
}... |
def x(self, char_info, type):
if type == CV:
return char_info[3]
if type == VOWEL or type == XVOWEL:
return char_info[0]
return None
| char_ro_vowel | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, char_info, type):\n if type == CV:\n return char_info[3]\n if type == VOWEL or type == XVOWEL:\n return char_info[0]\n return None... |
def x(self, char, type):
self.next_char_info = self._char_lookup(char)
self.next_char_type = type
self._flush_char()
self.active_char = char
self.active_char_type = type
self.active_char_info = self._char_lookup(char)
self.active_vowel_ro = self._char_ro_vowel(self.active_char_info, type)
| set_char | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, char, type):\n self.next_char_info = self._char_lookup(char)\n self.next_char_type = type\n self._flush_char()\n self.active_char = char\n ... |
def x(self, vowel):
vowel_info = kana_lt[vowel]
vowel_ro = self.active_vowel_ro
if self._is_long_vowel(vowel_ro, vowel_info[0]):
if vowel_ro == 'u':
self.has_u_lvm = True
self._inc_lvmarker()
else:
self._set_char(vowel, VOWEL)
self.active_vowel_info = vowel_info
self.active_vowel = vowel
| set_vowel | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, vowel):\n vowel_info = kana_lt[vowel]\n vowel_ro = self.active_vowel_ro\n if self._is_long_vowel(vowel_ro, vowel_info[0]):\n if vowel_ro ... |
def x(self, xvowel):
xvowel_info = kana_lt[xvowel]
vowel_info = self.active_vowel_info
dgr_b_info = None
curr_is_n = self.active_vowel_ro == 'n'
if (self.has_u_lvm and xvowel_info is not None and vowel_info is not
None and len(vowel_info) > 2 and vowel_info[2].get('xv') is not
None and vowel_info[2]['xv'].get(xvowel_info[0]) is not None):
self._dec_lvmarker()
former_vowel = self.active_vowel
self.active_vowel_info = None
self._flush_char()
self._set_char(former_vowel, VOWEL)
if self.active_vowel_ro == xvowel_info[0]:
self._inc_lvmarker()
elif self.has_xvowel is True:
self._flush_char()
self._set_char(xvowel, XVOWEL)
return
elif self.has_digraph_b is True:
dgr_b_info = self.active_dgr_b_info
if curr_is_n:
self._set_char(xvowel, XVOWEL)
return
if dgr_b_info is not None:
if self._is_long_vowel(self.active_vowel_ro, dgr_b_info[0]
) or self._is_long_vowel(self.active_dgr_b_info[0], dgr_b_info[0]):
self._inc_lvmarker()
else:
self.active_vowel_ro = self.active_xvowel_info[0]
self._set_char(xvowel, XVOWEL)
else:
self.active_xvowel = xvowel
self.active_xvowel_info = xvowel_info
self.has_xvowel = True
| set_xvowel | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, xvowel):\n xvowel_info = kana_lt[xvowel]\n vowel_info = self.active_vowel_info\n dgr_b_info = None\n curr_is_n = self.active_vowel_ro == 'n'\... |
def x(self, output):
if self.vowel_style == CIRCUMFLEX_STYLE:
try:
output = output.translate(vowels_to_circumflexes)
except TypeError:
pass
if self.uppercase:
output = output.upper()
return output
| postprocess_output | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, output):\n if self.vowel_style == CIRCUMFLEX_STYLE:\n try:\n output = output.translate(vowels_to_circumflexes)\n except TypeE... |
def x(self):
output = self._postprocess_output(''.join(self.stack))
self._clear_char()
self._empty_stack()
if not PYTHON_2:
return output
else:
return unicode(output)
| flush_stack | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n output = self._postprocess_output(''.join(self.stack))\n self._clear_char()\n self._empty_stack()\n if not PYTHON_2:\n return outpu... |
def x(self, input):
if not re.search(preprocess_chars, input):
return input
input = self._add_punctuation_spacing(input)
return input
| preprocess_input | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, input):\n if not re.search(preprocess_chars, input):\n return input\n input = self._add_punctuation_spacing(input)\n return input\n",
... |
def x(self, chars):
chars = self._normalize_dakuten(chars)
chars = self._process_repeaters(chars)
chars = self._perform_replacements(chars)
return chars
| preprocess_chars | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, chars):\n chars = self._normalize_dakuten(chars)\n chars = self._process_repeaters(chars)\n chars = self._perform_replacements(chars)\n retur... |
def x(self, input):
for replacement in punct_spacing:
input = re.sub(replacement[0], replacement[1], input)
return input
| add_punctuation_spacing | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, input):\n for replacement in punct_spacing:\n input = re.sub(replacement[0], replacement[1], input)\n return input\n",
"role": "user"
... |
def x(self, chars):
for n in range(len(chars)):
char = chars[n]
if char in repl:
chars[n] = repl[char]
return list(''.join(chars))
| perform_replacements | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, chars):\n for n in range(len(chars)):\n char = chars[n]\n if char in repl:\n chars[n] = repl[char]\n return list(''.join(c... |
def x(self, chars):
prev = None
prev_n = None
for n in range(len(chars)):
char = chars[n]
if char in dkt:
chars[n] = 0
if prev in dkt_cvs:
chars[prev_n] = dkt_lt[prev]
if char in hdkt:
chars[n] = 0
if prev in hdkt_cvs:
chars[prev_n] = hdkt_lt[prev]
prev = char
prev_n = n
return list(filter(lambda x: x is not 0, chars))
| normalize_dakuten | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, chars):\n prev = None\n prev_n = None\n for n in range(len(chars)):\n char = chars[n]\n if char in dkt:\n chars[n] = 0\... |
def x(self, chars):
prev = None
for n in range(len(chars)):
char = chars[n]
if char in rpts:
chars[n] = prev
if char in drpts:
if prev in dkt_cvs:
chars[n] = dkt_lt[prev]
else:
chars[n] = prev
prev = char
return chars
| process_repeaters | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, chars):\n prev = None\n for n in range(len(chars)):\n char = chars[n]\n if char in rpts:\n chars[n] = prev\n if cha... |
def x(self, input):
input = self._preprocess_input(input)
chars = list(input)
chars = self._preprocess_chars(chars)
chars.append(END_CHAR)
for char in chars:
if char in di_a:
self._set_digraph_a(char)
continue
if char in di_b:
self._set_digraph_b(char)
continue
if char in cvs:
self._set_char(char, CV)
continue
if char in vowels:
self._set_vowel(char)
continue
if char in xvowels:
self._set_xvowel(char)
continue
if char in geminates:
self._inc_geminate()
continue
if char == lvmarker:
self._inc_lvmarker()
continue
if char == WORD_BORDER:
self._flush_char()
continue
if char == END_CHAR:
self._promote_solitary_xvowel()
self._flush_char()
continue
if self.unknown_strategy == UNKNOWN_DISCARD:
continue
if self.unknown_strategy == UNKNOWN_RAISE:
raise UnexpectedCharacterError
if self.unknown_strategy == UNKNOWN_INCLUDE:
self._add_unknown_char(char)
return self._flush_stack()
| to_romaji | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, input):\n input = self._preprocess_input(input)\n chars = list(input)\n chars = self._preprocess_chars(chars)\n chars.append(END_CHAR)\n f... |
def x(self, **kwargs):
if hasattr(self, 'get_context_data'):
data = self.get_context_data(**kwargs)
else:
data = kwargs
return data
| get_render_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n if hasattr(self, 'get_context_data'):\n data = self.get_context_data(**kwargs)\n else:\n data = kwargs\n return data\... |
def x(self, request, collect_render_data=True, **kwargs):
assert self.render_type in self.renders
render = self.renders[self.render_type]
if collect_render_data:
kwargs = self.get_render_data(**kwargs)
return render.render(request, **kwargs)
| render | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, collect_render_data=True, **kwargs):\n assert self.render_type in self.renders\n render = self.renders[self.render_type]\n if collect_r... |
def x(cls, **initkwargs):
if not 'render_type' in initkwargs:
initkwargs['render_type'] = 'string'
for key in initkwargs:
if key in cls.http_method_names:
raise TypeError(
u"You tried to pass in the %s method name as a keyword argument to %s(). Don't do that."
% (key, cls.__name__))
if not hasattr(cls, key):
raise TypeError(u'%s() received an invalid keyword %r' % (cls.
__name__, key))
def x(request, *args, **kwargs):
try:
self = cls(**initkwargs)
self.request = request
self.args = args
self.kwargs = kwargs
return self.get_as_string(request, *args, **kwargs)
except http.Http404:
return ''
update_wrapper(view, cls, updated=())
return view
| as_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, **initkwargs):\n if not 'render_type' in initkwargs:\n initkwargs['render_type'] = 'string'\n for key in initkwargs:\n if key in cls.h... |
def x(self, view_object=None):
tags = [force_unicode(self.bundle.get_title())]
back_bundle = self.get_back_bundle()
if back_bundle and back_bundle != self.bundle:
tags.append(force_unicode(back_bundle.get_title()))
if view_object:
tags.append(force_unicode(view_object))
return tags
| get_tags | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, view_object=None):\n tags = [force_unicode(self.bundle.get_title())]\n back_bundle = self.get_back_bundle()\n if back_bundle and back_bundle != ... |
def x(self, **kwargs):
obj = getattr(self, 'object', None)
data = dict(self.extra_render_data)
data.update(kwargs)
data.update({'bundle': self.bundle, 'navigation': self.get_navigation(),
'url_params': self.kwargs, 'user': self.request.user,
'object_header_tmpl': self.object_header_tmpl, 'view_tags':
tag_handler.tags_to_string(self.get_tags(obj))})
if not 'base' in data:
data['base'] = self.base_template
if not 'back_bundle' in data:
data['back_bundle'] = self.get_back_bundle()
return super(CMSView, self).get_render_data(**data)
| get_render_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n obj = getattr(self, 'object', None)\n data = dict(self.extra_render_data)\n data.update(kwargs)\n data.update({'bundle': self.bu... |
def x(self, user):
if user.is_staff and user.is_active:
if user.is_superuser:
return True
elif self.required_groups:
return self._user_in_groups(user, self.required_groups)
elif self.bundle.required_groups:
return self._user_in_groups(user, self.bundle.required_groups)
else:
return True
return False
| can_view | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user):\n if user.is_staff and user.is_active:\n if user.is_superuser:\n return True\n elif self.required_groups:\n ... |
def x(self, request_kwargs=None, **kwargs):
if not request_kwargs:
request_kwargs = getattr(self, 'kwargs', {})
for k in self.bundle.url_params:
if k in request_kwargs and not k in kwargs:
kwargs[k] = request_kwargs[k]
return kwargs
| get_url_kwargs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request_kwargs=None, **kwargs):\n if not request_kwargs:\n request_kwargs = getattr(self, 'kwargs', {})\n for k in self.bundle.url_params:\n... |
def x(self, form_class, fields=None):
attrs = {}
if fields:
fields = set(fields)
for k, f in form_class.base_fields.items():
if fields and not k in fields:
continue
if isinstance(f.widget, widgets.APIModelChoiceWidget) or isinstance(f
.widget, widgets.APIManyChoiceWidget):
field = copy.deepcopy(f)
field.widget.update_links(self.request, self.bundle.admin_site)
attrs[k] = field
if attrs:
form_class = type(form_class.__name__, (form_class,), attrs)
return form_class
| customize_form_widgets | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, form_class, fields=None):\n attrs = {}\n if fields:\n fields = set(fields)\n for k, f in form_class.base_fields.items():\n if fiel... |
def x(self, request, *args, **kwargs):
self.request = request
self.args = args
self.kwargs = kwargs
if not self.can_view(request.user):
raise http.Http404
return super(CMSView, self).dispatch(request, *args, **kwargs)
| dispatch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, *args, **kwargs):\n self.request = request\n self.args = args\n self.kwargs = kwargs\n if not self.can_view(request.user):\n ... |
def x(self, db_field, **kwargs):
overides = self.get_formfield_overrides()
for klass in db_field.__class__.mro():
if klass in overides:
kwargs = dict(overides[klass], **kwargs)
break
mbundle = None
extra = kwargs.pop('widget_kwargs', {})
widget = kwargs.get('widget')
if kwargs.get('widget'):
if widget and isinstance(widget, type) and issubclass(widget,
widgets.APIChoiceWidget):
mbundle = self.bundle.admin_site.get_bundle_for_model(db_field.
rel.to)
if mbundle:
widget = widget(db_field.rel, **extra)
else:
widget = None
if getattr(self, 'prepopulated_fields', None) and not getattr(self,
'object', None) and db_field.name in self.prepopulated_fields:
extra = kwargs.pop('widget_kwargs', {})
attr = extra.pop('attrs', {})
attr['data-source-fields'] = self.prepopulated_fields[db_field.name]
extra['attrs'] = attr
if not widget:
from django.forms.widgets import TextInput
widget = TextInput(**extra)
elif widget and isinstance(widget, type):
widget = widget(**extra)
kwargs['widget'] = widget
field = db_field.formfield(**kwargs)
if mbundle:
field.widget.update_links(self.request, self.bundle.admin_site)
return field
| formfield_for_dbfield | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, db_field, **kwargs):\n overides = self.get_formfield_overrides()\n for klass in db_field.__class__.mro():\n if klass in overides:\n ... |
def x(self, instance, action, action_date=None, url='', update_parent=True):
section = None
if self.bundle:
bundle = self.bundle
while bundle.parent:
bundle = bundle.parent
section = bundle.name
changed_object = instance
bundle = self.bundle
while bundle.object_view == bundle.parent_attr:
bundle = bundle.parent
if update_parent and changed_object.__class__ != bundle._meta.model:
object_view, name = bundle.get_initialized_view_and_name(bundle.
object_view, kwargs=self.kwargs)
changed_object = object_view.get_object()
changed_object.save()
if not section:
section = ''
if url:
url = urlparse.urlparse(url).path
rep = unicode(instance)
if rep:
rep = rep[:255]
log = CMSLog(action=action, url=url, section=section, model_repr=
instance._meta.verbose_name, object_repr=rep, user_name=self.
request.user.username, action_date=action_date)
log.save()
| log_action | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance, action, action_date=None, url='', update_parent=True):\n section = None\n if self.bundle:\n bundle = self.bundle\n while bu... |
def x(self, **filter_kwargs):
filter_kwargs.update(self.base_filter_kwargs)
if filter_kwargs:
return [models.Q(**filter_kwargs)]
return []
| get_filter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **filter_kwargs):\n filter_kwargs.update(self.base_filter_kwargs)\n if filter_kwargs:\n return [models.Q(**filter_kwargs)]\n return []\n"... |
def x(self, **filter_kwargs):
self.parent_object = self.get_parent_object()
if self.queryset is not None:
queryset = self.queryset
if hasattr(queryset, '_clone'):
queryset = queryset._clone()
elif self.model is not None:
queryset = self.model._default_manager.filter()
else:
raise ImproperlyConfigured(
u"'%s' must define 'queryset' or 'model'" % self.__class__.__name__
)
q_objects = self.get_filter(**filter_kwargs)
queryset = queryset.filter()
for q in q_objects:
queryset = queryset.filter(q)
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, **filter_kwargs):\n self.parent_object = self.get_parent_object()\n if self.queryset is not None:\n queryset = self.queryset\n if has... |
def x(self):
if self.parent_field:
if getattr(self.model._meta, 'init_name_map', None):
cache = self.model._meta.init_name_map()
field, mod, direct, m2m = cache[self.parent_field]
elif DJANGO_VERSION[1] >= 10:
field = self.model._meta.get_field(self.parent_field)
m2m = field.is_relation and field.many_to_many
direct = not field.auto_created or field.concrete
else:
field, mod, direct, m2m = self.model._meta.get_field(self.
parent_field)
to = None
field_name = None
if self.parent_lookups is None:
self.parent_lookups = 'pk',
url_params = list(self.bundle.url_params)
if url_params and getattr(self.bundle, 'delegated', False):
url_params = url_params[:-1]
offset = len(url_params) - len(self.parent_lookups)
kwargs = {}
for i in range(len(self.parent_lookups) - 1):
k = url_params[offset + i]
value = self.kwargs[k]
kwargs[self.parent_lookups[i + 1]] = value
main_arg = self.kwargs[url_params[-1]]
main_key = self.parent_lookups[0]
if m2m:
rel = getattr(self.model, self.parent_field)
kwargs[main_key] = main_arg
if direct:
to = rel.field.rel.to
field_name = self.parent_field
else:
try:
from django.db.models.fields.related import ForeignObjectRel
if isinstance(rel.rel, ForeignObjectRel):
to = rel.rel.related_model
else:
to = rel.rel.model
except ImportError:
to = rel.rel.model
field_name = rel.rel.field.name
else:
to = field.rel.to
if main_key == 'pk':
to_field = field.rel.field_name
if to_field == 'vid':
to_field = 'object_id'
else:
to_field = main_key
kwargs[to_field] = main_arg
try:
obj = to.objects.get(**kwargs)
if self.queryset is None:
if m2m:
self.queryset = getattr(obj, field_name)
else:
self.queryset = self.model.objects.filter(**{self.
parent_field: obj})
return obj
except to.DoesNotExist:
raise http.Http404
return None
| get_parent_object | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.parent_field:\n if getattr(self.model._meta, 'init_name_map', None):\n cache = self.model._meta.init_name_map()\n ... |
def x(self, status=messages.INFO, message=None):
if not message:
message = u'%s saved' % self.object
messages.add_message(self.request, status, message)
return message
| write_message | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, status=messages.INFO, message=None):\n if not message:\n message = u'%s saved' % self.object\n messages.add_message(self.request, status, me... |
def x(self, request_kwargs=None, **kwargs):
if not request_kwargs:
request_kwargs = getattr(self, 'kwargs', {})
kwargs = super(ModelCMSView, self).get_url_kwargs(request_kwargs, **kwargs)
obj = kwargs.pop('object', None)
if obj:
kwargs[self.slug_url_kwarg] = getattr(obj, self.slug_field, None)
elif self.slug_url_kwarg in request_kwargs:
kwargs[self.slug_url_kwarg] = request_kwargs[self.slug_url_kwarg]
return kwargs
| get_url_kwargs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request_kwargs=None, **kwargs):\n if not request_kwargs:\n request_kwargs = getattr(self, 'kwargs', {})\n kwargs = super(ModelCMSView, self)... |
def x(self, **kwargs):
kwargs['model_name'] = self.model_name
kwargs['model_name_plural'] = self.model_name_plural
return super(ModelCMSView, self).get_render_data(**kwargs)
| get_render_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n kwargs['model_name'] = self.model_name\n kwargs['model_name_plural'] = self.model_name_plural\n return super(ModelCMSView, self).ge... |
def x(self, db_field, **kwargs):
if isinstance(db_field, fields.OrderField):
kwargs['widget'] = widgets.HiddenTextInput
return super(ListView, self).formfield_for_dbfield(db_field, **kwargs)
| formfield_for_dbfield | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, db_field, **kwargs):\n if isinstance(db_field, fields.OrderField):\n kwargs['widget'] = widgets.HiddenTextInput\n return super(ListView, sel... |
def x(self, **kwargs):
form = None
if self.filter_form:
form = self.filter_form(self.request.GET)
elif self.model and hasattr(self.model._meta, '_is_view'):
form = VersionFilterForm(self.request.GET)
return form
| get_filter_form | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n form = None\n if self.filter_form:\n form = self.filter_form(self.request.GET)\n elif self.model and hasattr(self.model._met... |
def x(self, **filter_kwargs):
q_objects = super(ListView, self).get_filter(**filter_kwargs)
form = self.get_filter_form()
if form:
q_objects.extend(form.get_filter())
return q_objects
| get_filter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **filter_kwargs):\n q_objects = super(ListView, self).get_filter(**filter_kwargs)\n form = self.get_filter_form()\n if form:\n q_objects.... |
def x(self):
if self.form_class or self.change_fields:
params = {'formfield_callback': self.formfield_for_dbfield}
if self.form_class:
fc = self.customize_form_widgets(self.form_class)
params['form'] = fc
if self.change_fields:
params['fields'] = self.change_fields
return model_forms.modelform_factory(self.model, **params)
| get_formset_form_class | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.form_class or self.change_fields:\n params = {'formfield_callback': self.formfield_for_dbfield}\n if self.form_class:\n ... |
def x(self, **kwargs):
form_class = self.get_formset_form_class()
if form_class:
kwargs['formfield_callback'] = self.formfield_for_dbfield
return model_forms.modelformset_factory(self.model, form_class,
fields=self.change_fields, extra=0, **kwargs)
| get_formset_class | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n form_class = self.get_formset_form_class()\n if form_class:\n kwargs['formfield_callback'] = self.formfield_for_dbfield\n ... |
def x(self, data=None, queryset=None):
if not self.can_submit:
return None
FormSet = self.get_formset_class()
if queryset is None:
queryset = self.get_queryset()
if FormSet:
if data:
queryset = self._add_formset_id(data, queryset)
return FormSet(data, queryset=queryset)
| get_formset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data=None, queryset=None):\n if not self.can_submit:\n return None\n FormSet = self.get_formset_class()\n if queryset is None:\n q... |
def x(self, formset):
visible_fields = list(self.display_fields)
if formset:
for x in formset.empty_form.visible_fields():
if not x.name in visible_fields:
visible_fields.append(x.name)
for x in formset.empty_form.hidden_fields():
if x.name in visible_fields:
visible_fields.remove(x.name)
return visible_fields
| get_visible_fields | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, formset):\n visible_fields = list(self.display_fields)\n if formset:\n for x in formset.empty_form.visible_fields():\n if not x.n... |
def x(self, request, **kwargs):
self.object_list = self.get_queryset()
self._verify_list()
sort_field = None
order_type = None
if self.can_sort:
default = None
default_order = helpers.AdminList.ASC
if self.object_list.ordered:
if self.object_list.query.order_by:
default = self.object_list.query.order_by[0]
else:
default = self.object_list.model._meta.ordering[0]
if default.startswith('-'):
default = default[1:]
default_order = helpers.AdminList.DESC
sort_field = request.GET.get('sf', default)
order_type = request.GET.get('ot', default_order)
queryset = self._sort_queryset(self.object_list, sort_field, order_type)
if self.request.method == 'POST' and self.can_submit:
formset = self.get_formset(data=self.request.POST, queryset=queryset)
is_paginated, page, paginator, queryset = self._paginate_queryset(
queryset)
else:
is_paginated, page, paginator, queryset = self._paginate_queryset(
queryset)
formset = self.get_formset(queryset=queryset)
visible_fields = self.get_visible_fields(formset)
adm_list = helpers.AdminList(formset, queryset, visible_fields,
sort_field, order_type, self.model_name)
actions = self.get_action_context(request)
data = {'list': adm_list, 'filter_form': self.get_filter_form(),
'page_obj': page, 'is_paginated': is_paginated, 'show_form': self.
can_submit and formset is not None, 'paginator': paginator,
'checkbox_name': CHECKBOX_NAME, 'actions': actions}
return data
| get_list_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, **kwargs):\n self.object_list = self.get_queryset()\n self._verify_list()\n sort_field = None\n order_type = None\n if self.can_s... |
def x(self, **kwargs):
origin_qs = self._get_query_string(self.request, False)
context = {'query_string': self._get_query_string(self.request),
'origin_qs': self.request.path + origin_qs, 'origin_var': self.
ORIGIN_ARGUMENT, 'action_links': self.get_actions()}
context.update(kwargs)
return context
| get_context_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n origin_qs = self._get_query_string(self.request, False)\n context = {'query_string': self._get_query_string(self.request),\n 'o... |
def x(self, request, *args, **kwargs):
if request.GET.get('type') == 'choices':
self.render_type = 'choices'
self.can_submit = False
data = self.get_list_data(request, **kwargs)
return self.render(request, **data)
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, *args, **kwargs):\n if request.GET.get('type') == 'choices':\n self.render_type = 'choices'\n self.can_submit = False\n data... |
def x(self, request, *args, **kwargs):
msg = None
action = request.POST.get('actions', None)
selected = request.POST.getlist(CHECKBOX_NAME)
if not action == 'None' and action is not None:
if len(selected) > 0:
sel = {CHECKBOX_NAME: ','.join(selected)}
qs = '?' + urlencode(sel)
return self.render(request, redirect_url=action + qs)
data = self.get_list_data(request, **kwargs)
l = data.get('list')
formset = None
if l and l.formset:
formset = l.formset
url = self.request.build_absolute_uri()
if formset:
for form in formset.forms:
if not form.has_changed():
form.cleaned_data = {}
form._errors = {}
if formset and formset.is_valid():
changecount = 0
with transaction.commit_on_success():
for form in formset.forms:
if form.has_changed():
obj = form.save()
changecount += 1
self.log_action(obj, CMSLog.SAVE, url=url,
update_parent=changecount == 1)
return self.render(request, redirect_url=url, message=
'%s items updated' % changecount, collect_render_data=False)
else:
return self.render(request, message=msg, **data)
| post | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, *args, **kwargs):\n msg = None\n action = request.POST.get('actions', None)\n selected = request.POST.getlist(CHECKBOX_NAME)\n if no... |
def x(self):
output = {}
FILE_NAME_RE = '^\\+\\+\\+ (.+)$'
CHANGED_LINES_RE = '^@@ -[0-9,]+ \\+([0-9]+)(?:,([0-9]+))? @@'
current_file_name = None
for line in self.git_wrapper.get_min_diff(self.remote_sha1, self.local_sha1
).split('\n'):
file_name_match = re.match(FILE_NAME_RE, line)
if file_name_match:
current_file_name, = file_name_match.groups()
output[current_file_name] = []
continue
line_number_match = re.match(CHANGED_LINES_RE, line)
if line_number_match:
assert current_file_name
if current_file_name == '/dev/null':
continue
line_start, diff_len = line_number_match.groups()
line_start, diff_len = int(line_start), int(diff_len or 0)
output[current_file_name].append(LinesRange(line_start,
line_start + diff_len))
continue
return output
| get_user_modified_lines | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n output = {}\n FILE_NAME_RE = '^\\\\+\\\\+\\\\+ (.+)$'\n CHANGED_LINES_RE = '^@@ -[0-9,]+ \\\\+([0-9]+)(?:,([0-9]+))? @@'\n current_file_na... |
def x(self, target_dir):
diff_names = self.git_wrapper.get_diff_names(self.remote_sha1, self.
local_sha1)
files_modified = diff_names.split('\n')
extensions = LINTERS.keys()
for file_path in files_modified:
extension = file_path.split('.')[-1]
if extension not in extensions:
continue
new_file_path = os.path.join(target_dir, file_path)
new_dirname = os.path.dirname(new_file_path)
if not os.path.isdir(new_dirname):
os.makedirs(new_dirname)
with open(new_file_path, 'wb') as fh:
self.git_wrapper.save_content_to_file(file_path, self.local_ref, fh
)
yield new_file_path
| prepare_files | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, target_dir):\n diff_names = self.git_wrapper.get_diff_names(self.remote_sha1, self.\n local_sha1)\n files_modified = diff_names.split('\\n')... |
def x(self):
ping = crontab('* * * * * */20', func=self.send_ping, start=False)
ping.start()
| schedule_ping_frequency | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ping = crontab('* * * * * */20', func=self.send_ping, start=False)\n ping.start()\n",
"role": "user"
},
{
"content": "schedule_ping_... |
def x(*args):
try:
if len(args) and args[0] != _signal.SIGTERM:
Log.warning('exit with {{value}}', value=_describe_exit_codes.
get(args[0], args[0]))
except Exception as _:
pass
finally:
MAIN_THREAD.stop()
| stop_main_thread | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args):\n try:\n if len(args) and args[0] != _signal.SIGTERM:\n Log.warning('exit with {{value}}', value=_describe_exit_codes.\n ... |
def x(please_stop):
try:
import msvcrt
_wait_for_exit_on_windows(please_stop)
except:
pass
cr_count = 0
while not please_stop:
if cr_count > 30:
(Till(seconds=3) | please_stop).wait()
try:
line = sys.stdin.readline()
except Exception as e:
Except.wrap(e)
if 'Bad file descriptor' in e:
_wait_for_interrupt(please_stop)
break
if line == '':
cr_count += 1
else:
cr_count = -1000000
if line.strip() == 'exit':
Log.alert("'exit' Detected! Stopping...")
return
| wait_for_exit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(please_stop):\n try:\n import msvcrt\n _wait_for_exit_on_windows(please_stop)\n except:\n pass\n cr_count = 0\n while not plea... |
def x(self, target, *args, **kwargs):
t = Thread.run(target.__name__, target, *args, **kwargs)
self.threads.append(t)
| add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, target, *args, **kwargs):\n t = Thread.run(target.__name__, target, *args, **kwargs)\n self.threads.append(t)\n",
"role": "user"
},
{
"... |
def x(self):
global DEBUG
self_thread = Thread.current()
if self_thread != MAIN_THREAD or self_thread != self:
Log.error('Only the main thread can call stop() on main thread')
DEBUG = True
self.please_stop.go()
join_errors = []
with self.child_lock:
children = copy(self.children)
for c in reversed(children):
DEBUG and c.name and Log.note('Stopping thread {{name|quote}}',
name=c.name)
try:
c.stop()
except Exception as e:
join_errors.append(e)
for c in children:
DEBUG and c.name and Log.note('Joining on thread {{name|quote}}',
name=c.name)
try:
c.join()
except Exception as e:
join_errors.append(e)
DEBUG and c.name and Log.note('Done join on thread {{name|quote}}',
name=c.name)
if join_errors:
Log.error('Problem while stopping {{name|quote}}', name=self.name,
cause=unwraplist(join_errors))
self.stop_logging()
self.timers.stop()
self.timers.join()
write_profiles(self.cprofiler)
DEBUG and Log.note('Thread {{name|quote}} now stopped', name=self.name)
sys.exit()
| stop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n global DEBUG\n self_thread = Thread.current()\n if self_thread != MAIN_THREAD or self_thread != self:\n Log.error('Only the main threa... |
def x(self, please_stop=False, allow_exit=False, wait_forever=True):
self_thread = Thread.current()
if self_thread != MAIN_THREAD or self_thread != self:
Log.error(
'Only the main thread can sleep forever (waiting for KeyboardInterrupt)'
)
if isinstance(please_stop, Signal):
self.please_stop.on_go(please_stop.go)
please_stop.on_go(self.please_stop.go)
else:
please_stop = self.please_stop
if not wait_forever:
with self_thread.child_lock:
pending = copy(self_thread.children)
children_done = AndSignals(please_stop, len(pending))
children_done.signal.on_go(self.please_stop.go)
for p in pending:
p.stopped.on_go(children_done.done)
try:
if allow_exit:
_wait_for_exit(please_stop)
else:
_wait_for_interrupt(please_stop)
except KeyboardInterrupt as _:
Log.alert('SIGINT Detected! Stopping...')
except SystemExit as _:
Log.alert('SIGTERM Detected! Stopping...')
finally:
self.stop()
| wait_for_shutdown_signal | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, please_stop=False, allow_exit=False, wait_forever=True):\n self_thread = Thread.current()\n if self_thread != MAIN_THREAD or self_thread != self:\n... |
def x(self):
with self.child_lock:
children = copy(self.children)
for c in children:
DEBUG and c.name and Log.note('Stopping thread {{name|quote}}',
name=c.name)
c.stop()
self.please_stop.go()
DEBUG and Log.note('Thread {{name|quote}} got request to stop', name=
self.name)
| stop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n with self.child_lock:\n children = copy(self.children)\n for c in children:\n DEBUG and c.name and Log.note('Stopping thread {{nam... |
def x(self, till=None):
if self is Thread:
Log.error('Thread.join() is not a valid call, use t.join()')
with self.child_lock:
children = copy(self.children)
for c in children:
c.join(till=till)
DEBUG and Log.note('{{parent|quote}} waiting on thread {{child|quote}}',
parent=Thread.current().name, child=self.name)
(self.stopped | till).wait()
if self.stopped:
self.parent.remove_child(self)
if not self.end_of_thread.exception:
return self.end_of_thread.response
else:
Log.error('Thread {{name|quote}} did not end well', name=self.
name, cause=self.end_of_thread.exception)
else:
raise Except(context=THREAD_TIMEOUT)
| join | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, till=None):\n if self is Thread:\n Log.error('Thread.join() is not a valid call, use t.join()')\n with self.child_lock:\n children = ... |
def x(d):
output = {}
for k, v in unwrap(d).items():
output[v] = output.get(v, [])
output[v].append(k)
return output
| inverse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d):\n output = {}\n for k, v in unwrap(d).items():\n output[v] = output.get(v, [])\n output[v].append(k)\n return output\n",
"role":... |
def x(keys, values):
output = Data()
for i, k in enumerate(keys):
if i >= len(values):
break
output[k] = values[i]
return output
| zip | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(keys, values):\n output = Data()\n for i, k in enumerate(keys):\n if i >= len(values):\n break\n output[k] = values[i]\n retu... |
def x(field):
if field == '.' or field == None:
return '.', '.'
elif '.' in field:
if '\\.' in field:
return tuple(k.replace('\x07', '.') for k in field.replace(
'\\.', '\x07').split('.', 1))
else:
return field.split('.', 1)
else:
return field, '.'
| tail_field | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(field):\n if field == '.' or field == None:\n return '.', '.'\n elif '.' in field:\n if '\\\\.' in field:\n return tuple(k.repla... |
def x(field):
if field == '.' or field == None:
return []
elif is_text(field) and '.' in field:
if field.startswith('..'):
remainder = field.lstrip('.')
back = len(field) - len(remainder) - 1
return [-1] * back + [k.replace('\x07', '.') for k in remainder
.replace('\\.', '\x07').split('.')]
else:
return [k.replace('\x07', '.') for k in field.replace('\\.',
'\x07').split('.')]
else:
return [field]
| split_field | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(field):\n if field == '.' or field == None:\n return []\n elif is_text(field) and '.' in field:\n if field.startswith('..'):\n r... |
def x(path):
output = '.'.join([f.replace('.', '\\.') for f in path if f != None])
return output if output else '.'
| join_field | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n output = '.'.join([f.replace('.', '\\\\.') for f in path if f != None])\n return output if output else '.'\n",
"role": "user"
},
{
"... |
def x(field, prefix):
if prefix.startswith('.'):
return True
if field.startswith(prefix):
if len(field) == len(prefix) or field[len(prefix)] == '.':
return True
return False
| startswith_field | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(field, prefix):\n if prefix.startswith('.'):\n return True\n if field.startswith(prefix):\n if len(field) == len(prefix) or field[len(prefi... |
def x(field, parent):
if parent == '.':
return field
field_path = split_field(field)
parent_path = split_field(parent)
common = 0
for f, p in _builtin_zip(field_path, parent_path):
if f != p:
break
common += 1
if len(parent_path) == common:
return join_field(field_path[common:])
else:
dots = '.' * (len(parent_path) - common)
return dots + '.' + join_field(field_path[common:])
| relative_field | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(field, parent):\n if parent == '.':\n return field\n field_path = split_field(field)\n parent_path = split_field(parent)\n common = 0\n f... |
def x(obj, key, value):
v = obj.get(key)
if v == None:
obj[key] = value
return value
return v
| setdefault | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, key, value):\n v = obj.get(key)\n if v == None:\n obj[key] = value\n return value\n return v\n",
"role": "user"
},
{
"c... |
def x(*params):
p0 = params[0]
agg = p0 if p0 or _get(p0, CLASS) in data_types else {}
for p in params[1:]:
p = unwrap(p)
if p is None:
continue
_all_default(agg, p, seen={})
return wrap(agg)
| set_default | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*params):\n p0 = params[0]\n agg = p0 if p0 or _get(p0, CLASS) in data_types else {}\n for p in params[1:]:\n p = unwrap(p)\n if p is No... |
def x(d, default, seen=None):
if default is None:
return
if _get(default, CLASS) is Data:
default = object.__getattribute__(default, SLOT)
for k, default_value in default.items():
default_value = unwrap(default_value)
existing_value = _get_attr(d, [k])
if existing_value == None:
if default_value != None:
if _get(default_value, CLASS) in data_types:
df = seen.get(id(default_value))
if df is not None:
_set_attr(d, [k], df)
else:
copy_dict = {}
seen[id(default_value)] = copy_dict
_set_attr(d, [k], copy_dict)
_all_default(copy_dict, default_value, seen)
else:
try:
_set_attr(d, [k], default_value)
except Exception as e:
if PATH_NOT_FOUND not in e:
get_logger().error('Can not set attribute {{name}}'
, name=k, cause=e)
elif is_list(existing_value) or is_list(default_value):
_set_attr(d, [k], None)
_set_attr(d, [k], listwrap(existing_value) + listwrap(
default_value))
elif (hasattr(existing_value, '__setattr__') or _get(existing_value,
CLASS) in data_types) and _get(default_value, CLASS) in data_types:
df = seen.get(id(default_value))
if df is not None:
_set_attr(d, [k], df)
else:
seen[id(default_value)] = existing_value
_all_default(existing_value, default_value, seen)
| all_default | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d, default, seen=None):\n if default is None:\n return\n if _get(default, CLASS) is Data:\n default = object.__getattribute__(default, SLOT... |
def x(obj, key):
try:
return obj[key]
except Exception as f:
pass
try:
return getattr(obj, key)
except Exception as f:
pass
try:
if float(key) == round(float(key), 0):
return obj[int(key)]
except Exception as f:
pass
return NullType(obj, key)
| getdefault | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, key):\n try:\n return obj[key]\n except Exception as f:\n pass\n try:\n return getattr(obj, key)\n except Exception as f:... |
def x(obj, path, value):
try:
return _set_attr(obj, split_field(path), value)
except Exception as e:
Log = get_logger()
if PATH_NOT_FOUND in e:
Log.warning(PATH_NOT_FOUND + ': {{path}}', path=path, cause=e)
else:
Log.error('Problem setting value', cause=e)
| set_attr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, path, value):\n try:\n return _set_attr(obj, split_field(path), value)\n except Exception as e:\n Log = get_logger()\n if PATH_... |
def x(obj, path):
try:
return _get_attr(obj, split_field(path))
except Exception as e:
Log = get_logger()
if PATH_NOT_FOUND in e:
Log.error(PATH_NOT_FOUND + ': {{path}}', path=path, cause=e)
else:
Log.error('Problem setting value', e)
| get_attr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, path):\n try:\n return _get_attr(obj, split_field(path))\n except Exception as e:\n Log = get_logger()\n if PATH_NOT_FOUND in e... |
def x(v):
type_ = _get(v, CLASS)
if type_ is dict:
m = object.__new__(Data)
_set(m, SLOT, v)
return m
elif type_ is none_type:
return Null
elif type_ is list:
return FlatList(v)
elif type_ in generator_types:
return FlatList(list(unwrap(vv) for vv in v))
else:
return v
| wrap | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(v):\n type_ = _get(v, CLASS)\n if type_ is dict:\n m = object.__new__(Data)\n _set(m, SLOT, v)\n return m\n elif type_ is none_ty... |
def x(value):
if value == None:
return FlatList()
elif is_list(value):
return wrap(value)
elif isinstance(value, set):
return wrap(list(value))
else:
return wrap([unwrap(value)])
| listwrap | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value):\n if value == None:\n return FlatList()\n elif is_list(value):\n return wrap(value)\n elif isinstance(value, set):\n retu... |
def x(v):
if is_list(v):
if len(v) == 0:
return None
elif len(v) == 1:
return unwrap(v[0])
else:
return unwrap(v)
else:
return unwrap(v)
| unwraplist | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(v):\n if is_list(v):\n if len(v) == 0:\n return None\n elif len(v) == 1:\n return unwrap(v[0])\n else:\n ... |
def x(value):
if isinstance(value, (list, set, tuple) + generator_types):
return tuple(tuplewrap(v) if is_sequence(v) else v for v in value)
return unwrap(value),
| tuplewrap | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value):\n if isinstance(value, (list, set, tuple) + generator_types):\n return tuple(tuplewrap(v) if is_sequence(v) else v for v in value)\n retur... |
def x(x, y):
return [(x - 1, y), (x, y - 1), (x + 1, y - 1), (x + 1, y), (x, y + 1),
(x - 1, y + 1)]
| get_slanted_adjacent_coords | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y):\n return [(x - 1, y), (x, y - 1), (x + 1, y - 1), (x + 1, y), (x, y + 1),\n (x - 1, y + 1)]\n",
"role": "user"
},
{
"content": "ge... |
def x(x, y):
return [(x - 1, y), (x - 1, y - 1), (x, y - 1), (x + 1, y - 1), (x + 1,
y), (x + 1, y + 1), (x, y + 1), (x - 1, y + 1)]
| get_aligned_adjacent_coords | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y):\n return [(x - 1, y), (x - 1, y - 1), (x, y - 1), (x + 1, y - 1), (x + 1,\n y), (x + 1, y + 1), (x, y + 1), (x - 1, y + 1)]\n",
"role": "u... |
def x(layout_str, slanted):
position_table = {}
tokens = layout_str.split()
token_size = len(tokens[0])
x_unit = token_size + 1
adjacency_func = (get_slanted_adjacent_coords if slanted else
get_aligned_adjacent_coords)
assert all(len(token) == token_size for token in tokens
), 'token length mismatch:\n ' + layout_str
for y, line in enumerate(layout_str.split('\n')):
slant = y - 1 if slanted else 0
for token in line.split():
x, remainder = divmod(line.index(token) - slant, x_unit)
assert remainder == 0, 'unexpected x offset for %s in:\n%s' % (
token, layout_str)
position_table[x, y] = token
adjacency_graph = {}
for (x, y), chars in position_table.items():
for char in chars:
adjacency_graph[char] = []
for coord in adjacency_func(x, y):
adjacency_graph[char].append(position_table.get(coord, None))
return adjacency_graph
| build_graph | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(layout_str, slanted):\n position_table = {}\n tokens = layout_str.split()\n token_size = len(tokens[0])\n x_unit = token_size + 1\n adjacency_fu... |
def x(year_data, year_calage, data_bdf, data_cn):
masses = data_cn.merge(data_bdf, left_index=True, right_index=True)
masses.rename(columns={(0): 'conso_bdf{}'.format(year_data)}, inplace=True)
if year_calage != year_data:
masses['ratio_cn{}_cn{}'.format(year_data, year_calage)] = masses[
'consoCN_COICOP_{}'.format(year_calage)] / masses[
'consoCN_COICOP_{}'.format(year_data)]
if year_calage == year_data:
masses['ratio_cn{}_cn{}'.format(year_data, year_calage)] = 1
masses['ratio_bdf{}_cn{}'.format(year_data, year_data)
] = 1000000.0 * masses['consoCN_COICOP_{}'.format(year_data)] / masses[
'conso_bdf{}'.format(year_data)]
return masses
| calcul_ratios_calage | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(year_data, year_calage, data_bdf, data_cn):\n masses = data_cn.merge(data_bdf, left_index=True, right_index=True)\n masses.rename(columns={(0): 'conso_bd... |
def x(depenses, year_data=None):
assert year_data is not None
"""
Récupère les dépenses de budget des familles et les agrège par poste
(en tenant compte des poids respectifs des ménages)
"""
depenses_by_grosposte = pandas.DataFrame()
for grosposte in range(1, 13):
if depenses_by_grosposte is None:
depenses_by_grosposte = depenses['coicop12_{}'.format(grosposte)]
else:
depenses_by_grosposte = concat([depenses_by_grosposte, depenses
['coicop12_{}'.format(grosposte)]], axis=1)
depenses_by_grosposte = concat([depenses_by_grosposte, depenses[
'pondmen']], axis=1)
grospostes_list = set(depenses_by_grosposte.columns)
grospostes_list.remove('pondmen')
dict_bdf_weighted_sum_by_grosposte = {}
for grosposte in grospostes_list:
depenses_by_grosposte['{}pond'.format(grosposte)
] = depenses_by_grosposte[grosposte] * depenses_by_grosposte[
'pondmen']
dict_bdf_weighted_sum_by_grosposte[grosposte] = depenses_by_grosposte[
'{}pond'.format(grosposte)].sum()
df_bdf_weighted_sum_by_grosposte = pandas.DataFrame(pandas.Series(data=
dict_bdf_weighted_sum_by_grosposte, index=
dict_bdf_weighted_sum_by_grosposte.keys()))
return df_bdf_weighted_sum_by_grosposte
| get_bdf_data_frames | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(depenses, year_data=None):\n assert year_data is not None\n \"\"\"\n Récupère les dépenses de budget des familles et les agrège par poste\n (en ten... |
def x(app, api_home_dir, api_uri):
from time import sleep
from pyldapi import RegisterRenderer, RegisterOfRegistersRenderer
try:
os.remove(os.path.join(api_home_dir, 'rofr.ttl'))
except FileNotFoundError:
pass
sleep(1)
print('making RofR')
g = Graph()
for rule in app.url_map.iter_rules():
if '<' not in str(rule):
try:
endpoint_func = app.view_functions[rule.endpoint]
except (AttributeError, KeyError):
continue
try:
candidate_register_uri = api_uri + str(rule
) + '?_view=reg&_format=_internal'
test_context = app.test_request_context(candidate_register_uri)
with test_context:
resp = endpoint_func()
except RegOfRegTtlError:
continue
except Exception as e:
raise e
if isinstance(resp, RegisterOfRegistersRenderer):
continue
if isinstance(resp, RegisterRenderer):
with test_context:
try:
resp.format = 'text/html'
html_resp = resp._render_reg_view_html()
except TemplateNotFound:
pass
resp.format = 'application/json'
json_resp = resp._render_reg_view_json()
resp.format = 'text/turtle'
rdf_resp = resp._render_reg_view_rdf()
_filter_register_graph(candidate_register_uri.replace(
'?_view=reg&_format=_internal', ''), rdf_resp, g)
with open(os.path.join(api_home_dir, 'rofr.ttl'), 'w') as f:
f.write(g.serialize(format='text/turtle').decode('utf-8'))
print('finished making RofR')
| make_rofr_rdf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app, api_home_dir, api_uri):\n from time import sleep\n from pyldapi import RegisterRenderer, RegisterOfRegistersRenderer\n try:\n os.remove(os... |
def x(register_uri, g):
import requests
from pyldapi.exceptions import ViewsFormatsException
assert isinstance(g, Graph)
logging.debug('assessing register candidate ' + register_uri.replace(
'?_view=reg&_format=text/turtle', ''))
try:
r = requests.get(register_uri)
print('getting ' + register_uri)
except ViewsFormatsException as e:
return False
if r.status_code == 200:
return _filter_register_graph(register_uri.replace(
'?_view=reg&_format=text/turtle', ''), r, g)
logging.debug('{} returns no HTTP 200'.format(register_uri))
return False
| get_filtered_register_graph | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(register_uri, g):\n import requests\n from pyldapi.exceptions import ViewsFormatsException\n assert isinstance(g, Graph)\n logging.debug('assessing... |
def x(modeladmin, request, queryset):
result = delete_selected(modeladmin, request, queryset)
if not result and hasattr(modeladmin, 'invalidate_cache'):
modeladmin.invalidate_cache(queryset=queryset)
return result
| clear_cache_delete_selected | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(modeladmin, request, queryset):\n result = delete_selected(modeladmin, request, queryset)\n if not result and hasattr(modeladmin, 'invalidate_cache'):\n ... |
def x(self, obj=None, queryset=None, extra=None, force_all=False):
if self.cache_manager:
if queryset != None:
force_all = True
self.cache_manager.invalidate_cache(self.model, instance=obj, extra
=extra, force_all=force_all)
| invalidate_cache | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj=None, queryset=None, extra=None, force_all=False):\n if self.cache_manager:\n if queryset != None:\n force_all = True\n s... |
def x(self, timeout=0):
if self.linebuffer:
return True
winput, woutput, wexceptions = select.select((self.sock,), (), (), timeout)
return winput != []
| waiting | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout=0):\n if self.linebuffer:\n return True\n winput, woutput, wexceptions = select.select((self.sock,), (), (), timeout)\n return wi... |
def x(self):
if self.verbose > 1:
sys.stderr.write('poll: reading from daemon...\n')
eol = self.linebuffer.find('\n')
if eol == -1:
frag = self.sock.recv(4096)
self.linebuffer += frag
if self.verbose > 1:
sys.stderr.write('poll: read complete.\n')
if not self.linebuffer:
if self.verbose > 1:
sys.stderr.write('poll: returning -1.\n')
return -1
eol = self.linebuffer.find('\n')
if eol == -1:
if self.verbose > 1:
sys.stderr.write('poll: returning 0.\n')
return 0
elif self.verbose > 1:
sys.stderr.write('poll: fetching from buffer.\n')
eol += 1
self.response = self.linebuffer[:eol]
self.linebuffer = self.linebuffer[eol:]
if not self.response:
return -1
if self.verbose:
sys.stderr.write('poll: data is %s\n' % repr(self.response))
self.received = time.time()
return len(self.response)
| read | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.verbose > 1:\n sys.stderr.write('poll: reading from daemon...\\n')\n eol = self.linebuffer.find('\\n')\n if eol == -1:\n ... |
def x(self, commands):
if not commands.endswith('\n'):
commands += '\n'
self.sock.send(commands)
| send | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, commands):\n if not commands.endswith('\\n'):\n commands += '\\n'\n self.sock.send(commands)\n",
"role": "user"
},
{
"content": ... |
def x(self, flags=0, devpath=None):
if flags & WATCH_DISABLE:
arg = '?WATCH={"enable":false'
if flags & WATCH_JSON:
arg += ',"json":false'
if flags & WATCH_NMEA:
arg += ',"nmea":false'
if flags & WATCH_RARE:
arg += ',"raw":1'
if flags & WATCH_RAW:
arg += ',"raw":2'
if flags & WATCH_SCALED:
arg += ',"scaled":false'
if flags & WATCH_TIMING:
arg += ',"timing":false'
else:
arg = '?WATCH={"enable":true'
if flags & WATCH_JSON:
arg += ',"json":true'
if flags & WATCH_NMEA:
arg += ',"nmea":true'
if flags & WATCH_RAW:
arg += ',"raw":1'
if flags & WATCH_RARE:
arg += ',"raw":0'
if flags & WATCH_SCALED:
arg += ',"scaled":true'
if flags & WATCH_TIMING:
arg += ',"timing":true'
if flags & WATCH_DEVICE:
arg += ',"device":"%s"' % devpath
return self.send(arg + '}')
| stream | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, flags=0, devpath=None):\n if flags & WATCH_DISABLE:\n arg = '?WATCH={\"enable\":false'\n if flags & WATCH_JSON:\n arg += ',\"... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.