source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, scratch, **kwargs):
results = Counter()
for script in self.iter_scripts(scratch):
gen = self.iter_blocks(script.blocks)
name = 'start'
level = None
while name != '':
if name in self.ANIMATION:
gen, count = self._check_animation(name, level, gen)
results.update(count)
name, level, _ = next(gen, ('', 0, ''))
return {'animation': results}
| analyze | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, scratch, **kwargs):\n results = Counter()\n for script in self.iter_scripts(scratch):\n gen = self.iter_blocks(script.blocks)\n name = 'start'\n level = None\n while name != '':\n if name in self.ANIMATION:\n gen, count = self._check_animation(name, level, gen)\n results.update(count)\n name, level, _ = next(gen, ('', 0, ''))\n return {'animation': results}\n",
"role": "user"
},
{
"content": "analyze",
"role": "assistant"
}
] |
def x(self, script_list):
events = defaultdict(set)
for script in script_list:
if self.script_start_type(script) == self.HAT_WHEN_I_RECEIVE:
event = script.blocks[0].args[0].lower()
events[event].add(script)
return events
| get_receive | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, script_list):\n events = defaultdict(set)\n for script in script_list:\n if self.script_start_type(script) == self.HAT_WHEN_I_RECEIVE:\n event = script.blocks[0].args[0].lower()\n events[event].add(script)\n return events\n",
"role": "user"
},
{
"content": "get_receive",
"role": "assistant"
}
] |
def x(self, scratch, **kwargs):
all_scripts = list(self.iter_scripts(scratch))
results = defaultdict(set)
broadcast = dict((x, self.get_broadcast_events(x)) for x in all_scripts)
correct = self.get_receive(all_scripts)
results['never broadcast'] = set(correct.keys())
for script, events in broadcast.items():
for event in events.keys():
if event is True:
results['dynamic broadcast'].add(script.morph.name)
del events[event]
elif event in correct:
results['never broadcast'].discard(event)
else:
results['never received'].add(event)
for event in correct.keys():
if event in results['never broadcast']:
del correct[event]
for events in broadcast.values():
if len(events) > 1:
for event in events:
if event in correct:
results['parallel broadcasts'].add(event)
del correct[event]
for event, scripts in correct.items():
if len(scripts) > 1:
for script in scripts:
for _, _, block in self.iter_blocks(script.blocks):
if block.type.shape == 'stack':
results['multiple receivers with delay'].add(event)
if event in correct:
del correct[event]
results['success'] = set(correct.keys())
return {'broadcast': results}
| analyze | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, scratch, **kwargs):\n all_scripts = list(self.iter_scripts(scratch))\n results = defaultdict(set)\n broadcast = dict((x, self.get_broadcast_events(x)) for x in all_scripts)\n correct = self.get_receive(all_scripts)\n results['never broadcast'] = set(correct.keys())\n for script, events in broadcast.items():\n for event in events.keys():\n if event is True:\n results['dynamic broadcast'].add(script.morph.name)\n del events[event]\n elif event in correct:\n results['never broadcast'].discard(event)\n else:\n results['never received'].add(event)\n for event in correct.keys():\n if event in results['never broadcast']:\n del correct[event]\n for events in broadcast.values():\n if len(events) > 1:\n for event in events:\n if event in correct:\n results['parallel broadcasts'].add(event)\n del correct[event]\n for event, scripts in correct.items():\n if len(scripts) > 1:\n for script in scripts:\n for _, _, block in self.iter_blocks(script.blocks):\n if block.type.shape == 'stack':\n results['multiple receivers with delay'].add(event)\n if event in correct:\n del correct[event]\n results['success'] = set(correct.keys())\n return {'broadcast': results}\n",
"role": "user"
},
{
"content": "analyze",
"role": "assistant"
}
] |
def x(self, scratch, **kwargs):
errors = Counter()
for script in self.iter_scripts(scratch):
prev_name, prev_depth, prev_block = '', 0, script.blocks[0]
gen = self.iter_blocks(script.blocks)
for name, depth, block in gen:
if prev_depth == depth:
if prev_name in self.SAY_THINK:
if name == 'play sound %s until done':
if not self.is_blank(prev_block.args[0]):
errors += self.check(gen)
elif prev_name in self.SAY_THINK_DURATION and 'play sound %s' in name:
errors['1'] += 1
elif prev_name == 'play sound %s':
if name in self.SAY_THINK:
errors[self.INCORRECT] += 1
elif name in self.SAY_THINK_DURATION:
if self.is_blank(block.args[0]):
errors[self.ERROR] += 1
else:
errors[self.HACKISH] += 1
elif prev_name == 'play sound %s until done' and name in self.ALL_SAY_THINK:
if not self.is_blank(block.args[0]):
errors[self.INCORRECT] += 1
prev_name, prev_depth, prev_block = name, depth, block
return {'sound': errors}
| analyze | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, scratch, **kwargs):\n errors = Counter()\n for script in self.iter_scripts(scratch):\n prev_name, prev_depth, prev_block = '', 0, script.blocks[0]\n gen = self.iter_blocks(script.blocks)\n for name, depth, block in gen:\n if prev_depth == depth:\n if prev_name in self.SAY_THINK:\n if name == 'play sound %s until done':\n if not self.is_blank(prev_block.args[0]):\n errors += self.check(gen)\n elif prev_name in self.SAY_THINK_DURATION and 'play sound %s' in name:\n errors['1'] += 1\n elif prev_name == 'play sound %s':\n if name in self.SAY_THINK:\n errors[self.INCORRECT] += 1\n elif name in self.SAY_THINK_DURATION:\n if self.is_blank(block.args[0]):\n errors[self.ERROR] += 1\n else:\n errors[self.HACKISH] += 1\n elif prev_name == 'play sound %s until done' and name in self.ALL_SAY_THINK:\n if not self.is_blank(block.args[0]):\n errors[self.INCORRECT] += 1\n prev_name, prev_depth, prev_block = name, depth, block\n return {'sound': errors}\n",
"role": "user"
},
{
"content": "analyze",
"role": "assistant"
}
] |
def x(self, gen):
retval = Counter()
name, _, block = next(gen, ('', 0, ''))
if name in self.SAY_THINK:
if self.is_blank(block.args[0]):
retval[self.CORRECT] += 1
else:
name, _, block = next(gen, ('', 0, ''))
if name == 'play sound %s until done':
retval[self.CORRECT] += 1
retval += self.check(gen)
else:
retval[self.INCORRECT] += 1
else:
retval[self.INCORRECT] += 1
return retval
| check | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, gen):\n retval = Counter()\n name, _, block = next(gen, ('', 0, ''))\n if name in self.SAY_THINK:\n if self.is_blank(block.args[0]):\n retval[self.CORRECT] += 1\n else:\n name, _, block = next(gen, ('', 0, ''))\n if name == 'play sound %s until done':\n retval[self.CORRECT] += 1\n retval += self.check(gen)\n else:\n retval[self.INCORRECT] += 1\n else:\n retval[self.INCORRECT] += 1\n return retval\n",
"role": "user"
},
{
"content": "check",
"role": "assistant"
}
] |
def x(err, is_failure, stdout=None, stderr=None):
exctype, value, tb = err
while tb and _is_relevant_tb_level(tb):
tb = tb.tb_next
if is_failure:
length = _count_relevant_tb_levels(tb)
msgLines = traceback.format_exception(exctype, value, tb, length)
else:
msgLines = traceback.format_exception(exctype, value, tb)
encoding = locale.getpreferredencoding()
msgLines = [_decode(line, encoding) for line in msgLines]
if stdout:
if not stdout.endswith('\n'):
stdout += '\n'
msgLines.append(STDOUT_LINE % stdout)
if stderr:
if not stderr.endswith('\n'):
stderr += '\n'
msgLines.append(STDERR_LINE % stderr)
return ''.join(msgLines)
| format_exception | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(err, is_failure, stdout=None, stderr=None):\n exctype, value, tb = err\n while tb and _is_relevant_tb_level(tb):\n tb = tb.tb_next\n if is_failure:\n length = _count_relevant_tb_levels(tb)\n msgLines = traceback.format_exception(exctype, value, tb, length)\n else:\n msgLines = traceback.format_exception(exctype, value, tb)\n encoding = locale.getpreferredencoding()\n msgLines = [_decode(line, encoding) for line in msgLines]\n if stdout:\n if not stdout.endswith('\\n'):\n stdout += '\\n'\n msgLines.append(STDOUT_LINE % stdout)\n if stderr:\n if not stderr.endswith('\\n'):\n stderr += '\\n'\n msgLines.append(STDERR_LINE % stderr)\n return ''.join(msgLines)\n",
"role": "user"
},
{
"content": "format_exception",
"role": "assistant"
}
] |
def x(self):
if self.buffer:
if self._stderr_buffer is None:
self._stderr_buffer = StringIO()
self._stdout_buffer = StringIO()
sys.stdout = self._stdout_buffer
sys.stderr = self._stderr_buffer
| setup_stdout | [
{
"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.buffer:\n if self._stderr_buffer is None:\n self._stderr_buffer = StringIO()\n self._stdout_buffer = StringIO()\n sys.stdout = self._stdout_buffer\n sys.stderr = self._stderr_buffer\n",
"role": "user"
},
{
"content": "setup_stdout",
"role": "assistant"
}
] |
def x(self):
if self.buffer:
if self._mirror_output:
output = sys.stdout.getvalue()
error = sys.stderr.getvalue()
if output:
if not output.endswith('\n'):
output += '\n'
self._original_stdout.write(STDOUT_LINE % output)
if error:
if not error.endswith('\n'):
error += '\n'
self._original_stderr.write(STDERR_LINE % error)
sys.stdout = self._original_stdout
sys.stderr = self._original_stderr
self._stdout_buffer.seek(0)
self._stdout_buffer.truncate()
self._stderr_buffer.seek(0)
self._stderr_buffer.truncate()
| restore_stdout | [
{
"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.buffer:\n if self._mirror_output:\n output = sys.stdout.getvalue()\n error = sys.stderr.getvalue()\n if output:\n if not output.endswith('\\n'):\n output += '\\n'\n self._original_stdout.write(STDOUT_LINE % output)\n if error:\n if not error.endswith('\\n'):\n error += '\\n'\n self._original_stderr.write(STDERR_LINE % error)\n sys.stdout = self._original_stdout\n sys.stderr = self._original_stderr\n self._stdout_buffer.seek(0)\n self._stdout_buffer.truncate()\n self._stderr_buffer.seek(0)\n self._stderr_buffer.truncate()\n",
"role": "user"
},
{
"content": "restore_stdout",
"role": "assistant"
}
] |
def x(self, handler):
self._result_handlers.append(handler)
if self._sorted_handlers:
self._sorted_handlers = None
| add_result_handler | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, handler):\n self._result_handlers.append(handler)\n if self._sorted_handlers:\n self._sorted_handlers = None\n",
"role": "user"
},
{
"content": "add_result_handler",
"role": "assistant"
}
] |
def x(self, result):
for handler in self._handlers:
handler(result)
if self._successful and result.status not in _successful_results:
self._successful = False
| add_result | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, result):\n for handler in self._handlers:\n handler(result)\n if self._successful and result.status not in _successful_results:\n self._successful = False\n",
"role": "user"
},
{
"content": "add_result",
"role": "assistant"
}
] |
def x(self, test, status, exception=None, message=None):
if self.buffer:
stderr = self._stderr_buffer.getvalue()
stdout = self._stdout_buffer.getvalue()
else:
stderr = stdout = None
started_time = self._test_timing.get(self._testcase_to_key(test))
if started_time is None and isinstance(test, ErrorHolder):
started_time = datetime.utcnow()
elif started_time is None:
raise RuntimeError(
'Missing test start! Please report this error as a bug in haas.')
completion_time = datetime.utcnow()
duration = TestDuration(started_time, completion_time)
result = TestResult.from_test_case(test, status, duration=duration,
exception=exception, message=message, stdout=stdout, stderr=stderr)
self.add_result(result)
return result
| handle_result | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, test, status, exception=None, message=None):\n if self.buffer:\n stderr = self._stderr_buffer.getvalue()\n stdout = self._stdout_buffer.getvalue()\n else:\n stderr = stdout = None\n started_time = self._test_timing.get(self._testcase_to_key(test))\n if started_time is None and isinstance(test, ErrorHolder):\n started_time = datetime.utcnow()\n elif started_time is None:\n raise RuntimeError(\n 'Missing test start! Please report this error as a bug in haas.')\n completion_time = datetime.utcnow()\n duration = TestDuration(started_time, completion_time)\n result = TestResult.from_test_case(test, status, duration=duration,\n exception=exception, message=message, stdout=stdout, stderr=stderr)\n self.add_result(result)\n return result\n",
"role": "user"
},
{
"content": "handle_result",
"role": "assistant"
}
] |
def x(self, test, exception):
result = self._handle_result(test, TestCompletionStatus.error,
exception=exception)
self.errors.append(result)
self._mirror_output = True
| addError | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, test, exception):\n result = self._handle_result(test, TestCompletionStatus.error,\n exception=exception)\n self.errors.append(result)\n self._mirror_output = True\n",
"role": "user"
},
{
"content": "addError",
"role": "assistant"
}
] |
def x(self, test, exception):
result = self._handle_result(test, TestCompletionStatus.failure,
exception=exception)
self.failures.append(result)
self._mirror_output = True
| addFailure | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, test, exception):\n result = self._handle_result(test, TestCompletionStatus.failure,\n exception=exception)\n self.failures.append(result)\n self._mirror_output = True\n",
"role": "user"
},
{
"content": "addFailure",
"role": "assistant"
}
] |
def x(self, test, reason):
result = self._handle_result(test, TestCompletionStatus.skipped,
message=reason)
self.skipped.append(result)
| addSkip | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, test, reason):\n result = self._handle_result(test, TestCompletionStatus.skipped,\n message=reason)\n self.skipped.append(result)\n",
"role": "user"
},
{
"content": "addSkip",
"role": "assistant"
}
] |
def x(self, test, exception):
result = self._handle_result(test, TestCompletionStatus.
expected_failure, exception=exception)
self.expectedFailures.append(result)
| addExpectedFailure | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, test, exception):\n result = self._handle_result(test, TestCompletionStatus.\n expected_failure, exception=exception)\n self.expectedFailures.append(result)\n",
"role": "user"
},
{
"content": "addExpectedFailure",
"role": "assistant"
}
] |
def x(self, test):
result = self._handle_result(test, TestCompletionStatus.unexpected_success)
self.unexpectedSuccesses.append(result)
| addUnexpectedSuccess | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, test):\n result = self._handle_result(test, TestCompletionStatus.unexpected_success)\n self.unexpectedSuccesses.append(result)\n",
"role": "user"
},
{
"content": "addUnexpectedSuccess",
"role": "assistant"
}
] |
def x(self, encrypted_key):
if encrypted_key:
try:
new_key = bytes.fromhex(encrypted_key)
if len(self.terminal_key) != len(new_key):
return False
self.terminal_key = self.tmk_cipher.decrypt(new_key)
self.store_terminal_key(raw2str(self.terminal_key))
self.tpk_cipher = DES3.new(self.terminal_key, DES3.MODE_ECB)
self.print_keys()
return True
except ValueError:
return False
return False
| set_terminal_key | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, encrypted_key):\n if encrypted_key:\n try:\n new_key = bytes.fromhex(encrypted_key)\n if len(self.terminal_key) != len(new_key):\n return False\n self.terminal_key = self.tmk_cipher.decrypt(new_key)\n self.store_terminal_key(raw2str(self.terminal_key))\n self.tpk_cipher = DES3.new(self.terminal_key, DES3.MODE_ECB)\n self.print_keys()\n return True\n except ValueError:\n return False\n return False\n",
"role": "user"
},
{
"content": "set_terminal_key",
"role": "assistant"
}
] |
def x(self, clear_pin, card_number):
if not self.terminal_key:
print('Terminal key is not set')
return ''
if self.pinblock_format == '01':
try:
pinblock = bytes.fromhex(get_pinblock(clear_pin, card_number))
except TypeError:
return ''
encrypted_pinblock = self.tpk_cipher.encrypt(pinblock)
return raw2str(encrypted_pinblock)
else:
print('Unsupported PIN Block format')
return ''
| get_encrypted_pin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, clear_pin, card_number):\n if not self.terminal_key:\n print('Terminal key is not set')\n return ''\n if self.pinblock_format == '01':\n try:\n pinblock = bytes.fromhex(get_pinblock(clear_pin, card_number))\n except TypeError:\n return ''\n encrypted_pinblock = self.tpk_cipher.encrypt(pinblock)\n return raw2str(encrypted_pinblock)\n else:\n print('Unsupported PIN Block format')\n return ''\n",
"role": "user"
},
{
"content": "get_encrypted_pin",
"role": "assistant"
}
] |
def x(string, allowed_schemes=None):
if not is_full_string(string):
return False
valid = bool(URL_RE.search(string))
if allowed_schemes:
return valid and any([string.startswith(s) for s in allowed_schemes])
return valid
| is_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string, allowed_schemes=None):\n if not is_full_string(string):\n return False\n valid = bool(URL_RE.search(string))\n if allowed_schemes:\n return valid and any([string.startswith(s) for s in allowed_schemes])\n return valid\n",
"role": "user"
},
{
"content": "is_url",
"role": "assistant"
}
] |
def x(string, card_type=None):
if not is_full_string(string):
return False
if card_type:
if card_type not in CREDIT_CARDS:
raise KeyError('Invalid card type "{}". Valid types are: {}'.
format(card_type, ', '.join(CREDIT_CARDS.keys())))
return bool(CREDIT_CARDS[card_type].search(string))
for c in CREDIT_CARDS:
if CREDIT_CARDS[c].search(string):
return True
return False
| is_credit_card | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string, card_type=None):\n if not is_full_string(string):\n return False\n if card_type:\n if card_type not in CREDIT_CARDS:\n raise KeyError('Invalid card type \"{}\". Valid types are: {}'.\n format(card_type, ', '.join(CREDIT_CARDS.keys())))\n return bool(CREDIT_CARDS[card_type].search(string))\n for c in CREDIT_CARDS:\n if CREDIT_CARDS[c].search(string):\n return True\n return False\n",
"role": "user"
},
{
"content": "is_credit_card",
"role": "assistant"
}
] |
def x(string, separator='_'):
if is_full_string(string):
re_map = {'_': SNAKE_CASE_TEST_RE, '-': SNAKE_CASE_TEST_DASH_RE}
re_template = '^[a-z]+([a-z\\d]+{sign}|{sign}[a-z\\d]+)+[a-z\\d]+$'
r = re_map.get(separator, re.compile(re_template.format(sign=re.
escape(separator))))
return bool(r.search(string))
return False
| is_snake_case | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string, separator='_'):\n if is_full_string(string):\n re_map = {'_': SNAKE_CASE_TEST_RE, '-': SNAKE_CASE_TEST_DASH_RE}\n re_template = '^[a-z]+([a-z\\\\d]+{sign}|{sign}[a-z\\\\d]+)+[a-z\\\\d]+$'\n r = re_map.get(separator, re.compile(re_template.format(sign=re.\n escape(separator))))\n return bool(r.search(string))\n return False\n",
"role": "user"
},
{
"content": "is_snake_case",
"role": "assistant"
}
] |
def x(string):
if not is_full_string(string):
return False
if bool(JSON_WRAPPER_RE.search(string)):
try:
return isinstance(json.loads(string), dict)
except (TypeError, ValueError, OverflowError):
return False
return False
| is_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string):\n if not is_full_string(string):\n return False\n if bool(JSON_WRAPPER_RE.search(string)):\n try:\n return isinstance(json.loads(string), dict)\n except (TypeError, ValueError, OverflowError):\n return False\n return False\n",
"role": "user"
},
{
"content": "is_json",
"role": "assistant"
}
] |
def x(string, strict=True):
if is_full_string(string):
if strict:
return reverse(string) == string
return is_palindrome(SPACES_RE.sub('', string))
return False
| is_palindrome | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string, strict=True):\n if is_full_string(string):\n if strict:\n return reverse(string) == string\n return is_palindrome(SPACES_RE.sub('', string))\n return False\n",
"role": "user"
},
{
"content": "is_palindrome",
"role": "assistant"
}
] |
def x(string):
return is_full_string(string) and set(SPACES_RE.sub('', string)
).issuperset(letters_set)
| is_pangram | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string):\n return is_full_string(string) and set(SPACES_RE.sub('', string)\n ).issuperset(letters_set)\n",
"role": "user"
},
{
"content": "is_pangram",
"role": "assistant"
}
] |
def x(string, sign='-'):
if not is_full_string(string):
return False
rex = '^([a-z\\d]+' + re.escape(sign) + '?)*[a-z\\d]$'
return re.match(rex, string) is not None
| is_slug | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string, sign='-'):\n if not is_full_string(string):\n return False\n rex = '^([a-z\\\\d]+' + re.escape(sign) + '?)*[a-z\\\\d]$'\n return re.match(rex, string) is not None\n",
"role": "user"
},
{
"content": "is_slug",
"role": "assistant"
}
] |
def x(string, separator='_'):
if not is_string(string):
raise TypeError('Expected string')
if not is_camel_case(string):
return string
return CAMEL_CASE_REPLACE_RE.sub(lambda m: m.group(1) + separator, string
).lower()
| camel_case_to_snake | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string, separator='_'):\n if not is_string(string):\n raise TypeError('Expected string')\n if not is_camel_case(string):\n return string\n return CAMEL_CASE_REPLACE_RE.sub(lambda m: m.group(1) + separator, string\n ).lower()\n",
"role": "user"
},
{
"content": "camel_case_to_snake",
"role": "assistant"
}
] |
def x(string, upper_case_first=True, separator='_'):
if not is_string(string):
raise TypeError('Expected string')
if not is_snake_case(string, separator):
return string
re_map = {'_': SNAKE_CASE_REPLACE_RE, '-': SNAKE_CASE_REPLACE_DASH_RE}
r = re_map.get(separator, re.compile('({sign})([a-z\\d])'.format(sign=
re.escape(separator))))
string = r.sub(lambda m: m.group(2).upper(), string)
if upper_case_first:
return string[0].upper() + string[1:]
return string
| snake_case_to_camel | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string, upper_case_first=True, separator='_'):\n if not is_string(string):\n raise TypeError('Expected string')\n if not is_snake_case(string, separator):\n return string\n re_map = {'_': SNAKE_CASE_REPLACE_RE, '-': SNAKE_CASE_REPLACE_DASH_RE}\n r = re_map.get(separator, re.compile('({sign})([a-z\\\\d])'.format(sign=\n re.escape(separator))))\n string = r.sub(lambda m: m.group(2).upper(), string)\n if upper_case_first:\n return string[0].upper() + string[1:]\n return string\n",
"role": "user"
},
{
"content": "snake_case_to_camel",
"role": "assistant"
}
] |
def x(string):
s = sorted(string)
random.shuffle(s)
return ''.join(s)
| shuffle | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string):\n s = sorted(string)\n random.shuffle(s)\n return ''.join(s)\n",
"role": "user"
},
{
"content": "shuffle",
"role": "assistant"
}
] |
def x(string, keep_tag_content=False):
r = HTML_TAG_ONLY_RE if keep_tag_content else HTML_RE
return r.sub('', string)
| strip_html | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string, keep_tag_content=False):\n r = HTML_TAG_ONLY_RE if keep_tag_content else HTML_RE\n return r.sub('', string)\n",
"role": "user"
},
{
"content": "strip_html",
"role": "assistant"
}
] |
def x(string):
def x(regex_match):
return regex_match.group(1)[0]
def x(regex_match):
match = regex_match.group(1)
return match[:-1] + match[2].upper()
def x(regex_match):
return regex_match.group(1).strip() + ' '
def x(regex_match):
return ' ' + regex_match.group(1).strip()
def x(regex_match):
return ' ' + regex_match.group(1).strip() + ' '
def x(regex_match):
return regex_match.group(1).strip()
def x(regex_match):
return regex_match.group(1).replace(' ', '') + ' '
p = PRETTIFY_RE['DUPLICATES'].sub(remove_duplicates, string)
p = PRETTIFY_RE['RIGHT_SPACE'].sub(ensure_right_space_only, p)
p = PRETTIFY_RE['LEFT_SPACE'].sub(ensure_left_space_only, p)
p = PRETTIFY_RE['SPACES_AROUND'].sub(ensure_spaces_around, p)
p = PRETTIFY_RE['SPACES_INSIDE'].sub(remove_internal_spaces, p)
p = PRETTIFY_RE['UPPERCASE_AFTER_SIGN'].sub(
uppercase_first_letter_after_sign, p)
p = PRETTIFY_RE['SAXON_GENITIVE'].sub(fix_saxon_genitive, p)
p = p.strip()
try:
return p[0].capitalize() + p[1:]
except IndexError:
return p
| prettify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string):\n\n def x(regex_match):\n return regex_match.group(1)[0]\n\n def x(regex_match):\n match = regex_match.group(1)\n return match[:-1] + match[2].upper()\n\n def x(regex_match):\n return regex_match.group(1).strip() + ' '\n\n def x(regex_match):\n return ' ' + regex_match.group(1).strip()\n\n def x(regex_match):\n return ' ' + regex_match.group(1).strip() + ' '\n\n def x(regex_match):\n return regex_match.group(1).strip()\n\n def x(regex_match):\n return regex_match.group(1).replace(' ', '') + ' '\n p = PRETTIFY_RE['DUPLICATES'].sub(remove_duplicates, string)\n p = PRETTIFY_RE['RIGHT_SPACE'].sub(ensure_right_space_only, p)\n p = PRETTIFY_RE['LEFT_SPACE'].sub(ensure_left_space_only, p)\n p = PRETTIFY_RE['SPACES_AROUND'].sub(ensure_spaces_around, p)\n p = PRETTIFY_RE['SPACES_INSIDE'].sub(remove_internal_spaces, p)\n p = PRETTIFY_RE['UPPERCASE_AFTER_SIGN'].sub(\n uppercase_first_letter_after_sign, p)\n p = PRETTIFY_RE['SAXON_GENITIVE'].sub(fix_saxon_genitive, p)\n p = p.strip()\n try:\n return p[0].capitalize() + p[1:]\n except IndexError:\n return p\n",
"role": "user"
},
{
"content": "prettify",
"role": "assistant"
}
] |
def x(string, sign='-'):
if not is_string(string):
raise TypeError('Expected string')
try:
string = unicode(string, 'utf-8')
except NameError:
pass
s = NO_LETTERS_OR_NUMBERS_RE.sub(' ', string.lower()).strip()
s = SPACES_RE.sub(sign, s)
s = re.sub(re.escape(sign) + '+', sign, s)
s = unicodedata.normalize('NFD', s).encode('ascii', 'ignore').decode(
'utf-8')
return s
| slugify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string, sign='-'):\n if not is_string(string):\n raise TypeError('Expected string')\n try:\n string = unicode(string, 'utf-8')\n except NameError:\n pass\n s = NO_LETTERS_OR_NUMBERS_RE.sub(' ', string.lower()).strip()\n s = SPACES_RE.sub(sign, s)\n s = re.sub(re.escape(sign) + '+', sign, s)\n s = unicodedata.normalize('NFD', s).encode('ascii', 'ignore').decode(\n 'utf-8')\n return s\n",
"role": "user"
},
{
"content": "slugify",
"role": "assistant"
}
] |
def x(app):
app.setup_extension('nbsphinx')
app.add_source_suffix('.nblink', 'linked_jupyter_notebook')
app.add_source_parser(LinkedNotebookParser)
app.add_config_value('nbsphinx_link_target_root', None, rebuild='env')
return {'version': __version__, 'parallel_read_safe': True}
| setup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app):\n app.setup_extension('nbsphinx')\n app.add_source_suffix('.nblink', 'linked_jupyter_notebook')\n app.add_source_parser(LinkedNotebookParser)\n app.add_config_value('nbsphinx_link_target_root', None, rebuild='env')\n return {'version': __version__, 'parallel_read_safe': True}\n",
"role": "user"
},
{
"content": "setup",
"role": "assistant"
}
] |
def x(self, inputstring, document):
link = json.loads(inputstring)
env = document.settings.env
source_dir = os.path.dirname(env.doc2path(env.docname))
abs_path = os.path.normpath(os.path.join(source_dir, link['path']))
path = utils.relative_path(None, abs_path)
path = nodes.reprunicode(path)
document.settings.record_dependencies.add(path)
env.note_dependency(path)
target_root = env.config.nbsphinx_link_target_root
target = utils.relative_path(target_root, abs_path)
target = nodes.reprunicode(target).replace(os.path.sep, '/')
env.metadata[env.docname]['nbsphinx-link-target'] = target
try:
formats = env.config.nbsphinx_custom_formats
except AttributeError:
pass
else:
formats.setdefault('.nblink', lambda s: nbformat.reads(s,
as_version=_ipynbversion))
try:
include_file = io.FileInput(source_path=path, encoding='utf8')
except UnicodeEncodeError as error:
raise NotebookError(
u"""Problems with linked notebook "%s" path:
Cannot encode input file path "%s" (wrong locale?)."""
% (env.docname, SafeString(path)))
except IOError as error:
raise NotebookError(
u'Problems with linked notebook "%s" path:\n%s.' % (env.docname,
ErrorString(error)))
try:
rawtext = include_file.read()
except UnicodeError as error:
raise NotebookError(u'Problem with linked notebook "%s":\n%s' % (
env.docname, ErrorString(error)))
return super(LinkedNotebookParser, self).parse(rawtext, document)
| parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, inputstring, document):\n link = json.loads(inputstring)\n env = document.settings.env\n source_dir = os.path.dirname(env.doc2path(env.docname))\n abs_path = os.path.normpath(os.path.join(source_dir, link['path']))\n path = utils.relative_path(None, abs_path)\n path = nodes.reprunicode(path)\n document.settings.record_dependencies.add(path)\n env.note_dependency(path)\n target_root = env.config.nbsphinx_link_target_root\n target = utils.relative_path(target_root, abs_path)\n target = nodes.reprunicode(target).replace(os.path.sep, '/')\n env.metadata[env.docname]['nbsphinx-link-target'] = target\n try:\n formats = env.config.nbsphinx_custom_formats\n except AttributeError:\n pass\n else:\n formats.setdefault('.nblink', lambda s: nbformat.reads(s,\n as_version=_ipynbversion))\n try:\n include_file = io.FileInput(source_path=path, encoding='utf8')\n except UnicodeEncodeError as error:\n raise NotebookError(\n u\"\"\"Problems with linked notebook \"%s\" path:\nCannot encode input file path \"%s\" (wrong locale?).\"\"\"\n % (env.docname, SafeString(path)))\n except IOError as error:\n raise NotebookError(\n u'Problems with linked notebook \"%s\" path:\\n%s.' % (env.docname,\n ErrorString(error)))\n try:\n rawtext = include_file.read()\n except UnicodeError as error:\n raise NotebookError(u'Problem with linked notebook \"%s\":\\n%s' % (\n env.docname, ErrorString(error)))\n return super(LinkedNotebookParser, self).parse(rawtext, document)\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(self):
if self.total_duplicate > 0:
print('{} duplicate scripts found'.format(self.total_duplicate))
for duplicate in self.list_duplicate:
print(duplicate)
| finalize | [
{
"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.total_duplicate > 0:\n print('{} duplicate scripts found'.format(self.total_duplicate))\n for duplicate in self.list_duplicate:\n print(duplicate)\n",
"role": "user"
},
{
"content": "finalize",
"role": "assistant"
}
] |
def x(self, scratch, **kwargs):
scripts_set = set()
for script in self.iter_scripts(scratch):
if script[0].type.text == 'define %s':
continue
blocks_list = []
for name, _, _ in self.iter_blocks(script.blocks):
blocks_list.append(name)
blocks_tuple = tuple(blocks_list)
if blocks_tuple in scripts_set:
if len(blocks_list) > 3:
self.total_duplicate += 1
self.list_duplicate.append(blocks_list)
else:
scripts_set.add(blocks_tuple)
| analyze | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, scratch, **kwargs):\n scripts_set = set()\n for script in self.iter_scripts(scratch):\n if script[0].type.text == 'define %s':\n continue\n blocks_list = []\n for name, _, _ in self.iter_blocks(script.blocks):\n blocks_list.append(name)\n blocks_tuple = tuple(blocks_list)\n if blocks_tuple in scripts_set:\n if len(blocks_list) > 3:\n self.total_duplicate += 1\n self.list_duplicate.append(blocks_list)\n else:\n scripts_set.add(blocks_tuple)\n",
"role": "user"
},
{
"content": "analyze",
"role": "assistant"
}
] |
def x(self, system):
request = system.get('request')
if request:
response = request.response
ct = response.content_type
if ct == response.default_content_type:
response.content_type = 'application/json'
| set_content_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, system):\n request = system.get('request')\n if request:\n response = request.response\n ct = response.content_type\n if ct == response.default_content_type:\n response.content_type = 'application/json'\n",
"role": "user"
},
{
"content": "set_content_type",
"role": "assistant"
}
] |
def x(self, value, system):
view = system['view']
enc_class = getattr(view, '_json_encoder', None)
if enc_class is None:
enc_class = get_json_encoder()
return json.dumps(value, cls=enc_class)
| render_response | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, system):\n view = system['view']\n enc_class = getattr(view, '_json_encoder', None)\n if enc_class is None:\n enc_class = get_json_encoder()\n return json.dumps(value, cls=enc_class)\n",
"role": "user"
},
{
"content": "render_response",
"role": "assistant"
}
] |
def x(self, system):
enc_class = getattr(system['view'], '_json_encoder', None)
if enc_class is None:
enc_class = get_json_encoder()
return {'request': system['request'], 'encoder': enc_class}
| get_common_kwargs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, system):\n enc_class = getattr(system['view'], '_json_encoder', None)\n if enc_class is None:\n enc_class = get_json_encoder()\n return {'request': system['request'], 'encoder': enc_class}\n",
"role": "user"
},
{
"content": "get_common_kwargs",
"role": "assistant"
}
] |
def x(self, value, common_kw):
kw = common_kw.copy()
kw['body'] = value
if '_self' in value:
kw['headers'] = [('Location', value['_self'])]
return kw
| get_create_update_kwargs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, common_kw):\n kw = common_kw.copy()\n kw['body'] = value\n if '_self' in value:\n kw['headers'] = [('Location', value['_self'])]\n return kw\n",
"role": "user"
},
{
"content": "get_create_update_kwargs",
"role": "assistant"
}
] |
def x(self, value, system, common_kw):
kw = self._get_create_update_kwargs(value, common_kw)
return JHTTPCreated(**kw)
| render_create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, system, common_kw):\n kw = self._get_create_update_kwargs(value, common_kw)\n return JHTTPCreated(**kw)\n",
"role": "user"
},
{
"content": "render_create",
"role": "assistant"
}
] |
def x(self, value, system, common_kw):
kw = self._get_create_update_kwargs(value, common_kw)
return JHTTPOk('Updated', **kw)
| render_update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, system, common_kw):\n kw = self._get_create_update_kwargs(value, common_kw)\n return JHTTPOk('Updated', **kw)\n",
"role": "user"
},
{
"content": "render_update",
"role": "assistant"
}
] |
def x(self, value, system, common_kw):
if isinstance(value, dict):
return JHTTPOk(extra=value)
msg = 'Deleted {} {}(s) objects'.format(value, system['view'].Model.
__name__)
return JHTTPOk(msg, **common_kw.copy())
| render_delete_many | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, system, common_kw):\n if isinstance(value, dict):\n return JHTTPOk(extra=value)\n msg = 'Deleted {} {}(s) objects'.format(value, system['view'].Model.\n __name__)\n return JHTTPOk(msg, **common_kw.copy())\n",
"role": "user"
},
{
"content": "render_delete_many",
"role": "assistant"
}
] |
def x(self, value, system, common_kw):
msg = 'Updated {} {}(s) objects'.format(value, system['view'].Model.
__name__)
return JHTTPOk(msg, **common_kw.copy())
| render_update_many | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, system, common_kw):\n msg = 'Updated {} {}(s) objects'.format(value, system['view'].Model.\n __name__)\n return JHTTPOk(msg, **common_kw.copy())\n",
"role": "user"
},
{
"content": "render_update_many",
"role": "assistant"
}
] |
def x(self, value, system):
super_call = super(DefaultResponseRendererMixin, self)._render_response
try:
method_name = 'render_{}'.format(system['request'].action)
except (KeyError, AttributeError):
return super_call(value, system)
method = getattr(self, method_name, None)
if method is not None:
common_kw = self._get_common_kwargs(system)
response = method(value, system, common_kw)
system['request'].response = response
return
return super_call(value, system)
| render_response | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, system):\n super_call = super(DefaultResponseRendererMixin, self)._render_response\n try:\n method_name = 'render_{}'.format(system['request'].action)\n except (KeyError, AttributeError):\n return super_call(value, system)\n method = getattr(self, method_name, None)\n if method is not None:\n common_kw = self._get_common_kwargs(system)\n response = method(value, system, common_kw)\n system['request'].response = response\n return\n return super_call(value, system)\n",
"role": "user"
},
{
"content": "render_response",
"role": "assistant"
}
] |
def x(self, request, username, **kw):
if self.credentials_callback:
token = self.credentials_callback(username, request)
api_key = 'ApiKey {}:{}'.format(username, token)
return [('WWW-Authenticate', api_key)]
| remember | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, username, **kw):\n if self.credentials_callback:\n token = self.credentials_callback(username, request)\n api_key = 'ApiKey {}:{}'.format(username, token)\n return [('WWW-Authenticate', api_key)]\n",
"role": "user"
},
{
"content": "remember",
"role": "assistant"
}
] |
def x(self, username, request):
credentials = self._get_credentials(request)
if credentials:
username, api_key = credentials
if self.check:
return self.check(username, api_key, request)
| callback | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username, request):\n credentials = self._get_credentials(request)\n if credentials:\n username, api_key = credentials\n if self.check:\n return self.check(username, api_key, request)\n",
"role": "user"
},
{
"content": "callback",
"role": "assistant"
}
] |
def x(self, request):
authorization = request.headers.get('Authorization')
if not authorization:
return None
try:
authmeth, authbytes = authorization.split(' ', 1)
except ValueError:
return None
if authmeth.lower() != 'apikey':
return None
if six.PY2 or isinstance(authbytes, bytes):
try:
auth = authbytes.decode('utf-8')
except UnicodeDecodeError:
auth = authbytes.decode('latin-1')
else:
auth = authbytes
try:
username, api_key = auth.split(':', 1)
except ValueError:
return None
return username, api_key
| get_credentials | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n authorization = request.headers.get('Authorization')\n if not authorization:\n return None\n try:\n authmeth, authbytes = authorization.split(' ', 1)\n except ValueError:\n return None\n if authmeth.lower() != 'apikey':\n return None\n if six.PY2 or isinstance(authbytes, bytes):\n try:\n auth = authbytes.decode('utf-8')\n except UnicodeDecodeError:\n auth = authbytes.decode('latin-1')\n else:\n auth = authbytes\n try:\n username, api_key = auth.split(':', 1)\n except ValueError:\n return None\n return username, api_key\n",
"role": "user"
},
{
"content": "get_credentials",
"role": "assistant"
}
] |
def x(view_obj):
request = view_obj.request
view_method = getattr(view_obj, request.action)
do_trigger = not (getattr(view_method, '_silent', False) or getattr(
view_obj, '_silent', False))
if do_trigger:
event_kwargs = {'view': view_obj, 'model': view_obj.Model, 'fields':
FieldData.from_dict(view_obj._json_params, view_obj.Model)}
ctx = view_obj.context
if hasattr(ctx, 'pk_field') or isinstance(ctx, DataProxy):
event_kwargs['instance'] = ctx
return event_kwargs
| get_event_kwargs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(view_obj):\n request = view_obj.request\n view_method = getattr(view_obj, request.action)\n do_trigger = not (getattr(view_method, '_silent', False) or getattr(\n view_obj, '_silent', False))\n if do_trigger:\n event_kwargs = {'view': view_obj, 'model': view_obj.Model, 'fields':\n FieldData.from_dict(view_obj._json_params, view_obj.Model)}\n ctx = view_obj.context\n if hasattr(ctx, 'pk_field') or isinstance(ctx, DataProxy):\n event_kwargs['instance'] = ctx\n return event_kwargs\n",
"role": "user"
},
{
"content": "get_event_kwargs",
"role": "assistant"
}
] |
def x(view_obj, events_map):
request = view_obj.request
view_method = getattr(view_obj, request.action)
event_action = getattr(view_method, '_event_action', None
) or request.action
return events_map[event_action]
| get_event_cls | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(view_obj, events_map):\n request = view_obj.request\n view_method = getattr(view_obj, request.action)\n event_action = getattr(view_method, '_event_action', None\n ) or request.action\n return events_map[event_action]\n",
"role": "user"
},
{
"content": "get_event_cls",
"role": "assistant"
}
] |
def x(view_obj, events_map, additional_kw=None):
if additional_kw is None:
additional_kw = {}
event_kwargs = _get_event_kwargs(view_obj)
if event_kwargs is None:
return
event_kwargs.update(additional_kw)
event_cls = _get_event_cls(view_obj, events_map)
event = event_cls(**event_kwargs)
view_obj.request.registry.notify(event)
return event
| trigger_events | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(view_obj, events_map, additional_kw=None):\n if additional_kw is None:\n additional_kw = {}\n event_kwargs = _get_event_kwargs(view_obj)\n if event_kwargs is None:\n return\n event_kwargs.update(additional_kw)\n event_cls = _get_event_cls(view_obj, events_map)\n event = event_cls(**event_kwargs)\n view_obj.request.registry.notify(event)\n return event\n",
"role": "user"
},
{
"content": "trigger_events",
"role": "assistant"
}
] |
def x(config, subscriber, events, model=None):
kwargs = {}
if model is not None:
kwargs['model'] = model
for evt in events:
config.add_subscriber(subscriber, evt, **kwargs)
| subscribe_to_events | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config, subscriber, events, model=None):\n kwargs = {}\n if model is not None:\n kwargs['model'] = model\n for evt in events:\n config.add_subscriber(subscriber, evt, **kwargs)\n",
"role": "user"
},
{
"content": "subscribe_to_events",
"role": "assistant"
}
] |
def x(config, processors, model, field):
before_change_events = (BeforeCreate, BeforeUpdate, BeforeReplace,
BeforeUpdateMany, BeforeRegister)
def x(event, _processors=processors, _field=field):
proc_kw = {'new_value': event.field.new_value, 'instance': event.
instance, 'field': event.field, 'request': event.view.request,
'model': event.model, 'event': event}
for proc_func in _processors:
proc_kw['new_value'] = proc_func(**proc_kw)
event.field.new_value = proc_kw['new_value']
event.set_field_value(_field, proc_kw['new_value'])
for evt in before_change_events:
config.add_subscriber(wrapper, evt, model=model, field=field)
| add_field_processors | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config, processors, model, field):\n before_change_events = (BeforeCreate, BeforeUpdate, BeforeReplace,\n BeforeUpdateMany, BeforeRegister)\n\n def x(event, _processors=processors, _field=field):\n proc_kw = {'new_value': event.field.new_value, 'instance': event.\n instance, 'field': event.field, 'request': event.view.request,\n 'model': event.model, 'event': event}\n for proc_func in _processors:\n proc_kw['new_value'] = proc_func(**proc_kw)\n event.field.new_value = proc_kw['new_value']\n event.set_field_value(_field, proc_kw['new_value'])\n for evt in before_change_events:\n config.add_subscriber(wrapper, evt, model=model, field=field)\n",
"role": "user"
},
{
"content": "add_field_processors",
"role": "assistant"
}
] |
def x(self, field_name, value):
self.view._json_params[field_name] = value
if field_name in self.fields:
self.fields[field_name].new_value = value
return
fields = FieldData.from_dict({field_name: value}, self.model)
self.fields.update(fields)
| set_field_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, field_name, value):\n self.view._json_params[field_name] = value\n if field_name in self.fields:\n self.fields[field_name].new_value = value\n return\n fields = FieldData.from_dict({field_name: value}, self.model)\n self.fields.update(fields)\n",
"role": "user"
},
{
"content": "set_field_value",
"role": "assistant"
}
] |
def x(self, field_name, value):
if self.response is None:
return
if 'data' in self.response:
items = self.response['data']
else:
items = [self.response]
for item in items:
item[field_name] = value
| set_field_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, field_name, value):\n if self.response is None:\n return\n if 'data' in self.response:\n items = self.response['data']\n else:\n items = [self.response]\n for item in items:\n item[field_name] = value\n",
"role": "user"
},
{
"content": "set_field_value",
"role": "assistant"
}
] |
def x(fields):
if not fields:
return fields
if isinstance(fields, six.string_types):
fields = split_strip(fields)
if '_type' not in fields:
fields.append('_type')
return {'_source_include': fields, '_source': True}
| process_fields_param | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fields):\n if not fields:\n return fields\n if isinstance(fields, six.string_types):\n fields = split_strip(fields)\n if '_type' not in fields:\n fields.append('_type')\n return {'_source_include': fields, '_source': True}\n",
"role": "user"
},
{
"content": "process_fields_param",
"role": "assistant"
}
] |
def x(self, response):
code, headers, raw_data = response
if not raw_data:
return
data = json.loads(raw_data)
if not data or not data.get('errors'):
return
try:
error_dict = data['items'][0]['index']
message = error_dict['error']
except (KeyError, IndexError):
return
raise exception_response(400, detail=message)
| catch_index_error | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, response):\n code, headers, raw_data = response\n if not raw_data:\n return\n data = json.loads(raw_data)\n if not data or not data.get('errors'):\n return\n try:\n error_dict = data['items'][0]['index']\n message = error_dict['error']\n except (KeyError, IndexError):\n return\n raise exception_response(400, detail=message)\n",
"role": "user"
},
{
"content": "catch_index_error",
"role": "assistant"
}
] |
def x(cls, force=False):
if getattr(cls, '_mappings_setup', False) and not force:
log.debug(
'ES mappings have been already set up for currently running application. Call `setup_mappings` with `force=True` to perform mappings set up again.'
)
return
log.info('Setting up ES mappings for all existing models')
models = engine.get_document_classes()
try:
for model_name, model_cls in models.items():
if getattr(model_cls, '_index_enabled', False):
es = cls(model_cls.__name__)
es.put_mapping(body=model_cls.get_es_mapping())
except JHTTPBadRequest as ex:
raise Exception(ex.json['extra']['data'])
cls._mappings_setup = True
| setup_mappings | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, force=False):\n if getattr(cls, '_mappings_setup', False) and not force:\n log.debug(\n 'ES mappings have been already set up for currently running application. Call `setup_mappings` with `force=True` to perform mappings set up again.'\n )\n return\n log.info('Setting up ES mappings for all existing models')\n models = engine.get_document_classes()\n try:\n for model_name, model_cls in models.items():\n if getattr(model_cls, '_index_enabled', False):\n es = cls(model_cls.__name__)\n es.put_mapping(body=model_cls.get_es_mapping())\n except JHTTPBadRequest as ex:\n raise Exception(ex.json['extra']['data'])\n cls._mappings_setup = True\n",
"role": "user"
},
{
"content": "setup_mappings",
"role": "assistant"
}
] |
def x(self, documents, operation):
chunk_size = self.chunk_size
start = end = 0
count = len(documents)
while count:
if count < chunk_size:
chunk_size = count
end += chunk_size
bulk = documents[start:end]
operation(documents_actions=bulk)
start += chunk_size
count -= chunk_size
| process_chunks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, documents, operation):\n chunk_size = self.chunk_size\n start = end = 0\n count = len(documents)\n while count:\n if count < chunk_size:\n chunk_size = count\n end += chunk_size\n bulk = documents[start:end]\n operation(documents_actions=bulk)\n start += chunk_size\n count -= chunk_size\n",
"role": "user"
},
{
"content": "process_chunks",
"role": "assistant"
}
] |
def x(self, documents, request=None):
log.info('Trying to index documents of type `{}` missing from `{}` index'
.format(self.doc_type, self.index_name))
if not documents:
log.info('No documents to index')
return
query_kwargs = dict(index=self.index_name, doc_type=self.doc_type,
fields=['_id'], body={'ids': [d['_pk'] for d in documents]})
try:
response = self.api.mget(**query_kwargs)
except IndexNotFoundException:
indexed_ids = set()
else:
indexed_ids = set(d['_id'] for d in response['docs'] if d.get('found'))
documents = [d for d in documents if str(d['_pk']) not in indexed_ids]
if not documents:
log.info('No documents of type `{}` are missing from index `{}`'.
format(self.doc_type, self.index_name))
return
self._bulk('index', documents, request)
| index_missing_documents | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, documents, request=None):\n log.info('Trying to index documents of type `{}` missing from `{}` index'\n .format(self.doc_type, self.index_name))\n if not documents:\n log.info('No documents to index')\n return\n query_kwargs = dict(index=self.index_name, doc_type=self.doc_type,\n fields=['_id'], body={'ids': [d['_pk'] for d in documents]})\n try:\n response = self.api.mget(**query_kwargs)\n except IndexNotFoundException:\n indexed_ids = set()\n else:\n indexed_ids = set(d['_id'] for d in response['docs'] if d.get('found'))\n documents = [d for d in documents if str(d['_pk']) not in indexed_ids]\n if not documents:\n log.info('No documents of type `{}` are missing from index `{}`'.\n format(self.doc_type, self.index_name))\n return\n self._bulk('index', documents, request)\n",
"role": "user"
},
{
"content": "index_missing_documents",
"role": "assistant"
}
] |
def x(self, **params):
_aggregations_params = params.pop('_aggregations_params', None)
_raise_on_empty = params.pop('_raise_on_empty', False)
if not _aggregations_params:
raise Exception('Missing _aggregations_params')
params['_limit'] = 0
search_params = self.build_search_params(params)
search_params.pop('size', None)
search_params.pop('from_', None)
search_params.pop('sort', None)
search_params['body']['aggregations'] = _aggregations_params
log.debug('Performing aggregation: {}'.format(_aggregations_params))
try:
response = self.api.search(**search_params)
except IndexNotFoundException:
if _raise_on_empty:
raise JHTTPNotFound('Aggregation failed: Index does not exist')
return {}
try:
return response['aggregations']
except KeyError:
raise JHTTPNotFound('No aggregations returned from ES')
| aggregate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **params):\n _aggregations_params = params.pop('_aggregations_params', None)\n _raise_on_empty = params.pop('_raise_on_empty', False)\n if not _aggregations_params:\n raise Exception('Missing _aggregations_params')\n params['_limit'] = 0\n search_params = self.build_search_params(params)\n search_params.pop('size', None)\n search_params.pop('from_', None)\n search_params.pop('sort', None)\n search_params['body']['aggregations'] = _aggregations_params\n log.debug('Performing aggregation: {}'.format(_aggregations_params))\n try:\n response = self.api.search(**search_params)\n except IndexNotFoundException:\n if _raise_on_empty:\n raise JHTTPNotFound('Aggregation failed: Index does not exist')\n return {}\n try:\n return response['aggregations']\n except KeyError:\n raise JHTTPNotFound('No aggregations returned from ES')\n",
"role": "user"
},
{
"content": "aggregate",
"role": "assistant"
}
] |
def x(cls, items, request=None, **kwargs):
index_map = defaultdict(set)
for item in items:
relations = item.get_related_documents(**kwargs)
for model_cls, related_items in relations:
indexable = getattr(model_cls, '_index_enabled', False)
if indexable and related_items:
index_map[model_cls.__name__].update(related_items)
for model_name, instances in index_map.items():
cls(model_name).index(to_dicts(instances), request=request)
| bulk_index_relations | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, items, request=None, **kwargs):\n index_map = defaultdict(set)\n for item in items:\n relations = item.get_related_documents(**kwargs)\n for model_cls, related_items in relations:\n indexable = getattr(model_cls, '_index_enabled', False)\n if indexable and related_items:\n index_map[model_cls.__name__].update(related_items)\n for model_name, instances in index_map.items():\n cls(model_name).index(to_dicts(instances), request=request)\n",
"role": "user"
},
{
"content": "bulk_index_relations",
"role": "assistant"
}
] |
def x(path='src/devpy/__init__.py'):
init_content = open(path, 'rt').read()
pattern = '^__version__ = [\'\\"]([^\'\\"]*)[\'\\"]'
return re.search(pattern, init_content, re.M).group(1)
| get_version | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path='src/devpy/__init__.py'):\n init_content = open(path, 'rt').read()\n pattern = '^__version__ = [\\'\\\\\"]([^\\'\\\\\"]*)[\\'\\\\\"]'\n return re.search(pattern, init_content, re.M).group(1)\n",
"role": "user"
},
{
"content": "get_version",
"role": "assistant"
}
] |
def x(self, parser):
for manager in self.hook_managers.values():
if len(list(manager)) == 0:
continue
manager.map(self._add_hook_extension_arguments, parser)
for namespace, manager in self.driver_managers.items():
choices = list(sorted(manager.names()))
if len(choices) == 0:
continue
option, dest = self._namespace_to_option(namespace)
parser.add_argument(option, help=self._help[namespace], dest=dest,
choices=choices, default='default')
option_prefix = '{0}-'.format(option)
dest_prefix = '{0}_'.format(dest)
manager.map(self._add_driver_extension_arguments, parser,
option_prefix, dest_prefix)
| add_plugin_arguments | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parser):\n for manager in self.hook_managers.values():\n if len(list(manager)) == 0:\n continue\n manager.map(self._add_hook_extension_arguments, parser)\n for namespace, manager in self.driver_managers.items():\n choices = list(sorted(manager.names()))\n if len(choices) == 0:\n continue\n option, dest = self._namespace_to_option(namespace)\n parser.add_argument(option, help=self._help[namespace], dest=dest,\n choices=choices, default='default')\n option_prefix = '{0}-'.format(option)\n dest_prefix = '{0}_'.format(dest)\n manager.map(self._add_driver_extension_arguments, parser,\n option_prefix, dest_prefix)\n",
"role": "user"
},
{
"content": "add_plugin_arguments",
"role": "assistant"
}
] |
def x(self, hook, args, **kwargs):
manager = self.hook_managers[hook]
if len(list(manager)) == 0:
return []
return [plugin for plugin in manager.map(self._create_hook_plugin, args,
**kwargs) if plugin is not None]
| get_enabled_hook_plugins | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, hook, args, **kwargs):\n manager = self.hook_managers[hook]\n if len(list(manager)) == 0:\n return []\n return [plugin for plugin in manager.map(self._create_hook_plugin, args,\n **kwargs) if plugin is not None]\n",
"role": "user"
},
{
"content": "get_enabled_hook_plugins",
"role": "assistant"
}
] |
def x(self, namespace, parsed_args, **kwargs):
option, dest = self._namespace_to_option(namespace)
dest_prefix = '{0}_'.format(dest)
driver_name = getattr(parsed_args, dest, 'default')
driver_extension = self.driver_managers[namespace][driver_name]
return driver_extension.plugin.from_args(parsed_args, dest_prefix, **kwargs
)
| get_driver | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, namespace, parsed_args, **kwargs):\n option, dest = self._namespace_to_option(namespace)\n dest_prefix = '{0}_'.format(dest)\n driver_name = getattr(parsed_args, dest, 'default')\n driver_extension = self.driver_managers[namespace][driver_name]\n return driver_extension.plugin.from_args(parsed_args, dest_prefix, **kwargs\n )\n",
"role": "user"
},
{
"content": "get_driver",
"role": "assistant"
}
] |
def x(self):
if self.card:
card_description = self.card.get_description()
else:
card_description = 'Cardless'
if card_description:
card_description += ' | '
return (card_description + self.description if self.description else
card_description + self.type + ' ' + str(self.IsoMessage.FieldData(11))
)
| get_description | [
{
"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.card:\n card_description = self.card.get_description()\n else:\n card_description = 'Cardless'\n if card_description:\n card_description += ' | '\n return (card_description + self.description if self.description else \n card_description + self.type + ' ' + str(self.IsoMessage.FieldData(11))\n )\n",
"role": "user"
},
{
"content": "get_description",
"role": "assistant"
}
] |
def x(self, amount):
if amount:
try:
self.IsoMessage.FieldData(4, int(amount))
except ValueError:
self.IsoMessage.FieldData(4, 0)
self.rebuild()
| set_amount | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, amount):\n if amount:\n try:\n self.IsoMessage.FieldData(4, int(amount))\n except ValueError:\n self.IsoMessage.FieldData(4, 0)\n self.rebuild()\n",
"role": "user"
},
{
"content": "set_amount",
"role": "assistant"
}
] |
def x(self, expected_response_action):
if expected_response_action.upper() not in ['APPROVED', 'APPROVE',
'DECLINED', 'DECLINE']:
return False
self.expected_response_action = expected_response_action.upper()
return True
| set_expected_action | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, expected_response_action):\n if expected_response_action.upper() not in ['APPROVED', 'APPROVE',\n 'DECLINED', 'DECLINE']:\n return False\n self.expected_response_action = expected_response_action.upper()\n return True\n",
"role": "user"
},
{
"content": "set_expected_action",
"role": "assistant"
}
] |
def x(self):
emv_data = ''
emv_data += self.TLV.build({'82': self._get_app_interchange_profile()})
emv_data += self.TLV.build({'9A': get_date()})
emv_data += self.TLV.build({'95': self.term.get_tvr()})
emv_data += self.TLV.build({'9F10': self.card.get_iss_application_data()})
emv_data += self.TLV.build({'9F26': self.card.get_application_cryptogram()}
)
emv_data += self.TLV.build({'9F36': self.card.get_transaction_counter()})
emv_data += self.TLV.build({'9F37': self.term.get_unpredno()})
emv_data += self.TLV.build({'9F1A': self.term.get_country_code()})
return emv_data
| build_emv_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n emv_data = ''\n emv_data += self.TLV.build({'82': self._get_app_interchange_profile()})\n emv_data += self.TLV.build({'9A': get_date()})\n emv_data += self.TLV.build({'95': self.term.get_tvr()})\n emv_data += self.TLV.build({'9F10': self.card.get_iss_application_data()})\n emv_data += self.TLV.build({'9F26': self.card.get_application_cryptogram()}\n )\n emv_data += self.TLV.build({'9F36': self.card.get_transaction_counter()})\n emv_data += self.TLV.build({'9F37': self.term.get_unpredno()})\n emv_data += self.TLV.build({'9F1A': self.term.get_country_code()})\n return emv_data\n",
"role": "user"
},
{
"content": "build_emv_data",
"role": "assistant"
}
] |
def x(self, currency_id):
try:
self.currency = currency_codes[currency_id]
self.IsoMessage.FieldData(49, self.currency)
self.rebuild()
except KeyError:
self.currency = None
| set_currency | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, currency_id):\n try:\n self.currency = currency_codes[currency_id]\n self.IsoMessage.FieldData(49, self.currency)\n self.rebuild()\n except KeyError:\n self.currency = None\n",
"role": "user"
},
{
"content": "set_currency",
"role": "assistant"
}
] |
def x(self):
for name, count in sorted(self.blocks.items(), key=lambda x: x[1]):
print('{:3} {}'.format(count, name))
print('{:3} total'.format(sum(self.blocks.values())))
| finalize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for name, count in sorted(self.blocks.items(), key=lambda x: x[1]):\n print('{:3} {}'.format(count, name))\n print('{:3} total'.format(sum(self.blocks.values())))\n",
"role": "user"
},
{
"content": "finalize",
"role": "assistant"
}
] |
def x(self, scratch, **kwargs):
file_blocks = Counter()
for script in self.iter_scripts(scratch):
for name, _, _ in self.iter_blocks(script.blocks):
file_blocks[name] += 1
self.blocks.update(file_blocks)
return {'types': file_blocks}
| analyze | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, scratch, **kwargs):\n file_blocks = Counter()\n for script in self.iter_scripts(scratch):\n for name, _, _ in self.iter_blocks(script.blocks):\n file_blocks[name] += 1\n self.blocks.update(file_blocks)\n return {'types': file_blocks}\n",
"role": "user"
},
{
"content": "analyze",
"role": "assistant"
}
] |
def x(self, scratch, **kwargs):
self.total_instances += 1
sprites = {}
for sprite, script in self.iter_sprite_scripts(scratch):
if not script.reachable:
sprites.setdefault(sprite, []).append(script)
if sprites:
self.dead_code_instances += 1
import pprint
pprint.pprint(sprites)
variable_event = any(True in self.get_broadcast_events(x) for x in self
.iter_scripts(scratch))
return {'dead_code': {'sprites': sprites, 'variable_event': variable_event}
}
| analyze | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, scratch, **kwargs):\n self.total_instances += 1\n sprites = {}\n for sprite, script in self.iter_sprite_scripts(scratch):\n if not script.reachable:\n sprites.setdefault(sprite, []).append(script)\n if sprites:\n self.dead_code_instances += 1\n import pprint\n pprint.pprint(sprites)\n variable_event = any(True in self.get_broadcast_events(x) for x in self\n .iter_scripts(scratch))\n return {'dead_code': {'sprites': sprites, 'variable_event': variable_event}\n }\n",
"role": "user"
},
{
"content": "analyze",
"role": "assistant"
}
] |
def x(self):
if self.total_instances > 1:
print('{} of {} instances contained dead code.'.format(self.
dead_code_instances, self.total_instances))
| finalize | [
{
"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.total_instances > 1:\n print('{} of {} instances contained dead code.'.format(self.\n dead_code_instances, self.total_instances))\n",
"role": "user"
},
{
"content": "finalize",
"role": "assistant"
}
] |
def x(name):
print('Usage: python3 {} [OPTIONS]... '.format(name))
print('ISO8583 message client')
print(' -v, --verbose\t\tRun transactions verbosely')
print(' -p, --port=[PORT]\t\tTCP port to connect to, 1337 by default')
print(
' -s, --server=[IP]\t\tIP of the ISO host to connect to, 127.0.0.1 by default'
)
print(
' -t, --terminal=[ID]\t\tTerminal ID (used in DE 41 ISO field, 10001337 by default)'
)
print(
' -m, --merchant=[ID]\t\tMerchant ID (used in DE 42 ISO field, 999999999999001 by default)'
)
print(
" -k, --terminal-key=[KEY]\t\tTerminal key ('DEADBEEF DEADBEEF DEADBEEF DEADBEEF' by default)"
)
print(
" -K, --master-key=[KEY]\t\\Master key ('ABABABAB CDCDCDCD EFEFEFEF AEAEAEAE' by default)"
)
print(
' -f, --file=[file.xml]\t\tUse transaction data from the given XML-file'
)
| show_help | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n print('Usage: python3 {} [OPTIONS]... '.format(name))\n print('ISO8583 message client')\n print(' -v, --verbose\\t\\tRun transactions verbosely')\n print(' -p, --port=[PORT]\\t\\tTCP port to connect to, 1337 by default')\n print(\n ' -s, --server=[IP]\\t\\tIP of the ISO host to connect to, 127.0.0.1 by default'\n )\n print(\n ' -t, --terminal=[ID]\\t\\tTerminal ID (used in DE 41 ISO field, 10001337 by default)'\n )\n print(\n ' -m, --merchant=[ID]\\t\\tMerchant ID (used in DE 42 ISO field, 999999999999001 by default)'\n )\n print(\n \" -k, --terminal-key=[KEY]\\t\\tTerminal key ('DEADBEEF DEADBEEF DEADBEEF DEADBEEF' by default)\"\n )\n print(\n \" -K, --master-key=[KEY]\\t\\\\Master key ('ABABABAB CDCDCDCD EFEFEFEF AEAEAEAE' by default)\"\n )\n print(\n ' -f, --file=[file.xml]\\t\\tUse transaction data from the given XML-file'\n )\n",
"role": "user"
},
{
"content": "show_help",
"role": "assistant"
}
] |
def x(self):
self.term.connect()
self._show_available_transactions()
while True:
trxn_type = self._user_input('\nEnter transaction to send: ')
trxn = ''
data = ''
if trxn_type == 'e':
trxn = Transaction('echo', self.card, self.term)
trxn.trace()
elif trxn_type == 'b':
trxn = Transaction('balance', self.card, self.term)
trxn.set_PIN(self._user_input('Enter PIN: '))
trxn.trace()
elif trxn_type == 'p':
default_amount = 20000
amount = self._user_input(
'Enter transaction amount ({} by default): '.format(
default_amount))
if not amount:
amount = default_amount
trxn = Transaction('purchase', self.card, self.term)
trxn.set_PIN(self._user_input('Enter PIN: '))
trxn.set_amount(amount)
trxn.trace()
elif trxn_type == 'q':
break
else:
print('Unknown transaction. Available transactions are:')
self._show_available_transactions()
continue
self.term.send(trxn.get_data(), show_trace=verbosity)
data = self.term.recv(show_trace=verbosity)
IsoMessage = ISO8583(data[2:], IsoSpec1987BPC())
IsoMessage.Print()
self.term.close()
| run_interactive | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.term.connect()\n self._show_available_transactions()\n while True:\n trxn_type = self._user_input('\\nEnter transaction to send: ')\n trxn = ''\n data = ''\n if trxn_type == 'e':\n trxn = Transaction('echo', self.card, self.term)\n trxn.trace()\n elif trxn_type == 'b':\n trxn = Transaction('balance', self.card, self.term)\n trxn.set_PIN(self._user_input('Enter PIN: '))\n trxn.trace()\n elif trxn_type == 'p':\n default_amount = 20000\n amount = self._user_input(\n 'Enter transaction amount ({} by default): '.format(\n default_amount))\n if not amount:\n amount = default_amount\n trxn = Transaction('purchase', self.card, self.term)\n trxn.set_PIN(self._user_input('Enter PIN: '))\n trxn.set_amount(amount)\n trxn.trace()\n elif trxn_type == 'q':\n break\n else:\n print('Unknown transaction. Available transactions are:')\n self._show_available_transactions()\n continue\n self.term.send(trxn.get_data(), show_trace=verbosity)\n data = self.term.recv(show_trace=verbosity)\n IsoMessage = ISO8583(data[2:], IsoSpec1987BPC())\n IsoMessage.Print()\n self.term.close()\n",
"role": "user"
},
{
"content": "run_interactive",
"role": "assistant"
}
] |
def x(start_directory):
top_level = start_directory
while os.path.isfile(os.path.join(top_level, '__init__.py')):
top_level = os.path.dirname(top_level)
if top_level == os.path.dirname(top_level):
raise ValueError("Can't find top level directory")
return os.path.abspath(top_level)
| find_top_level_directory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(start_directory):\n top_level = start_directory\n while os.path.isfile(os.path.join(top_level, '__init__.py')):\n top_level = os.path.dirname(top_level)\n if top_level == os.path.dirname(top_level):\n raise ValueError(\"Can't find top level directory\")\n return os.path.abspath(top_level)\n",
"role": "user"
},
{
"content": "find_top_level_directory",
"role": "assistant"
}
] |
def x(self, start, top_level_directory=None, pattern='test*.py'):
logger.debug('Starting test discovery')
if os.path.isdir(start):
start_directory = start
return self.discover_by_directory(start_directory,
top_level_directory=top_level_directory, pattern=pattern)
elif os.path.isfile(start):
start_filepath = start
return self.discover_by_file(start_filepath, top_level_directory=
top_level_directory)
else:
package_or_module = start
return self.discover_by_module(package_or_module,
top_level_directory=top_level_directory, pattern=pattern)
| discover | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start, top_level_directory=None, pattern='test*.py'):\n logger.debug('Starting test discovery')\n if os.path.isdir(start):\n start_directory = start\n return self.discover_by_directory(start_directory,\n top_level_directory=top_level_directory, pattern=pattern)\n elif os.path.isfile(start):\n start_filepath = start\n return self.discover_by_file(start_filepath, top_level_directory=\n top_level_directory)\n else:\n package_or_module = start\n return self.discover_by_module(package_or_module,\n top_level_directory=top_level_directory, pattern=pattern)\n",
"role": "user"
},
{
"content": "discover",
"role": "assistant"
}
] |
def x(self, module_name, top_level_directory=None, pattern='test*.py'):
if top_level_directory is not None and top_level_directory not in sys.path:
sys.path.insert(0, top_level_directory)
logger.debug(
'Discovering tests by module: module_name=%r, top_level_directory=%r, pattern=%r'
, module_name, top_level_directory, pattern)
try:
module, case_attributes = find_module_by_name(module_name)
except ImportError:
return self.discover_filtered_tests(module_name,
top_level_directory=top_level_directory, pattern=pattern)
dirname, basename = os.path.split(module.__file__)
basename = os.path.splitext(basename)[0]
if len(case_attributes) == 0 and basename == '__init__':
return self.discover_by_directory(dirname, top_level_directory,
pattern=pattern)
elif len(case_attributes) == 0:
return self._loader.load_module(module)
return self.discover_single_case(module, case_attributes)
| discover_by_module | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, module_name, top_level_directory=None, pattern='test*.py'):\n if top_level_directory is not None and top_level_directory not in sys.path:\n sys.path.insert(0, top_level_directory)\n logger.debug(\n 'Discovering tests by module: module_name=%r, top_level_directory=%r, pattern=%r'\n , module_name, top_level_directory, pattern)\n try:\n module, case_attributes = find_module_by_name(module_name)\n except ImportError:\n return self.discover_filtered_tests(module_name,\n top_level_directory=top_level_directory, pattern=pattern)\n dirname, basename = os.path.split(module.__file__)\n basename = os.path.splitext(basename)[0]\n if len(case_attributes) == 0 and basename == '__init__':\n return self.discover_by_directory(dirname, top_level_directory,\n pattern=pattern)\n elif len(case_attributes) == 0:\n return self._loader.load_module(module)\n return self.discover_single_case(module, case_attributes)\n",
"role": "user"
},
{
"content": "discover_by_module",
"role": "assistant"
}
] |
def x(self, module, case_attributes):
case = module
loader = self._loader
for index, component in enumerate(case_attributes):
case = getattr(case, component, None)
if case is None:
return loader.create_suite()
elif loader.is_test_case(case):
rest = case_attributes[index + 1:]
if len(rest) > 1:
raise ValueError('Too many components in module path')
elif len(rest) == 1:
return loader.create_suite([loader.load_test(case, *rest)])
return loader.load_case(case)
return loader.create_suite()
| discover_single_case | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, module, case_attributes):\n case = module\n loader = self._loader\n for index, component in enumerate(case_attributes):\n case = getattr(case, component, None)\n if case is None:\n return loader.create_suite()\n elif loader.is_test_case(case):\n rest = case_attributes[index + 1:]\n if len(rest) > 1:\n raise ValueError('Too many components in module path')\n elif len(rest) == 1:\n return loader.create_suite([loader.load_test(case, *rest)])\n return loader.load_case(case)\n return loader.create_suite()\n",
"role": "user"
},
{
"content": "discover_single_case",
"role": "assistant"
}
] |
def x(self, start_directory, top_level_directory=None, pattern='test*.py'):
start_directory = os.path.abspath(start_directory)
if top_level_directory is None:
top_level_directory = find_top_level_directory(start_directory)
logger.debug(
'Discovering tests in directory: start_directory=%r, top_level_directory=%r, pattern=%r'
, start_directory, top_level_directory, pattern)
assert_start_importable(top_level_directory, start_directory)
if top_level_directory not in sys.path:
sys.path.insert(0, top_level_directory)
tests = self._discover_tests(start_directory, top_level_directory, pattern)
return self._loader.create_suite(list(tests))
| discover_by_directory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start_directory, top_level_directory=None, pattern='test*.py'):\n start_directory = os.path.abspath(start_directory)\n if top_level_directory is None:\n top_level_directory = find_top_level_directory(start_directory)\n logger.debug(\n 'Discovering tests in directory: start_directory=%r, top_level_directory=%r, pattern=%r'\n , start_directory, top_level_directory, pattern)\n assert_start_importable(top_level_directory, start_directory)\n if top_level_directory not in sys.path:\n sys.path.insert(0, top_level_directory)\n tests = self._discover_tests(start_directory, top_level_directory, pattern)\n return self._loader.create_suite(list(tests))\n",
"role": "user"
},
{
"content": "discover_by_directory",
"role": "assistant"
}
] |
def x(self, start_filepath, top_level_directory=None):
start_filepath = os.path.abspath(start_filepath)
start_directory = os.path.dirname(start_filepath)
if top_level_directory is None:
top_level_directory = find_top_level_directory(start_directory)
logger.debug(
'Discovering tests in file: start_filepath=%r, top_level_directory=',
start_filepath, top_level_directory)
assert_start_importable(top_level_directory, start_directory)
if top_level_directory not in sys.path:
sys.path.insert(0, top_level_directory)
tests = self._load_from_file(start_filepath, top_level_directory)
return self._loader.create_suite(list(tests))
| discover_by_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start_filepath, top_level_directory=None):\n start_filepath = os.path.abspath(start_filepath)\n start_directory = os.path.dirname(start_filepath)\n if top_level_directory is None:\n top_level_directory = find_top_level_directory(start_directory)\n logger.debug(\n 'Discovering tests in file: start_filepath=%r, top_level_directory=',\n start_filepath, top_level_directory)\n assert_start_importable(top_level_directory, start_directory)\n if top_level_directory not in sys.path:\n sys.path.insert(0, top_level_directory)\n tests = self._load_from_file(start_filepath, top_level_directory)\n return self._loader.create_suite(list(tests))\n",
"role": "user"
},
{
"content": "discover_by_file",
"role": "assistant"
}
] |
def x(self, methods):
request = self.request
response = request.response
response.headers['Allow'] = ', '.join(sorted(methods))
if 'Access-Control-Request-Method' in request.headers:
response.headers['Access-Control-Allow-Methods'] = ', '.join(sorted
(methods))
if 'Access-Control-Request-Headers' in request.headers:
response.headers['Access-Control-Allow-Headers'
] = 'origin, x-requested-with, content-type'
return response
| set_options_headers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, methods):\n request = self.request\n response = request.response\n response.headers['Allow'] = ', '.join(sorted(methods))\n if 'Access-Control-Request-Method' in request.headers:\n response.headers['Access-Control-Allow-Methods'] = ', '.join(sorted\n (methods))\n if 'Access-Control-Request-Headers' in request.headers:\n response.headers['Access-Control-Allow-Headers'\n ] = 'origin, x-requested-with, content-type'\n return response\n",
"role": "user"
},
{
"content": "set_options_headers",
"role": "assistant"
}
] |
def x(self, actions_map):
methods = 'OPTIONS',
defined_actions = []
for action_name in actions_map.keys():
view_method = getattr(self, action_name, None)
method_exists = view_method is not None
method_defined = view_method != self.not_allowed_action
if method_exists and method_defined:
defined_actions.append(action_name)
for action in defined_actions:
methods += actions_map[action]
return methods
| get_handled_methods | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, actions_map):\n methods = 'OPTIONS',\n defined_actions = []\n for action_name in actions_map.keys():\n view_method = getattr(self, action_name, None)\n method_exists = view_method is not None\n method_defined = view_method != self.not_allowed_action\n if method_exists and method_defined:\n defined_actions.append(action_name)\n for action in defined_actions:\n methods += actions_map[action]\n return methods\n",
"role": "user"
},
{
"content": "get_handled_methods",
"role": "assistant"
}
] |
def x(self, **kwargs):
actions = self._item_actions.copy()
if self._resource.is_singular:
actions['create'] = 'POST',
methods = self._get_handled_methods(actions)
return self._set_options_headers(methods)
| item_options | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n actions = self._item_actions.copy()\n if self._resource.is_singular:\n actions['create'] = 'POST',\n methods = self._get_handled_methods(actions)\n return self._set_options_headers(methods)\n",
"role": "user"
},
{
"content": "item_options",
"role": "assistant"
}
] |
def x(self, **kwargs):
methods = self._get_handled_methods(self._collection_actions)
return self._set_options_headers(methods)
| collection_options | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n methods = self._get_handled_methods(self._collection_actions)\n return self._set_options_headers(methods)\n",
"role": "user"
},
{
"content": "collection_options",
"role": "assistant"
}
] |
def x(self, func):
@six.wraps(func)
def x(*args, **kwargs):
try:
return self.aggregate()
except KeyError:
return func(*args, **kwargs)
return wrapper
| wrap | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, func):\n\n @six.wraps(func)\n def x(*args, **kwargs):\n try:\n return self.aggregate()\n except KeyError:\n return func(*args, **kwargs)\n return wrapper\n",
"role": "user"
},
{
"content": "wrap",
"role": "assistant"
}
] |
def x(self):
from nefertari.view import BaseView
self._query_params = BaseView.convert_dotted(self.view._query_params)
for key in self._aggregations_keys:
if key in self._query_params:
return self._query_params.pop(key)
else:
raise KeyError('Missing aggregation params')
| pop_aggregations_params | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from nefertari.view import BaseView\n self._query_params = BaseView.convert_dotted(self.view._query_params)\n for key in self._aggregations_keys:\n if key in self._query_params:\n return self._query_params.pop(key)\n else:\n raise KeyError('Missing aggregation params')\n",
"role": "user"
},
{
"content": "pop_aggregations_params",
"role": "assistant"
}
] |
def x(cls, params):
fields = []
for key, val in params.items():
if isinstance(val, dict):
fields += cls.get_aggregations_fields(val)
if key == 'field':
fields.append(val)
return fields
| get_aggregations_fields | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, params):\n fields = []\n for key, val in params.items():\n if isinstance(val, dict):\n fields += cls.get_aggregations_fields(val)\n if key == 'field':\n fields.append(val)\n return fields\n",
"role": "user"
},
{
"content": "get_aggregations_fields",
"role": "assistant"
}
] |
def x(self, aggregations_params):
fields = self.get_aggregations_fields(aggregations_params)
fields_dict = dictset.fromkeys(fields)
fields_dict['_type'] = self.view.Model.__name__
try:
validate_data_privacy(self.view.request, fields_dict)
except wrappers.ValidationError as ex:
raise JHTTPForbidden(
'Not enough permissions to aggregate on fields: {}'.format(ex))
| check_aggregations_privacy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, aggregations_params):\n fields = self.get_aggregations_fields(aggregations_params)\n fields_dict = dictset.fromkeys(fields)\n fields_dict['_type'] = self.view.Model.__name__\n try:\n validate_data_privacy(self.view.request, fields_dict)\n except wrappers.ValidationError as ex:\n raise JHTTPForbidden(\n 'Not enough permissions to aggregate on fields: {}'.format(ex))\n",
"role": "user"
},
{
"content": "check_aggregations_privacy",
"role": "assistant"
}
] |
def x(self):
from nefertari.elasticsearch import ES
aggregations_params = self.pop_aggregations_params()
if self.view._auth_enabled:
self.check_aggregations_privacy(aggregations_params)
self.stub_wrappers()
return ES(self.view.Model.__name__).aggregate(_aggregations_params=
aggregations_params, **self._query_params)
| aggregate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from nefertari.elasticsearch import ES\n aggregations_params = self.pop_aggregations_params()\n if self.view._auth_enabled:\n self.check_aggregations_privacy(aggregations_params)\n self.stub_wrappers()\n return ES(self.view.Model.__name__).aggregate(_aggregations_params=\n aggregations_params, **self._query_params)\n",
"role": "user"
},
{
"content": "aggregate",
"role": "assistant"
}
] |
def x(self, name, _type=None, _set=False):
if _type is None:
_type = lambda t: t
dict_str = self.pop(name, None)
if not dict_str:
return {}
_dict = {}
for item in split_strip(dict_str):
key, _, val = item.partition(':')
val = _type(val)
if key in _dict:
if isinstance(_dict[key], list):
_dict[key].append(val)
else:
_dict[key] = [_dict[key], val]
else:
_dict[key] = val
if _set:
self[name] = _dict
return _dict
| asdict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, _type=None, _set=False):\n if _type is None:\n _type = lambda t: t\n dict_str = self.pop(name, None)\n if not dict_str:\n return {}\n _dict = {}\n for item in split_strip(dict_str):\n key, _, val = item.partition(':')\n val = _type(val)\n if key in _dict:\n if isinstance(_dict[key], list):\n _dict[key].append(val)\n else:\n _dict[key] = [_dict[key], val]\n else:\n _dict[key] = val\n if _set:\n self[name] = _dict\n return _dict\n",
"role": "user"
},
{
"content": "asdict",
"role": "assistant"
}
] |
def x(length):
if length <= 0:
return ''
return hexify(random.randint(pow(2, length * 2), pow(2, length * 4)))[0
:length]
| get_random_hex | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(length):\n if length <= 0:\n return ''\n return hexify(random.randint(pow(2, length * 2), pow(2, length * 4)))[0\n :length]\n",
"role": "user"
},
{
"content": "get_random_hex",
"role": "assistant"
}
] |
def x(_code):
if _code:
code = str(_code)
return code[:-2] + str(int(code[-2:-1]) + 1) + code[-1]
else:
return None
| get_response | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(_code):\n if _code:\n code = str(_code)\n return code[:-2] + str(int(code[-2:-1]) + 1) + code[-1]\n else:\n return None\n",
"role": "user"
},
{
"content": "get_response",
"role": "assistant"
}
] |
def x(self, testcase):
tests = [self.load_test(testcase, name) for name in self.
find_test_method_names(testcase)]
return self.create_suite(tests)
| load_case | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, testcase):\n tests = [self.load_test(testcase, name) for name in self.\n find_test_method_names(testcase)]\n return self.create_suite(tests)\n",
"role": "user"
},
{
"content": "load_case",
"role": "assistant"
}
] |
def x(self, module):
cases = self.get_test_cases_from_module(module)
suites = [self.load_case(case) for case in cases]
return self.create_suite(suites)
| load_module | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, module):\n cases = self.get_test_cases_from_module(module)\n suites = [self.load_case(case) for case in cases]\n return self.create_suite(suites)\n",
"role": "user"
},
{
"content": "load_module",
"role": "assistant"
}
] |
def x(self, field, Value=None):
if Value == None:
try:
return self.__Bitmap[field]
except KeyError:
return None
elif Value == 1 or Value == 0:
self.__Bitmap[field] = Value
else:
raise ValueError
| Field | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, field, Value=None):\n if Value == None:\n try:\n return self.__Bitmap[field]\n except KeyError:\n return None\n elif Value == 1 or Value == 0:\n self.__Bitmap[field] = Value\n else:\n raise ValueError\n",
"role": "user"
},
{
"content": "Field",
"role": "assistant"
}
] |
def x(self, field, Value=None):
if Value == None:
try:
return self.__FieldData[field]
except KeyError:
return None
else:
if len(str(Value)) > self.__IsoSpec.MaxLength(field):
raise ValueError('Value length larger than field maximum ({0})'
.format(self.__IsoSpec.MaxLength(field)))
self.Field(field, Value=1)
self.__FieldData[field] = Value
| FieldData | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, field, Value=None):\n if Value == None:\n try:\n return self.__FieldData[field]\n except KeyError:\n return None\n else:\n if len(str(Value)) > self.__IsoSpec.MaxLength(field):\n raise ValueError('Value length larger than field maximum ({0})'\n .format(self.__IsoSpec.MaxLength(field)))\n self.Field(field, Value=1)\n self.__FieldData[field] = Value\n",
"role": "user"
},
{
"content": "FieldData",
"role": "assistant"
}
] |
def x(request):
user = getattr(request, 'user', None)
key = user.pk_field()
return getattr(user, key)
| authenticated_userid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n user = getattr(request, 'user', None)\n key = user.pk_field()\n return getattr(user, key)\n",
"role": "user"
},
{
"content": "authenticated_userid",
"role": "assistant"
}
] |
def x(block_list):
queue = [(block, 0) for block in block_list if isinstance(block, kurt.
Block)]
while queue:
block, depth = queue.pop(0)
assert block.type.text
yield block.type.text, depth, block
for arg in block.args:
if hasattr(arg, '__iter__'):
queue[0:0] = [(x, depth + 1) for x in arg if isinstance(x,
kurt.Block)]
elif isinstance(arg, kurt.Block):
queue.append((arg, depth))
| iter_blocks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(block_list):\n queue = [(block, 0) for block in block_list if isinstance(block, kurt.\n Block)]\n while queue:\n block, depth = queue.pop(0)\n assert block.type.text\n yield block.type.text, depth, block\n for arg in block.args:\n if hasattr(arg, '__iter__'):\n queue[0:0] = [(x, depth + 1) for x in arg if isinstance(x,\n kurt.Block)]\n elif isinstance(arg, kurt.Block):\n queue.append((arg, depth))\n",
"role": "user"
},
{
"content": "iter_blocks",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.