source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self, line=''):
opts, stmt = self.parse_options(line, 'r:t:i', posix=False, strict=False)
repeat = int(getattr(opts, 'r', 1))
if repeat < 1:
repeat == 1
timeout = int(getattr(opts, 't', 0))
if timeout <= 0:
timeout = None
run_in_place = hasattr(opts, 'i')
mem_usage = memory_usage((_func_exec, (stmt, self.shell.user_ns)),
timeout=timeout, run_in_place=run_in_place)
if mem_usage:
print('maximum of %d: %f MB per loop' % (repeat, max(mem_usage)))
else:
print(
'ERROR: could not read memory usage, try with a lower interval or more iterations'
)
|
magic_memit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, line=''):\n opts, stmt = self.parse_options(line, 'r:t:i', posix=False, strict=False)\n repeat = int(getattr(opts, 'r', 1))\n if repeat < 1:\n repeat == 1\n timeout = int(getattr(opts, 't', 0))\n if timeout <= 0:\n timeout = None\n run_in_place = hasattr(opts, 'i')\n mem_usage = memory_usage((_func_exec, (stmt, self.shell.user_ns)),\n timeout=timeout, run_in_place=run_in_place)\n if mem_usage:\n print('maximum of %d: %f MB per loop' % (repeat, max(mem_usage)))\n else:\n print(\n 'ERROR: could not read memory usage, try with a lower interval or more iterations'\n )\n",
"role": "user"
},
{
"content": "magic_memit",
"role": "assistant"
}
] |
def x(self, func):
try:
code = func.__code__
except AttributeError:
import warnings
warnings.warn('Could not extract a code object for the object %r' %
(func,))
return
if code not in self.code_map:
self.code_map[code] = {}
self.functions.append(func)
|
add_function
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, func):\n try:\n code = func.__code__\n except AttributeError:\n import warnings\n warnings.warn('Could not extract a code object for the object %r' %\n (func,))\n return\n if code not in self.code_map:\n self.code_map[code] = {}\n self.functions.append(func)\n",
"role": "user"
},
{
"content": "add_function",
"role": "assistant"
}
] |
def x(self, func):
def x(*args, **kwds):
self.enable_by_count()
try:
result = func(*args, **kwds)
finally:
self.disable_by_count()
return result
return f
|
wrap_function
|
[
{
"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 def x(*args, **kwds):\n self.enable_by_count()\n try:\n result = func(*args, **kwds)\n finally:\n self.disable_by_count()\n return result\n return f\n",
"role": "user"
},
{
"content": "wrap_function",
"role": "assistant"
}
] |
def x(self, cmd, globals, locals):
self.enable_by_count()
try:
exec(cmd, globals, locals)
finally:
self.disable_by_count()
return self
|
runctx
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cmd, globals, locals):\n self.enable_by_count()\n try:\n exec(cmd, globals, locals)\n finally:\n self.disable_by_count()\n return self\n",
"role": "user"
},
{
"content": "runctx",
"role": "assistant"
}
] |
def x(self, func, *args, **kw):
self.enable_by_count()
try:
return func(*args, **kw)
finally:
self.disable_by_count()
|
runcall
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, func, *args, **kw):\n self.enable_by_count()\n try:\n return func(*args, **kw)\n finally:\n self.disable_by_count()\n",
"role": "user"
},
{
"content": "runcall",
"role": "assistant"
}
] |
def x(self):
if self.enable_count > 0:
self.enable_count -= 1
if self.enable_count == 0:
self.disable()
|
disable_by_count
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.enable_count > 0:\n self.enable_count -= 1\n if self.enable_count == 0:\n self.disable()\n",
"role": "user"
},
{
"content": "disable_by_count",
"role": "assistant"
}
] |
def x(self, frame, event, arg):
if event in ('line', 'return') and frame.f_code in self.code_map:
lineno = frame.f_lineno
if event == 'return':
lineno += 1
entry = self.code_map[frame.f_code].setdefault(lineno, [])
entry.append(_get_memory(os.getpid()))
return self.trace_memory_usage
|
trace_memory_usage
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, frame, event, arg):\n if event in ('line', 'return') and frame.f_code in self.code_map:\n lineno = frame.f_lineno\n if event == 'return':\n lineno += 1\n entry = self.code_map[frame.f_code].setdefault(lineno, [])\n entry.append(_get_memory(os.getpid()))\n return self.trace_memory_usage\n",
"role": "user"
},
{
"content": "trace_memory_usage",
"role": "assistant"
}
] |
def x(filepath):
ini_str = '[root]\n'
with open(filepath, 'r') as fd:
ini_str = ini_str + fd.read().replace('@make ', '')
ini_fp = StringIO.StringIO(ini_str)
config = ConfigParser.RawConfigParser()
config.readfp(ini_fp)
aliases = config.options('root')
commands = {}
for alias in aliases:
commands[alias] = config.get('root', alias).lstrip('\n').split('\n')
aliases_todo = commands.keys()
commands_new = {}
while aliases_todo:
alias = aliases_todo.pop(0)
commands_new[alias] = []
for cmd in commands[alias]:
if cmd == alias:
pass
elif cmd in aliases and cmd in commands_new:
commands_new[alias].extend(commands_new[cmd])
elif cmd in aliases and cmd not in commands_new:
del commands_new[alias]
aliases_todo.append(alias)
break
else:
commands_new[alias].append(cmd)
commands = commands_new
del commands_new
return commands
|
parse_makefile_aliases
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filepath):\n ini_str = '[root]\\n'\n with open(filepath, 'r') as fd:\n ini_str = ini_str + fd.read().replace('@make ', '')\n ini_fp = StringIO.StringIO(ini_str)\n config = ConfigParser.RawConfigParser()\n config.readfp(ini_fp)\n aliases = config.options('root')\n commands = {}\n for alias in aliases:\n commands[alias] = config.get('root', alias).lstrip('\\n').split('\\n')\n aliases_todo = commands.keys()\n commands_new = {}\n while aliases_todo:\n alias = aliases_todo.pop(0)\n commands_new[alias] = []\n for cmd in commands[alias]:\n if cmd == alias:\n pass\n elif cmd in aliases and cmd in commands_new:\n commands_new[alias].extend(commands_new[cmd])\n elif cmd in aliases and cmd not in commands_new:\n del commands_new[alias]\n aliases_todo.append(alias)\n break\n else:\n commands_new[alias].append(cmd)\n commands = commands_new\n del commands_new\n return commands\n",
"role": "user"
},
{
"content": "parse_makefile_aliases",
"role": "assistant"
}
] |
def x(self):
self.__run_backup = self.run
self.run = self.__run
threading.Thread.start(self)
|
start
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.__run_backup = self.run\n self.run = self.__run\n threading.Thread.start(self)\n",
"role": "user"
},
{
"content": "start",
"role": "assistant"
}
] |
def x(self):
sys.settrace(self.globaltrace)
self.__run_backup()
self.run = self.__run_backup
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n sys.settrace(self.globaltrace)\n self.__run_backup()\n self.run = self.__run_backup\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(self, codepoint):
if self.codepoints == None:
return True
for cp in self.codepoints:
mismatch = False
for i in range(len(cp)):
if cp[i] is not None and cp[i] != codepoint[i]:
mismatch = True
break
if not mismatch:
return True
return False
|
codepoint_included
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, codepoint):\n if self.codepoints == None:\n return True\n for cp in self.codepoints:\n mismatch = False\n for i in range(len(cp)):\n if cp[i] is not None and cp[i] != codepoint[i]:\n mismatch = True\n break\n if not mismatch:\n return True\n return False\n",
"role": "user"
},
{
"content": "codepoint_included",
"role": "assistant"
}
] |
def x(self, frame, event, arg):
if self.events == None or event in self.events:
frame_info = inspect.getframeinfo(frame)
cp = frame_info[0], frame_info[2], frame_info[1]
if self.codepoint_included(cp):
objects = muppy.get_objects()
size = muppy.get_size(objects)
if cp not in self.memories:
self.memories[cp] = [0, 0, 0, 0]
self.memories[cp][0] = 1
self.memories[cp][1] = size
self.memories[cp][2] = size
else:
self.memories[cp][0] += 1
if self.memories[cp][1] > size:
self.memories[cp][1] = size
if self.memories[cp][2] < size:
self.memories[cp][2] = size
|
profile
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, frame, event, arg):\n if self.events == None or event in self.events:\n frame_info = inspect.getframeinfo(frame)\n cp = frame_info[0], frame_info[2], frame_info[1]\n if self.codepoint_included(cp):\n objects = muppy.get_objects()\n size = muppy.get_size(objects)\n if cp not in self.memories:\n self.memories[cp] = [0, 0, 0, 0]\n self.memories[cp][0] = 1\n self.memories[cp][1] = size\n self.memories[cp][2] = size\n else:\n self.memories[cp][0] += 1\n if self.memories[cp][1] > size:\n self.memories[cp][1] = size\n if self.memories[cp][2] < size:\n self.memories[cp][2] = size\n",
"role": "user"
},
{
"content": "profile",
"role": "assistant"
}
] |
def x(mainfunction, output, timeout=0, calibrate=False):
if noprofiler == True:
print(
'ERROR: profiler and/or pstats library missing ! Please install it (probably package named python-profile) before running a profiling !'
)
return False
def x():
profile.run(mainfunction, output)
print('=> RUNNING FUNCTIONS PROFILER\n\n')
sys.stdout.flush()
if calibrate:
print('Calibrating the profiler...')
sys.stdout.flush()
cval = calibrateprofile()
print('Calibration found value : %s' % cval)
sys.stdout.flush()
print('Initializing the profiler...')
sys.stdout.flush()
if timeout > 0:
pthread = KThread(target=_profile)
print(
'Will now run the profiling and terminate it in %s seconds. Results will be saved in %s'
% (str(timeout), str(output)))
sys.stdout.flush()
print('\nCountdown:')
sys.stdout.flush()
for i in range(0, 5):
print(str(5 - i))
sys.stdout.flush()
time.sleep(1)
print('0\nStarting to profile...')
sys.stdout.flush()
pthread.start()
time.sleep(float(timeout))
print('\n\nFinishing the profile and saving to the file %s' % str(
output))
sys.stdout.flush()
pthread.kill()
else:
print(
"Running the profiler, please wait until the process terminates by itself (if you forcequit before, the profile won't be saved)"
)
_profile()
print('=> Functions Profile done !')
return True
|
runprofile
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mainfunction, output, timeout=0, calibrate=False):\n if noprofiler == True:\n print(\n 'ERROR: profiler and/or pstats library missing ! Please install it (probably package named python-profile) before running a profiling !'\n )\n return False\n\n def x():\n profile.run(mainfunction, output)\n print('=> RUNNING FUNCTIONS PROFILER\\n\\n')\n sys.stdout.flush()\n if calibrate:\n print('Calibrating the profiler...')\n sys.stdout.flush()\n cval = calibrateprofile()\n print('Calibration found value : %s' % cval)\n sys.stdout.flush()\n print('Initializing the profiler...')\n sys.stdout.flush()\n if timeout > 0:\n pthread = KThread(target=_profile)\n print(\n 'Will now run the profiling and terminate it in %s seconds. Results will be saved in %s'\n % (str(timeout), str(output)))\n sys.stdout.flush()\n print('\\nCountdown:')\n sys.stdout.flush()\n for i in range(0, 5):\n print(str(5 - i))\n sys.stdout.flush()\n time.sleep(1)\n print('0\\nStarting to profile...')\n sys.stdout.flush()\n pthread.start()\n time.sleep(float(timeout))\n print('\\n\\nFinishing the profile and saving to the file %s' % str(\n output))\n sys.stdout.flush()\n pthread.kill()\n else:\n print(\n \"Running the profiler, please wait until the process terminates by itself (if you forcequit before, the profile won't be saved)\"\n )\n _profile()\n print('=> Functions Profile done !')\n return True\n",
"role": "user"
},
{
"content": "runprofile",
"role": "assistant"
}
] |
def x():
pr = profile.Profile()
calib = []
crepeat = 10
for i in range(crepeat):
calib.append(pr.calibrate(10000))
final = sum(calib) / crepeat
profile.Profile.bias = final
return final
|
calibrateprofile
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n pr = profile.Profile()\n calib = []\n crepeat = 10\n for i in range(crepeat):\n calib.append(pr.calibrate(10000))\n final = sum(calib) / crepeat\n profile.Profile.bias = final\n return final\n",
"role": "user"
},
{
"content": "calibrateprofile",
"role": "assistant"
}
] |
def x(profilelog, out):
file = open(out, 'w')
print('Opening the profile in %s...' % profilelog)
p = pstats.Stats(profilelog, stream=file)
print('Generating the stats, please wait...')
file.write('=== All stats:\n')
p.strip_dirs().sort_stats(-1).print_stats()
file.write('=== Cumulative time:\n')
p.sort_stats('cumulative').print_stats(100)
file.write('=== Time:\n')
p.sort_stats('time').print_stats(100)
file.write('=== Time + cumulative time:\n')
p.sort_stats('time', 'cum').print_stats(0.5, 'init')
file.write('=== Callees:\n')
p.print_callees()
file.write('=== Callers:\n')
p.print_callers()
file.close()
print('Stats generated and saved to %s.' % out)
print('Everything is done. Exiting')
|
parseprofile
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(profilelog, out):\n file = open(out, 'w')\n print('Opening the profile in %s...' % profilelog)\n p = pstats.Stats(profilelog, stream=file)\n print('Generating the stats, please wait...')\n file.write('=== All stats:\\n')\n p.strip_dirs().sort_stats(-1).print_stats()\n file.write('=== Cumulative time:\\n')\n p.sort_stats('cumulative').print_stats(100)\n file.write('=== Time:\\n')\n p.sort_stats('time').print_stats(100)\n file.write('=== Time + cumulative time:\\n')\n p.sort_stats('time', 'cum').print_stats(0.5, 'init')\n file.write('=== Callees:\\n')\n p.print_callees()\n file.write('=== Callers:\\n')\n p.print_callers()\n file.close()\n print('Stats generated and saved to %s.' % out)\n print('Everything is done. Exiting')\n",
"role": "user"
},
{
"content": "parseprofile",
"role": "assistant"
}
] |
def x(profilelog):
print('Starting the pstats profile browser...\n')
try:
browser = ProfileBrowser(profilelog)
print >> browser.stream, 'Welcome to the profile statistics browser. Type help to get started.'
browser.cmdloop()
print >> browser.stream, 'Goodbye.'
except KeyboardInterrupt:
pass
|
browseprofile
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(profilelog):\n print('Starting the pstats profile browser...\\n')\n try:\n browser = ProfileBrowser(profilelog)\n print >> browser.stream, 'Welcome to the profile statistics browser. Type help to get started.'\n browser.cmdloop()\n print >> browser.stream, 'Goodbye.'\n except KeyboardInterrupt:\n pass\n",
"role": "user"
},
{
"content": "browseprofile",
"role": "assistant"
}
] |
def x(profilelog):
from runsnakerun import runsnake
app = runsnake.RunSnakeRunApp(0)
app.OnInit(profilelog)
app.MainLoop()
|
browseprofilegui
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(profilelog):\n from runsnakerun import runsnake\n app = runsnake.RunSnakeRunApp(0)\n app.OnInit(profilelog)\n app.MainLoop()\n",
"role": "user"
},
{
"content": "browseprofilegui",
"role": "assistant"
}
] |
def x(n):
sieve = [True] * (n / 2)
for i in _range(3, int(n ** 0.5) + 1, 2):
if sieve[i / 2]:
sieve[i * i / 2::i] = [False] * ((n - i * i - 1) / (2 * i) + 1)
return [2] + [(2 * i + 1) for i in _range(1, n / 2) if sieve[i]]
|
rwh_primes1
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(n):\n sieve = [True] * (n / 2)\n for i in _range(3, int(n ** 0.5) + 1, 2):\n if sieve[i / 2]:\n sieve[i * i / 2::i] = [False] * ((n - i * i - 1) / (2 * i) + 1)\n return [2] + [(2 * i + 1) for i in _range(1, n / 2) if sieve[i]]\n",
"role": "user"
},
{
"content": "rwh_primes1",
"role": "assistant"
}
] |
def x(generator=2, c_exp=8, fast_primes=False, single=False):
root_charac = 2
field_charac = int(root_charac ** c_exp - 1)
field_charac_next = int(root_charac ** (c_exp + 1) - 1)
prim_candidates = []
if fast_primes:
prim_candidates = rwh_primes1(field_charac_next)
prim_candidates = [x for x in prim_candidates if x > field_charac]
else:
prim_candidates = _range(field_charac + 2, field_charac_next,
root_charac)
correct_primes = []
for prim in prim_candidates:
seen = bytearray(field_charac + 1)
conflict = False
x = GF2int(1)
for i in _range(field_charac):
x = x.multiply(generator, prim, field_charac + 1)
if x > field_charac or seen[x] == 1:
conflict = True
break
else:
seen[x] = 1
if not conflict:
correct_primes.append(prim)
if single:
return prim
return correct_primes
|
find_prime_polynomials
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(generator=2, c_exp=8, fast_primes=False, single=False):\n root_charac = 2\n field_charac = int(root_charac ** c_exp - 1)\n field_charac_next = int(root_charac ** (c_exp + 1) - 1)\n prim_candidates = []\n if fast_primes:\n prim_candidates = rwh_primes1(field_charac_next)\n prim_candidates = [x for x in prim_candidates if x > field_charac]\n else:\n prim_candidates = _range(field_charac + 2, field_charac_next,\n root_charac)\n correct_primes = []\n for prim in prim_candidates:\n seen = bytearray(field_charac + 1)\n conflict = False\n x = GF2int(1)\n for i in _range(field_charac):\n x = x.multiply(generator, prim, field_charac + 1)\n if x > field_charac or seen[x] == 1:\n conflict = True\n break\n else:\n seen[x] = 1\n if not conflict:\n correct_primes.append(prim)\n if single:\n return prim\n return correct_primes\n",
"role": "user"
},
{
"content": "find_prime_polynomials",
"role": "assistant"
}
] |
def x(generator=3, prim=283, c_exp=8):
global GF2int_exptable, GF2int_logtable, GF2_charac, GF2_c_exp
GF2_charac = int(2 ** c_exp - 1)
GF2_c_exp = int(c_exp)
exptable = [-1] * (GF2_charac + 1)
logtable = [-1] * (GF2_charac + 1)
g = GF2int(1)
for i in range(GF2_charac + 1):
exptable[i] = g
g = g.multiply(generator, prim, GF2_charac + 1)
for i, x in enumerate(exptable[:-1]):
logtable[x] = i
GF2int_exptable = array.array('i', exptable)
GF2int_logtable = array.array('i', logtable)
return GF2int_exptable, GF2int_logtable
|
init_lut
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(generator=3, prim=283, c_exp=8):\n global GF2int_exptable, GF2int_logtable, GF2_charac, GF2_c_exp\n GF2_charac = int(2 ** c_exp - 1)\n GF2_c_exp = int(c_exp)\n exptable = [-1] * (GF2_charac + 1)\n logtable = [-1] * (GF2_charac + 1)\n g = GF2int(1)\n for i in range(GF2_charac + 1):\n exptable[i] = g\n g = g.multiply(generator, prim, GF2_charac + 1)\n for i, x in enumerate(exptable[:-1]):\n logtable[x] = i\n GF2int_exptable = array.array('i', exptable)\n GF2int_logtable = array.array('i', logtable)\n return GF2int_exptable, GF2int_logtable\n",
"role": "user"
},
{
"content": "init_lut",
"role": "assistant"
}
] |
def x(x):
if x <= 0:
return '0'
b = 1
c = []
i = 0
while x > 0:
b = 1 << i
if x & b:
c.append(i)
x ^= b
i = i + 1
return ' + '.join([('x^%i' % y) for y in c[::-1]])
|
to_binpoly
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x):\n if x <= 0:\n return '0'\n b = 1\n c = []\n i = 0\n while x > 0:\n b = 1 << i\n if x & b:\n c.append(i)\n x ^= b\n i = i + 1\n return ' + '.join([('x^%i' % y) for y in c[::-1]])\n",
"role": "user"
},
{
"content": "to_binpoly",
"role": "assistant"
}
] |
def x(a, b, prim=283, field_charac_full=256, carryless=True):
r = 0
a = int(a)
b = int(b)
while b:
if b & 1:
r = r ^ a if carryless else r + a
b = b >> 1
a = a << 1
if prim > 0 and a & field_charac_full:
a = a ^ prim
return GF2int(r)
|
multiply
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, b, prim=283, field_charac_full=256, carryless=True):\n r = 0\n a = int(a)\n b = int(b)\n while b:\n if b & 1:\n r = r ^ a if carryless else r + a\n b = b >> 1\n a = a << 1\n if prim > 0 and a & field_charac_full:\n a = a ^ prim\n return GF2int(r)\n",
"role": "user"
},
{
"content": "multiply",
"role": "assistant"
}
] |
def x(x, y, prim=283):
def x(x, y):
z = 0
i = 0
while y >> i > 0:
if y & 1 << i:
z ^= x << i
i += 1
return z
def x(n):
bits = 0
while n >> bits:
bits += 1
return bits
def x(dividend, divisor=None):
dl1 = bit_length(dividend)
dl2 = bit_length(divisor)
if dl1 < dl2:
return dividend
for i in _range(dl1 - dl2, -1, -1):
if dividend & 1 << i + dl2 - 1:
dividend ^= divisor << i
return dividend
result = cl_mult(x, y)
if prim > 0:
result = cl_div(result, prim)
return result
|
multiply_slow
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y, prim=283):\n\n def x(x, y):\n z = 0\n i = 0\n while y >> i > 0:\n if y & 1 << i:\n z ^= x << i\n i += 1\n return z\n\n def x(n):\n bits = 0\n while n >> bits:\n bits += 1\n return bits\n\n def x(dividend, divisor=None):\n dl1 = bit_length(dividend)\n dl2 = bit_length(divisor)\n if dl1 < dl2:\n return dividend\n for i in _range(dl1 - dl2, -1, -1):\n if dividend & 1 << i + dl2 - 1:\n dividend ^= divisor << i\n return dividend\n result = cl_mult(x, y)\n if prim > 0:\n result = cl_div(result, prim)\n return result\n",
"role": "user"
},
{
"content": "multiply_slow",
"role": "assistant"
}
] |
def x(source):
source = source.strip()
assert source.startswith('{')
assert source.endswith('}')
source = source[1:-1]
result = {}
for match in attr.finditer(source):
key = match.group('key')
if match.group('list') is not None:
value = [int(x) for x in match.group('list').strip().replace(
',', ' ').split()]
elif match.group('int') is not None:
value = int(match.group('int'))
elif match.group('string') is not None:
def x(match):
return unichr(int(match.group(0)[2:], 16))
value = match.group('string').decode('utf-8')
value = escape.sub(deescape, value)
value = simple_escape.sub(lambda x: x.group(1), value)
else:
raise RuntimeError(
"Matched something we don't know how to process:", match.
groupdict())
result[key] = value
return result
|
loads
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source):\n source = source.strip()\n assert source.startswith('{')\n assert source.endswith('}')\n source = source[1:-1]\n result = {}\n for match in attr.finditer(source):\n key = match.group('key')\n if match.group('list') is not None:\n value = [int(x) for x in match.group('list').strip().replace(\n ',', ' ').split()]\n elif match.group('int') is not None:\n value = int(match.group('int'))\n elif match.group('string') is not None:\n\n def x(match):\n return unichr(int(match.group(0)[2:], 16))\n value = match.group('string').decode('utf-8')\n value = escape.sub(deescape, value)\n value = simple_escape.sub(lambda x: x.group(1), value)\n else:\n raise RuntimeError(\n \"Matched something we don't know how to process:\", match.\n groupdict())\n result[key] = value\n return result\n",
"role": "user"
},
{
"content": "loads",
"role": "assistant"
}
] |
def x(self, message, poly=False, k=None, return_string=True):
n = self.n
if not k:
k = self.k
if len(message) > k:
raise ValueError('Message length is max %d. Message was %d' % (k,
len(message)))
if isinstance(message, _str):
message = [ord(x) for x in message]
m = Polynomial([GF2int(x) for x in message])
mprime = m * Polynomial([GF2int(1)] + [GF2int(0)] * (n - k))
b = mprime % self.g[k]
c = mprime - b
if not poly:
ret = self._list_rjust(c.coefficients, n, 0)
if return_string and self.gf2_charac < 256:
ret = self._list2str(ret)
else:
ret = c
return ret
|
encode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message, poly=False, k=None, return_string=True):\n n = self.n\n if not k:\n k = self.k\n if len(message) > k:\n raise ValueError('Message length is max %d. Message was %d' % (k,\n len(message)))\n if isinstance(message, _str):\n message = [ord(x) for x in message]\n m = Polynomial([GF2int(x) for x in message])\n mprime = m * Polynomial([GF2int(1)] + [GF2int(0)] * (n - k))\n b = mprime % self.g[k]\n c = mprime - b\n if not poly:\n ret = self._list_rjust(c.coefficients, n, 0)\n if return_string and self.gf2_charac < 256:\n ret = self._list2str(ret)\n else:\n ret = c\n return ret\n",
"role": "user"
},
{
"content": "encode",
"role": "assistant"
}
] |
def x(self, r, k=None):
n = self.n
if not k:
k = self.k
g = self.g[k]
if isinstance(r, _str):
r = [ord(x) for x in r]
c = Polynomial([GF2int(x) for x in r])
return c % g == Polynomial(x0=0)
|
check
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, r, k=None):\n n = self.n\n if not k:\n k = self.k\n g = self.g[k]\n if isinstance(r, _str):\n r = [ord(x) for x in r]\n c = Polynomial([GF2int(x) for x in r])\n return c % g == Polynomial(x0=0)\n",
"role": "user"
},
{
"content": "check",
"role": "assistant"
}
] |
def x(self, r, k=None):
n = self.n
if not k:
k = self.k
g = self.g[k]
if isinstance(r, _str):
r = [ord(x) for x in r]
r = Polynomial([GF2int(x) for x in r])
sz = self._syndromes(r, k=k)
return sz.coefficients.count(GF2int(0)) == len(sz)
|
check_fast
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, r, k=None):\n n = self.n\n if not k:\n k = self.k\n g = self.g[k]\n if isinstance(r, _str):\n r = [ord(x) for x in r]\n r = Polynomial([GF2int(x) for x in r])\n sz = self._syndromes(r, k=k)\n return sz.coefficients.count(GF2int(0)) == len(sz)\n",
"role": "user"
},
{
"content": "check_fast",
"role": "assistant"
}
] |
def x(self, r, nostrip=False, k=None, erasures_pos=None, only_erasures=
False, return_string=True):
n = self.n
if not k:
k = self.k
if isinstance(r, _str):
r = [ord(x) for x in r]
rp = Polynomial([GF2int(x) for x in r])
if erasures_pos:
erasures_pos = [(len(r) - 1 - x) for x in erasures_pos]
sz = self._syndromes(rp, k=k)
if sz.coefficients.count(GF2int(0)) == len(sz):
ret = r[:-(n - k)]
ecc = r[-(n - k):]
if not nostrip:
ret = self._list_lstrip(r[:-(n - k)], 0)
if return_string and self.gf2_charac < 256:
ret = self._list2str(ret)
ecc = self._list2str(ecc)
return ret, ecc
erasures_loc = None
erasures_eval = None
erasures_count = 0
if erasures_pos:
erasures_count = len(erasures_pos)
erasures_loc = self._find_erasures_locator(erasures_pos)
erasures_eval = self._find_error_evaluator(sz, erasures_loc, k=k)
if only_erasures:
sigma = erasures_loc
omega = erasures_eval
else:
sigma, omega = self._berlekamp_massey(sz, k=k, erasures_loc=
erasures_loc, erasures_eval=erasures_eval, erasures_count=
erasures_count)
omega = self._find_error_evaluator(sz, sigma, k=k)
X, j = self._chien_search(sigma)
if len(j) > n - k:
ret = r[:-(n - k)]
ecc = r[-(n - k):]
if not nostrip:
ret = self._list_lstrip(r[:-(n - k)], 0)
if return_string and self.gf2_charac < 256:
ret = self._list2str(ret)
ecc = self._list2str(ecc)
return ret, ecc
Y = self._forney(omega, X)
Elist = [GF2int(0)] * self.gf2_charac
if len(Y) >= len(j):
for i in _range(self.gf2_charac):
if i in j:
Elist[i] = Y[j.index(i)]
E = Polynomial(Elist[::-1])
else:
E = Polynomial()
c = rp - E
if len(c) > len(r):
c = rp
ret = c.coefficients[:-(n - k)]
ecc = c.coefficients[-(n - k):]
if nostrip:
ret = self._list_rjust(ret, k, 0)
if return_string and self.gf2_charac < 256:
ret = self._list2str(ret)
ecc = self._list2str(ecc)
return ret, ecc
|
decode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, r, nostrip=False, k=None, erasures_pos=None, only_erasures=\n False, return_string=True):\n n = self.n\n if not k:\n k = self.k\n if isinstance(r, _str):\n r = [ord(x) for x in r]\n rp = Polynomial([GF2int(x) for x in r])\n if erasures_pos:\n erasures_pos = [(len(r) - 1 - x) for x in erasures_pos]\n sz = self._syndromes(rp, k=k)\n if sz.coefficients.count(GF2int(0)) == len(sz):\n ret = r[:-(n - k)]\n ecc = r[-(n - k):]\n if not nostrip:\n ret = self._list_lstrip(r[:-(n - k)], 0)\n if return_string and self.gf2_charac < 256:\n ret = self._list2str(ret)\n ecc = self._list2str(ecc)\n return ret, ecc\n erasures_loc = None\n erasures_eval = None\n erasures_count = 0\n if erasures_pos:\n erasures_count = len(erasures_pos)\n erasures_loc = self._find_erasures_locator(erasures_pos)\n erasures_eval = self._find_error_evaluator(sz, erasures_loc, k=k)\n if only_erasures:\n sigma = erasures_loc\n omega = erasures_eval\n else:\n sigma, omega = self._berlekamp_massey(sz, k=k, erasures_loc=\n erasures_loc, erasures_eval=erasures_eval, erasures_count=\n erasures_count)\n omega = self._find_error_evaluator(sz, sigma, k=k)\n X, j = self._chien_search(sigma)\n if len(j) > n - k:\n ret = r[:-(n - k)]\n ecc = r[-(n - k):]\n if not nostrip:\n ret = self._list_lstrip(r[:-(n - k)], 0)\n if return_string and self.gf2_charac < 256:\n ret = self._list2str(ret)\n ecc = self._list2str(ecc)\n return ret, ecc\n Y = self._forney(omega, X)\n Elist = [GF2int(0)] * self.gf2_charac\n if len(Y) >= len(j):\n for i in _range(self.gf2_charac):\n if i in j:\n Elist[i] = Y[j.index(i)]\n E = Polynomial(Elist[::-1])\n else:\n E = Polynomial()\n c = rp - E\n if len(c) > len(r):\n c = rp\n ret = c.coefficients[:-(n - k)]\n ecc = c.coefficients[-(n - k):]\n if nostrip:\n ret = self._list_rjust(ret, k, 0)\n if return_string and self.gf2_charac < 256:\n ret = self._list2str(ret)\n ecc = self._list2str(ecc)\n return ret, ecc\n",
"role": "user"
},
{
"content": "decode",
"role": "assistant"
}
] |
def x(self, L, val=0):
for i in _range(len(L)):
if L[i] != val:
return L[i:]
|
list_lstrip
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, L, val=0):\n for i in _range(len(L)):\n if L[i] != val:\n return L[i:]\n",
"role": "user"
},
{
"content": "list_lstrip",
"role": "assistant"
}
] |
def x(self, L, width, fillchar=0):
length = max(0, width - len(L))
return [fillchar] * length + L
|
list_rjust
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, L, width, fillchar=0):\n length = max(0, width - len(L))\n return [fillchar] * length + L\n",
"role": "user"
},
{
"content": "list_rjust",
"role": "assistant"
}
] |
def x(self, r, k=None):
n = self.n
if not k:
k = self.k
return Polynomial([r.evaluate(GF2int(self.generator) ** (l + self.fcr)) for
l in _range(n - k - 1, -1, -1)] + [GF2int(0)], keep_zero=True)
|
syndromes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, r, k=None):\n n = self.n\n if not k:\n k = self.k\n return Polynomial([r.evaluate(GF2int(self.generator) ** (l + self.fcr)) for\n l in _range(n - k - 1, -1, -1)] + [GF2int(0)], keep_zero=True)\n",
"role": "user"
},
{
"content": "syndromes",
"role": "assistant"
}
] |
def x(self, erasures_pos):
erasures_loc = Polynomial([GF2int(1)])
for i in erasures_pos:
erasures_loc = erasures_loc * (Polynomial([GF2int(1)]) - Polynomial
([GF2int(self.generator) ** i, 0]))
return erasures_loc
|
find_erasures_locator
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, erasures_pos):\n erasures_loc = Polynomial([GF2int(1)])\n for i in erasures_pos:\n erasures_loc = erasures_loc * (Polynomial([GF2int(1)]) - Polynomial\n ([GF2int(self.generator) ** i, 0]))\n return erasures_loc\n",
"role": "user"
},
{
"content": "find_erasures_locator",
"role": "assistant"
}
] |
def x(self, s, k=None, erasures_loc=None, erasures_eval=None, erasures_count=0
):
n = self.n
if not k:
k = self.k
if erasures_loc:
sigma = [Polynomial(erasures_loc.coefficients)]
B = [Polynomial(erasures_loc.coefficients)]
omega = [Polynomial(erasures_eval.coefficients)]
A = [Polynomial(erasures_eval.coefficients)]
else:
sigma = [Polynomial([GF2int(1)])]
B = [Polynomial([GF2int(1)])]
omega = [Polynomial([GF2int(1)])]
A = [Polynomial([GF2int(0)])]
L = [0]
M = [0]
synd_shift = 0
if len(s) > n - k:
synd_shift = len(s) - (n - k)
ONE = Polynomial(z0=GF2int(1))
ZERO = Polynomial(z0=GF2int(0))
Z = Polynomial(z1=GF2int(1))
s2 = ONE + s
for l in _range(0, n - k - erasures_count):
K = erasures_count + l + synd_shift
Delta = (s2 * sigma[l]).get_coefficient(K)
Delta = Polynomial(x0=Delta)
sigma.append(sigma[l] - Delta * Z * B[l])
omega.append(omega[l] - Delta * Z * A[l])
if Delta == ZERO or 2 * L[l] > K + erasures_count or 2 * L[l
] == K + erasures_count and M[l] == 0:
B.append(Z * B[l])
A.append(Z * A[l])
L.append(L[l])
M.append(M[l])
elif Delta != ZERO and 2 * L[l] < K + erasures_count or 2 * L[l
] == K + erasures_count and M[l] != 0:
B.append(sigma[l] // Delta)
A.append(omega[l] // Delta)
L.append(K - L[l])
M.append(1 - M[l])
else:
raise Exception("Code shouldn't have gotten here")
if omega[-1].degree > sigma[-1].degree:
omega[-1] = Polynomial(omega[-1].coefficients[-(sigma[-1].degree + 1):]
)
return sigma[-1], omega[-1]
|
berlekamp_massey
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, s, k=None, erasures_loc=None, erasures_eval=None, erasures_count=0\n ):\n n = self.n\n if not k:\n k = self.k\n if erasures_loc:\n sigma = [Polynomial(erasures_loc.coefficients)]\n B = [Polynomial(erasures_loc.coefficients)]\n omega = [Polynomial(erasures_eval.coefficients)]\n A = [Polynomial(erasures_eval.coefficients)]\n else:\n sigma = [Polynomial([GF2int(1)])]\n B = [Polynomial([GF2int(1)])]\n omega = [Polynomial([GF2int(1)])]\n A = [Polynomial([GF2int(0)])]\n L = [0]\n M = [0]\n synd_shift = 0\n if len(s) > n - k:\n synd_shift = len(s) - (n - k)\n ONE = Polynomial(z0=GF2int(1))\n ZERO = Polynomial(z0=GF2int(0))\n Z = Polynomial(z1=GF2int(1))\n s2 = ONE + s\n for l in _range(0, n - k - erasures_count):\n K = erasures_count + l + synd_shift\n Delta = (s2 * sigma[l]).get_coefficient(K)\n Delta = Polynomial(x0=Delta)\n sigma.append(sigma[l] - Delta * Z * B[l])\n omega.append(omega[l] - Delta * Z * A[l])\n if Delta == ZERO or 2 * L[l] > K + erasures_count or 2 * L[l\n ] == K + erasures_count and M[l] == 0:\n B.append(Z * B[l])\n A.append(Z * A[l])\n L.append(L[l])\n M.append(M[l])\n elif Delta != ZERO and 2 * L[l] < K + erasures_count or 2 * L[l\n ] == K + erasures_count and M[l] != 0:\n B.append(sigma[l] // Delta)\n A.append(omega[l] // Delta)\n L.append(K - L[l])\n M.append(1 - M[l])\n else:\n raise Exception(\"Code shouldn't have gotten here\")\n if omega[-1].degree > sigma[-1].degree:\n omega[-1] = Polynomial(omega[-1].coefficients[-(sigma[-1].degree + 1):]\n )\n return sigma[-1], omega[-1]\n",
"role": "user"
},
{
"content": "berlekamp_massey",
"role": "assistant"
}
] |
def x(self, s, k=None, erasures_loc=None, erasures_eval=None, erasures_count=0
):
n = self.n
if not k:
k = self.k
if erasures_loc:
sigma = Polynomial(erasures_loc.coefficients)
sigmaprev = Polynomial(sigma.coefficients)
B = Polynomial(sigma.coefficients)
omega = Polynomial(erasures_eval.coefficients)
omegaprev = Polynomial(omega.coefficients)
A = Polynomial(omega.coefficients)
else:
sigma = sigmaprev = Polynomial([GF2int(1)])
sigmaprev = Polynomial([GF2int(1)])
B = Polynomial([GF2int(1)])
omega = omegaprev = Polynomial([GF2int(1)])
omegaprev = Polynomial([GF2int(1)])
A = Polynomial([GF2int(0)])
L = 0
synd_shift = 0
if len(s) > n - k:
synd_shift = len(s) - (n - k)
ONE = Polynomial([GF2int(1)])
ZERO = GF2int(0)
Z = Polynomial([GF2int(1), GF2int(0)])
s2 = ONE + s
for l in _range(n - k - erasures_count):
K = erasures_count + l + synd_shift
Delta = s2.mul_at(sigma, K)
sigmaprev = sigma
omegaprev = omega
sigma = sigma - (Z * B).scale(Delta)
omega = omega - (Z * A).scale(Delta)
if Delta == ZERO or 2 * L > K + erasures_count:
B = Z * B
A = Z * A
else:
B = sigmaprev.scale(Delta.inverse())
A = omegaprev.scale(Delta.inverse())
L = K - L
if omega.degree > sigma.degree:
omega = Polynomial(omega.coefficients[-(sigma.degree + 1):])
return sigma, omega
|
berlekamp_massey_fast
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, s, k=None, erasures_loc=None, erasures_eval=None, erasures_count=0\n ):\n n = self.n\n if not k:\n k = self.k\n if erasures_loc:\n sigma = Polynomial(erasures_loc.coefficients)\n sigmaprev = Polynomial(sigma.coefficients)\n B = Polynomial(sigma.coefficients)\n omega = Polynomial(erasures_eval.coefficients)\n omegaprev = Polynomial(omega.coefficients)\n A = Polynomial(omega.coefficients)\n else:\n sigma = sigmaprev = Polynomial([GF2int(1)])\n sigmaprev = Polynomial([GF2int(1)])\n B = Polynomial([GF2int(1)])\n omega = omegaprev = Polynomial([GF2int(1)])\n omegaprev = Polynomial([GF2int(1)])\n A = Polynomial([GF2int(0)])\n L = 0\n synd_shift = 0\n if len(s) > n - k:\n synd_shift = len(s) - (n - k)\n ONE = Polynomial([GF2int(1)])\n ZERO = GF2int(0)\n Z = Polynomial([GF2int(1), GF2int(0)])\n s2 = ONE + s\n for l in _range(n - k - erasures_count):\n K = erasures_count + l + synd_shift\n Delta = s2.mul_at(sigma, K)\n sigmaprev = sigma\n omegaprev = omega\n sigma = sigma - (Z * B).scale(Delta)\n omega = omega - (Z * A).scale(Delta)\n if Delta == ZERO or 2 * L > K + erasures_count:\n B = Z * B\n A = Z * A\n else:\n B = sigmaprev.scale(Delta.inverse())\n A = omegaprev.scale(Delta.inverse())\n L = K - L\n if omega.degree > sigma.degree:\n omega = Polynomial(omega.coefficients[-(sigma.degree + 1):])\n return sigma, omega\n",
"role": "user"
},
{
"content": "berlekamp_massey_fast",
"role": "assistant"
}
] |
def x(self, synd, sigma, k=None):
n = self.n
if not k:
k = self.k
return synd * sigma % Polynomial([GF2int(1)] + [GF2int(0)] * (n - k + 1))
|
find_error_evaluator
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, synd, sigma, k=None):\n n = self.n\n if not k:\n k = self.k\n return synd * sigma % Polynomial([GF2int(1)] + [GF2int(0)] * (n - k + 1))\n",
"role": "user"
},
{
"content": "find_error_evaluator",
"role": "assistant"
}
] |
def x(self, synd, sigma, k=None):
n = self.n
if not k:
k = self.k
return (synd * sigma)._gffastmod(Polynomial([GF2int(1)] + [GF2int(0)] *
(n - k + 1)))
|
find_error_evaluator_fast
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, synd, sigma, k=None):\n n = self.n\n if not k:\n k = self.k\n return (synd * sigma)._gffastmod(Polynomial([GF2int(1)] + [GF2int(0)] *\n (n - k + 1)))\n",
"role": "user"
},
{
"content": "find_error_evaluator_fast",
"role": "assistant"
}
] |
def x(self, sigma):
X = []
j = []
p = GF2int(self.generator)
for l in _range(1, self.gf2_charac + 1):
if sigma.evaluate(p ** l) == 0:
X.append(p ** -l)
j.append(self.gf2_charac - l)
errs_nb = len(sigma) - 1
if len(j) != errs_nb:
raise RSCodecError(
'Too many (or few) errors found by Chien Search for the errata locator polynomial!'
)
return X, j
|
chien_search
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sigma):\n X = []\n j = []\n p = GF2int(self.generator)\n for l in _range(1, self.gf2_charac + 1):\n if sigma.evaluate(p ** l) == 0:\n X.append(p ** -l)\n j.append(self.gf2_charac - l)\n errs_nb = len(sigma) - 1\n if len(j) != errs_nb:\n raise RSCodecError(\n 'Too many (or few) errors found by Chien Search for the errata locator polynomial!'\n )\n return X, j\n",
"role": "user"
},
{
"content": "chien_search",
"role": "assistant"
}
] |
def x(self, sigma):
X = []
j = []
p = GF2int(self.generator)
if not hasattr(self, 'const_poly'):
self.const_poly = [(GF2int(self.generator) ** (i + self.fcr)) for i in
_range(self.gf2_charac, -1, -1)]
const_poly = self.const_poly
ev_poly, ev = sigma.evaluate_array(p ** 1)
for l in _range(1, self.gf2_charac + 1):
if ev == 0:
X.append(p ** -l)
j.append(self.gf2_charac - l)
for i in _range(1, len(ev_poly) + 1):
ev_poly[-i] *= const_poly[-i]
ev = sum(ev_poly)
return X, j
|
chien_search_fast
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sigma):\n X = []\n j = []\n p = GF2int(self.generator)\n if not hasattr(self, 'const_poly'):\n self.const_poly = [(GF2int(self.generator) ** (i + self.fcr)) for i in\n _range(self.gf2_charac, -1, -1)]\n const_poly = self.const_poly\n ev_poly, ev = sigma.evaluate_array(p ** 1)\n for l in _range(1, self.gf2_charac + 1):\n if ev == 0:\n X.append(p ** -l)\n j.append(self.gf2_charac - l)\n for i in _range(1, len(ev_poly) + 1):\n ev_poly[-i] *= const_poly[-i]\n ev = sum(ev_poly)\n return X, j\n",
"role": "user"
},
{
"content": "chien_search_fast",
"role": "assistant"
}
] |
def x(self, sigma):
n = self.n
X = []
j = []
p = GF2int(self.generator)
for l in _range(n):
if sigma.evaluate(p ** -l) == 0:
X.append(p ** l)
j.append(l)
errs_nb = len(sigma) - 1
if len(j) != errs_nb:
raise RSCodecError(
'Too many (or few) errors found by Chien Search for the errata locator polynomial!'
)
return X, j
|
chien_search_faster
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sigma):\n n = self.n\n X = []\n j = []\n p = GF2int(self.generator)\n for l in _range(n):\n if sigma.evaluate(p ** -l) == 0:\n X.append(p ** l)\n j.append(l)\n errs_nb = len(sigma) - 1\n if len(j) != errs_nb:\n raise RSCodecError(\n 'Too many (or few) errors found by Chien Search for the errata locator polynomial!'\n )\n return X, j\n",
"role": "user"
},
{
"content": "chien_search_faster",
"role": "assistant"
}
] |
def x(self, omega, X, k=None):
if not k:
k = self.k
t = (self.n - k) // 2
Y = []
for l, Xl in enumerate(X):
prod = GF2int(1)
Xl_inv = Xl.inverse()
for ji in _range(t):
if ji == l:
continue
if ji < len(X):
Xj = X[ji]
else:
Xj = GF2int(0)
prod = prod * (Xl - Xj)
Yl = Xl ** t * omega.evaluate(Xl_inv) * Xl_inv * prod.inverse()
Y.append(Yl)
return Y
|
old_forney
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, omega, X, k=None):\n if not k:\n k = self.k\n t = (self.n - k) // 2\n Y = []\n for l, Xl in enumerate(X):\n prod = GF2int(1)\n Xl_inv = Xl.inverse()\n for ji in _range(t):\n if ji == l:\n continue\n if ji < len(X):\n Xj = X[ji]\n else:\n Xj = GF2int(0)\n prod = prod * (Xl - Xj)\n Yl = Xl ** t * omega.evaluate(Xl_inv) * Xl_inv * prod.inverse()\n Y.append(Yl)\n return Y\n",
"role": "user"
},
{
"content": "old_forney",
"role": "assistant"
}
] |
def x(self, omega, X):
Y = []
Xlength = len(X)
for l, Xl in enumerate(X):
Xl_inv = Xl.inverse()
sigma_prime_tmp = [(1 - Xl_inv * X[j]) for j in _range(Xlength) if
j != l]
sigma_prime = 1
for coef in sigma_prime_tmp:
sigma_prime = sigma_prime * coef
Yl = -(Xl ** (1 - self.fcr) * omega.evaluate(Xl_inv) / sigma_prime)
Y.append(Yl)
return Y
|
forney
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, omega, X):\n Y = []\n Xlength = len(X)\n for l, Xl in enumerate(X):\n Xl_inv = Xl.inverse()\n sigma_prime_tmp = [(1 - Xl_inv * X[j]) for j in _range(Xlength) if \n j != l]\n sigma_prime = 1\n for coef in sigma_prime_tmp:\n sigma_prime = sigma_prime * coef\n Yl = -(Xl ** (1 - self.fcr) * omega.evaluate(Xl_inv) / sigma_prime)\n Y.append(Yl)\n return Y\n",
"role": "user"
},
{
"content": "forney",
"role": "assistant"
}
] |
def x(self):
try:
p = Popen(['/bin/ps', '-p%s' % self.pid, '-o', 'rss,vsz'], stdout=
PIPE, stderr=PIPE)
except OSError:
pass
else:
s = p.communicate()[0].split()
if p.returncode == 0 and len(s) >= 2:
self.vsz = int(s[-1]) * 1024
self.rss = int(s[-2]) * 1024
return True
return False
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n p = Popen(['/bin/ps', '-p%s' % self.pid, '-o', 'rss,vsz'], stdout=\n PIPE, stderr=PIPE)\n except OSError:\n pass\n else:\n s = p.communicate()[0].split()\n if p.returncode == 0 and len(s) >= 2:\n self.vsz = int(s[-1]) * 1024\n self.rss = int(s[-2]) * 1024\n return True\n return False\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self):
try:
stat = open('/proc/self/stat')
status = open('/proc/self/status')
except IOError:
return False
else:
stats = stat.read().split()
self.vsz = int(stats[22])
self.rss = int(stats[23]) * self.pagesize
self.pagefaults = int(stats[11])
for entry in status.readlines():
key, value = entry.split(':')
size_in_bytes = lambda x: int(x.split()[0]) * 1024
if key == 'VmData':
self.data_segment = size_in_bytes(value)
elif key == 'VmExe':
self.code_segment = size_in_bytes(value)
elif key == 'VmLib':
self.shared_segment = size_in_bytes(value)
elif key == 'VmStk':
self.stack_segment = size_in_bytes(value)
key = self.key_map.get(key)
if key:
self.os_specific.append((key, value.strip()))
stat.close()
status.close()
return True
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n stat = open('/proc/self/stat')\n status = open('/proc/self/status')\n except IOError:\n return False\n else:\n stats = stat.read().split()\n self.vsz = int(stats[22])\n self.rss = int(stats[23]) * self.pagesize\n self.pagefaults = int(stats[11])\n for entry in status.readlines():\n key, value = entry.split(':')\n size_in_bytes = lambda x: int(x.split()[0]) * 1024\n if key == 'VmData':\n self.data_segment = size_in_bytes(value)\n elif key == 'VmExe':\n self.code_segment = size_in_bytes(value)\n elif key == 'VmLib':\n self.shared_segment = size_in_bytes(value)\n elif key == 'VmStk':\n self.stack_segment = size_in_bytes(value)\n key = self.key_map.get(key)\n if key:\n self.os_specific.append((key, value.strip()))\n stat.close()\n status.close()\n return True\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self):
wx.EVT_LIST_COL_CLICK(self, self.GetId(), self.OnReorder)
wx.EVT_LIST_ITEM_SELECTED(self, self.GetId(), self.OnNodeSelected)
wx.EVT_MOTION(self, self.OnMouseMove)
wx.EVT_LIST_ITEM_ACTIVATED(self, self.GetId(), self.OnNodeActivated)
self.CreateColumns()
|
CreateControls
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n wx.EVT_LIST_COL_CLICK(self, self.GetId(), self.OnReorder)\n wx.EVT_LIST_ITEM_SELECTED(self, self.GetId(), self.OnNodeSelected)\n wx.EVT_MOTION(self, self.OnMouseMove)\n wx.EVT_LIST_ITEM_ACTIVATED(self, self.GetId(), self.OnNodeActivated)\n self.CreateColumns()\n",
"role": "user"
},
{
"content": "CreateControls",
"role": "assistant"
}
] |
def x(self):
self.SetItemCount(0)
for i in range(self.GetColumnCount())[::-1]:
self.DeleteColumn(i)
for i, column in enumerate(self.columns):
column.index = i
self.InsertColumn(i, column.name)
if not windows or column.targetWidth is None:
self.SetColumnWidth(i, wx.LIST_AUTOSIZE)
else:
self.SetColumnWidth(i, column.targetWidth)
|
CreateColumns
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.SetItemCount(0)\n for i in range(self.GetColumnCount())[::-1]:\n self.DeleteColumn(i)\n for i, column in enumerate(self.columns):\n column.index = i\n self.InsertColumn(i, column.name)\n if not windows or column.targetWidth is None:\n self.SetColumnWidth(i, wx.LIST_AUTOSIZE)\n else:\n self.SetColumnWidth(i, column.targetWidth)\n",
"role": "user"
},
{
"content": "CreateColumns",
"role": "assistant"
}
] |
def x(self, columns, sortOrder=None):
self.columns = columns
self.sortOrder = [(x.defaultOrder, x) for x in self.columns if x.
sortDefault]
self.CreateColumns()
|
SetColumns
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, columns, sortOrder=None):\n self.columns = columns\n self.sortOrder = [(x.defaultOrder, x) for x in self.columns if x.\n sortDefault]\n self.CreateColumns()\n",
"role": "user"
},
{
"content": "SetColumns",
"role": "assistant"
}
] |
def x(self, node):
self.indicated_node = node
self.indicated = self.NodeToIndex(node)
self.Refresh(False)
return self.indicated
|
SetIndicated
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node):\n self.indicated_node = node\n self.indicated = self.NodeToIndex(node)\n self.Refresh(False)\n return self.indicated\n",
"role": "user"
},
{
"content": "SetIndicated",
"role": "assistant"
}
] |
def x(self, node):
self.selected_node = node
index = self.NodeToIndex(node)
if index != -1:
self.Focus(index)
self.Select(index, True)
return index
|
SetSelected
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node):\n self.selected_node = node\n index = self.NodeToIndex(node)\n if index != -1:\n self.Focus(index)\n self.Select(index, True)\n return index\n",
"role": "user"
},
{
"content": "SetSelected",
"role": "assistant"
}
] |
def x(self, event):
column = self.columns[event.GetColumn()]
return self.ReorderByColumn(column)
|
OnReorder
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n column = self.columns[event.GetColumn()]\n return self.ReorderByColumn(column)\n",
"role": "user"
},
{
"content": "OnReorder",
"role": "assistant"
}
] |
def x(self, column):
single_column = self.SetNewOrder(column)
self.reorder(single_column=True)
self.Refresh()
|
ReorderByColumn
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, column):\n single_column = self.SetNewOrder(column)\n self.reorder(single_column=True)\n self.Refresh()\n",
"role": "user"
},
{
"content": "ReorderByColumn",
"role": "assistant"
}
] |
def x(self, column):
if column.sortOn:
columns = [self.columnByAttribute(attr) for attr in column.sortOn]
diff = [(a, b) for a, b in zip(self.sortOrder, columns) if b is not
a[1]]
if not diff:
self.sortOrder[0] = not self.sortOrder[0][0], column
else:
self.sortOrder = [(c.defaultOrder, c) for c in columns] + [(a,
b) for a, b in self.sortOrder if b not in columns]
return False
else:
if column is self.sortOrder[0][1]:
self.sortOrder[0] = not self.sortOrder[0][0], column
else:
self.sortOrder = [(column.defaultOrder, column)] + [(a, b) for
a, b in self.sortOrder if b is not column]
return True
|
SetNewOrder
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, column):\n if column.sortOn:\n columns = [self.columnByAttribute(attr) for attr in column.sortOn]\n diff = [(a, b) for a, b in zip(self.sortOrder, columns) if b is not\n a[1]]\n if not diff:\n self.sortOrder[0] = not self.sortOrder[0][0], column\n else:\n self.sortOrder = [(c.defaultOrder, c) for c in columns] + [(a,\n b) for a, b in self.sortOrder if b not in columns]\n return False\n else:\n if column is self.sortOrder[0][1]:\n self.sortOrder[0] = not self.sortOrder[0][0], column\n else:\n self.sortOrder = [(column.defaultOrder, column)] + [(a, b) for \n a, b in self.sortOrder if b is not column]\n return True\n",
"role": "user"
},
{
"content": "SetNewOrder",
"role": "assistant"
}
] |
def x(self, single_column=False):
if single_column:
columns = self.sortOrder[:1]
else:
columns = self.sortOrder
for ascending, column in columns[::-1]:
self.sorted.sort(key=column.get, reverse=not ascending)
|
reorder
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, single_column=False):\n if single_column:\n columns = self.sortOrder[:1]\n else:\n columns = self.sortOrder\n for ascending, column in columns[::-1]:\n self.sorted.sort(key=column.get, reverse=not ascending)\n",
"role": "user"
},
{
"content": "reorder",
"role": "assistant"
}
] |
def x(self, functions):
self.SetItemCount(len(functions))
self.sorted = functions[:]
self.reorder()
self.Refresh()
|
integrateRecords
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, functions):\n self.SetItemCount(len(functions))\n self.sorted = functions[:]\n self.reorder()\n self.Refresh()\n",
"role": "user"
},
{
"content": "integrateRecords",
"role": "assistant"
}
] |
def x(self, item):
if self.indicated > -1 and item == self.indicated:
return self.indicated_attribute
return None
|
OnGetItemAttr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, item):\n if self.indicated > -1 and item == self.indicated:\n return self.indicated_attribute\n return None\n",
"role": "user"
},
{
"content": "OnGetItemAttr",
"role": "assistant"
}
] |
def x(input, output_filename):
coder = rs.RSCoder(255, 223)
output = []
while True:
block = input.read(223)
if not block:
break
code = coder.encode_fast(block)
output.append(code)
sys.stderr.write('.')
sys.stderr.write('\n')
out = Image.new('L', (rowstride, len(output)))
out.putdata(''.join(output))
out.save(output_filename)
|
encode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(input, output_filename):\n coder = rs.RSCoder(255, 223)\n output = []\n while True:\n block = input.read(223)\n if not block:\n break\n code = coder.encode_fast(block)\n output.append(code)\n sys.stderr.write('.')\n sys.stderr.write('\\n')\n out = Image.new('L', (rowstride, len(output)))\n out.putdata(''.join(output))\n out.save(output_filename)\n",
"role": "user"
},
{
"content": "encode",
"role": "assistant"
}
] |
def x(url, code=303):
scriptname = request.environ.get('SCRIPT_NAME', '').rstrip('/') + '/'
location = urljoin(request.url, urljoin(scriptname, url))
raise HTTPResponse('', status=code, header=dict(Location=location))
|
redirect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, code=303):\n scriptname = request.environ.get('SCRIPT_NAME', '').rstrip('/') + '/'\n location = urljoin(request.url, urljoin(scriptname, url))\n raise HTTPResponse('', status=code, header=dict(Location=location))\n",
"role": "user"
},
{
"content": "redirect",
"role": "assistant"
}
] |
def x(ims):
try:
ts = email.utils.parsedate_tz(ims)
return time.mktime(ts[:8] + (0,)) - (ts[9] or 0) - time.timezone
except (TypeError, ValueError, IndexError):
return None
|
parse_date
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ims):\n try:\n ts = email.utils.parsedate_tz(ims)\n return time.mktime(ts[:8] + (0,)) - (ts[9] or 0) - time.timezone\n except (TypeError, ValueError, IndexError):\n return None\n",
"role": "user"
},
{
"content": "parse_date",
"role": "assistant"
}
] |
def x(app=None, server=WSGIRefServer, host='127.0.0.1', port=8080, interval
=1, reloader=False, **kargs):
app = app if app else default_app()
quiet = bool(kargs.get('quiet', False))
if isinstance(server, type):
server = server(host=host, port=port, **kargs)
if not isinstance(server, ServerAdapter):
raise RuntimeError('Server must be a subclass of WSGIAdapter')
if not quiet and isinstance(server, ServerAdapter):
if not reloader or os.environ.get('BOTTLE_CHILD') == 'true':
print('Bottle server starting up (using %s)...' % repr(server))
print('Listening on http://%s:%d/' % (server.host, server.port))
print('Use Ctrl-C to quit.')
print()
else:
print('Bottle auto reloader starting up...')
try:
if reloader and interval:
reloader_run(server, app, interval)
else:
server.run(app)
except KeyboardInterrupt:
if not quiet:
print('Shutting Down...')
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app=None, server=WSGIRefServer, host='127.0.0.1', port=8080, interval\n =1, reloader=False, **kargs):\n app = app if app else default_app()\n quiet = bool(kargs.get('quiet', False))\n if isinstance(server, type):\n server = server(host=host, port=port, **kargs)\n if not isinstance(server, ServerAdapter):\n raise RuntimeError('Server must be a subclass of WSGIAdapter')\n if not quiet and isinstance(server, ServerAdapter):\n if not reloader or os.environ.get('BOTTLE_CHILD') == 'true':\n print('Bottle server starting up (using %s)...' % repr(server))\n print('Listening on http://%s:%d/' % (server.host, server.port))\n print('Use Ctrl-C to quit.')\n print()\n else:\n print('Bottle auto reloader starting up...')\n try:\n if reloader and interval:\n reloader_run(server, app, interval)\n else:\n server.run(app)\n except KeyboardInterrupt:\n if not quiet:\n print('Shutting Down...')\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(tpl, template_adapter=SimpleTemplate, **kwargs):
if tpl not in TEMPLATES or DEBUG:
settings = kwargs.get('template_settings', {})
lookup = kwargs.get('template_lookup', TEMPLATE_PATH)
if isinstance(tpl, template_adapter):
TEMPLATES[tpl] = tpl
if settings:
TEMPLATES[tpl].prepare(settings)
elif '\n' in tpl or '{' in tpl or '%' in tpl or '$' in tpl:
TEMPLATES[tpl] = template_adapter(source=tpl, lookup=lookup,
settings=settings)
else:
TEMPLATES[tpl] = template_adapter(name=tpl, lookup=lookup,
settings=settings)
if not TEMPLATES[tpl]:
abort(500, 'Template (%s) not found' % tpl)
kwargs['abort'] = abort
kwargs['request'] = request
kwargs['response'] = response
return TEMPLATES[tpl].render(**kwargs)
|
template
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tpl, template_adapter=SimpleTemplate, **kwargs):\n if tpl not in TEMPLATES or DEBUG:\n settings = kwargs.get('template_settings', {})\n lookup = kwargs.get('template_lookup', TEMPLATE_PATH)\n if isinstance(tpl, template_adapter):\n TEMPLATES[tpl] = tpl\n if settings:\n TEMPLATES[tpl].prepare(settings)\n elif '\\n' in tpl or '{' in tpl or '%' in tpl or '$' in tpl:\n TEMPLATES[tpl] = template_adapter(source=tpl, lookup=lookup,\n settings=settings)\n else:\n TEMPLATES[tpl] = template_adapter(name=tpl, lookup=lookup,\n settings=settings)\n if not TEMPLATES[tpl]:\n abort(500, 'Template (%s) not found' % tpl)\n kwargs['abort'] = abort\n kwargs['request'] = request\n kwargs['response'] = response\n return TEMPLATES[tpl].render(**kwargs)\n",
"role": "user"
},
{
"content": "template",
"role": "assistant"
}
] |
def x(self):
if not self._tokens:
self._tokens = list(self.tokenise(self.route))
return self._tokens
|
tokens
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self._tokens:\n self._tokens = list(self.tokenise(self.route))\n return self._tokens\n",
"role": "user"
},
{
"content": "tokens",
"role": "assistant"
}
] |
def x(cls, route):
match = None
for match in cls.syntax.finditer(route):
pre, name, rex = match.groups()
if pre:
yield 'TXT', pre.replace('\\:', ':')
if rex and name:
yield 'VAR', (rex, name)
elif name:
yield 'VAR', (cls.default, name)
elif rex:
yield 'ANON', rex
if not match:
yield 'TXT', route.replace('\\:', ':')
elif match.end() < len(route):
yield 'TXT', route[match.end():].replace('\\:', ':')
|
tokenise
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, route):\n match = None\n for match in cls.syntax.finditer(route):\n pre, name, rex = match.groups()\n if pre:\n yield 'TXT', pre.replace('\\\\:', ':')\n if rex and name:\n yield 'VAR', (rex, name)\n elif name:\n yield 'VAR', (cls.default, name)\n elif rex:\n yield 'ANON', rex\n if not match:\n yield 'TXT', route.replace('\\\\:', ':')\n elif match.end() < len(route):\n yield 'TXT', route[match.end():].replace('\\\\:', ':')\n",
"role": "user"
},
{
"content": "tokenise",
"role": "assistant"
}
] |
def x(self):
out = ''
for token, data in self.tokens():
if token == 'TXT':
out += re.escape(data)
elif token == 'VAR':
out += '(?P<%s>%s)' % (data[1], data[0])
elif token == 'ANON':
out += '(?:%s)' % data
return out
|
group_re
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n out = ''\n for token, data in self.tokens():\n if token == 'TXT':\n out += re.escape(data)\n elif token == 'VAR':\n out += '(?P<%s>%s)' % (data[1], data[0])\n elif token == 'ANON':\n out += '(?:%s)' % data\n return out\n",
"role": "user"
},
{
"content": "group_re",
"role": "assistant"
}
] |
def x(self):
if self.static:
return self.route.replace('%', '%%')
out, i = '', 0
for token, value in self.tokens():
if token == 'TXT':
out += value.replace('%', '%%')
elif token == 'ANON':
out += '%%(anon%d)s' % i
i += 1
elif token == 'VAR':
out += '%%(%s)s' % value[1]
return out
|
format_str
|
[
{
"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.static:\n return self.route.replace('%', '%%')\n out, i = '', 0\n for token, value in self.tokens():\n if token == 'TXT':\n out += value.replace('%', '%%')\n elif token == 'ANON':\n out += '%%(anon%d)s' % i\n i += 1\n elif token == 'VAR':\n out += '%%(%s)s' % value[1]\n return out\n",
"role": "user"
},
{
"content": "format_str",
"role": "assistant"
}
] |
def x(self):
if not self._static:
for token, value in self.tokens():
if token != 'TXT':
return True
self._static = True
return False
|
is_dynamic
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self._static:\n for token, value in self.tokens():\n if token != 'TXT':\n return True\n self._static = True\n return False\n",
"role": "user"
},
{
"content": "is_dynamic",
"role": "assistant"
}
] |
def x(self, uri):
if uri in self.static:
return self.static[uri], {}
for combined, subroutes in self.dynamic:
match = combined.match(uri)
if not match:
continue
target, groups = subroutes[match.lastindex - 1]
groups = groups.match(uri).groupdict() if groups else {}
return target, groups
return None, {}
|
match
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, uri):\n if uri in self.static:\n return self.static[uri], {}\n for combined, subroutes in self.dynamic:\n match = combined.match(uri)\n if not match:\n continue\n target, groups = subroutes[match.lastindex - 1]\n groups = groups.match(uri).groupdict() if groups else {}\n return target, groups\n return None, {}\n",
"role": "user"
},
{
"content": "match",
"role": "assistant"
}
] |
def x(self, route_name, **args):
try:
return self.named[route_name] % args
except KeyError:
raise RouteBuildError("No route found with name '%s'." % route_name)
|
build
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, route_name, **args):\n try:\n return self.named[route_name] % args\n except KeyError:\n raise RouteBuildError(\"No route found with name '%s'.\" % route_name)\n",
"role": "user"
},
{
"content": "build",
"role": "assistant"
}
] |
def x(self, ftype, func):
if not isinstance(ftype, type):
raise TypeError('Expected type object, got %s' % type(ftype))
self.castfilter = [(t, f) for t, f in self.castfilter if t != ftype]
self.castfilter.append((ftype, func))
self.castfilter.sort()
|
add_filter
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ftype, func):\n if not isinstance(ftype, type):\n raise TypeError('Expected type object, got %s' % type(ftype))\n self.castfilter = [(t, f) for t, f in self.castfilter if t != ftype]\n self.castfilter.append((ftype, func))\n self.castfilter.sort()\n",
"role": "user"
},
{
"content": "add_filter",
"role": "assistant"
}
] |
def x(self, path, method='GET'):
path = path.strip().lstrip('/')
handler, param = self.routes.match(method + ';' + path)
if handler:
return handler, param
if method == 'HEAD':
handler, param = self.routes.match('GET;' + path)
if handler:
return handler, param
handler, param = self.routes.match('ANY;' + path)
if handler:
return handler, param
return None, {}
|
match_url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, method='GET'):\n path = path.strip().lstrip('/')\n handler, param = self.routes.match(method + ';' + path)\n if handler:\n return handler, param\n if method == 'HEAD':\n handler, param = self.routes.match('GET;' + path)\n if handler:\n return handler, param\n handler, param = self.routes.match('ANY;' + path)\n if handler:\n return handler, param\n return None, {}\n",
"role": "user"
},
{
"content": "match_url",
"role": "assistant"
}
] |
def x(self, routename, **kargs):
return '/' + self.routes.build(routename, **kargs).split(';', 1)[1]
|
get_url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, routename, **kargs):\n return '/' + self.routes.build(routename, **kargs).split(';', 1)[1]\n",
"role": "user"
},
{
"content": "get_url",
"role": "assistant"
}
] |
def x(self, path=None, method='GET', **kargs):
if isinstance(method, str):
method = method.split(';')
def x(callback):
paths = [] if path is None else [path.strip().lstrip('/')]
if not paths:
paths = yieldroutes(callback)
for p in paths:
for m in method:
route = m.upper() + ';' + p
self.routes.add(route, callback, **kargs)
return callback
return wrapper
|
route
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path=None, method='GET', **kargs):\n if isinstance(method, str):\n method = method.split(';')\n\n def x(callback):\n paths = [] if path is None else [path.strip().lstrip('/')]\n if not paths:\n paths = yieldroutes(callback)\n for p in paths:\n for m in method:\n route = m.upper() + ';' + p\n self.routes.add(route, callback, **kargs)\n return callback\n return wrapper\n",
"role": "user"
},
{
"content": "route",
"role": "assistant"
}
] |
def x(self, environ, app=None):
if isinstance(environ, Request):
for key in self.__dict__:
setattr(self, key, getattr(environ, key))
self.app = app
return
self._GET = self._POST = self._GETPOST = self._COOKIES = None
self._body = self._header = None
self.environ = environ
self.app = app
self.path = '/' + environ.get('PATH_INFO', '/').lstrip('/')
self.method = environ.get('REQUEST_METHOD', 'GET').upper()
|
bind
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, environ, app=None):\n if isinstance(environ, Request):\n for key in self.__dict__:\n setattr(self, key, getattr(environ, key))\n self.app = app\n return\n self._GET = self._POST = self._GETPOST = self._COOKIES = None\n self._body = self._header = None\n self.environ = environ\n self.app = app\n self.path = '/' + environ.get('PATH_INFO', '/').lstrip('/')\n self.method = environ.get('REQUEST_METHOD', 'GET').upper()\n",
"role": "user"
},
{
"content": "bind",
"role": "assistant"
}
] |
def x(self, count=1):
if count == 0:
return ''
pathlist = self.path.strip('/').split('/')
scriptlist = self.environ.get('SCRIPT_NAME', '/').strip('/').split('/')
if pathlist and pathlist[0] == '':
pathlist = []
if scriptlist and scriptlist[0] == '':
scriptlist = []
if count > 0 and count <= len(pathlist):
moved = pathlist[:count]
scriptlist = scriptlist + moved
pathlist = pathlist[count:]
elif count < 0 and count >= -len(scriptlist):
moved = scriptlist[count:]
pathlist = moved + pathlist
scriptlist = scriptlist[:count]
else:
empty = 'SCRIPT_NAME' if count < 0 else 'PATH_INFO'
raise AssertionError('Cannot shift. Nothing left from %s' % empty)
self['PATH_INFO'] = self.path = '/' + '/'.join(pathlist) + ('/' if self
.path.endswith('/') and pathlist else '')
self['SCRIPT_NAME'] = '/' + '/'.join(scriptlist)
return '/'.join(moved)
|
path_shift
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, count=1):\n if count == 0:\n return ''\n pathlist = self.path.strip('/').split('/')\n scriptlist = self.environ.get('SCRIPT_NAME', '/').strip('/').split('/')\n if pathlist and pathlist[0] == '':\n pathlist = []\n if scriptlist and scriptlist[0] == '':\n scriptlist = []\n if count > 0 and count <= len(pathlist):\n moved = pathlist[:count]\n scriptlist = scriptlist + moved\n pathlist = pathlist[count:]\n elif count < 0 and count >= -len(scriptlist):\n moved = scriptlist[count:]\n pathlist = moved + pathlist\n scriptlist = scriptlist[:count]\n else:\n empty = 'SCRIPT_NAME' if count < 0 else 'PATH_INFO'\n raise AssertionError('Cannot shift. Nothing left from %s' % empty)\n self['PATH_INFO'] = self.path = '/' + '/'.join(pathlist) + ('/' if self\n .path.endswith('/') and pathlist else '')\n self['SCRIPT_NAME'] = '/' + '/'.join(scriptlist)\n return '/'.join(moved)\n",
"role": "user"
},
{
"content": "path_shift",
"role": "assistant"
}
] |
def x(self):
scheme = self.environ.get('wsgi.url_scheme', 'http')
host = self.environ.get('HTTP_X_FORWARDED_HOST', self.environ.get(
'HTTP_HOST', None))
if not host:
host = self.environ.get('SERVER_NAME')
port = self.environ.get('SERVER_PORT', '80')
if scheme + port not in ('https443', 'http80'):
host += ':' + port
parts = scheme, host, urlquote(self.fullpath), self.query_string, ''
return urlunsplit(parts)
|
url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n scheme = self.environ.get('wsgi.url_scheme', 'http')\n host = self.environ.get('HTTP_X_FORWARDED_HOST', self.environ.get(\n 'HTTP_HOST', None))\n if not host:\n host = self.environ.get('SERVER_NAME')\n port = self.environ.get('SERVER_PORT', '80')\n if scheme + port not in ('https443', 'http80'):\n host += ':' + port\n parts = scheme, host, urlquote(self.fullpath), self.query_string, ''\n return urlunsplit(parts)\n",
"role": "user"
},
{
"content": "url",
"role": "assistant"
}
] |
def x(self):
if self._POST is None:
save_env = dict()
for key in ('REQUEST_METHOD', 'CONTENT_TYPE', 'CONTENT_LENGTH'):
if key in self.environ:
save_env[key] = self.environ[key]
save_env['QUERY_STRING'] = ''
if TextIOWrapper:
fb = TextIOWrapper(self.body, encoding='ISO-8859-1')
else:
fb = self.body
data = cgi.FieldStorage(fp=fb, environ=save_env)
self._POST = MultiDict()
for item in data.list:
self._POST[item.name] = item if item.filename else item.value
return self._POST
|
POST
|
[
{
"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._POST is None:\n save_env = dict()\n for key in ('REQUEST_METHOD', 'CONTENT_TYPE', 'CONTENT_LENGTH'):\n if key in self.environ:\n save_env[key] = self.environ[key]\n save_env['QUERY_STRING'] = ''\n if TextIOWrapper:\n fb = TextIOWrapper(self.body, encoding='ISO-8859-1')\n else:\n fb = self.body\n data = cgi.FieldStorage(fp=fb, environ=save_env)\n self._POST = MultiDict()\n for item in data.list:\n self._POST[item.name] = item if item.filename else item.value\n return self._POST\n",
"role": "user"
},
{
"content": "POST",
"role": "assistant"
}
] |
def x(self):
if self._GETPOST is None:
self._GETPOST = MultiDict(self.GET)
self._GETPOST.update(dict(self.POST))
return self._GETPOST
|
params
|
[
{
"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._GETPOST is None:\n self._GETPOST = MultiDict(self.GET)\n self._GETPOST.update(dict(self.POST))\n return self._GETPOST\n",
"role": "user"
},
{
"content": "params",
"role": "assistant"
}
] |
def x(self, *args):
value = self.COOKIES.get(*args)
sec = self.app.config['securecookie.key']
dec = cookie_decode(value, sec)
return dec or value
|
get_cookie
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args):\n value = self.COOKIES.get(*args)\n sec = self.app.config['securecookie.key']\n dec = cookie_decode(value, sec)\n return dec or value\n",
"role": "user"
},
{
"content": "get_cookie",
"role": "assistant"
}
] |
def x(self):
copy = Response(self.app)
copy.status = self.status
copy.headers = self.headers.copy()
copy.content_type = self.content_type
return copy
|
copy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n copy = Response(self.app)\n copy.status = self.status\n copy.headers = self.headers.copy()\n copy.content_type = self.content_type\n return copy\n",
"role": "user"
},
{
"content": "copy",
"role": "assistant"
}
] |
def x(self):
for c in list(self.COOKIES.values()):
if c.OutputString() not in self.headers.getall('Set-Cookie'):
self.headers.append('Set-Cookie', c.OutputString())
return list(self.headers.iterallitems())
|
wsgiheader
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for c in list(self.COOKIES.values()):\n if c.OutputString() not in self.headers.getall('Set-Cookie'):\n self.headers.append('Set-Cookie', c.OutputString())\n return list(self.headers.iterallitems())\n",
"role": "user"
},
{
"content": "wsgiheader",
"role": "assistant"
}
] |
def x(self, key, value, **kargs):
if not isinstance(value, str):
sec = self.app.config['securecookie.key']
value = cookie_encode(value, sec).decode('ascii')
self.COOKIES[key] = value
for k, v in kargs.items():
self.COOKIES[key][k.replace('_', '-')] = v
|
set_cookie
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, value, **kargs):\n if not isinstance(value, str):\n sec = self.app.config['securecookie.key']\n value = cookie_encode(value, sec).decode('ascii')\n self.COOKIES[key] = value\n for k, v in kargs.items():\n self.COOKIES[key][k.replace('_', '-')] = v\n",
"role": "user"
},
{
"content": "set_cookie",
"role": "assistant"
}
] |
def x(file_name):
nodes = ast.parse(_openfile(file_name))
module_imports = get_nodes_by_instance_type(nodes, _ast.Import)
specific_imports = get_nodes_by_instance_type(nodes, _ast.ImportFrom)
assignment_objs = get_nodes_by_instance_type(nodes, _ast.Assign)
call_objects = get_nodes_by_instance_type(nodes, _ast.Call)
argparse_assignments = get_nodes_by_containing_attr(assignment_objs,
'ArgumentParser')
add_arg_assignments = get_nodes_by_containing_attr(call_objects,
'add_argument')
parse_args_assignment = get_nodes_by_containing_attr(call_objects,
'parse_args')
ast_argparse_source = chain(module_imports, specific_imports,
argparse_assignments, add_arg_assignments)
return ast_argparse_source
|
parse_source_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file_name):\n nodes = ast.parse(_openfile(file_name))\n module_imports = get_nodes_by_instance_type(nodes, _ast.Import)\n specific_imports = get_nodes_by_instance_type(nodes, _ast.ImportFrom)\n assignment_objs = get_nodes_by_instance_type(nodes, _ast.Assign)\n call_objects = get_nodes_by_instance_type(nodes, _ast.Call)\n argparse_assignments = get_nodes_by_containing_attr(assignment_objs,\n 'ArgumentParser')\n add_arg_assignments = get_nodes_by_containing_attr(call_objects,\n 'add_argument')\n parse_args_assignment = get_nodes_by_containing_attr(call_objects,\n 'parse_args')\n ast_argparse_source = chain(module_imports, specific_imports,\n argparse_assignments, add_arg_assignments)\n return ast_argparse_source\n",
"role": "user"
},
{
"content": "parse_source_file",
"role": "assistant"
}
] |
def x(proc=-1, interval=0.1, timeout=None, timestamps=False,
include_children=False, max_usage=False, retval=False, stream=None):
if stream is not None:
timestamps = True
if not max_usage:
ret = []
else:
ret = -1
if timeout is not None:
max_iter = int(timeout / interval)
elif isinstance(proc, int):
max_iter = 1
else:
max_iter = float('inf')
if hasattr(proc, '__call__'):
proc = proc, (), {}
if isinstance(proc, (list, tuple)):
if len(proc) == 1:
f, args, kw = proc[0], (), {}
elif len(proc) == 2:
f, args, kw = proc[0], proc[1], {}
elif len(proc) == 3:
f, args, kw = proc[0], proc[1], proc[2]
else:
raise ValueError
while True:
child_conn, parent_conn = Pipe()
p = MemTimer(os.getpid(), interval, child_conn, timestamps=
timestamps, max_usage=max_usage, include_children=
include_children)
p.start()
parent_conn.recv()
returned = f(*args, **kw)
parent_conn.send(0)
ret = parent_conn.recv()
n_measurements = parent_conn.recv()
if retval:
ret = ret, returned
p.join(5 * interval)
if n_measurements > 4 or interval < 1e-06:
break
interval /= 10.0
elif isinstance(proc, subprocess.Popen):
line_count = 0
while True:
if not max_usage:
mem_usage = _get_memory(proc.pid, timestamps=timestamps,
include_children=include_children)
if stream is not None:
stream.write('MEM {0:.6f} {1:.4f}\n'.format(*mem_usage))
else:
ret.append(mem_usage)
else:
ret = max([ret, _get_memory(proc.pid, include_children=
include_children)])
time.sleep(interval)
line_count += 1
if line_count > 50:
line_count = 0
if stream is not None:
stream.flush()
if timeout is not None:
max_iter -= 1
if max_iter == 0:
break
if proc.poll() is not None:
break
else:
if max_iter == -1:
max_iter = 1
counter = 0
while counter < max_iter:
counter += 1
if not max_usage:
mem_usage = _get_memory(proc, timestamps=timestamps,
include_children=include_children)
if stream is not None:
stream.write('MEM {0:.6f} {1:.4f}\n'.format(*mem_usage))
else:
ret.append(mem_usage)
else:
ret = max([ret, _get_memory(proc, include_children=
include_children)])
time.sleep(interval)
if counter % 50 == 0 and stream is not None:
stream.flush()
if stream:
return None
return ret
|
memory_usage
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(proc=-1, interval=0.1, timeout=None, timestamps=False,\n include_children=False, max_usage=False, retval=False, stream=None):\n if stream is not None:\n timestamps = True\n if not max_usage:\n ret = []\n else:\n ret = -1\n if timeout is not None:\n max_iter = int(timeout / interval)\n elif isinstance(proc, int):\n max_iter = 1\n else:\n max_iter = float('inf')\n if hasattr(proc, '__call__'):\n proc = proc, (), {}\n if isinstance(proc, (list, tuple)):\n if len(proc) == 1:\n f, args, kw = proc[0], (), {}\n elif len(proc) == 2:\n f, args, kw = proc[0], proc[1], {}\n elif len(proc) == 3:\n f, args, kw = proc[0], proc[1], proc[2]\n else:\n raise ValueError\n while True:\n child_conn, parent_conn = Pipe()\n p = MemTimer(os.getpid(), interval, child_conn, timestamps=\n timestamps, max_usage=max_usage, include_children=\n include_children)\n p.start()\n parent_conn.recv()\n returned = f(*args, **kw)\n parent_conn.send(0)\n ret = parent_conn.recv()\n n_measurements = parent_conn.recv()\n if retval:\n ret = ret, returned\n p.join(5 * interval)\n if n_measurements > 4 or interval < 1e-06:\n break\n interval /= 10.0\n elif isinstance(proc, subprocess.Popen):\n line_count = 0\n while True:\n if not max_usage:\n mem_usage = _get_memory(proc.pid, timestamps=timestamps,\n include_children=include_children)\n if stream is not None:\n stream.write('MEM {0:.6f} {1:.4f}\\n'.format(*mem_usage))\n else:\n ret.append(mem_usage)\n else:\n ret = max([ret, _get_memory(proc.pid, include_children=\n include_children)])\n time.sleep(interval)\n line_count += 1\n if line_count > 50:\n line_count = 0\n if stream is not None:\n stream.flush()\n if timeout is not None:\n max_iter -= 1\n if max_iter == 0:\n break\n if proc.poll() is not None:\n break\n else:\n if max_iter == -1:\n max_iter = 1\n counter = 0\n while counter < max_iter:\n counter += 1\n if not max_usage:\n mem_usage = _get_memory(proc, timestamps=timestamps,\n include_children=include_children)\n if stream is not None:\n stream.write('MEM {0:.6f} {1:.4f}\\n'.format(*mem_usage))\n else:\n ret.append(mem_usage)\n else:\n ret = max([ret, _get_memory(proc, include_children=\n include_children)])\n time.sleep(interval)\n if counter % 50 == 0 and stream is not None:\n stream.flush()\n if stream:\n return None\n return ret\n",
"role": "user"
},
{
"content": "memory_usage",
"role": "assistant"
}
] |
def x(script_name):
if os.path.isfile(script_name):
return script_name
path = os.getenv('PATH', os.defpath).split(os.pathsep)
for folder in path:
if not folder:
continue
fn = os.path.join(folder, script_name)
if os.path.isfile(fn):
return fn
sys.stderr.write('Could not find script {0}\n'.format(script_name))
raise SystemExit(1)
|
find_script
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(script_name):\n if os.path.isfile(script_name):\n return script_name\n path = os.getenv('PATH', os.defpath).split(os.pathsep)\n for folder in path:\n if not folder:\n continue\n fn = os.path.join(folder, script_name)\n if os.path.isfile(fn):\n return fn\n sys.stderr.write('Could not find script {0}\\n'.format(script_name))\n raise SystemExit(1)\n",
"role": "user"
},
{
"content": "find_script",
"role": "assistant"
}
] |
def x(self, parameter_s=''):
try:
from StringIO import StringIO
except ImportError:
from io import StringIO
from distutils.version import LooseVersion
import IPython
ipython_version = LooseVersion(IPython.__version__)
if ipython_version < '0.11':
from IPython.genutils import page
from IPython.ipstruct import Struct
from IPython.ipapi import UsageError
else:
from IPython.core.page import page
from IPython.utils.ipstruct import Struct
from IPython.core.error import UsageError
opts_def = Struct(T=[''], f=[])
parameter_s = parameter_s.replace('"', '\\"').replace("'", "\\'")
opts, arg_str = self.parse_options(parameter_s, 'rf:T:c', list_all=True)
opts.merge(opts_def)
global_ns = self.shell.user_global_ns
local_ns = self.shell.user_ns
funcs = []
for name in opts.f:
try:
funcs.append(eval(name, global_ns, local_ns))
except Exception as e:
raise UsageError('Could not find function %r.\n%s: %s' % (name,
e.__class__.__name__, e))
include_children = 'c' in opts
profile = LineProfiler(include_children=include_children)
for func in funcs:
profile(func)
try:
import builtins
except ImportError:
import __builtin__ as builtins
if 'profile' in builtins.__dict__:
had_profile = True
old_profile = builtins.__dict__['profile']
else:
had_profile = False
old_profile = None
builtins.__dict__['profile'] = profile
try:
try:
profile.runctx(arg_str, global_ns, local_ns)
message = ''
except SystemExit:
message = '*** SystemExit exception caught in code being profiled.'
except KeyboardInterrupt:
message = (
'*** KeyboardInterrupt exception caught in code being profiled.'
)
finally:
if had_profile:
builtins.__dict__['profile'] = old_profile
stdout_trap = StringIO()
show_results(profile, stdout_trap)
output = stdout_trap.getvalue()
output = output.rstrip()
if ipython_version < '0.11':
page(output, screen_lines=self.shell.rc.screen_length)
else:
page(output)
print(message)
text_file = opts.T[0]
if text_file:
with open(text_file, 'w') as pfile:
pfile.write(output)
print('\n*** Profile printout saved to text file %s. %s' % (
text_file, message))
return_value = None
if 'r' in opts:
return_value = profile
return return_value
|
magic_mprun
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parameter_s=''):\n try:\n from StringIO import StringIO\n except ImportError:\n from io import StringIO\n from distutils.version import LooseVersion\n import IPython\n ipython_version = LooseVersion(IPython.__version__)\n if ipython_version < '0.11':\n from IPython.genutils import page\n from IPython.ipstruct import Struct\n from IPython.ipapi import UsageError\n else:\n from IPython.core.page import page\n from IPython.utils.ipstruct import Struct\n from IPython.core.error import UsageError\n opts_def = Struct(T=[''], f=[])\n parameter_s = parameter_s.replace('\"', '\\\\\"').replace(\"'\", \"\\\\'\")\n opts, arg_str = self.parse_options(parameter_s, 'rf:T:c', list_all=True)\n opts.merge(opts_def)\n global_ns = self.shell.user_global_ns\n local_ns = self.shell.user_ns\n funcs = []\n for name in opts.f:\n try:\n funcs.append(eval(name, global_ns, local_ns))\n except Exception as e:\n raise UsageError('Could not find function %r.\\n%s: %s' % (name,\n e.__class__.__name__, e))\n include_children = 'c' in opts\n profile = LineProfiler(include_children=include_children)\n for func in funcs:\n profile(func)\n try:\n import builtins\n except ImportError:\n import __builtin__ as builtins\n if 'profile' in builtins.__dict__:\n had_profile = True\n old_profile = builtins.__dict__['profile']\n else:\n had_profile = False\n old_profile = None\n builtins.__dict__['profile'] = profile\n try:\n try:\n profile.runctx(arg_str, global_ns, local_ns)\n message = ''\n except SystemExit:\n message = '*** SystemExit exception caught in code being profiled.'\n except KeyboardInterrupt:\n message = (\n '*** KeyboardInterrupt exception caught in code being profiled.'\n )\n finally:\n if had_profile:\n builtins.__dict__['profile'] = old_profile\n stdout_trap = StringIO()\n show_results(profile, stdout_trap)\n output = stdout_trap.getvalue()\n output = output.rstrip()\n if ipython_version < '0.11':\n page(output, screen_lines=self.shell.rc.screen_length)\n else:\n page(output)\n print(message)\n text_file = opts.T[0]\n if text_file:\n with open(text_file, 'w') as pfile:\n pfile.write(output)\n print('\\n*** Profile printout saved to text file %s. %s' % (\n text_file, message))\n return_value = None\n if 'r' in opts:\n return_value = profile\n return return_value\n",
"role": "user"
},
{
"content": "magic_mprun",
"role": "assistant"
}
] |
def x(self, line=''):
opts, stmt = self.parse_options(line, 'r:t:i:c', posix=False, strict=False)
repeat = int(getattr(opts, 'r', 1))
if repeat < 1:
repeat == 1
timeout = int(getattr(opts, 't', 0))
if timeout <= 0:
timeout = None
interval = float(getattr(opts, 'i', 0.1))
include_children = 'c' in opts
import gc
gc.collect()
mem_usage = 0
counter = 0
baseline = memory_usage()[0]
while counter < repeat:
counter += 1
tmp = memory_usage((_func_exec, (stmt, self.shell.user_ns)),
timeout=timeout, interval=interval, max_usage=True,
include_children=include_children)
mem_usage = max(mem_usage, tmp[0])
if mem_usage:
print('peak memory: %.02f MiB, increment: %.02f MiB' % (mem_usage,
mem_usage - baseline))
else:
print(
'ERROR: could not read memory usage, try with a lower interval or more iterations'
)
|
magic_memit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, line=''):\n opts, stmt = self.parse_options(line, 'r:t:i:c', posix=False, strict=False)\n repeat = int(getattr(opts, 'r', 1))\n if repeat < 1:\n repeat == 1\n timeout = int(getattr(opts, 't', 0))\n if timeout <= 0:\n timeout = None\n interval = float(getattr(opts, 'i', 0.1))\n include_children = 'c' in opts\n import gc\n gc.collect()\n mem_usage = 0\n counter = 0\n baseline = memory_usage()[0]\n while counter < repeat:\n counter += 1\n tmp = memory_usage((_func_exec, (stmt, self.shell.user_ns)),\n timeout=timeout, interval=interval, max_usage=True,\n include_children=include_children)\n mem_usage = max(mem_usage, tmp[0])\n if mem_usage:\n print('peak memory: %.02f MiB, increment: %.02f MiB' % (mem_usage, \n mem_usage - baseline))\n else:\n print(\n 'ERROR: could not read memory usage, try with a lower interval or more iterations'\n )\n",
"role": "user"
},
{
"content": "magic_memit",
"role": "assistant"
}
] |
def x(func, stream=None):
def x(*args, **kwargs):
prof = LineProfiler()
val = prof(func)(*args, **kwargs)
show_results(prof, stream=stream)
return val
return wrapper
|
profile
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func, stream=None):\n\n def x(*args, **kwargs):\n prof = LineProfiler()\n val = prof(func)(*args, **kwargs)\n show_results(prof, stream=stream)\n return val\n return wrapper\n",
"role": "user"
},
{
"content": "profile",
"role": "assistant"
}
] |
def x(self, name='<block>'):
func = lambda x: x
func.__module__ = ''
func.__name__ = name
self.add_function(func)
timestamps = []
self.functions[func].append(timestamps)
return _TimeStamperCM(timestamps)
|
timestamp
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name='<block>'):\n func = lambda x: x\n func.__module__ = ''\n func.__name__ = name\n self.add_function(func)\n timestamps = []\n self.functions[func].append(timestamps)\n return _TimeStamperCM(timestamps)\n",
"role": "user"
},
{
"content": "timestamp",
"role": "assistant"
}
] |
def x(self, func):
def x(*args, **kwds):
timestamps = [_get_memory(os.getpid(), timestamps=True)]
self.functions[func].append(timestamps)
try:
result = func(*args, **kwds)
finally:
timestamps.append(_get_memory(os.getpid(), timestamps=True))
return result
return f
|
wrap_function
|
[
{
"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 def x(*args, **kwds):\n timestamps = [_get_memory(os.getpid(), timestamps=True)]\n self.functions[func].append(timestamps)\n try:\n result = func(*args, **kwds)\n finally:\n timestamps.append(_get_memory(os.getpid(), timestamps=True))\n return result\n return f\n",
"role": "user"
},
{
"content": "wrap_function",
"role": "assistant"
}
] |
def x(self, func):
try:
code = func.__code__
except AttributeError:
warnings.warn('Could not extract a code object for the object %r' %
func)
else:
self.add_code(code)
|
add_function
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, func):\n try:\n code = func.__code__\n except AttributeError:\n warnings.warn('Could not extract a code object for the object %r' %\n func)\n else:\n self.add_code(code)\n",
"role": "user"
},
{
"content": "add_function",
"role": "assistant"
}
] |
def x(self, cmd):
import __main__
main_dict = __main__.__dict__
return self.runctx(cmd, main_dict, main_dict)
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cmd):\n import __main__\n main_dict = __main__.__dict__\n return self.runctx(cmd, main_dict, main_dict)\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(self, frame, event, arg):
if event in ('call', 'line', 'return') and frame.f_code in self.code_map:
if event != 'call':
mem = _get_memory(-1, include_children=self.include_children)
old_mem = self.code_map[frame.f_code].get(self.prevline, 0)
self.code_map[frame.f_code][self.prevline] = max(mem, old_mem)
self.prevline = frame.f_lineno
if self._original_trace_function is not None:
self._original_trace_function(frame, event, arg)
return self.trace_memory_usage
|
trace_memory_usage
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, frame, event, arg):\n if event in ('call', 'line', 'return') and frame.f_code in self.code_map:\n if event != 'call':\n mem = _get_memory(-1, include_children=self.include_children)\n old_mem = self.code_map[frame.f_code].get(self.prevline, 0)\n self.code_map[frame.f_code][self.prevline] = max(mem, old_mem)\n self.prevline = frame.f_lineno\n if self._original_trace_function is not None:\n self._original_trace_function(frame, event, arg)\n return self.trace_memory_usage\n",
"role": "user"
},
{
"content": "trace_memory_usage",
"role": "assistant"
}
] |
def x(self, key):
if key not in self.roots:
function = getattr(self, 'load_%s' % (key,))()
self.roots[key] = function
return self.roots[key]
|
get_root
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key):\n if key not in self.roots:\n function = getattr(self, 'load_%s' % (key,))()\n self.roots[key] = function\n return self.roots[key]\n",
"role": "user"
},
{
"content": "get_root",
"role": "assistant"
}
] |
def x(self, key):
if key not in self.roots:
self.get_root(key)
if key == 'location':
return self.location_rows
else:
return self.rows
|
get_rows
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key):\n if key not in self.roots:\n self.get_root(key)\n if key == 'location':\n return self.location_rows\n else:\n return self.rows\n",
"role": "user"
},
{
"content": "get_rows",
"role": "assistant"
}
] |
def x(self, rows):
maxes = sorted(rows.values(), key=lambda x: x.cumulative)
if not maxes:
raise RuntimeError('Null results!')
root = maxes[-1]
roots = [root]
for key, value in rows.items():
if not value.parents:
log.debug('Found node root: %s', value)
if value not in roots:
roots.append(value)
if len(roots) > 1:
root = PStatGroup(directory='*', filename='*', name=_(
'<profiling run>'), children=roots)
root.finalize()
self.rows[root.key] = root
self.roots['functions'] = root
return root
|
find_root
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rows):\n maxes = sorted(rows.values(), key=lambda x: x.cumulative)\n if not maxes:\n raise RuntimeError('Null results!')\n root = maxes[-1]\n roots = [root]\n for key, value in rows.items():\n if not value.parents:\n log.debug('Found node root: %s', value)\n if value not in roots:\n roots.append(value)\n if len(roots) > 1:\n root = PStatGroup(directory='*', filename='*', name=_(\n '<profiling run>'), children=roots)\n root.finalize()\n self.rows[root.key] = root\n self.roots['functions'] = root\n return root\n",
"role": "user"
},
{
"content": "find_root",
"role": "assistant"
}
] |
def x(self):
directories = {}
files = {}
root = PStatLocation('/', 'PYTHONPATH')
self.location_rows = self.rows.copy()
for child in self.rows.values():
current = directories.get(child.directory)
directory, filename = child.directory, child.filename
if current is None:
if directory == '':
current = root
else:
current = PStatLocation(directory, '')
self.location_rows[current.key] = current
directories[directory] = current
if filename == '~':
filename = '<built-in>'
file_current = files.get((directory, filename))
if file_current is None:
file_current = PStatLocation(directory, filename)
self.location_rows[file_current.key] = file_current
files[directory, filename] = file_current
current.children.append(file_current)
file_current.children.append(child)
for key, value in directories.items():
if value is root:
continue
found = False
while key:
new_key, rest = os.path.split(key)
if new_key == key:
break
key = new_key
parent = directories.get(key)
if parent:
if value is not parent:
parent.children.append(value)
found = True
break
if not found:
root.children.append(value)
root.finalize()
return root
|
load_location
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n directories = {}\n files = {}\n root = PStatLocation('/', 'PYTHONPATH')\n self.location_rows = self.rows.copy()\n for child in self.rows.values():\n current = directories.get(child.directory)\n directory, filename = child.directory, child.filename\n if current is None:\n if directory == '':\n current = root\n else:\n current = PStatLocation(directory, '')\n self.location_rows[current.key] = current\n directories[directory] = current\n if filename == '~':\n filename = '<built-in>'\n file_current = files.get((directory, filename))\n if file_current is None:\n file_current = PStatLocation(directory, filename)\n self.location_rows[file_current.key] = file_current\n files[directory, filename] = file_current\n current.children.append(file_current)\n file_current.children.append(child)\n for key, value in directories.items():\n if value is root:\n continue\n found = False\n while key:\n new_key, rest = os.path.split(key)\n if new_key == key:\n break\n key = new_key\n parent = directories.get(key)\n if parent:\n if value is not parent:\n parent.children.append(value)\n found = True\n break\n if not found:\n root.children.append(value)\n root.finalize()\n return root\n",
"role": "user"
},
{
"content": "load_location",
"role": "assistant"
}
] |
def x(self, already_done=None):
if already_done is None:
already_done = {}
if already_done.has_key(self):
return True
already_done[self] = True
self.filter_children()
children = self.children
for child in children:
if hasattr(child, 'finalize'):
child.finalize(already_done)
child.parents.append(self)
self.calculate_totals(self.children, self.local_children)
|
finalize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, already_done=None):\n if already_done is None:\n already_done = {}\n if already_done.has_key(self):\n return True\n already_done[self] = True\n self.filter_children()\n children = self.children\n for child in children:\n if hasattr(child, 'finalize'):\n child.finalize(already_done)\n child.parents.append(self)\n self.calculate_totals(self.children, self.local_children)\n",
"role": "user"
},
{
"content": "finalize",
"role": "assistant"
}
] |
def x(self, children, local_children=None):
for field, local_field in (('recursive', 'calls'), ('cumulative', 'local')
):
values = []
for child in children:
if isinstance(child, PStatGroup) or not self.LOCAL_ONLY:
values.append(getattr(child, field, 0))
elif isinstance(child, PStatRow) and self.LOCAL_ONLY:
values.append(getattr(child, local_field, 0))
value = sum(values)
setattr(self, field, value)
if self.recursive:
self.cumulativePer = self.cumulative / float(self.recursive)
else:
self.recursive = 0
if local_children:
for field in ('local', 'calls'):
value = sum([getattr(child, field, 0) for child in children])
setattr(self, field, value)
if self.calls:
self.localPer = self.local / self.calls
else:
self.local = 0
self.calls = 0
self.localPer = 0
|
calculate_totals
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, children, local_children=None):\n for field, local_field in (('recursive', 'calls'), ('cumulative', 'local')\n ):\n values = []\n for child in children:\n if isinstance(child, PStatGroup) or not self.LOCAL_ONLY:\n values.append(getattr(child, field, 0))\n elif isinstance(child, PStatRow) and self.LOCAL_ONLY:\n values.append(getattr(child, local_field, 0))\n value = sum(values)\n setattr(self, field, value)\n if self.recursive:\n self.cumulativePer = self.cumulative / float(self.recursive)\n else:\n self.recursive = 0\n if local_children:\n for field in ('local', 'calls'):\n value = sum([getattr(child, field, 0) for child in children])\n setattr(self, field, value)\n if self.calls:\n self.localPer = self.local / self.calls\n else:\n self.local = 0\n self.calls = 0\n self.localPer = 0\n",
"role": "user"
},
{
"content": "calculate_totals",
"role": "assistant"
}
] |
def x(self):
real_children = []
for child in self.children:
if child.name == '<module>':
self.local_children.append(child)
else:
real_children.append(child)
self.children = real_children
|
filter_children
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n real_children = []\n for child in self.children:\n if child.name == '<module>':\n self.local_children.append(child)\n else:\n real_children.append(child)\n self.children = real_children\n",
"role": "user"
},
{
"content": "filter_children",
"role": "assistant"
}
] |
def x(fraction, x, y, w, h):
if w >= h:
new_w = int(w * fraction)
if new_w:
return (x, y, new_w, h), (x + new_w, y, w - new_w, h)
else:
return None, None
else:
new_h = int(h * fraction)
if new_h:
return (x, y, w, new_h), (x, y + new_h, w, h - new_h)
else:
return None, None
|
split_box
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fraction, x, y, w, h):\n if w >= h:\n new_w = int(w * fraction)\n if new_w:\n return (x, y, new_w, h), (x + new_w, y, w - new_w, h)\n else:\n return None, None\n else:\n new_h = int(h * fraction)\n if new_h:\n return (x, y, w, new_h), (x, y + new_h, w, h - new_h)\n else:\n return None, None\n",
"role": "user"
},
{
"content": "split_box",
"role": "assistant"
}
] |
def x(total, nodes, headdivisor=2.0):
head_sum, tail_sum = 0, 0
divider = 0
for node in nodes[::-1]:
if head_sum < total / headdivisor:
head_sum += node[0]
divider -= 1
else:
break
return (head_sum, nodes[divider:]), (total - head_sum, nodes[:divider])
|
split_by_value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(total, nodes, headdivisor=2.0):\n head_sum, tail_sum = 0, 0\n divider = 0\n for node in nodes[::-1]:\n if head_sum < total / headdivisor:\n head_sum += node[0]\n divider -= 1\n else:\n break\n return (head_sum, nodes[divider:]), (total - head_sum, nodes[:divider])\n",
"role": "user"
},
{
"content": "split_by_value",
"role": "assistant"
}
] |
def x(class_, hot_map, targetNode, parentNode=None):
for index, (rect, node, children) in enumerate(hot_map):
if node == targetNode:
return parentNode, hot_map, index
result = class_.findNode(children, targetNode, node)
if result:
return result
return None
|
findNode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(class_, hot_map, targetNode, parentNode=None):\n for index, (rect, node, children) in enumerate(hot_map):\n if node == targetNode:\n return parentNode, hot_map, index\n result = class_.findNode(children, targetNode, node)\n if result:\n return result\n return None\n",
"role": "user"
},
{
"content": "findNode",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.