source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(decimal, output_base=10):
if decimal <= 0:
return 0,
if output_base == 1:
return (1,) * decimal
length = digits(decimal, output_base)
converted = tuple(digit(decimal, i, output_base) for i in range(length))
return converted[::-1]
| from_base_10_int | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(decimal, output_base=10):\n if decimal <= 0:\n return 0,\n if output_base == 1:\n return (1,) * decimal\n length = digits(decimal, output_base)\n converted = tuple(digit(decimal, i, output_base) for i in range(length))\n return converted[::-1]\n",
"role": "user"
},
{
"content": "from_base_10_int",
"role": "assistant"
}
] |
def x(n, input_base):
return sum(c * input_base ** i for i, c in enumerate(n[::-1]))
| to_base_10_int | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(n, input_base):\n return sum(c * input_base ** i for i, c in enumerate(n[::-1]))\n",
"role": "user"
},
{
"content": "to_base_10_int",
"role": "assistant"
}
] |
def x(fractional_part, input_base=10, output_base=10, max_depth=100):
fractional_part = fractional_part[1:]
fractional_digits = len(fractional_part)
numerator = 0
for i, value in enumerate(fractional_part, 1):
numerator += value * input_base ** (fractional_digits - i)
denominator = input_base ** fractional_digits
i = 1
digits = []
while i < max_depth + 1:
numerator *= output_base ** i
digit = numerator // denominator
numerator -= digit * denominator
denominator *= output_base ** i
digits.append(digit)
i += 1
greatest_common_divisor = gcd(numerator, denominator)
numerator //= greatest_common_divisor
denominator //= greatest_common_divisor
return ('.',) + tuple(digits)
| fractional_base | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fractional_part, input_base=10, output_base=10, max_depth=100):\n fractional_part = fractional_part[1:]\n fractional_digits = len(fractional_part)\n numerator = 0\n for i, value in enumerate(fractional_part, 1):\n numerator += value * input_base ** (fractional_digits - i)\n denominator = input_base ** fractional_digits\n i = 1\n digits = []\n while i < max_depth + 1:\n numerator *= output_base ** i\n digit = numerator // denominator\n numerator -= digit * denominator\n denominator *= output_base ** i\n digits.append(digit)\n i += 1\n greatest_common_divisor = gcd(numerator, denominator)\n numerator //= greatest_common_divisor\n denominator //= greatest_common_divisor\n return ('.',) + tuple(digits)\n",
"role": "user"
},
{
"content": "fractional_base",
"role": "assistant"
}
] |
def x(n):
count = 0
for digit in n[-1::-1]:
if digit != 0:
break
count += 1
return n[:-count] if count > 0 else n
| truncate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(n):\n count = 0\n for digit in n[-1::-1]:\n if digit != 0:\n break\n count += 1\n return n[:-count] if count > 0 else n\n",
"role": "user"
},
{
"content": "truncate",
"role": "assistant"
}
] |
def x(chr):
if chr in ('0', '1', '2', '3', '4', '5', '6', '7', '8', '9'):
n = int(chr)
else:
n = ord(chr)
if n < 91:
n -= 55
else:
n -= 61
return n
| str_digit_to_int | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(chr):\n if chr in ('0', '1', '2', '3', '4', '5', '6', '7', '8', '9'):\n n = int(chr)\n else:\n n = ord(chr)\n if n < 91:\n n -= 55\n else:\n n -= 61\n return n\n",
"role": "user"
},
{
"content": "str_digit_to_int",
"role": "assistant"
}
] |
def x(n):
if n < 10:
return str(n)
elif n < 36:
return chr(n + 55)
else:
return chr(n + 61)
| int_to_str_digit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(n):\n if n < 10:\n return str(n)\n elif n < 36:\n return chr(n + 55)\n else:\n return chr(n + 61)\n",
"role": "user"
},
{
"content": "int_to_str_digit",
"role": "assistant"
}
] |
def x(number, min_repeat=5):
if '.' not in number or min_repeat < 1:
return number
integer_part, fractional_part = integer_fractional_parts(number)
sequence = fractional_part[::-1]
period = 0
best = 0
best_period = 0
best_repeat = 0
while period < len(sequence):
period += 1
pattern = sequence[:period]
repeat = 0
digit = period
pattern_match = True
while pattern_match and digit < len(sequence):
for i, pattern_digit in enumerate(pattern):
if sequence[digit + i] != pattern_digit:
pattern_match = False
break
else:
repeat += 1
digit += period
rank = period * repeat
if rank > best:
best_period = period
best_repeat = repeat
best = rank
if best_repeat < min_repeat:
return number
pattern = sequence[:best_period]
number = integer_part + fractional_part[:-(best + best_period)]
pattern_temp = pattern
for i, digit in enumerate(pattern):
if number[-1] == digit:
number = number[:-1]
pattern_temp = pattern_temp[1:] + (pattern_temp[0],)
pattern = pattern_temp
return number + ('[',) + pattern[::-1] + (']',)
| find_recurring | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(number, min_repeat=5):\n if '.' not in number or min_repeat < 1:\n return number\n integer_part, fractional_part = integer_fractional_parts(number)\n sequence = fractional_part[::-1]\n period = 0\n best = 0\n best_period = 0\n best_repeat = 0\n while period < len(sequence):\n period += 1\n pattern = sequence[:period]\n repeat = 0\n digit = period\n pattern_match = True\n while pattern_match and digit < len(sequence):\n for i, pattern_digit in enumerate(pattern):\n if sequence[digit + i] != pattern_digit:\n pattern_match = False\n break\n else:\n repeat += 1\n digit += period\n rank = period * repeat\n if rank > best:\n best_period = period\n best_repeat = repeat\n best = rank\n if best_repeat < min_repeat:\n return number\n pattern = sequence[:best_period]\n number = integer_part + fractional_part[:-(best + best_period)]\n pattern_temp = pattern\n for i, digit in enumerate(pattern):\n if number[-1] == digit:\n number = number[:-1]\n pattern_temp = pattern_temp[1:] + (pattern_temp[0],)\n pattern = pattern_temp\n return number + ('[',) + pattern[::-1] + (']',)\n",
"role": "user"
},
{
"content": "find_recurring",
"role": "assistant"
}
] |
def x(number, repeat=5):
if '[' in number:
pattern_index = number.index('[')
pattern = number[pattern_index + 1:-1]
number = number[:pattern_index]
number = number + pattern * (repeat + 1)
return number
| expand_recurring | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(number, repeat=5):\n if '[' in number:\n pattern_index = number.index('[')\n pattern = number[pattern_index + 1:-1]\n number = number[:pattern_index]\n number = number + pattern * (repeat + 1)\n return number\n",
"role": "user"
},
{
"content": "expand_recurring",
"role": "assistant"
}
] |
def x(number, input_base=10):
for n in number:
if n in ('.', '[', ']'):
continue
elif n >= input_base:
if n == 1 and input_base == 1:
continue
else:
return False
return True
| check_valid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(number, input_base=10):\n for n in number:\n if n in ('.', '[', ']'):\n continue\n elif n >= input_base:\n if n == 1 and input_base == 1:\n continue\n else:\n return False\n return True\n",
"role": "user"
},
{
"content": "check_valid",
"role": "assistant"
}
] |
def x(number, input_base=10, output_base=10, max_depth=10, string=False,
recurring=True):
if type(number) == int or type(number) == float:
number = str(number)
if type(number) == str:
number = represent_as_tuple(number)
if not check_valid(number, input_base):
raise ValueError
if input_base == 1:
number = (1,) * number.count(1)
number = expand_recurring(number, repeat=5)
if '.' in number:
radix_point = number.index('.')
integer_part = number[:radix_point]
fractional_part = number[radix_point:]
integer_part = integer_base(integer_part, input_base, output_base)
fractional_part = fractional_base(fractional_part, input_base,
output_base, max_depth)
number = integer_part + fractional_part
number = truncate(number)
else:
number = integer_base(number, input_base, output_base)
if recurring:
number = find_recurring(number, min_repeat=2)
return represent_as_string(number) if string else number
| base | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(number, input_base=10, output_base=10, max_depth=10, string=False,\n recurring=True):\n if type(number) == int or type(number) == float:\n number = str(number)\n if type(number) == str:\n number = represent_as_tuple(number)\n if not check_valid(number, input_base):\n raise ValueError\n if input_base == 1:\n number = (1,) * number.count(1)\n number = expand_recurring(number, repeat=5)\n if '.' in number:\n radix_point = number.index('.')\n integer_part = number[:radix_point]\n fractional_part = number[radix_point:]\n integer_part = integer_base(integer_part, input_base, output_base)\n fractional_part = fractional_base(fractional_part, input_base,\n output_base, max_depth)\n number = integer_part + fractional_part\n number = truncate(number)\n else:\n number = integer_base(number, input_base, output_base)\n if recurring:\n number = find_recurring(number, min_repeat=2)\n return represent_as_string(number) if string else number\n",
"role": "user"
},
{
"content": "base",
"role": "assistant"
}
] |
def x(appname):
if platform.system().lower() == 'windows':
path = os.path.join(os.getenv('APPDATA') or '~', appname, appname)
elif platform.system().lower() == 'darwin':
path = os.path.join('~', 'Library', 'Application Support', appname)
else:
path = os.path.join(os.getenv('XDG_CONFIG_HOME') or '~/.config',
appname.lower())
return os.path.expanduser(path)
| get_config_directory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(appname):\n if platform.system().lower() == 'windows':\n path = os.path.join(os.getenv('APPDATA') or '~', appname, appname)\n elif platform.system().lower() == 'darwin':\n path = os.path.join('~', 'Library', 'Application Support', appname)\n else:\n path = os.path.join(os.getenv('XDG_CONFIG_HOME') or '~/.config',\n appname.lower())\n return os.path.expanduser(path)\n",
"role": "user"
},
{
"content": "get_config_directory",
"role": "assistant"
}
] |
def x(self, request, obj, form, change):
email = message.EmailMessage(subject=obj.subject, body=obj.body,
from_email=obj.from_email, to=[t.strip() for t in obj.to_emails.
split(',')], bcc=[t.strip() for t in obj.bcc_emails.split(',')], cc
=[t.strip() for t in obj.cc_emails.split(',')])
email.send()
| save_model | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, obj, form, change):\n email = message.EmailMessage(subject=obj.subject, body=obj.body,\n from_email=obj.from_email, to=[t.strip() for t in obj.to_emails.\n split(',')], bcc=[t.strip() for t in obj.bcc_emails.split(',')], cc\n =[t.strip() for t in obj.cc_emails.split(',')])\n email.send()\n",
"role": "user"
},
{
"content": "save_model",
"role": "assistant"
}
] |
def x(fname):
gdf_file = open(fname, 'r')
gdf = []
for l in gdf_file:
data = l.split()
gdf += [data]
gdf = np.array(gdf, dtype=object)
if gdf.size > 0:
gdf[:, 0] = gdf[:, 0].astype(int)
gdf[:, 1:] = gdf[:, 1:].astype(float)
return np.array(gdf)
| read_gdf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fname):\n gdf_file = open(fname, 'r')\n gdf = []\n for l in gdf_file:\n data = l.split()\n gdf += [data]\n gdf = np.array(gdf, dtype=object)\n if gdf.size > 0:\n gdf[:, 0] = gdf[:, 0].astype(int)\n gdf[:, 1:] = gdf[:, 1:].astype(float)\n return np.array(gdf)\n",
"role": "user"
},
{
"content": "read_gdf",
"role": "assistant"
}
] |
def x(gdf, fname):
gdf_file = open(fname, 'w')
for line in gdf:
for i in np.arange(len(line)):
gdf_file.write(str(line[i]) + '\t')
gdf_file.write('\n')
return None
| write_gdf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(gdf, fname):\n gdf_file = open(fname, 'w')\n for line in gdf:\n for i in np.arange(len(line)):\n gdf_file.write(str(line[i]) + '\\t')\n gdf_file.write('\\n')\n return None\n",
"role": "user"
},
{
"content": "write_gdf",
"role": "assistant"
}
] |
def x(path='', data_type='LFP', y=None, electrode=None, warmup=0.0, scaling=1.0
):
assert y is not None or electrode is not None
if y is not None:
f = h5py.File(os.path.join(path, '%s_%ss.h5' % (y, data_type)))
data = f['data'].value[:, :, warmup:]
if scaling != 1.0:
np.random.shuffle(data)
num_cells = int(len(data) * scaling)
data = data[:num_cells, :, warmup:]
else:
f = h5py.File(os.path.join(path, '%ssum.h5' % data_type))
data = f['data'].value[:, warmup:]
return data
| load_h5_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path='', data_type='LFP', y=None, electrode=None, warmup=0.0, scaling=1.0\n ):\n assert y is not None or electrode is not None\n if y is not None:\n f = h5py.File(os.path.join(path, '%s_%ss.h5' % (y, data_type)))\n data = f['data'].value[:, :, warmup:]\n if scaling != 1.0:\n np.random.shuffle(data)\n num_cells = int(len(data) * scaling)\n data = data[:num_cells, :, warmup:]\n else:\n f = h5py.File(os.path.join(path, '%ssum.h5' % data_type))\n data = f['data'].value[:, warmup:]\n return data\n",
"role": "user"
},
{
"content": "load_h5_data",
"role": "assistant"
}
] |
def x(fname, data):
print('writing to file: %s' % fname)
f = h5py.File(fname)
for i, ivalue in list(data.items()):
igrp = f.create_group(str(i))
for j, jvalue in enumerate(ivalue):
jgrp = igrp.create_group(str(j))
for k, kvalue in enumerate(jvalue):
if kvalue.size > 0:
dset = jgrp.create_dataset(str(k), data=kvalue,
compression='gzip')
else:
dset = jgrp.create_dataset(str(k), data=kvalue,
maxshape=(None,), compression='gzip')
f.close()
| dump_dict_of_nested_lists_to_h5 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fname, data):\n print('writing to file: %s' % fname)\n f = h5py.File(fname)\n for i, ivalue in list(data.items()):\n igrp = f.create_group(str(i))\n for j, jvalue in enumerate(ivalue):\n jgrp = igrp.create_group(str(j))\n for k, kvalue in enumerate(jvalue):\n if kvalue.size > 0:\n dset = jgrp.create_dataset(str(k), data=kvalue,\n compression='gzip')\n else:\n dset = jgrp.create_dataset(str(k), data=kvalue,\n maxshape=(None,), compression='gzip')\n f.close()\n",
"role": "user"
},
{
"content": "dump_dict_of_nested_lists_to_h5",
"role": "assistant"
}
] |
def x(fname, toplevelkeys=None):
data = {}
f = h5py.File(fname, 'r')
if toplevelkeys is not None:
for i in toplevelkeys:
ivalue = f[str(i)]
data[i] = []
for j, jvalue in enumerate(ivalue.values()):
data[int(i)].append([])
for k, kvalue in enumerate(jvalue.values()):
data[i][j].append(kvalue.value)
else:
for i, ivalue in list(f.items()):
i = int(i)
data[i] = []
for j, jvalue in enumerate(ivalue.values()):
data[i].append([])
for k, kvalue in enumerate(jvalue.values()):
data[i][j].append(kvalue.value)
f.close()
return data
| load_dict_of_nested_lists_from_h5 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fname, toplevelkeys=None):\n data = {}\n f = h5py.File(fname, 'r')\n if toplevelkeys is not None:\n for i in toplevelkeys:\n ivalue = f[str(i)]\n data[i] = []\n for j, jvalue in enumerate(ivalue.values()):\n data[int(i)].append([])\n for k, kvalue in enumerate(jvalue.values()):\n data[i][j].append(kvalue.value)\n else:\n for i, ivalue in list(f.items()):\n i = int(i)\n data[i] = []\n for j, jvalue in enumerate(ivalue.values()):\n data[i].append([])\n for k, kvalue in enumerate(jvalue.values()):\n data[i][j].append(kvalue.value)\n f.close()\n return data\n",
"role": "user"
},
{
"content": "load_dict_of_nested_lists_from_h5",
"role": "assistant"
}
] |
def x(params, clearDestination=True):
if RANK == 0:
if not os.path.isdir(params.savefolder):
os.mkdir(params.savefolder)
assert os.path.isdir(params.savefolder)
elif clearDestination:
print('removing folder tree %s' % params.savefolder)
while os.path.isdir(params.savefolder):
try:
os.system('find %s -delete' % params.savefolder)
except:
shutil.rmtree(params.savefolder)
os.mkdir(params.savefolder)
assert os.path.isdir(params.savefolder)
if not os.path.isdir(params.sim_scripts_path):
print('creating %s' % params.sim_scripts_path)
os.mkdir(params.sim_scripts_path)
if not os.path.isdir(params.cells_path):
print('creating %s' % params.cells_path)
os.mkdir(params.cells_path)
if not os.path.isdir(params.figures_path):
print('creating %s' % params.figures_path)
os.mkdir(params.figures_path)
if not os.path.isdir(params.populations_path):
print('creating %s' % params.populations_path)
os.mkdir(params.populations_path)
try:
if not os.path.isdir(params.raw_nest_output_path):
print('creating %s' % params.raw_nest_output_path)
os.mkdir(params.raw_nest_output_path)
except:
pass
if not os.path.isdir(params.spike_output_path):
print('creating %s' % params.spike_output_path)
os.mkdir(params.spike_output_path)
for f in ['cellsim16popsParams.py', 'cellsim16pops.py',
'example_brunel.py', 'brunel_alpha_nest.py', 'mesocircuit.sli',
'mesocircuit_LFP_model.py', 'binzegger_connectivity_table.json',
'nest_simulation.py', 'microcircuit.sli']:
if os.path.isfile(f):
if not os.path.exists(os.path.join(params.sim_scripts_path, f)
):
shutil.copy(f, os.path.join(params.sim_scripts_path, f))
os.chmod(os.path.join(params.sim_scripts_path, f), stat
.S_IREAD)
COMM.Barrier()
| setup_file_dest | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(params, clearDestination=True):\n if RANK == 0:\n if not os.path.isdir(params.savefolder):\n os.mkdir(params.savefolder)\n assert os.path.isdir(params.savefolder)\n elif clearDestination:\n print('removing folder tree %s' % params.savefolder)\n while os.path.isdir(params.savefolder):\n try:\n os.system('find %s -delete' % params.savefolder)\n except:\n shutil.rmtree(params.savefolder)\n os.mkdir(params.savefolder)\n assert os.path.isdir(params.savefolder)\n if not os.path.isdir(params.sim_scripts_path):\n print('creating %s' % params.sim_scripts_path)\n os.mkdir(params.sim_scripts_path)\n if not os.path.isdir(params.cells_path):\n print('creating %s' % params.cells_path)\n os.mkdir(params.cells_path)\n if not os.path.isdir(params.figures_path):\n print('creating %s' % params.figures_path)\n os.mkdir(params.figures_path)\n if not os.path.isdir(params.populations_path):\n print('creating %s' % params.populations_path)\n os.mkdir(params.populations_path)\n try:\n if not os.path.isdir(params.raw_nest_output_path):\n print('creating %s' % params.raw_nest_output_path)\n os.mkdir(params.raw_nest_output_path)\n except:\n pass\n if not os.path.isdir(params.spike_output_path):\n print('creating %s' % params.spike_output_path)\n os.mkdir(params.spike_output_path)\n for f in ['cellsim16popsParams.py', 'cellsim16pops.py',\n 'example_brunel.py', 'brunel_alpha_nest.py', 'mesocircuit.sli',\n 'mesocircuit_LFP_model.py', 'binzegger_connectivity_table.json',\n 'nest_simulation.py', 'microcircuit.sli']:\n if os.path.isfile(f):\n if not os.path.exists(os.path.join(params.sim_scripts_path, f)\n ):\n shutil.copy(f, os.path.join(params.sim_scripts_path, f))\n os.chmod(os.path.join(params.sim_scripts_path, f), stat\n .S_IREAD)\n COMM.Barrier()\n",
"role": "user"
},
{
"content": "setup_file_dest",
"role": "assistant"
}
] |
def x(data, tbin):
if len(np.shape(data)) > 1:
n = len(data[0])
return np.fft.fftfreq(n, tbin * 0.001), np.fft.fft(data, axis=1)
else:
n = len(data)
return np.fft.fftfreq(n, tbin * 0.001), np.fft.fft(data)
| calculate_fft | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, tbin):\n if len(np.shape(data)) > 1:\n n = len(data[0])\n return np.fft.fftfreq(n, tbin * 0.001), np.fft.fft(data, axis=1)\n else:\n n = len(data)\n return np.fft.fftfreq(n, tbin * 0.001), np.fft.fft(data)\n",
"role": "user"
},
{
"content": "calculate_fft",
"role": "assistant"
}
] |
def x(data, time=False, units=False):
assert time is not False or units is not False
res = copy.copy(data)
if time is True:
res = np.array([(x - np.mean(x)) for x in res])
if units is True:
res = np.array(res - np.mean(res, axis=0))
return res
| centralize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, time=False, units=False):\n assert time is not False or units is not False\n res = copy.copy(data)\n if time is True:\n res = np.array([(x - np.mean(x)) for x in res])\n if units is True:\n res = np.array(res - np.mean(res, axis=0))\n return res\n",
"role": "user"
},
{
"content": "centralize",
"role": "assistant"
}
] |
def x(data):
data = data.astype(float)
data -= data.mean()
return data / data.std()
| normalize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data):\n data = data.astype(float)\n data -= data.mean()\n return data / data.std()\n",
"role": "user"
},
{
"content": "normalize",
"role": "assistant"
}
] |
def x(y, Dx, dx):
if Dx <= dx:
return y
else:
ly = len(y)
r = np.zeros(ly)
n = np.int(np.round(Dx / dx))
r[0:np.int(n / 2.0)] = 1.0 / n
r[-np.int(n / 2.0):] = 1.0 / n
R = np.fft.fft(r)
Y = np.fft.fft(y)
yf = np.fft.ifft(Y * R)
return yf
| movav | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(y, Dx, dx):\n if Dx <= dx:\n return y\n else:\n ly = len(y)\n r = np.zeros(ly)\n n = np.int(np.round(Dx / dx))\n r[0:np.int(n / 2.0)] = 1.0 / n\n r[-np.int(n / 2.0):] = 1.0 / n\n R = np.fft.fft(r)\n Y = np.fft.fft(y)\n yf = np.fft.ifft(Y * R)\n return yf\n",
"role": "user"
},
{
"content": "movav",
"role": "assistant"
}
] |
def x(x, q=10, n=4, k=0.8, filterfun=ss.cheby1):
if not isinstance(q, int):
raise TypeError('q must be an integer')
if n is None:
n = 1
if filterfun == ss.butter:
b, a = filterfun(n, k / q)
elif filterfun == ss.cheby1:
b, a = filterfun(n, 0.05, k / q)
else:
raise Exception('only ss.butter or ss.cheby1 supported')
try:
y = ss.filtfilt(b, a, x)
except:
y = []
for data in x:
y.append(ss.filtfilt(b, a, data))
y = np.array(y)
try:
return y[:, ::q]
except:
return y[::q]
| decimate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, q=10, n=4, k=0.8, filterfun=ss.cheby1):\n if not isinstance(q, int):\n raise TypeError('q must be an integer')\n if n is None:\n n = 1\n if filterfun == ss.butter:\n b, a = filterfun(n, k / q)\n elif filterfun == ss.cheby1:\n b, a = filterfun(n, 0.05, k / q)\n else:\n raise Exception('only ss.butter or ss.cheby1 supported')\n try:\n y = ss.filtfilt(b, a, x)\n except:\n y = []\n for data in x:\n y.append(ss.filtfilt(b, a, data))\n y = np.array(y)\n try:\n return y[:, ::q]\n except:\n return y[::q]\n",
"role": "user"
},
{
"content": "decimate",
"role": "assistant"
}
] |
def x(data, units=False, time=False):
assert units is not False or time is not False
if units is True and time is False:
return np.mean(data, axis=0)
elif units is False and time is True:
return np.mean(data, axis=1)
elif units is True and time is True:
return np.mean(data)
| mean | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, units=False, time=False):\n assert units is not False or time is not False\n if units is True and time is False:\n return np.mean(data, axis=0)\n elif units is False and time is True:\n return np.mean(data, axis=1)\n elif units is True and time is True:\n return np.mean(data)\n",
"role": "user"
},
{
"content": "mean",
"role": "assistant"
}
] |
def x(data, tbin, Df=None, units=False, pointProcess=False):
freq, DATA = calculate_fft(data, tbin)
df = freq[1] - freq[0]
T = tbin * len(freq)
POW = np.abs(DATA) ** 2
if Df is not None:
POW = [movav(x, Df, df) for x in POW]
cut = int(Df / df)
freq = freq[cut:]
POW = np.array([x[cut:] for x in POW])
POW = np.abs(POW)
assert len(freq) == len(POW[0])
if units is True:
POW = mean(POW, units=units)
assert len(freq) == len(POW)
if pointProcess:
POW *= 1.0 / T * 1000.0
return freq, POW
| powerspec | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, tbin, Df=None, units=False, pointProcess=False):\n freq, DATA = calculate_fft(data, tbin)\n df = freq[1] - freq[0]\n T = tbin * len(freq)\n POW = np.abs(DATA) ** 2\n if Df is not None:\n POW = [movav(x, Df, df) for x in POW]\n cut = int(Df / df)\n freq = freq[cut:]\n POW = np.array([x[cut:] for x in POW])\n POW = np.abs(POW)\n assert len(freq) == len(POW[0])\n if units is True:\n POW = mean(POW, units=units)\n assert len(freq) == len(POW)\n if pointProcess:\n POW *= 1.0 / T * 1000.0\n return freq, POW\n",
"role": "user"
},
{
"content": "powerspec",
"role": "assistant"
}
] |
def x(data, tbin, Df=None, pointProcess=False):
return powerspec([np.sum(data, axis=0)], tbin, Df=Df, units=True,
pointProcess=pointProcess)
| compound_powerspec | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, tbin, Df=None, pointProcess=False):\n return powerspec([np.sum(data, axis=0)], tbin, Df=Df, units=True,\n pointProcess=pointProcess)\n",
"role": "user"
},
{
"content": "compound_powerspec",
"role": "assistant"
}
] |
def x(data, tbin, Df=None, units=False, pointProcess=False):
N = len(data)
if units is True:
freq, POW = powerspec(data, tbin, Df=Df, units=True)
freq_com, CPOW = compound_powerspec(data, tbin, Df=Df)
assert len(freq) == len(freq_com)
assert np.min(freq) == np.min(freq_com)
assert np.max(freq) == np.max(freq_com)
CRO = 1.0 / (1.0 * N * (N - 1.0)) * (CPOW - 1.0 * N * POW)
assert len(freq) == len(CRO)
else:
freq, DATA = calculate_fft(data, tbin)
T = tbin * len(freq)
df = freq[1] - freq[0]
if Df is not None:
cut = int(Df / df)
freq = freq[cut:]
CRO = np.zeros((N, N, len(freq)), dtype=complex)
for i in range(N):
for j in range(i + 1):
tempij = DATA[i] * DATA[j].conj()
if Df is not None:
tempij = movav(tempij, Df, df)[cut:]
CRO[i, j] = tempij
CRO[j, i] = CRO[i, j].conj()
assert len(freq) == len(CRO[0, 0])
if pointProcess:
CRO *= 1.0 / T * 1000.0
return freq, CRO
| crossspec | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, tbin, Df=None, units=False, pointProcess=False):\n N = len(data)\n if units is True:\n freq, POW = powerspec(data, tbin, Df=Df, units=True)\n freq_com, CPOW = compound_powerspec(data, tbin, Df=Df)\n assert len(freq) == len(freq_com)\n assert np.min(freq) == np.min(freq_com)\n assert np.max(freq) == np.max(freq_com)\n CRO = 1.0 / (1.0 * N * (N - 1.0)) * (CPOW - 1.0 * N * POW)\n assert len(freq) == len(CRO)\n else:\n freq, DATA = calculate_fft(data, tbin)\n T = tbin * len(freq)\n df = freq[1] - freq[0]\n if Df is not None:\n cut = int(Df / df)\n freq = freq[cut:]\n CRO = np.zeros((N, N, len(freq)), dtype=complex)\n for i in range(N):\n for j in range(i + 1):\n tempij = DATA[i] * DATA[j].conj()\n if Df is not None:\n tempij = movav(tempij, Df, df)[cut:]\n CRO[i, j] = tempij\n CRO[j, i] = CRO[i, j].conj()\n assert len(freq) == len(CRO[0, 0])\n if pointProcess:\n CRO *= 1.0 / T * 1000.0\n return freq, CRO\n",
"role": "user"
},
{
"content": "crossspec",
"role": "assistant"
}
] |
def x(a_data, tbin, Df=None, pointProcess=False):
a_mdata = []
for data in a_data:
a_mdata.append(np.sum(data, axis=0))
return crossspec(np.array(a_mdata), tbin, Df, units=False, pointProcess
=pointProcess)
| compound_crossspec | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a_data, tbin, Df=None, pointProcess=False):\n a_mdata = []\n for data in a_data:\n a_mdata.append(np.sum(data, axis=0))\n return crossspec(np.array(a_mdata), tbin, Df, units=False, pointProcess\n =pointProcess)\n",
"role": "user"
},
{
"content": "compound_crossspec",
"role": "assistant"
}
] |
def x(freq, power):
tbin = 1.0 / (2.0 * np.max(freq)) * 1000.0
time = np.arange(-len(freq) / 2.0 + 1, len(freq) / 2.0 + 1) * tbin
multidata = False
if len(np.shape(power)) > 1:
multidata = True
if multidata:
N = len(power)
autof = np.zeros((N, len(freq)))
for i in range(N):
raw_autof = np.real(np.fft.ifft(power[i]))
mid = int(len(raw_autof) / 2.0)
autof[i] = np.hstack([raw_autof[mid + 1:], raw_autof[:mid + 1]])
assert len(time) == len(autof[0])
else:
raw_autof = np.real(np.fft.ifft(power))
mid = int(len(raw_autof) / 2.0)
autof = np.hstack([raw_autof[mid + 1:], raw_autof[:mid + 1]])
assert len(time) == len(autof)
return time, autof
| autocorrfunc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(freq, power):\n tbin = 1.0 / (2.0 * np.max(freq)) * 1000.0\n time = np.arange(-len(freq) / 2.0 + 1, len(freq) / 2.0 + 1) * tbin\n multidata = False\n if len(np.shape(power)) > 1:\n multidata = True\n if multidata:\n N = len(power)\n autof = np.zeros((N, len(freq)))\n for i in range(N):\n raw_autof = np.real(np.fft.ifft(power[i]))\n mid = int(len(raw_autof) / 2.0)\n autof[i] = np.hstack([raw_autof[mid + 1:], raw_autof[:mid + 1]])\n assert len(time) == len(autof[0])\n else:\n raw_autof = np.real(np.fft.ifft(power))\n mid = int(len(raw_autof) / 2.0)\n autof = np.hstack([raw_autof[mid + 1:], raw_autof[:mid + 1]])\n assert len(time) == len(autof)\n return time, autof\n",
"role": "user"
},
{
"content": "autocorrfunc",
"role": "assistant"
}
] |
def x(freq, cross):
tbin = 1.0 / (2.0 * np.max(freq)) * 1000.0
time = np.arange(-len(freq) / 2.0 + 1, len(freq) / 2.0 + 1) * tbin
multidata = False
if len(np.shape(cross)) > 1:
multidata = True
if multidata:
N = len(cross)
crossf = np.zeros((N, N, len(freq)))
for i in range(N):
for j in range(N):
raw_crossf = np.real(np.fft.ifft(cross[i, j]))
mid = int(len(raw_crossf) / 2.0)
crossf[i, j] = np.hstack([raw_crossf[mid + 1:], raw_crossf[
:mid + 1]])
assert len(time) == len(crossf[0, 0])
else:
raw_crossf = np.real(np.fft.ifft(cross))
mid = int(len(raw_crossf) / 2.0)
crossf = np.hstack([raw_crossf[mid + 1:], raw_crossf[:mid + 1]])
assert len(time) == len(crossf)
return time, crossf
| crosscorrfunc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(freq, cross):\n tbin = 1.0 / (2.0 * np.max(freq)) * 1000.0\n time = np.arange(-len(freq) / 2.0 + 1, len(freq) / 2.0 + 1) * tbin\n multidata = False\n if len(np.shape(cross)) > 1:\n multidata = True\n if multidata:\n N = len(cross)\n crossf = np.zeros((N, N, len(freq)))\n for i in range(N):\n for j in range(N):\n raw_crossf = np.real(np.fft.ifft(cross[i, j]))\n mid = int(len(raw_crossf) / 2.0)\n crossf[i, j] = np.hstack([raw_crossf[mid + 1:], raw_crossf[\n :mid + 1]])\n assert len(time) == len(crossf[0, 0])\n else:\n raw_crossf = np.real(np.fft.ifft(cross))\n mid = int(len(raw_crossf) / 2.0)\n crossf = np.hstack([raw_crossf[mid + 1:], raw_crossf[:mid + 1]])\n assert len(time) == len(crossf)\n return time, crossf\n",
"role": "user"
},
{
"content": "crosscorrfunc",
"role": "assistant"
}
] |
def x(time, crossf, integration_window=0.0):
N = len(crossf)
cc = np.zeros(np.shape(crossf)[:-1])
tbin = abs(time[1] - time[0])
lim = int(integration_window / tbin)
if len(time) % 2 == 0:
mid = len(time) / 2 - 1
else:
mid = np.floor(len(time) / 2.0)
for i in range(N):
ai = np.sum(crossf[i, i][mid - lim:mid + lim + 1])
offset_autoi = np.mean(crossf[i, i][:mid - 1])
for j in range(N):
cij = np.sum(crossf[i, j][mid - lim:mid + lim + 1])
offset_cross = np.mean(crossf[i, j][:mid - 1])
aj = np.sum(crossf[j, j][mid - lim:mid + lim + 1])
offset_autoj = np.mean(crossf[j, j][:mid - 1])
if ai > 0.0 and aj > 0.0:
cc[i, j] = (cij - offset_cross) / np.sqrt((ai -
offset_autoi) * (aj - offset_autoj))
else:
cc[i, j] = 0.0
return cc
| corrcoef | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(time, crossf, integration_window=0.0):\n N = len(crossf)\n cc = np.zeros(np.shape(crossf)[:-1])\n tbin = abs(time[1] - time[0])\n lim = int(integration_window / tbin)\n if len(time) % 2 == 0:\n mid = len(time) / 2 - 1\n else:\n mid = np.floor(len(time) / 2.0)\n for i in range(N):\n ai = np.sum(crossf[i, i][mid - lim:mid + lim + 1])\n offset_autoi = np.mean(crossf[i, i][:mid - 1])\n for j in range(N):\n cij = np.sum(crossf[i, j][mid - lim:mid + lim + 1])\n offset_cross = np.mean(crossf[i, j][:mid - 1])\n aj = np.sum(crossf[j, j][mid - lim:mid + lim + 1])\n offset_autoj = np.mean(crossf[j, j][:mid - 1])\n if ai > 0.0 and aj > 0.0:\n cc[i, j] = (cij - offset_cross) / np.sqrt((ai -\n offset_autoi) * (aj - offset_autoj))\n else:\n cc[i, j] = 0.0\n return cc\n",
"role": "user"
},
{
"content": "corrcoef",
"role": "assistant"
}
] |
def x(freq, power, cross):
N = len(power)
coh = np.zeros(np.shape(cross))
for i in range(N):
for j in range(N):
coh[i, j] = cross[i, j] / np.sqrt(power[i] * power[j])
assert len(freq) == len(coh[0, 0])
return freq, coh
| coherence | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(freq, power, cross):\n N = len(power)\n coh = np.zeros(np.shape(cross))\n for i in range(N):\n for j in range(N):\n coh[i, j] = cross[i, j] / np.sqrt(power[i] * power[j])\n assert len(freq) == len(coh[0, 0])\n return freq, coh\n",
"role": "user"
},
{
"content": "coherence",
"role": "assistant"
}
] |
def x(data, units=False):
mu = mean(data, time=True)
var = variance(data, time=True)
cv = np.sqrt(var) / mu
if units is True:
return np.mean(cv)
else:
return cv
| cv | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, units=False):\n mu = mean(data, time=True)\n var = variance(data, time=True)\n cv = np.sqrt(var) / mu\n if units is True:\n return np.mean(cv)\n else:\n return cv\n",
"role": "user"
},
{
"content": "cv",
"role": "assistant"
}
] |
def x(data, units=False):
mu = mean(data, time=True)
var = variance(data, time=True)
ff = var / mu
if units is True:
return np.mean(ff)
else:
return ff
| fano | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, units=False):\n mu = mean(data, time=True)\n var = variance(data, time=True)\n ff = var / mu\n if units is True:\n return np.mean(ff)\n else:\n return ff\n",
"role": "user"
},
{
"content": "fano",
"role": "assistant"
}
] |
def x(self):
COMM.Barrier()
if len(glob.glob(os.path.join(self.spike_output_path, self.label + '*.' +
self.ext))) == 0:
raise Exception('path to files contain no gdf-files!')
if not hasattr(self, 'dbs'):
self.dbs = {}
for X in self.X:
db = GDF(os.path.join(self.dbname), debug=True, new_db=True)
db.create(re=os.path.join(self.spike_output_path, '{0}*{1}*{2}'.
format(self.label, X, self.ext)), index=True)
self.dbs.update({X: db})
COMM.Barrier()
| collect_gdf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n COMM.Barrier()\n if len(glob.glob(os.path.join(self.spike_output_path, self.label + '*.' +\n self.ext))) == 0:\n raise Exception('path to files contain no gdf-files!')\n if not hasattr(self, 'dbs'):\n self.dbs = {}\n for X in self.X:\n db = GDF(os.path.join(self.dbname), debug=True, new_db=True)\n db.create(re=os.path.join(self.spike_output_path, '{0}*{1}*{2}'.\n format(self.label, X, self.ext)), index=True)\n self.dbs.update({X: db})\n COMM.Barrier()\n",
"role": "user"
},
{
"content": "collect_gdf",
"role": "assistant"
}
] |
def x(self, xlim, fraction=1.0):
x = {}
y = {}
for X, nodes in self.nodes.items():
x[X] = np.array([])
y[X] = np.array([])
if fraction != 1:
nodes = np.random.permutation(nodes)[:int(nodes.size * fraction)]
nodes.sort()
spiketimes = self.dbs[X].select_neurons_interval(nodes, T=xlim)
i = 0
for times in spiketimes:
x[X] = np.r_[x[X], times]
y[X] = np.r_[y[X], np.zeros(times.size) + nodes[i]]
i += 1
return x, y
| get_xy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, xlim, fraction=1.0):\n x = {}\n y = {}\n for X, nodes in self.nodes.items():\n x[X] = np.array([])\n y[X] = np.array([])\n if fraction != 1:\n nodes = np.random.permutation(nodes)[:int(nodes.size * fraction)]\n nodes.sort()\n spiketimes = self.dbs[X].select_neurons_interval(nodes, T=xlim)\n i = 0\n for times in spiketimes:\n x[X] = np.r_[x[X], times]\n y[X] = np.r_[y[X], np.zeros(times.size) + nodes[i]]\n i += 1\n return x, y\n",
"role": "user"
},
{
"content": "get_xy",
"role": "assistant"
}
] |
def x(self, ax, xlim, x, y, pop_names=False, markersize=20.0, alpha=1.0,
legend=True, marker='o', rasterized=True):
yoffset = [(sum(self.N_X) if X == 'TC' else 0) for X in self.X]
for i, X in enumerate(self.X):
if y[X].size > 0:
ax.plot(x[X], y[X] + yoffset[i], marker, markersize=markersize,
mfc=self.colors[i], mec='none' if marker in
'.ov><v^1234sp*hHDd' else self.colors[i], alpha=alpha,
label=X, rasterized=rasterized, clip_on=True)
N_X_sum = 0
for i, X in enumerate(self.X):
if y[X].size > 0:
N_X_sum += self.N_X[i]
ax.axis([xlim[0], xlim[1], self.GIDs[self.X[0]][0], self.GIDs[self.X[0]
][0] + N_X_sum])
ax.set_ylim(ax.get_ylim()[::-1])
ax.set_ylabel('cell id', labelpad=0)
ax.set_xlabel('$t$ (ms)', labelpad=0)
if legend:
ax.legend()
if pop_names:
yticks = []
yticklabels = []
for i, X in enumerate(self.X):
if y[X] != []:
yticks.append(y[X].mean() + yoffset[i])
yticklabels.append(self.X[i])
ax.set_yticks(yticks)
ax.set_yticklabels(yticklabels)
for i, X in enumerate(self.X):
if y[X].size > 0:
ax.plot([xlim[0], xlim[1]], [y[X].max() + yoffset[i], y[X].max(
) + yoffset[i]], 'k', lw=0.25)
| plot_raster | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ax, xlim, x, y, pop_names=False, markersize=20.0, alpha=1.0,\n legend=True, marker='o', rasterized=True):\n yoffset = [(sum(self.N_X) if X == 'TC' else 0) for X in self.X]\n for i, X in enumerate(self.X):\n if y[X].size > 0:\n ax.plot(x[X], y[X] + yoffset[i], marker, markersize=markersize,\n mfc=self.colors[i], mec='none' if marker in\n '.ov><v^1234sp*hHDd' else self.colors[i], alpha=alpha,\n label=X, rasterized=rasterized, clip_on=True)\n N_X_sum = 0\n for i, X in enumerate(self.X):\n if y[X].size > 0:\n N_X_sum += self.N_X[i]\n ax.axis([xlim[0], xlim[1], self.GIDs[self.X[0]][0], self.GIDs[self.X[0]\n ][0] + N_X_sum])\n ax.set_ylim(ax.get_ylim()[::-1])\n ax.set_ylabel('cell id', labelpad=0)\n ax.set_xlabel('$t$ (ms)', labelpad=0)\n if legend:\n ax.legend()\n if pop_names:\n yticks = []\n yticklabels = []\n for i, X in enumerate(self.X):\n if y[X] != []:\n yticks.append(y[X].mean() + yoffset[i])\n yticklabels.append(self.X[i])\n ax.set_yticks(yticks)\n ax.set_yticklabels(yticklabels)\n for i, X in enumerate(self.X):\n if y[X].size > 0:\n ax.plot([xlim[0], xlim[1]], [y[X].max() + yoffset[i], y[X].max(\n ) + yoffset[i]], 'k', lw=0.25)\n",
"role": "user"
},
{
"content": "plot_raster",
"role": "assistant"
}
] |
def x(self, ax, X, i, xlim, x, y, binsize=1, yscale='linear', plottype=
'fill_between', show_label=False, rasterized=False):
bins = np.arange(xlim[0], xlim[1] + binsize, binsize)
hist, bins = np.histogram(x[X], bins=bins)
if plottype == 'fill_between':
ax.fill_between(bins[:-1], hist * 1000.0 / self.N_X[i], color=self.
colors[i], lw=0.5, label=X, rasterized=rasterized, clip_on=False)
ax.plot(bins[:-1], hist * 1000.0 / self.N_X[i], color='k', lw=0.5,
label=X, rasterized=rasterized, clip_on=False)
elif plottype == 'bar':
ax.bar(bins[:-1], hist * 1000.0 / self.N_X[i], color=self.colors[i],
label=X, rasterized=rasterized, linewidth=0.25, width=0.9,
clip_on=False)
else:
mssg = "plottype={} not in ['fill_between', 'bar']".format(plottype)
raise Exception(mssg)
remove_axis_junk(ax)
ax.axis(ax.axis('tight'))
ax.set_yscale(yscale)
ax.set_xlim(xlim[0], xlim[1])
if show_label:
ax.text(xlim[0] + 0.05 * (xlim[1] - xlim[0]), ax.axis()[3] * 1.5, X,
va='center', ha='left')
| plot_f_rate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ax, X, i, xlim, x, y, binsize=1, yscale='linear', plottype=\n 'fill_between', show_label=False, rasterized=False):\n bins = np.arange(xlim[0], xlim[1] + binsize, binsize)\n hist, bins = np.histogram(x[X], bins=bins)\n if plottype == 'fill_between':\n ax.fill_between(bins[:-1], hist * 1000.0 / self.N_X[i], color=self.\n colors[i], lw=0.5, label=X, rasterized=rasterized, clip_on=False)\n ax.plot(bins[:-1], hist * 1000.0 / self.N_X[i], color='k', lw=0.5,\n label=X, rasterized=rasterized, clip_on=False)\n elif plottype == 'bar':\n ax.bar(bins[:-1], hist * 1000.0 / self.N_X[i], color=self.colors[i],\n label=X, rasterized=rasterized, linewidth=0.25, width=0.9,\n clip_on=False)\n else:\n mssg = \"plottype={} not in ['fill_between', 'bar']\".format(plottype)\n raise Exception(mssg)\n remove_axis_junk(ax)\n ax.axis(ax.axis('tight'))\n ax.set_yscale(yscale)\n ax.set_xlim(xlim[0], xlim[1])\n if show_label:\n ax.text(xlim[0] + 0.05 * (xlim[1] - xlim[0]), ax.axis()[3] * 1.5, X,\n va='center', ha='left')\n",
"role": "user"
},
{
"content": "plot_f_rate",
"role": "assistant"
}
] |
def x(self, xlim=[0, 1000], markersize=1, alpha=1.0, marker='o'):
x, y = self.get_xy(xlim)
fig = plt.figure()
fig.subplots_adjust(left=0.12, hspace=0.15)
ax0 = fig.add_subplot(211)
self.plot_raster(ax0, xlim, x, y, markersize=markersize, alpha=alpha,
marker=marker)
remove_axis_junk(ax0)
ax0.set_title('spike raster')
ax0.set_xlabel('')
nrows = len(self.X)
bottom = np.linspace(0.1, 0.45, nrows + 1)[::-1][1:]
thickn = np.abs(np.diff(bottom))[0] * 0.9
for i, layer in enumerate(self.X):
ax1 = fig.add_axes([0.12, bottom[i], 0.78, thickn])
self.plot_f_rate(ax1, layer, i, xlim, x, y)
if i == nrows - 1:
ax1.set_xlabel('time (ms)')
else:
ax1.set_xticklabels([])
if i == 4:
ax1.set_ylabel('population rates ($s^{-1}$)')
if i == 0:
ax1.set_title('population firing rates ($s^{-1}$)')
return fig
| raster_plots | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, xlim=[0, 1000], markersize=1, alpha=1.0, marker='o'):\n x, y = self.get_xy(xlim)\n fig = plt.figure()\n fig.subplots_adjust(left=0.12, hspace=0.15)\n ax0 = fig.add_subplot(211)\n self.plot_raster(ax0, xlim, x, y, markersize=markersize, alpha=alpha,\n marker=marker)\n remove_axis_junk(ax0)\n ax0.set_title('spike raster')\n ax0.set_xlabel('')\n nrows = len(self.X)\n bottom = np.linspace(0.1, 0.45, nrows + 1)[::-1][1:]\n thickn = np.abs(np.diff(bottom))[0] * 0.9\n for i, layer in enumerate(self.X):\n ax1 = fig.add_axes([0.12, bottom[i], 0.78, thickn])\n self.plot_f_rate(ax1, layer, i, xlim, x, y)\n if i == nrows - 1:\n ax1.set_xlabel('time (ms)')\n else:\n ax1.set_xticklabels([])\n if i == 4:\n ax1.set_ylabel('population rates ($s^{-1}$)')\n if i == 0:\n ax1.set_title('population firing rates ($s^{-1}$)')\n return fig\n",
"role": "user"
},
{
"content": "raster_plots",
"role": "assistant"
}
] |
def x(ax, sst, color='0.', alpha=1.0):
plt.sca(ax)
N = len(sst)
current_ymax = 0
counter = 0
while True:
if len(ax.get_lines()) != 0:
data = ax.get_lines()[-1 - counter].get_data()[1]
if np.sum(data) != 0:
current_ymax = np.max(data)
break
counter += 1
else:
break
for i in np.arange(N):
plt.plot(sst[i], np.ones_like(sst[i]) + i + current_ymax - 1, 'k o',
ms=0.5, mfc=color, mec=color, alpha=alpha)
plt.xlabel('time (ms)')
plt.ylabel('neuron id')
return ax
| add_sst_to_dot_display | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ax, sst, color='0.', alpha=1.0):\n plt.sca(ax)\n N = len(sst)\n current_ymax = 0\n counter = 0\n while True:\n if len(ax.get_lines()) != 0:\n data = ax.get_lines()[-1 - counter].get_data()[1]\n if np.sum(data) != 0:\n current_ymax = np.max(data)\n break\n counter += 1\n else:\n break\n for i in np.arange(N):\n plt.plot(sst[i], np.ones_like(sst[i]) + i + current_ymax - 1, 'k o',\n ms=0.5, mfc=color, mec=color, alpha=alpha)\n plt.xlabel('time (ms)')\n plt.ylabel('neuron id')\n return ax\n",
"role": "user"
},
{
"content": "add_sst_to_dot_display",
"role": "assistant"
}
] |
def x(ax):
plt.sca(ax)
plt.setp(plt.gca(), xticks=[], xticklabels=[])
return ax
| empty_bar_plot | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ax):\n plt.sca(ax)\n plt.setp(plt.gca(), xticks=[], xticklabels=[])\n return ax\n",
"role": "user"
},
{
"content": "empty_bar_plot",
"role": "assistant"
}
] |
def x(ax, x, number, name='', color='0.'):
plt.sca(ax)
plt.setp(ax, xticks=np.append(ax.get_xticks(), np.array([x])),
xticklabels=[item.get_text() for item in ax.get_xticklabels()] + [name]
)
plt.bar([x], number, color=color, width=1.0)
return ax
| add_to_bar_plot | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ax, x, number, name='', color='0.'):\n plt.sca(ax)\n plt.setp(ax, xticks=np.append(ax.get_xticks(), np.array([x])),\n xticklabels=[item.get_text() for item in ax.get_xticklabels()] + [name]\n )\n plt.bar([x], number, color=color, width=1.0)\n return ax\n",
"role": "user"
},
{
"content": "add_to_bar_plot",
"role": "assistant"
}
] |
def x(ax, x, y, color='0.', label=''):
plt.sca(ax)
plt.plot(x, y, color=color, label=label)
return ax
| add_to_line_plot | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ax, x, y, color='0.', label=''):\n plt.sca(ax)\n plt.plot(x, y, color=color, label=label)\n return ax\n",
"role": "user"
},
{
"content": "add_to_line_plot",
"role": "assistant"
}
] |
def x(fig, ax, im, width=0.05, height=1.0, hoffset=0.01, voffset=0.0,
orientation='vertical'):
rect = np.array(ax.get_position().bounds)
rect = np.array(ax.get_position().bounds)
caxrect = [0] * 4
caxrect[0] = rect[0] + rect[2] + hoffset * rect[2]
caxrect[1] = rect[1] + voffset * rect[3]
caxrect[2] = rect[2] * width
caxrect[3] = rect[3] * height
cax = fig.add_axes(caxrect)
cb = fig.colorbar(im, cax=cax, orientation=orientation)
return cb
| colorbar | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fig, ax, im, width=0.05, height=1.0, hoffset=0.01, voffset=0.0,\n orientation='vertical'):\n rect = np.array(ax.get_position().bounds)\n rect = np.array(ax.get_position().bounds)\n caxrect = [0] * 4\n caxrect[0] = rect[0] + rect[2] + hoffset * rect[2]\n caxrect[1] = rect[1] + voffset * rect[3]\n caxrect[2] = rect[2] * width\n caxrect[3] = rect[3] * height\n cax = fig.add_axes(caxrect)\n cb = fig.colorbar(im, cax=cax, orientation=orientation)\n return cb\n",
"role": "user"
},
{
"content": "colorbar",
"role": "assistant"
}
] |
def x():
inchpercm = 2.54
frontierswidth = 8.5
textsize = 5
titlesize = 7
plt.rcdefaults()
plt.rcParams.update({'figure.figsize': [frontierswidth / inchpercm,
frontierswidth / inchpercm], 'figure.dpi': 160, 'xtick.labelsize':
textsize, 'ytick.labelsize': textsize, 'font.size': textsize,
'axes.labelsize': textsize, 'axes.titlesize': titlesize,
'axes.linewidth': 0.75, 'lines.linewidth': 0.75, 'legend.fontsize':
textsize})
return None
| frontiers_style | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n inchpercm = 2.54\n frontierswidth = 8.5\n textsize = 5\n titlesize = 7\n plt.rcdefaults()\n plt.rcParams.update({'figure.figsize': [frontierswidth / inchpercm, \n frontierswidth / inchpercm], 'figure.dpi': 160, 'xtick.labelsize':\n textsize, 'ytick.labelsize': textsize, 'font.size': textsize,\n 'axes.labelsize': textsize, 'axes.titlesize': titlesize,\n 'axes.linewidth': 0.75, 'lines.linewidth': 0.75, 'legend.fontsize':\n textsize})\n return None\n",
"role": "user"
},
{
"content": "frontiers_style",
"role": "assistant"
}
] |
def x(ax, ncols=1, nrows=1, letter='a', linear_offset=0.075, fontsize=8):
ax.text(-ncols * linear_offset, 1 + nrows * linear_offset, letter,
horizontalalignment='center', verticalalignment='center', fontsize=
fontsize, fontweight='demibold', transform=ax.transAxes)
| annotate_subplot | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ax, ncols=1, nrows=1, letter='a', linear_offset=0.075, fontsize=8):\n ax.text(-ncols * linear_offset, 1 + nrows * linear_offset, letter,\n horizontalalignment='center', verticalalignment='center', fontsize=\n fontsize, fontweight='demibold', transform=ax.transAxes)\n",
"role": "user"
},
{
"content": "annotate_subplot",
"role": "assistant"
}
] |
def x(num=16, cmap=plt.cm.Set1):
colors = []
for i in xrange(num):
if analysis_params.bw:
colors.append('k' if i % 2 == 0 else 'gray')
else:
i *= 256.0
if num > 1:
i /= num - 1.0
else:
i /= num
colors.append(cmap(int(i)))
return colors
| get_colors | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(num=16, cmap=plt.cm.Set1):\n colors = []\n for i in xrange(num):\n if analysis_params.bw:\n colors.append('k' if i % 2 == 0 else 'gray')\n else:\n i *= 256.0\n if num > 1:\n i /= num - 1.0\n else:\n i /= num\n colors.append(cmap(int(i)))\n return colors\n",
"role": "user"
},
{
"content": "get_colors",
"role": "assistant"
}
] |
def x(self, data, windowLength=None):
if windowLength == None:
windowLength = self.defaultWindowLength
compressed = ''
pos = 0
lastPos = len(data) - self.minStringLength
while pos < lastPos:
searchStart = max(pos - windowLength, 0)
matchLength = self.minStringLength
foundMatch = False
bestMatchDistance = self.maxStringDistance
bestMatchLength = 0
newCompressed = None
while searchStart + matchLength < pos:
m1 = data[searchStart:searchStart + matchLength]
m2 = data[pos:pos + matchLength]
isValidMatch = m1 == m2 and matchLength < self.maxStringLength
if isValidMatch:
matchLength += 1
foundMatch = True
else:
realMatchLength = matchLength - 1
if foundMatch and realMatchLength > bestMatchLength:
bestMatchDistance = pos - searchStart - realMatchLength
bestMatchLength = realMatchLength
matchLength = self.minStringLength
searchStart += 1
foundMatch = False
if bestMatchLength:
newCompressed = self.referencePrefix + self.__encodeReferenceInt(
bestMatchDistance, 2) + self.__encodeReferenceLength(
bestMatchLength)
pos += bestMatchLength
else:
if data[pos] != self.referencePrefix:
newCompressed = data[pos]
else:
newCompressed = self.referencePrefix + self.referencePrefix
pos += 1
compressed += newCompressed
return compressed + data[pos:].replace('`', '``')
| compress | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, windowLength=None):\n if windowLength == None:\n windowLength = self.defaultWindowLength\n compressed = ''\n pos = 0\n lastPos = len(data) - self.minStringLength\n while pos < lastPos:\n searchStart = max(pos - windowLength, 0)\n matchLength = self.minStringLength\n foundMatch = False\n bestMatchDistance = self.maxStringDistance\n bestMatchLength = 0\n newCompressed = None\n while searchStart + matchLength < pos:\n m1 = data[searchStart:searchStart + matchLength]\n m2 = data[pos:pos + matchLength]\n isValidMatch = m1 == m2 and matchLength < self.maxStringLength\n if isValidMatch:\n matchLength += 1\n foundMatch = True\n else:\n realMatchLength = matchLength - 1\n if foundMatch and realMatchLength > bestMatchLength:\n bestMatchDistance = pos - searchStart - realMatchLength\n bestMatchLength = realMatchLength\n matchLength = self.minStringLength\n searchStart += 1\n foundMatch = False\n if bestMatchLength:\n newCompressed = self.referencePrefix + self.__encodeReferenceInt(\n bestMatchDistance, 2) + self.__encodeReferenceLength(\n bestMatchLength)\n pos += bestMatchLength\n else:\n if data[pos] != self.referencePrefix:\n newCompressed = data[pos]\n else:\n newCompressed = self.referencePrefix + self.referencePrefix\n pos += 1\n compressed += newCompressed\n return compressed + data[pos:].replace('`', '``')\n",
"role": "user"
},
{
"content": "compress",
"role": "assistant"
}
] |
def x(self, data):
decompressed = ''
pos = 0
while pos < len(data):
currentChar = data[pos]
if currentChar != self.referencePrefix:
decompressed += currentChar
pos += 1
else:
nextChar = data[pos + 1]
if nextChar != self.referencePrefix:
distance = self.__decodeReferenceInt(data[pos + 1:pos + 3], 2)
length = self.__decodeReferenceLength(data[pos + 3])
start = len(decompressed) - distance - length
end = start + length
decompressed += decompressed[start:end]
pos += self.minStringLength - 1
else:
decompressed += self.referencePrefix
pos += 2
return decompressed
| decompress | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n decompressed = ''\n pos = 0\n while pos < len(data):\n currentChar = data[pos]\n if currentChar != self.referencePrefix:\n decompressed += currentChar\n pos += 1\n else:\n nextChar = data[pos + 1]\n if nextChar != self.referencePrefix:\n distance = self.__decodeReferenceInt(data[pos + 1:pos + 3], 2)\n length = self.__decodeReferenceLength(data[pos + 3])\n start = len(decompressed) - distance - length\n end = start + length\n decompressed += decompressed[start:end]\n pos += self.minStringLength - 1\n else:\n decompressed += self.referencePrefix\n pos += 2\n return decompressed\n",
"role": "user"
},
{
"content": "decompress",
"role": "assistant"
}
] |
def x():
parser = argparse.ArgumentParser(description=
'Convert rational numbers between bases.')
parser.add_argument('-n', '--number', default=None, help=
'The number to convert as a string, else stdin used.')
parser.add_argument('-i', '--input-base', default=10, help=
'The input base (default 10).')
parser.add_argument('-o', '--output-base', default=10, help=
'The output base (default 10).')
parser.add_argument('-d', '--max_depth', default=10, type=int, help=
'The maximum fractional digits (default 10).')
parser.add_argument('-r', '--recurring', default=True, type=bool, help=
'Boolean, if True will attempt to find recurring decimals (default True).'
)
parser.add_argument('-s', '--string', type=bool, help=
'Boolean, if True will output number as String, else as tuple (default False).'
)
args = parser.parse_args()
args.input_base = float(args.input_base)
args.output_base = float(args.output_base)
if args.input_base == int(args.input_base):
args.input_base = int(args.input_base)
if args.output_base == int(args.output_base):
args.output_base = int(args.output_base)
if args.number:
return base(args.number, args.input_base, args.output_base, string=
args.string, max_depth=args.max_depth, recurring=args.recurring)
elif not sys.stdin.isatty():
return base(sys.stdin.read().strip(), args.input_base, args.
output_base, string=args.string, max_depth=args.max_depth,
recurring=args.recurring)
else:
raise ValueError('Please input a number!')
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n parser = argparse.ArgumentParser(description=\n 'Convert rational numbers between bases.')\n parser.add_argument('-n', '--number', default=None, help=\n 'The number to convert as a string, else stdin used.')\n parser.add_argument('-i', '--input-base', default=10, help=\n 'The input base (default 10).')\n parser.add_argument('-o', '--output-base', default=10, help=\n 'The output base (default 10).')\n parser.add_argument('-d', '--max_depth', default=10, type=int, help=\n 'The maximum fractional digits (default 10).')\n parser.add_argument('-r', '--recurring', default=True, type=bool, help=\n 'Boolean, if True will attempt to find recurring decimals (default True).'\n )\n parser.add_argument('-s', '--string', type=bool, help=\n 'Boolean, if True will output number as String, else as tuple (default False).'\n )\n args = parser.parse_args()\n args.input_base = float(args.input_base)\n args.output_base = float(args.output_base)\n if args.input_base == int(args.input_base):\n args.input_base = int(args.input_base)\n if args.output_base == int(args.output_base):\n args.output_base = int(args.output_base)\n if args.number:\n return base(args.number, args.input_base, args.output_base, string=\n args.string, max_depth=args.max_depth, recurring=args.recurring)\n elif not sys.stdin.isatty():\n return base(sys.stdin.read().strip(), args.input_base, args.\n output_base, string=args.string, max_depth=args.max_depth,\n recurring=args.recurring)\n else:\n raise ValueError('Please input a number!')\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(self, username, domain, subject, message):
jid = '%s@%s' % (username, domain)
if self.api_version <= (14, 7):
command = 'send_message_chat'
args = domain, '%s@%s' % (username, domain), message
else:
command = 'send_message'
args = 'chat', domain, jid, subject, message
code, out, err = self.ctl(command, *args)
if code != 0:
raise BackendError(code)
| message_user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username, domain, subject, message):\n jid = '%s@%s' % (username, domain)\n if self.api_version <= (14, 7):\n command = 'send_message_chat'\n args = domain, '%s@%s' % (username, domain), message\n else:\n command = 'send_message'\n args = 'chat', domain, jid, subject, message\n code, out, err = self.ctl(command, *args)\n if code != 0:\n raise BackendError(code)\n",
"role": "user"
},
{
"content": "message_user",
"role": "assistant"
}
] |
def x(self):
if not self._config:
namespace = {}
if os.path.exists(self.config_path):
execfile(self.config_path, namespace)
self._config = namespace.get('config') or Configuration()
return self._config
| get_config | [
{
"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._config:\n namespace = {}\n if os.path.exists(self.config_path):\n execfile(self.config_path, namespace)\n self._config = namespace.get('config') or Configuration()\n return self._config\n",
"role": "user"
},
{
"content": "get_config",
"role": "assistant"
}
] |
def x(self):
cookie = self._prepare()
self._send_object(cookie)
self._commit(cookie)
self._install(cookie)
| send | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n cookie = self._prepare()\n self._send_object(cookie)\n self._commit(cookie)\n self._install(cookie)\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(self, input_streams=['stdin'], output_streams=['stderr', 'stdout']):
shell = dict()
shell['rsp:InputStreams'] = ' '.join(input_streams)
shell['rsp:OutputStreams'] = ' '.join(output_streams)
shell['rsp:IdleTimeout'] = str(self.idle_timeout)
if self.working_directory is not None:
shell['rsp:WorkingDirectory'] = str(self.working_directory)
if self.environment is not None:
variables = []
for key, value in self.environment.items():
variables.append({'#text': str(value), '@Name': key})
shell['rsp:Environment'] = {'Variable': variables}
response = self.session.create(self.resource, {'rsp:Shell': shell})
self.__shell_id = response['rsp:Shell']['rsp:ShellId']
| open | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, input_streams=['stdin'], output_streams=['stderr', 'stdout']):\n shell = dict()\n shell['rsp:InputStreams'] = ' '.join(input_streams)\n shell['rsp:OutputStreams'] = ' '.join(output_streams)\n shell['rsp:IdleTimeout'] = str(self.idle_timeout)\n if self.working_directory is not None:\n shell['rsp:WorkingDirectory'] = str(self.working_directory)\n if self.environment is not None:\n variables = []\n for key, value in self.environment.items():\n variables.append({'#text': str(value), '@Name': key})\n shell['rsp:Environment'] = {'Variable': variables}\n response = self.session.create(self.resource, {'rsp:Shell': shell})\n self.__shell_id = response['rsp:Shell']['rsp:ShellId']\n",
"role": "user"
},
{
"content": "open",
"role": "assistant"
}
] |
def x(self, command, arguments=(), console_mode_stdin=True, skip_cmd_shell=
False):
logging.info('running command: ' + command)
resource = ResourceLocator(CommandShell.ShellResource)
resource.add_selector('ShellId', self.__shell_id)
resource.add_option('WINRS_SKIP_CMD_SHELL', ['FALSE', 'TRUE'][bool(
skip_cmd_shell)], True)
resource.add_option('WINRS_CONSOLEMODE_STDIN', ['FALSE', 'TRUE'][bool(
console_mode_stdin)], True)
command = OrderedDict([('rsp:Command', command)])
command['rsp:Arguments'] = list(arguments)
response = self.session.command(resource, {'rsp:CommandLine': command})
command_id = response['rsp:CommandResponse']['rsp:CommandId']
logging.info('receive command: ' + command_id)
return command_id
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, command, arguments=(), console_mode_stdin=True, skip_cmd_shell=\n False):\n logging.info('running command: ' + command)\n resource = ResourceLocator(CommandShell.ShellResource)\n resource.add_selector('ShellId', self.__shell_id)\n resource.add_option('WINRS_SKIP_CMD_SHELL', ['FALSE', 'TRUE'][bool(\n skip_cmd_shell)], True)\n resource.add_option('WINRS_CONSOLEMODE_STDIN', ['FALSE', 'TRUE'][bool(\n console_mode_stdin)], True)\n command = OrderedDict([('rsp:Command', command)])\n command['rsp:Arguments'] = list(arguments)\n response = self.session.command(resource, {'rsp:CommandLine': command})\n command_id = response['rsp:CommandResponse']['rsp:CommandId']\n logging.info('receive command: ' + command_id)\n return command_id\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(self, command_id, streams=('stdout', 'stderr'), command_timeout=60):
logging.info('receive command: ' + command_id)
response_streams = dict.fromkeys(streams, '')
complete, exit_code = self._receive_poll(command_id, response_streams)
while not complete:
complete, exit_code = self._receive_poll(command_id, response_streams)
if sorted(response_streams.keys()) == sorted(['stderr', 'stdout']):
return response_streams['stdout'], response_streams['stderr'
], exit_code
else:
return response_streams, exit_code
| receive | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, command_id, streams=('stdout', 'stderr'), command_timeout=60):\n logging.info('receive command: ' + command_id)\n response_streams = dict.fromkeys(streams, '')\n complete, exit_code = self._receive_poll(command_id, response_streams)\n while not complete:\n complete, exit_code = self._receive_poll(command_id, response_streams)\n if sorted(response_streams.keys()) == sorted(['stderr', 'stdout']):\n return response_streams['stdout'], response_streams['stderr'\n ], exit_code\n else:\n return response_streams, exit_code\n",
"role": "user"
},
{
"content": "receive",
"role": "assistant"
}
] |
def x(self, command_id, response_streams):
logging.info('receive command: ' + command_id)
resource = ResourceLocator(CommandShell.ShellResource)
resource.add_selector('ShellId', self.__shell_id)
stream_attributes = {'#text': ' '.join(response_streams.keys()),
'@CommandId': command_id}
receive = {'rsp:Receive': {'rsp:DesiredStream': stream_attributes}}
try:
response = self.session.recieve(resource, receive)[
'rsp:ReceiveResponse']
except Exception as e:
return False, None
session_streams = response.get('rsp:Stream', ())
if not isinstance(session_streams, list):
session_streams = [session_streams]
for stream in session_streams:
if stream['@CommandId'] == command_id and '#text' in stream:
response_streams[stream['@Name']] += base64.b64decode(stream[
'#text'])
done = response['rsp:CommandState']['@State'] == CommandShell.StateDone
if done:
exit_code = int(response['rsp:CommandState']['rsp:ExitCode'])
else:
exit_code = None
return done, exit_code
| receive_poll | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, command_id, response_streams):\n logging.info('receive command: ' + command_id)\n resource = ResourceLocator(CommandShell.ShellResource)\n resource.add_selector('ShellId', self.__shell_id)\n stream_attributes = {'#text': ' '.join(response_streams.keys()),\n '@CommandId': command_id}\n receive = {'rsp:Receive': {'rsp:DesiredStream': stream_attributes}}\n try:\n response = self.session.recieve(resource, receive)[\n 'rsp:ReceiveResponse']\n except Exception as e:\n return False, None\n session_streams = response.get('rsp:Stream', ())\n if not isinstance(session_streams, list):\n session_streams = [session_streams]\n for stream in session_streams:\n if stream['@CommandId'] == command_id and '#text' in stream:\n response_streams[stream['@Name']] += base64.b64decode(stream[\n '#text'])\n done = response['rsp:CommandState']['@State'] == CommandShell.StateDone\n if done:\n exit_code = int(response['rsp:CommandState']['rsp:ExitCode'])\n else:\n exit_code = None\n return done, exit_code\n",
"role": "user"
},
{
"content": "receive_poll",
"role": "assistant"
}
] |
def x(self):
resource = ResourceLocator(CommandShell.ShellResource)
resource.add_selector('ShellId', self.__shell_id)
self.session.delete(resource)
| close | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n resource = ResourceLocator(CommandShell.ShellResource)\n resource.add_selector('ShellId', self.__shell_id)\n self.session.delete(resource)\n",
"role": "user"
},
{
"content": "close",
"role": "assistant"
}
] |
def x(self, data_dict, prefix):
keys = data_dict.keys()
dummy_dict = copy.deepcopy(data_dict)
changed_dict = {}
for key in keys:
changed_dict[prefix + str(key)] = dummy_dict.pop(key)
return changed_dict
| change_dict_keys | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data_dict, prefix):\n keys = data_dict.keys()\n dummy_dict = copy.deepcopy(data_dict)\n changed_dict = {}\n for key in keys:\n changed_dict[prefix + str(key)] = dummy_dict.pop(key)\n return changed_dict\n",
"role": "user"
},
{
"content": "change_dict_keys",
"role": "assistant"
}
] |
def x(self, left_collection_list, right_collection_list):
joined_docs = []
if len(left_collection_list) != 0 and len(right_collection_list) != 0:
for left_doc in left_collection_list:
for right_doc in right_collection_list:
l_dict = self.change_dict_keys(left_doc, 'L_')
r_dict = self.change_dict_keys(right_doc, 'R_')
joined_docs.append(dict(l_dict, **r_dict))
elif left_collection_list:
for left_doc in left_collection_list:
joined_docs.append(self.change_dict_keys(left_doc, 'L_'))
else:
for right_doc in right_collection_list:
joined_docs.append(self.change_dict_keys(right_doc, 'R_'))
return joined_docs
| generate_join_docs_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, left_collection_list, right_collection_list):\n joined_docs = []\n if len(left_collection_list) != 0 and len(right_collection_list) != 0:\n for left_doc in left_collection_list:\n for right_doc in right_collection_list:\n l_dict = self.change_dict_keys(left_doc, 'L_')\n r_dict = self.change_dict_keys(right_doc, 'R_')\n joined_docs.append(dict(l_dict, **r_dict))\n elif left_collection_list:\n for left_doc in left_collection_list:\n joined_docs.append(self.change_dict_keys(left_doc, 'L_'))\n else:\n for right_doc in right_collection_list:\n joined_docs.append(self.change_dict_keys(right_doc, 'R_'))\n return joined_docs\n",
"role": "user"
},
{
"content": "generate_join_docs_list",
"role": "assistant"
}
] |
def x(self, keys):
join = defaultdict(list)
for key in keys:
join[key] = self.generate_join_docs_list(self.collections_data[
'left'].get(key, []), self.collections_data['right'].get(key, []))
return join
| merge_join_docs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, keys):\n join = defaultdict(list)\n for key in keys:\n join[key] = self.generate_join_docs_list(self.collections_data[\n 'left'].get(key, []), self.collections_data['right'].get(key, []))\n return join\n",
"role": "user"
},
{
"content": "merge_join_docs",
"role": "assistant"
}
] |
def x(self):
self.get_collections_data()
inner_join = self.merge_join_docs(set(self.collections_data['left'].
keys()) & set(self.collections_data['right'].keys()))
return inner_join
| inner | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.get_collections_data()\n inner_join = self.merge_join_docs(set(self.collections_data['left'].\n keys()) & set(self.collections_data['right'].keys()))\n return inner_join\n",
"role": "user"
},
{
"content": "inner",
"role": "assistant"
}
] |
def x(self):
self.get_collections_data()
left_outer_join = self.merge_join_docs(set(self.collections_data['left'
].keys()))
return left_outer_join
| left_outer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.get_collections_data()\n left_outer_join = self.merge_join_docs(set(self.collections_data['left'\n ].keys()))\n return left_outer_join\n",
"role": "user"
},
{
"content": "left_outer",
"role": "assistant"
}
] |
def x(self):
self.get_collections_data()
right_outer_join = self.merge_join_docs(set(self.collections_data[
'right'].keys()))
return right_outer_join
| right_outer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.get_collections_data()\n right_outer_join = self.merge_join_docs(set(self.collections_data[\n 'right'].keys()))\n return right_outer_join\n",
"role": "user"
},
{
"content": "right_outer",
"role": "assistant"
}
] |
def x(self):
self.get_collections_data()
full_outer_join = self.merge_join_docs(set(self.collections_data['left'
].keys()) | set(self.collections_data['right'].keys()))
return full_outer_join
| full_outer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.get_collections_data()\n full_outer_join = self.merge_join_docs(set(self.collections_data['left'\n ].keys()) | set(self.collections_data['right'].keys()))\n return full_outer_join\n",
"role": "user"
},
{
"content": "full_outer",
"role": "assistant"
}
] |
def x(meth):
@functools.wraps(meth)
def x(*args, **kwargs):
if not args[0].authorized:
raise exceptions.NotAuthorizedError('Please login first!')
return meth(*args, **kwargs)
return wrapped
| needs_auth | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(meth):\n\n @functools.wraps(meth)\n def x(*args, **kwargs):\n if not args[0].authorized:\n raise exceptions.NotAuthorizedError('Please login first!')\n return meth(*args, **kwargs)\n return wrapped\n",
"role": "user"
},
{
"content": "needs_auth",
"role": "assistant"
}
] |
def x(self, method, url, **kwargs):
if oauthlib.oauth2.is_secure_transport(url):
m = super(OAuthSession, self).request
else:
m = super(requests_oauthlib.OAuth2Session, self).request
log.debug('%s "%s" with %s', method, url, kwargs)
response = m(method, url, **kwargs)
response.raise_for_status()
return response
| request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method, url, **kwargs):\n if oauthlib.oauth2.is_secure_transport(url):\n m = super(OAuthSession, self).request\n else:\n m = super(requests_oauthlib.OAuth2Session, self).request\n log.debug('%s \"%s\" with %s', method, url, kwargs)\n response = m(method, url, **kwargs)\n response.raise_for_status()\n return response\n",
"role": "user"
},
{
"content": "request",
"role": "assistant"
}
] |
def x(self):
self.login_server = oauth.LoginServer(session=self)
target = self.login_server.serve_forever
self.login_thread = threading.Thread(target=target)
self.login_thread.setDaemon(True)
log.debug('Starting login server thread.')
self.login_thread.start()
| start_login_server | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.login_server = oauth.LoginServer(session=self)\n target = self.login_server.serve_forever\n self.login_thread = threading.Thread(target=target)\n self.login_thread.setDaemon(True)\n log.debug('Starting login server thread.')\n self.login_thread.start()\n",
"role": "user"
},
{
"content": "start_login_server",
"role": "assistant"
}
] |
def x(self):
log.debug('Shutting down the login server thread.')
self.login_server.shutdown()
self.login_server.server_close()
self.login_thread.join()
| shutdown_login_server | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n log.debug('Shutting down the login server thread.')\n self.login_server.shutdown()\n self.login_server.server_close()\n self.login_thread.join()\n",
"role": "user"
},
{
"content": "shutdown_login_server",
"role": "assistant"
}
] |
def x(self, token):
self._token = token
if token:
self.current_user = self.query_login_user()
| token | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, token):\n self._token = token\n if token:\n self.current_user = self.query_login_user()\n",
"role": "user"
},
{
"content": "token",
"role": "assistant"
}
] |
def x(self, method, endpoint, **kwargs):
url = TWITCH_KRAKENURL + endpoint
headers = kwargs.setdefault('headers', {})
headers['Accept'] = TWITCH_HEADER_ACCEPT
headers['Client-ID'] = CLIENT_ID
return self.request(method, url, **kwargs)
| kraken_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method, endpoint, **kwargs):\n url = TWITCH_KRAKENURL + endpoint\n headers = kwargs.setdefault('headers', {})\n headers['Accept'] = TWITCH_HEADER_ACCEPT\n headers['Client-ID'] = CLIENT_ID\n return self.request(method, url, **kwargs)\n",
"role": "user"
},
{
"content": "kraken_request",
"role": "assistant"
}
] |
def x(self, method, endpoint, **kwargs):
url = TWITCH_USHERURL + endpoint
return self.request(method, url, **kwargs)
| usher_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method, endpoint, **kwargs):\n url = TWITCH_USHERURL + endpoint\n return self.request(method, url, **kwargs)\n",
"role": "user"
},
{
"content": "usher_request",
"role": "assistant"
}
] |
def x(self, method, endpoint, **kwargs):
headers = kwargs.setdefault('headers', {})
headers['Client-ID'] = CLIENT_ID
url = TWITCH_APIURL + endpoint
return self.request(method, url, **kwargs)
| oldapi_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method, endpoint, **kwargs):\n headers = kwargs.setdefault('headers', {})\n headers['Client-ID'] = CLIENT_ID\n url = TWITCH_APIURL + endpoint\n return self.request(method, url, **kwargs)\n",
"role": "user"
},
{
"content": "oldapi_request",
"role": "assistant"
}
] |
def x(self, game):
r = self.kraken_request('GET', 'streams/summary', params={'game': game.
name}).json()
game.viewers = r['viewers']
game.channels = r['channels']
return game
| fetch_viewers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, game):\n r = self.kraken_request('GET', 'streams/summary', params={'game': game.\n name}).json()\n game.viewers = r['viewers']\n game.channels = r['channels']\n return game\n",
"role": "user"
},
{
"content": "fetch_viewers",
"role": "assistant"
}
] |
def x(self, query, live=True):
r = self.kraken_request('GET', 'search/games', params={'query': query,
'type': 'suggest', 'live': live})
games = models.Game.wrap_search(r)
for g in games:
self.fetch_viewers(g)
return games
| search_games | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query, live=True):\n r = self.kraken_request('GET', 'search/games', params={'query': query,\n 'type': 'suggest', 'live': live})\n games = models.Game.wrap_search(r)\n for g in games:\n self.fetch_viewers(g)\n return games\n",
"role": "user"
},
{
"content": "search_games",
"role": "assistant"
}
] |
def x(self, limit=10, offset=0):
r = self.kraken_request('GET', 'games/top', params={'limit': limit,
'offset': offset})
return models.Game.wrap_topgames(r)
| top_games | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, limit=10, offset=0):\n r = self.kraken_request('GET', 'games/top', params={'limit': limit,\n 'offset': offset})\n return models.Game.wrap_topgames(r)\n",
"role": "user"
},
{
"content": "top_games",
"role": "assistant"
}
] |
def x(self, name):
games = self.search_games(query=name, live=False)
for g in games:
if g.name == name:
return g
| get_game | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n games = self.search_games(query=name, live=False)\n for g in games:\n if g.name == name:\n return g\n",
"role": "user"
},
{
"content": "get_game",
"role": "assistant"
}
] |
def x(self, name):
r = self.kraken_request('GET', 'channels/' + name)
return models.Channel.wrap_get_channel(r)
| get_channel | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n r = self.kraken_request('GET', 'channels/' + name)\n return models.Channel.wrap_get_channel(r)\n",
"role": "user"
},
{
"content": "get_channel",
"role": "assistant"
}
] |
def x(self, query, limit=25, offset=0):
r = self.kraken_request('GET', 'search/channels', params={'query':
query, 'limit': limit, 'offset': offset})
return models.Channel.wrap_search(r)
| search_channels | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query, limit=25, offset=0):\n r = self.kraken_request('GET', 'search/channels', params={'query':\n query, 'limit': limit, 'offset': offset})\n return models.Channel.wrap_search(r)\n",
"role": "user"
},
{
"content": "search_channels",
"role": "assistant"
}
] |
def x(self, channel):
if isinstance(channel, models.Channel):
channel = channel.name
r = self.kraken_request('GET', 'streams/' + channel)
return models.Stream.wrap_get_stream(r)
| get_stream | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, channel):\n if isinstance(channel, models.Channel):\n channel = channel.name\n r = self.kraken_request('GET', 'streams/' + channel)\n return models.Stream.wrap_get_stream(r)\n",
"role": "user"
},
{
"content": "get_stream",
"role": "assistant"
}
] |
def x(self, game=None, channels=None, limit=25, offset=0):
if isinstance(game, models.Game):
game = game.name
channelnames = []
cparam = None
if channels:
for c in channels:
if isinstance(c, models.Channel):
c = c.name
channelnames.append(c)
cparam = ','.join(channelnames)
params = {'limit': limit, 'offset': offset, 'game': game, 'channel': cparam
}
r = self.kraken_request('GET', 'streams', params=params)
return models.Stream.wrap_search(r)
| get_streams | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, game=None, channels=None, limit=25, offset=0):\n if isinstance(game, models.Game):\n game = game.name\n channelnames = []\n cparam = None\n if channels:\n for c in channels:\n if isinstance(c, models.Channel):\n c = c.name\n channelnames.append(c)\n cparam = ','.join(channelnames)\n params = {'limit': limit, 'offset': offset, 'game': game, 'channel': cparam\n }\n r = self.kraken_request('GET', 'streams', params=params)\n return models.Stream.wrap_search(r)\n",
"role": "user"
},
{
"content": "get_streams",
"role": "assistant"
}
] |
def x(self, query, hls=False, limit=25, offset=0):
r = self.kraken_request('GET', 'search/streams', params={'query': query,
'hls': hls, 'limit': limit, 'offset': offset})
return models.Stream.wrap_search(r)
| search_streams | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query, hls=False, limit=25, offset=0):\n r = self.kraken_request('GET', 'search/streams', params={'query': query,\n 'hls': hls, 'limit': limit, 'offset': offset})\n return models.Stream.wrap_search(r)\n",
"role": "user"
},
{
"content": "search_streams",
"role": "assistant"
}
] |
def x(self, limit=25, offset=0):
r = self.kraken_request('GET', 'streams/followed', params={'limit':
limit, 'offset': offset})
return models.Stream.wrap_search(r)
| followed_streams | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, limit=25, offset=0):\n r = self.kraken_request('GET', 'streams/followed', params={'limit':\n limit, 'offset': offset})\n return models.Stream.wrap_search(r)\n",
"role": "user"
},
{
"content": "followed_streams",
"role": "assistant"
}
] |
def x(self, name):
r = self.kraken_request('GET', 'user/' + name)
return models.User.wrap_get_user(r)
| get_user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n r = self.kraken_request('GET', 'user/' + name)\n return models.User.wrap_get_user(r)\n",
"role": "user"
},
{
"content": "get_user",
"role": "assistant"
}
] |
def x(self, channel):
if isinstance(channel, models.Channel):
channel = channel.name
token, sig = self.get_channel_access_token(channel)
params = {'token': token, 'sig': sig, 'allow_audio_only': True,
'allow_source': True}
r = self.usher_request('GET', 'channel/hls/%s.m3u8' % channel, params=
params)
playlist = m3u8.loads(r.text)
return playlist
| get_playlist | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, channel):\n if isinstance(channel, models.Channel):\n channel = channel.name\n token, sig = self.get_channel_access_token(channel)\n params = {'token': token, 'sig': sig, 'allow_audio_only': True,\n 'allow_source': True}\n r = self.usher_request('GET', 'channel/hls/%s.m3u8' % channel, params=\n params)\n playlist = m3u8.loads(r.text)\n return playlist\n",
"role": "user"
},
{
"content": "get_playlist",
"role": "assistant"
}
] |
def x(self, channel):
optionmap = {'chunked': 'source', 'high': 'high', 'medium': 'medium',
'low': 'low', 'mobile': 'mobile', 'audio_only': 'audio'}
p = self.get_playlist(channel)
options = []
for pl in p.playlists:
q = pl.media[0].group_id
options.append(optionmap[q])
return options
| get_quality_options | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, channel):\n optionmap = {'chunked': 'source', 'high': 'high', 'medium': 'medium',\n 'low': 'low', 'mobile': 'mobile', 'audio_only': 'audio'}\n p = self.get_playlist(channel)\n options = []\n for pl in p.playlists:\n q = pl.media[0].group_id\n options.append(optionmap[q])\n return options\n",
"role": "user"
},
{
"content": "get_quality_options",
"role": "assistant"
}
] |
def x(self, channel):
if isinstance(channel, models.Channel):
channel = channel.name
r = self.oldapi_request('GET', 'channels/%s/access_token' % channel).json()
return r['token'], r['sig']
| get_channel_access_token | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, channel):\n if isinstance(channel, models.Channel):\n channel = channel.name\n r = self.oldapi_request('GET', 'channels/%s/access_token' % channel).json()\n return r['token'], r['sig']\n",
"role": "user"
},
{
"content": "get_channel_access_token",
"role": "assistant"
}
] |
def x(self, channel):
r = self.oldapi_request('GET', 'channels/%s/chat_properties' % channel.name
)
json = r.json()
servers = json['chat_servers']
try:
r = self.get(TWITCH_STATUSURL)
except requests.HTTPError:
log.debug('Error getting chat server status. Using random one.')
address = servers[0]
else:
stats = [client.ChatServerStatus(**d) for d in r.json()]
address = self._find_best_chat_server(servers, stats)
server, port = address.split(':')
return server, int(port)
| get_chat_server | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, channel):\n r = self.oldapi_request('GET', 'channels/%s/chat_properties' % channel.name\n )\n json = r.json()\n servers = json['chat_servers']\n try:\n r = self.get(TWITCH_STATUSURL)\n except requests.HTTPError:\n log.debug('Error getting chat server status. Using random one.')\n address = servers[0]\n else:\n stats = [client.ChatServerStatus(**d) for d in r.json()]\n address = self._find_best_chat_server(servers, stats)\n server, port = address.split(':')\n return server, int(port)\n",
"role": "user"
},
{
"content": "get_chat_server",
"role": "assistant"
}
] |
def x(servers, stats):
best = servers[0]
stats.sort()
for stat in stats:
for server in servers:
if server == stat:
best = server
break
if best:
break
return best
| find_best_chat_server | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(servers, stats):\n best = servers[0]\n stats.sort()\n for stat in stats:\n for server in servers:\n if server == stat:\n best = server\n break\n if best:\n break\n return best\n",
"role": "user"
},
{
"content": "find_best_chat_server",
"role": "assistant"
}
] |
def x(self, emote, size=1.0):
r = self.get('http://static-cdn.jtvnw.net/emoticons/v1/%s/%s' % (emote.
emoteid, size))
return r.content
| get_emote_picture | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, emote, size=1.0):\n r = self.get('http://static-cdn.jtvnw.net/emoticons/v1/%s/%s' % (emote.\n emoteid, size))\n return r.content\n",
"role": "user"
},
{
"content": "get_emote_picture",
"role": "assistant"
}
] |
def x(string):
for fro, to in replacements:
string = string.replace(fro, to)
return string
| escapejson | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string):\n for fro, to in replacements:\n string = string.replace(fro, to)\n return string\n",
"role": "user"
},
{
"content": "escapejson",
"role": "assistant"
}
] |
def x(string, split_str=' '):
string = _GLOB_PORTION_RE.sub(split_str, string)
return string.strip()
| strip_glob | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string, split_str=' '):\n string = _GLOB_PORTION_RE.sub(split_str, string)\n return string.strip()\n",
"role": "user"
},
{
"content": "strip_glob",
"role": "assistant"
}
] |
def x(start, end, delta=timedelta(days=1), lower=Interval.CLOSED, upper=
Interval.OPEN):
date_interval = Interval(lower=lower, lower_value=start, upper_value=
end, upper=upper)
current = start if start in date_interval else start + delta
while current in date_interval:
yield current
current = current + delta
| daterange | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(start, end, delta=timedelta(days=1), lower=Interval.CLOSED, upper=\n Interval.OPEN):\n date_interval = Interval(lower=lower, lower_value=start, upper_value=\n end, upper=upper)\n current = start if start in date_interval else start + delta\n while current in date_interval:\n yield current\n current = current + delta\n",
"role": "user"
},
{
"content": "daterange",
"role": "assistant"
}
] |
def x(self, target_app, dictionary):
tid = self._get_txid()
message = self._message_type(transaction_id=tid)
tuples = []
for k, v in iteritems(dictionary):
if isinstance(v, AppMessageNumber):
tuples.append(AppMessageTuple(key=k, type=v.type, data=struct.
pack(self._type_mapping[v.type, v.length], v.value)))
elif v.type == AppMessageTuple.Type.CString:
tuples.append(AppMessageTuple(key=k, type=v.type, data=v.value.
encode('utf-8') + b'\x00'))
elif v.type == AppMessageTuple.Type.ByteArray:
tuples.append(AppMessageTuple(key=k, type=v.type, data=v.value))
message.data = AppMessagePush(uuid=target_app, dictionary=tuples)
self._pending_messages[tid] = target_app
self._pebble.send_packet(message)
return tid
| send_message | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, target_app, dictionary):\n tid = self._get_txid()\n message = self._message_type(transaction_id=tid)\n tuples = []\n for k, v in iteritems(dictionary):\n if isinstance(v, AppMessageNumber):\n tuples.append(AppMessageTuple(key=k, type=v.type, data=struct.\n pack(self._type_mapping[v.type, v.length], v.value)))\n elif v.type == AppMessageTuple.Type.CString:\n tuples.append(AppMessageTuple(key=k, type=v.type, data=v.value.\n encode('utf-8') + b'\\x00'))\n elif v.type == AppMessageTuple.Type.ByteArray:\n tuples.append(AppMessageTuple(key=k, type=v.type, data=v.value))\n message.data = AppMessagePush(uuid=target_app, dictionary=tuples)\n self._pending_messages[tid] = target_app\n self._pebble.send_packet(message)\n return tid\n",
"role": "user"
},
{
"content": "send_message",
"role": "assistant"
}
] |
def x(name, class_, *args, **kwargs):
with LOCK:
try:
item = REGISTRY[name]
except KeyError:
item = REGISTRY[name] = class_(*args, **kwargs)
return item
raise DuplicateMetricError('Metric {} already exists of type {}'.format
(name, type(item).__name__))
| new_metric | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, class_, *args, **kwargs):\n with LOCK:\n try:\n item = REGISTRY[name]\n except KeyError:\n item = REGISTRY[name] = class_(*args, **kwargs)\n return item\n raise DuplicateMetricError('Metric {} already exists of type {}'.format\n (name, type(item).__name__))\n",
"role": "user"
},
{
"content": "new_metric",
"role": "assistant"
}
] |
def x(name):
with LOCK:
old_metric = REGISTRY.pop(name, None)
for _, tags in py3comp.iteritems(TAGS):
if name in tags:
tags.remove(name)
return old_metric
| delete_metric | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n with LOCK:\n old_metric = REGISTRY.pop(name, None)\n for _, tags in py3comp.iteritems(TAGS):\n if name in tags:\n tags.remove(name)\n return old_metric\n",
"role": "user"
},
{
"content": "delete_metric",
"role": "assistant"
}
] |
def x(name, reservoir=None):
if reservoir is None:
reservoir = histogram.UniformReservoir(histogram.
DEFAULT_UNIFORM_RESERVOIR_SIZE)
return new_metric(name, histogram.Histogram, reservoir)
| new_histogram | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, reservoir=None):\n if reservoir is None:\n reservoir = histogram.UniformReservoir(histogram.\n DEFAULT_UNIFORM_RESERVOIR_SIZE)\n return new_metric(name, histogram.Histogram, reservoir)\n",
"role": "user"
},
{
"content": "new_histogram",
"role": "assistant"
}
] |
def x(name, reservoir_type='uniform', *reservoir_args, **reservoir_kwargs):
reservoir = new_reservoir(reservoir_type, *reservoir_args, **
reservoir_kwargs)
return new_histogram(name, reservoir)
| new_histogram_with_implicit_reservoir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, reservoir_type='uniform', *reservoir_args, **reservoir_kwargs):\n reservoir = new_reservoir(reservoir_type, *reservoir_args, **\n reservoir_kwargs)\n return new_histogram(name, reservoir)\n",
"role": "user"
},
{
"content": "new_histogram_with_implicit_reservoir",
"role": "assistant"
}
] |
def x(reservoir_type='uniform', *reservoir_args, **reservoir_kwargs):
try:
reservoir_cls = RESERVOIR_TYPES[reservoir_type]
except KeyError:
raise InvalidMetricError('Unknown reservoir type: {}'.format(
reservoir_type))
return reservoir_cls(*reservoir_args, **reservoir_kwargs)
| new_reservoir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(reservoir_type='uniform', *reservoir_args, **reservoir_kwargs):\n try:\n reservoir_cls = RESERVOIR_TYPES[reservoir_type]\n except KeyError:\n raise InvalidMetricError('Unknown reservoir type: {}'.format(\n reservoir_type))\n return reservoir_cls(*reservoir_args, **reservoir_kwargs)\n",
"role": "user"
},
{
"content": "new_reservoir",
"role": "assistant"
}
] |
def x(name, reservoir_type, *reservoir_args, **reservoir_kwargs):
reservoir = new_reservoir(reservoir_type, *reservoir_args, **
reservoir_kwargs)
try:
hmetric = new_histogram(name, reservoir)
except DuplicateMetricError:
hmetric = metric(name)
if not isinstance(hmetric, histogram.Histogram):
raise DuplicateMetricError(
'Metric {!r} already exists of type {!r}'.format(name, type
(hmetric).__name__))
if not hmetric.reservoir.same_kind(reservoir):
raise DuplicateMetricError(
'Metric {!r} already exists with a different reservoir: {}'
.format(name, hmetric.reservoir))
return hmetric
| get_or_create_histogram | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, reservoir_type, *reservoir_args, **reservoir_kwargs):\n reservoir = new_reservoir(reservoir_type, *reservoir_args, **\n reservoir_kwargs)\n try:\n hmetric = new_histogram(name, reservoir)\n except DuplicateMetricError:\n hmetric = metric(name)\n if not isinstance(hmetric, histogram.Histogram):\n raise DuplicateMetricError(\n 'Metric {!r} already exists of type {!r}'.format(name, type\n (hmetric).__name__))\n if not hmetric.reservoir.same_kind(reservoir):\n raise DuplicateMetricError(\n 'Metric {!r} already exists with a different reservoir: {}'\n .format(name, hmetric.reservoir))\n return hmetric\n",
"role": "user"
},
{
"content": "get_or_create_histogram",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.