source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(video_data):
def x(res: str) ->Tuple[int, ...]:
return tuple(map(int, res.split('x')))
raw_resolution = video_data['resolution']
resolution = parse_resolution(raw_resolution)
return resolution
| quality_comparator | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(video_data):\n\n def x(res: str) ->Tuple[int, ...]:\n return tuple(map(int, res.split('x')))\n raw_resolution = video_data['resolution']\n resolution = parse_resolution(raw_resolution)\n return resolution\n",
"role": "user"
},
{
"content": "quality_comparator",
"role": "assistant"
}
] |
def x(target_info):
if target_info is not None and target_info[TargetInfo.NTLMSSP_AV_FLAGS
] is not None:
flags = struct.unpack('<I', target_info[TargetInfo.NTLMSSP_AV_FLAGS][1]
)[0]
return bool(flags & 2)
| mic_required | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(target_info):\n if target_info is not None and target_info[TargetInfo.NTLMSSP_AV_FLAGS\n ] is not None:\n flags = struct.unpack('<I', target_info[TargetInfo.NTLMSSP_AV_FLAGS][1]\n )[0]\n return bool(flags & 2)\n",
"role": "user"
},
{
"content": "mic_required",
"role": "assistant"
}
] |
def x(self):
negotiate_token = self._negotiate(self.flags)
challenge_token = yield negotiate_token
authenticate_token = self._challenge_response(negotiate_token,
challenge_token)
yield authenticate_token
| initialize_security_context | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n negotiate_token = self._negotiate(self.flags)\n challenge_token = yield negotiate_token\n authenticate_token = self._challenge_response(negotiate_token,\n challenge_token)\n yield authenticate_token\n",
"role": "user"
},
{
"content": "initialize_security_context",
"role": "assistant"
}
] |
def x(self, message):
if not self.is_established:
raise Exception('Context has not been established')
if self._wrapper is None:
raise Exception('Neither sealing or signing have been negotiated')
else:
return self._wrapper.wrap(message)
| wrap_message | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message):\n if not self.is_established:\n raise Exception('Context has not been established')\n if self._wrapper is None:\n raise Exception('Neither sealing or signing have been negotiated')\n else:\n return self._wrapper.wrap(message)\n",
"role": "user"
},
{
"content": "wrap_message",
"role": "assistant"
}
] |
def x(self, message, signature):
if not self.is_established:
raise Exception('Context has not been established')
if self._wrapper is None:
raise Exception('Neither sealing or signing have been negotiated')
else:
return self._wrapper.unwrap(message, signature)
| unwrap_message | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message, signature):\n if not self.is_established:\n raise Exception('Context has not been established')\n if self._wrapper is None:\n raise Exception('Neither sealing or signing have been negotiated')\n else:\n return self._wrapper.unwrap(message, signature)\n",
"role": "user"
},
{
"content": "unwrap_message",
"role": "assistant"
}
] |
def x():
parser = argparse.ArgumentParser(description=
'Video downloader by radzak.', prog='RTVdownloader')
urls_group = parser.add_mutually_exclusive_group(required=True)
urls_group.add_argument('urls', type=str, metavar='URL', default=[],
nargs='*', help='urls of sites containing videos you wish to download')
urls_group.add_argument('-f', type=argparse.FileType('r'), dest='files',
metavar='FILE', default=[], nargs='*', help=
'text file with urls of sites containing videos you wish to download ')
urls_group.add_argument('-o', type=str, dest='onetabs', metavar=
'ONETAB', default=[], nargs='*', help=
'onetab links containing urls of the videos you wish to download')
options = DEFAULT_OPTIONS
args = parser.parse_args()
return options, args
| parse_options | [
{
"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 'Video downloader by radzak.', prog='RTVdownloader')\n urls_group = parser.add_mutually_exclusive_group(required=True)\n urls_group.add_argument('urls', type=str, metavar='URL', default=[],\n nargs='*', help='urls of sites containing videos you wish to download')\n urls_group.add_argument('-f', type=argparse.FileType('r'), dest='files',\n metavar='FILE', default=[], nargs='*', help=\n 'text file with urls of sites containing videos you wish to download ')\n urls_group.add_argument('-o', type=str, dest='onetabs', metavar=\n 'ONETAB', default=[], nargs='*', help=\n 'onetab links containing urls of the videos you wish to download')\n options = DEFAULT_OPTIONS\n args = parser.parse_args()\n return options, args\n",
"role": "user"
},
{
"content": "parse_options",
"role": "assistant"
}
] |
def x(self):
html = requests.get(self.url).text
soup = BeautifulSoup(html, 'lxml')
div = soup.find('div', class_='more-back')
if div:
parsed_uri = urlparse(self.url)
domain = '{uri.scheme}://{uri.netloc}'.format(uri=parsed_uri)
suffix = div.find('a', href=True)['href'].strip()
article_url = domain + suffix
return article_url
else:
return self.url
| get_article_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n html = requests.get(self.url).text\n soup = BeautifulSoup(html, 'lxml')\n div = soup.find('div', class_='more-back')\n if div:\n parsed_uri = urlparse(self.url)\n domain = '{uri.scheme}://{uri.netloc}'.format(uri=parsed_uri)\n suffix = div.find('a', href=True)['href'].strip()\n article_url = domain + suffix\n return article_url\n else:\n return self.url\n",
"role": "user"
},
{
"content": "get_article_url",
"role": "assistant"
}
] |
def x(self, X, y):
self.split_scheme = dict()
if isinstance(X, pd.DataFrame):
if isinstance(self._features, list):
self.categorical = [X.columns.get_loc(label) for label in self.
_features]
X = X.values
y = y.values
if self._features == 'auto':
self.categorical = self.check_categorical(X, y)
categorical = self.categorical
print('Categorical', categorical)
min_splits = np.unique(y).shape[0]
for j in range(X.shape[1]):
if j in categorical:
continue
xj = X[:, j]
xj = xj[np.invert(np.isnan(xj))]
new_index = xj.argsort()
xj = xj[new_index]
yj = y[new_index]
allsplits = np.unique(xj)[1:-1].tolist()
global_caim = -1
mainscheme = [xj[0], xj[-1]]
best_caim = 0
k = 1
while k <= min_splits or global_caim < best_caim and allsplits:
split_points = np.random.permutation(allsplits).tolist()
best_scheme = None
best_point = None
best_caim = 0
k = k + 1
while split_points:
scheme = mainscheme[:]
sp = split_points.pop()
scheme.append(sp)
scheme.sort()
c = self.get_caim(scheme, xj, yj)
if c > best_caim:
best_caim = c
best_scheme = scheme
best_point = sp
if k <= min_splits or best_caim > global_caim:
mainscheme = best_scheme
global_caim = best_caim
try:
allsplits.remove(best_point)
except ValueError:
raise NotEnoughPoints('The feature #' + str(j) +
' does not have' +
' enough unique values for discretization!' +
' Add it to categorical list!')
self.split_scheme[j] = mainscheme
print('#', j, ' GLOBAL CAIM ', global_caim)
return self
| fit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, X, y):\n self.split_scheme = dict()\n if isinstance(X, pd.DataFrame):\n if isinstance(self._features, list):\n self.categorical = [X.columns.get_loc(label) for label in self.\n _features]\n X = X.values\n y = y.values\n if self._features == 'auto':\n self.categorical = self.check_categorical(X, y)\n categorical = self.categorical\n print('Categorical', categorical)\n min_splits = np.unique(y).shape[0]\n for j in range(X.shape[1]):\n if j in categorical:\n continue\n xj = X[:, j]\n xj = xj[np.invert(np.isnan(xj))]\n new_index = xj.argsort()\n xj = xj[new_index]\n yj = y[new_index]\n allsplits = np.unique(xj)[1:-1].tolist()\n global_caim = -1\n mainscheme = [xj[0], xj[-1]]\n best_caim = 0\n k = 1\n while k <= min_splits or global_caim < best_caim and allsplits:\n split_points = np.random.permutation(allsplits).tolist()\n best_scheme = None\n best_point = None\n best_caim = 0\n k = k + 1\n while split_points:\n scheme = mainscheme[:]\n sp = split_points.pop()\n scheme.append(sp)\n scheme.sort()\n c = self.get_caim(scheme, xj, yj)\n if c > best_caim:\n best_caim = c\n best_scheme = scheme\n best_point = sp\n if k <= min_splits or best_caim > global_caim:\n mainscheme = best_scheme\n global_caim = best_caim\n try:\n allsplits.remove(best_point)\n except ValueError:\n raise NotEnoughPoints('The feature #' + str(j) +\n ' does not have' +\n ' enough unique values for discretization!' +\n ' Add it to categorical list!')\n self.split_scheme[j] = mainscheme\n print('#', j, ' GLOBAL CAIM ', global_caim)\n return self\n",
"role": "user"
},
{
"content": "fit",
"role": "assistant"
}
] |
def x(self, X):
if isinstance(X, pd.DataFrame):
self.indx = X.index
self.columns = X.columns
X = X.values
X_di = X.copy()
categorical = self.categorical
scheme = self.split_scheme
for j in range(X.shape[1]):
if j in categorical:
continue
sh = scheme[j]
sh[-1] = sh[-1] + 1
xj = X[:, j]
for i in range(len(sh) - 1):
ind = np.where((xj >= sh[i]) & (xj < sh[i + 1]))[0]
X_di[ind, j] = i
if hasattr(self, 'indx'):
return pd.DataFrame(X_di, index=self.indx, columns=self.columns)
return X_di
| transform | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, X):\n if isinstance(X, pd.DataFrame):\n self.indx = X.index\n self.columns = X.columns\n X = X.values\n X_di = X.copy()\n categorical = self.categorical\n scheme = self.split_scheme\n for j in range(X.shape[1]):\n if j in categorical:\n continue\n sh = scheme[j]\n sh[-1] = sh[-1] + 1\n xj = X[:, j]\n for i in range(len(sh) - 1):\n ind = np.where((xj >= sh[i]) & (xj < sh[i + 1]))[0]\n X_di[ind, j] = i\n if hasattr(self, 'indx'):\n return pd.DataFrame(X_di, index=self.indx, columns=self.columns)\n return X_di\n",
"role": "user"
},
{
"content": "transform",
"role": "assistant"
}
] |
def x(value, autoescape=None):
value = html_cleaner(value)
return escape(value) if autoescape and not isinstance(value, SafeData
) else mark_safe(value)
| prettyhtml | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, autoescape=None):\n value = html_cleaner(value)\n return escape(value) if autoescape and not isinstance(value, SafeData\n ) else mark_safe(value)\n",
"role": "user"
},
{
"content": "prettyhtml",
"role": "assistant"
}
] |
def x(value, chars=None):
value = hash_func(value).hexdigest()
if chars:
value = value[:chars]
return mark_safe(value)
| hash | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, chars=None):\n value = hash_func(value).hexdigest()\n if chars:\n value = value[:chars]\n return mark_safe(value)\n",
"role": "user"
},
{
"content": "hash",
"role": "assistant"
}
] |
def x(noise_curve, noise_type_in='ASD', noise_type_out='ASD', add_wd_noise=
False, wd_noise='HB_wd_noise', wd_noise_type_in='ASD'):
possible_noise_types = ['ASD', 'PSD', 'char_strain']
if noise_type_in not in possible_noise_types:
raise ValueError(
'noise_type_in must be either ASD, PSD, or char_strain.')
if noise_type_out not in possible_noise_types:
raise ValueError(
'noise_type_out must be either ASD, PSD, or char_strain.')
if noise_curve[-4:] == '.txt':
noise = ascii.read(noise_curve)
else:
cfd = os.path.dirname(os.path.abspath(__file__))
noise = ascii.read(cfd + '/noise_curves/' + noise_curve + '.txt')
f_n = np.asarray(noise['f'])
amp_n = np.asarray(noise[noise_type_in])
if noise_type_in != noise_type_out:
amp_n = globals()[noise_type_in.lower() + '_to_' + noise_type_out.
lower()](f_n, amp_n)
if add_wd_noise:
if wd_noise_type_in not in possible_noise_types:
raise ValueError(
'wd_noise_type_in must be either ASD, PSD, or char_strain.')
if wd_noise[-4:] == '.txt':
wd_data = ascii.read(wd_noise)
else:
cfd = os.path.dirname(os.path.abspath(__file__))
wd_data = ascii.read(cfd + '/noise_curves/' + wd_noise + '.txt')
f_n_wd = np.asarray(wd_data['f'])
amp_n_wd = np.asarray(wd_data[wd_noise_type_in])
if wd_noise_type_in != noise_type_out:
amp_n_wd = globals()[noise_type_in.lower() + '_to_' +
noise_type_out.lower()](f_n_wd, amp_n_wd)
f_n, amp_n = combine_with_wd_noise(f_n, amp_n, f_n_wd, amp_n_wd)
return f_n, amp_n
| read_noise_curve | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(noise_curve, noise_type_in='ASD', noise_type_out='ASD', add_wd_noise=\n False, wd_noise='HB_wd_noise', wd_noise_type_in='ASD'):\n possible_noise_types = ['ASD', 'PSD', 'char_strain']\n if noise_type_in not in possible_noise_types:\n raise ValueError(\n 'noise_type_in must be either ASD, PSD, or char_strain.')\n if noise_type_out not in possible_noise_types:\n raise ValueError(\n 'noise_type_out must be either ASD, PSD, or char_strain.')\n if noise_curve[-4:] == '.txt':\n noise = ascii.read(noise_curve)\n else:\n cfd = os.path.dirname(os.path.abspath(__file__))\n noise = ascii.read(cfd + '/noise_curves/' + noise_curve + '.txt')\n f_n = np.asarray(noise['f'])\n amp_n = np.asarray(noise[noise_type_in])\n if noise_type_in != noise_type_out:\n amp_n = globals()[noise_type_in.lower() + '_to_' + noise_type_out.\n lower()](f_n, amp_n)\n if add_wd_noise:\n if wd_noise_type_in not in possible_noise_types:\n raise ValueError(\n 'wd_noise_type_in must be either ASD, PSD, or char_strain.')\n if wd_noise[-4:] == '.txt':\n wd_data = ascii.read(wd_noise)\n else:\n cfd = os.path.dirname(os.path.abspath(__file__))\n wd_data = ascii.read(cfd + '/noise_curves/' + wd_noise + '.txt')\n f_n_wd = np.asarray(wd_data['f'])\n amp_n_wd = np.asarray(wd_data[wd_noise_type_in])\n if wd_noise_type_in != noise_type_out:\n amp_n_wd = globals()[noise_type_in.lower() + '_to_' +\n noise_type_out.lower()](f_n_wd, amp_n_wd)\n f_n, amp_n = combine_with_wd_noise(f_n, amp_n, f_n_wd, amp_n_wd)\n return f_n, amp_n\n",
"role": "user"
},
{
"content": "read_noise_curve",
"role": "assistant"
}
] |
def x(f_n, amp_n, f_n_wd, amp_n_wd):
amp_n_wd_interp = interpolate.interp1d(f_n_wd, amp_n_wd, bounds_error=
False, fill_value=1e-30)
amp_n_wd = amp_n_wd_interp(f_n)
amp_n = amp_n * (amp_n >= amp_n_wd) + amp_n_wd * (amp_n < amp_n_wd)
return f_n, amp_n
| combine_with_wd_noise | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(f_n, amp_n, f_n_wd, amp_n_wd):\n amp_n_wd_interp = interpolate.interp1d(f_n_wd, amp_n_wd, bounds_error=\n False, fill_value=1e-30)\n amp_n_wd = amp_n_wd_interp(f_n)\n amp_n = amp_n * (amp_n >= amp_n_wd) + amp_n_wd * (amp_n < amp_n_wd)\n return f_n, amp_n\n",
"role": "user"
},
{
"content": "combine_with_wd_noise",
"role": "assistant"
}
] |
def x(return_curves=True, print_curves=False):
if return_curves is False and print_curves is False:
raise ValueError('Both return curves and print_curves are False.' +
' You will not see the options')
cfd = os.path.dirname(os.path.abspath(__file__))
curves = [curve.split('.')[0] for curve in os.listdir(cfd +
'/noise_curves/')]
if print_curves:
for f in curves:
print(f)
if return_curves:
return curves
return
| show_available_noise_curves | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(return_curves=True, print_curves=False):\n if return_curves is False and print_curves is False:\n raise ValueError('Both return curves and print_curves are False.' +\n ' You will not see the options')\n cfd = os.path.dirname(os.path.abspath(__file__))\n curves = [curve.split('.')[0] for curve in os.listdir(cfd +\n '/noise_curves/')]\n if print_curves:\n for f in curves:\n print(f)\n if return_curves:\n return curves\n return\n",
"role": "user"
},
{
"content": "show_available_noise_curves",
"role": "assistant"
}
] |
def x(s):
from functools import reduce
curleys = list(re.finditer('{[^{}]*}', s))
return reduce(_replace_curly, reversed(curleys), [s])
| expand_curlys | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s):\n from functools import reduce\n curleys = list(re.finditer('{[^{}]*}', s))\n return reduce(_replace_curly, reversed(curleys), [s])\n",
"role": "user"
},
{
"content": "expand_curlys",
"role": "assistant"
}
] |
def x(s):
prev = 0
for m in re.finditer('{[^{}]*}|\\s*,\\s*', s):
if not m.group().startswith('{'):
part = s[prev:m.start()]
if part:
yield s[prev:m.start()]
prev = m.end()
part = s[prev:]
if part:
yield part
| split_out_of_braces | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s):\n prev = 0\n for m in re.finditer('{[^{}]*}|\\\\s*,\\\\s*', s):\n if not m.group().startswith('{'):\n part = s[prev:m.start()]\n if part:\n yield s[prev:m.start()]\n prev = m.end()\n part = s[prev:]\n if part:\n yield part\n",
"role": "user"
},
{
"content": "split_out_of_braces",
"role": "assistant"
}
] |
def x(s, env):
try:
factor, value = re.split('\\s*\\:\\s*', s)
except ValueError:
return s
if matches_factor_conditions(factor, env):
return value
else:
return ''
| expand_factor_conditions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s, env):\n try:\n factor, value = re.split('\\\\s*\\\\:\\\\s*', s)\n except ValueError:\n return s\n if matches_factor_conditions(factor, env):\n return value\n else:\n return ''\n",
"role": "user"
},
{
"content": "expand_factor_conditions",
"role": "assistant"
}
] |
def x(s, env):
env_labels = set(env.name.split('-'))
labels = set(bash_expand(s))
return bool(labels & env_labels)
| matches_factor_conditions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s, env):\n env_labels = set(env.name.split('-'))\n labels = set(bash_expand(s))\n return bool(labels & env_labels)\n",
"role": "user"
},
{
"content": "matches_factor_conditions",
"role": "assistant"
}
] |
def x(s, sep=' '):
pattern = '((?:[^%s"\']|"[^"]*"|\'[^\']*\')+)' % sep
return [_strip_speechmarks(t) for t in re.split(pattern, s)[1::2]]
| split_on | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s, sep=' '):\n pattern = '((?:[^%s\"\\']|\"[^\"]*\"|\\'[^\\']*\\')+)' % sep\n return [_strip_speechmarks(t) for t in re.split(pattern, s)[1::2]]\n",
"role": "user"
},
{
"content": "split_on",
"role": "assistant"
}
] |
def x(s, env):
def x(m):
return _replace_match(m, env)
for _ in range(DEPTH):
s = re.sub('{[^{}]*}', replace, s)
return s
| replace_braces | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s, env):\n\n def x(m):\n return _replace_match(m, env)\n for _ in range(DEPTH):\n s = re.sub('{[^{}]*}', replace, s)\n return s\n",
"role": "user"
},
{
"content": "replace_braces",
"role": "assistant"
}
] |
def x(m, env):
s = m.group()[1:-1].strip()
try:
return getattr(env, s)
except AttributeError:
pass
for r in [_replace_envvar, _replace_config, _replace_posargs]:
try:
return r(s, env)
except ValueError:
pass
raise NotImplementedError('{%s} not understood in tox.ini file.' % s)
| replace_match | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(m, env):\n s = m.group()[1:-1].strip()\n try:\n return getattr(env, s)\n except AttributeError:\n pass\n for r in [_replace_envvar, _replace_config, _replace_posargs]:\n try:\n return r(s, env)\n except ValueError:\n pass\n raise NotImplementedError('{%s} not understood in tox.ini file.' % s)\n",
"role": "user"
},
{
"content": "replace_match",
"role": "assistant"
}
] |
def x(s, _):
e = s.split(':')
if len(e) > 3 or len(e) == 1 or e[0] != 'env':
raise ValueError()
elif len(e) == 2:
return os.environ[e[1]]
else:
return os.environ.get(e[1], e[2])
| replace_envvar | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s, _):\n e = s.split(':')\n if len(e) > 3 or len(e) == 1 or e[0] != 'env':\n raise ValueError()\n elif len(e) == 2:\n return os.environ[e[1]]\n else:\n return os.environ.get(e[1], e[2])\n",
"role": "user"
},
{
"content": "replace_envvar",
"role": "assistant"
}
] |
def x(s, env):
m = re.match('\\[(.*?)\\](.*)', s)
if m:
section, option = m.groups()
expanded = env.config.get(section, option)
return '\n'.join([expand_factor_conditions(e, env) for e in
expanded.split('\n')])
else:
raise ValueError()
| replace_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s, env):\n m = re.match('\\\\[(.*?)\\\\](.*)', s)\n if m:\n section, option = m.groups()\n expanded = env.config.get(section, option)\n return '\\n'.join([expand_factor_conditions(e, env) for e in\n expanded.split('\\n')])\n else:\n raise ValueError()\n",
"role": "user"
},
{
"content": "replace_config",
"role": "assistant"
}
] |
def x(s, env):
e = re.split('\\s*\\:\\s*', s)
if e and e[0] == 'posargs':
from ctox.main import positional_args
return ' '.join(positional_args(env.options)) or (e[1] if len(e) >
1 else '')
else:
raise ValueError()
| replace_posargs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s, env):\n e = re.split('\\\\s*\\\\:\\\\s*', s)\n if e and e[0] == 'posargs':\n from ctox.main import positional_args\n return ' '.join(positional_args(env.options)) or (e[1] if len(e) > \n 1 else '')\n else:\n raise ValueError()\n",
"role": "user"
},
{
"content": "replace_posargs",
"role": "assistant"
}
] |
def x(freqs, hc, hn, fmrg, fpeak, prefactor=1.0):
cfd = os.path.dirname(os.path.abspath(__file__))
if 'phenomd.cpython-35m-darwin.so' in os.listdir(cfd):
exec_call = cfd + '/phenomd.cpython-35m-darwin.so'
else:
exec_call = cfd + '/phenomd/phenomd.so'
c_obj = ctypes.CDLL(exec_call)
remove_axis = False
try:
len(fmrg)
except TypeError:
remove_axis = True
freqs, hc = np.array([freqs]), np.array([hc])
hn, fmrg, fpeak = np.array([hn]), np.array([fmrg]), np.array([fpeak])
freqs_in = freqs.flatten()
hc_in = hc.flatten()
hn_in = hn.flatten()
num_binaries, length_of_signal = hc.shape
snr_cast = ctypes.c_double * num_binaries
snr_all = snr_cast()
snr_ins = snr_cast()
snr_mrg = snr_cast()
snr_rd = snr_cast()
c_obj.SNR_function(ctypes.byref(snr_all), ctypes.byref(snr_ins), ctypes
.byref(snr_mrg), ctypes.byref(snr_rd), freqs_in.ctypes.data_as(
ctypes.POINTER(ctypes.c_double)), hc_in.ctypes.data_as(ctypes.
POINTER(ctypes.c_double)), hn_in.ctypes.data_as(ctypes.POINTER(
ctypes.c_double)), fmrg.ctypes.data_as(ctypes.POINTER(ctypes.
c_double)), fpeak.ctypes.data_as(ctypes.POINTER(ctypes.c_double)),
ctypes.c_int(length_of_signal), ctypes.c_int(num_binaries))
snr_all, snr_ins = np.ctypeslib.as_array(snr_all), np.ctypeslib.as_array(
snr_ins)
snr_mrg, snr_rd = np.ctypeslib.as_array(snr_mrg), np.ctypeslib.as_array(
snr_rd)
if remove_axis:
snr_all, snr_ins, snr_mrg, snr_rd = snr_all[0], snr_ins[0], snr_mrg[0
], snr_rd[0]
return {'all': snr_all * prefactor, 'ins': snr_ins * prefactor, 'mrg':
snr_mrg * prefactor, 'rd': snr_rd * prefactor}
| csnr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(freqs, hc, hn, fmrg, fpeak, prefactor=1.0):\n cfd = os.path.dirname(os.path.abspath(__file__))\n if 'phenomd.cpython-35m-darwin.so' in os.listdir(cfd):\n exec_call = cfd + '/phenomd.cpython-35m-darwin.so'\n else:\n exec_call = cfd + '/phenomd/phenomd.so'\n c_obj = ctypes.CDLL(exec_call)\n remove_axis = False\n try:\n len(fmrg)\n except TypeError:\n remove_axis = True\n freqs, hc = np.array([freqs]), np.array([hc])\n hn, fmrg, fpeak = np.array([hn]), np.array([fmrg]), np.array([fpeak])\n freqs_in = freqs.flatten()\n hc_in = hc.flatten()\n hn_in = hn.flatten()\n num_binaries, length_of_signal = hc.shape\n snr_cast = ctypes.c_double * num_binaries\n snr_all = snr_cast()\n snr_ins = snr_cast()\n snr_mrg = snr_cast()\n snr_rd = snr_cast()\n c_obj.SNR_function(ctypes.byref(snr_all), ctypes.byref(snr_ins), ctypes\n .byref(snr_mrg), ctypes.byref(snr_rd), freqs_in.ctypes.data_as(\n ctypes.POINTER(ctypes.c_double)), hc_in.ctypes.data_as(ctypes.\n POINTER(ctypes.c_double)), hn_in.ctypes.data_as(ctypes.POINTER(\n ctypes.c_double)), fmrg.ctypes.data_as(ctypes.POINTER(ctypes.\n c_double)), fpeak.ctypes.data_as(ctypes.POINTER(ctypes.c_double)),\n ctypes.c_int(length_of_signal), ctypes.c_int(num_binaries))\n snr_all, snr_ins = np.ctypeslib.as_array(snr_all), np.ctypeslib.as_array(\n snr_ins)\n snr_mrg, snr_rd = np.ctypeslib.as_array(snr_mrg), np.ctypeslib.as_array(\n snr_rd)\n if remove_axis:\n snr_all, snr_ins, snr_mrg, snr_rd = snr_all[0], snr_ins[0], snr_mrg[0\n ], snr_rd[0]\n return {'all': snr_all * prefactor, 'ins': snr_ins * prefactor, 'mrg': \n snr_mrg * prefactor, 'rd': snr_rd * prefactor}\n",
"role": "user"
},
{
"content": "csnr",
"role": "assistant"
}
] |
def x(self, Mt):
if len(Mt.shape) == 2:
_Mt = Mt[:, :, sp.newaxis]
else:
_Mt = Mt
LMt = vei_CoR_veX(_Mt, R=self.Lr(), C=self.Lc())
DMt = self.D()[:, :, sp.newaxis] * LMt
WrDMtWc = vei_CoR_veX(DMt, R=self.Wr().T, C=self.Wc().T)
ve_WrDMtWc = sp.reshape(WrDMtWc, (WrDMtWc.shape[0] * WrDMtWc.shape[1],
_Mt.shape[2]), order='F')
Hi_ve_WrDMtWc = la.cho_solve((self.H_chol(), True), ve_WrDMtWc)
vei_HiveWrDMtWc = Hi_ve_WrDMtWc.reshape(WrDMtWc.shape, order='F')
Wr_HiveWrDMtWc_Wc = vei_CoR_veX(vei_HiveWrDMtWc, R=self.Wr(), C=self.Wc())
DWrHiveWrDMtWcWc = self.D()[:, :, sp.newaxis] * Wr_HiveWrDMtWc_Wc
RV = DMt - DWrHiveWrDMtWcWc
RV = vei_CoR_veX(RV, R=self.Lr().T, C=self.Lc().T)
if len(Mt.shape) == 2:
RV = RV[:, :, 0]
return RV
| solve_t | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, Mt):\n if len(Mt.shape) == 2:\n _Mt = Mt[:, :, sp.newaxis]\n else:\n _Mt = Mt\n LMt = vei_CoR_veX(_Mt, R=self.Lr(), C=self.Lc())\n DMt = self.D()[:, :, sp.newaxis] * LMt\n WrDMtWc = vei_CoR_veX(DMt, R=self.Wr().T, C=self.Wc().T)\n ve_WrDMtWc = sp.reshape(WrDMtWc, (WrDMtWc.shape[0] * WrDMtWc.shape[1],\n _Mt.shape[2]), order='F')\n Hi_ve_WrDMtWc = la.cho_solve((self.H_chol(), True), ve_WrDMtWc)\n vei_HiveWrDMtWc = Hi_ve_WrDMtWc.reshape(WrDMtWc.shape, order='F')\n Wr_HiveWrDMtWc_Wc = vei_CoR_veX(vei_HiveWrDMtWc, R=self.Wr(), C=self.Wc())\n DWrHiveWrDMtWcWc = self.D()[:, :, sp.newaxis] * Wr_HiveWrDMtWc_Wc\n RV = DMt - DWrHiveWrDMtWcWc\n RV = vei_CoR_veX(RV, R=self.Lr().T, C=self.Lc().T)\n if len(Mt.shape) == 2:\n RV = RV[:, :, 0]\n return RV\n",
"role": "user"
},
{
"content": "solve_t",
"role": "assistant"
}
] |
def x(self, Mt):
DMt = self.D()[:, :, sp.newaxis] * Mt
WrDMtWc = vei_CoR_veX(DMt, R=self.Wr().T, C=self.Wc().T)
ve_WrDMtWc = sp.reshape(WrDMtWc, (WrDMtWc.shape[0] * WrDMtWc.shape[1],
Mt.shape[2]), order='F')
Hi_ve_WrDMtWc = la.cho_solve((self.H_chol(), True), ve_WrDMtWc)
vei_HiveWrDMtWc = Hi_ve_WrDMtWc.reshape(WrDMtWc.shape, order='F')
Wr_HiveWrDMtWc_Wc = vei_CoR_veX(vei_HiveWrDMtWc, R=self.Wr(), C=self.Wc())
DWrHiveWrDMtWcWc = self.D()[:, :, sp.newaxis] * Wr_HiveWrDMtWc_Wc
RV = DMt - DWrHiveWrDMtWcWc
return RV
| O_dot | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, Mt):\n DMt = self.D()[:, :, sp.newaxis] * Mt\n WrDMtWc = vei_CoR_veX(DMt, R=self.Wr().T, C=self.Wc().T)\n ve_WrDMtWc = sp.reshape(WrDMtWc, (WrDMtWc.shape[0] * WrDMtWc.shape[1],\n Mt.shape[2]), order='F')\n Hi_ve_WrDMtWc = la.cho_solve((self.H_chol(), True), ve_WrDMtWc)\n vei_HiveWrDMtWc = Hi_ve_WrDMtWc.reshape(WrDMtWc.shape, order='F')\n Wr_HiveWrDMtWc_Wc = vei_CoR_veX(vei_HiveWrDMtWc, R=self.Wr(), C=self.Wc())\n DWrHiveWrDMtWcWc = self.D()[:, :, sp.newaxis] * Wr_HiveWrDMtWc_Wc\n RV = DMt - DWrHiveWrDMtWcWc\n return RV\n",
"role": "user"
},
{
"content": "O_dot",
"role": "assistant"
}
] |
def x(self):
self._A = []
self._F = []
self._B = []
self._A_identity = []
self._REML_term = []
self._n_terms = 0
self._n_fixed_effs = 0
self._n_fixed_effs_REML = 0
self.indicator = {'term': np.array([]), 'row': np.array([]), 'col': np.
array([])}
self.clear_cache('Fstar', 'Astar', 'Xstar', 'Xhat', 'Areml',
'Areml_eigh', 'Areml_chol', 'Areml_inv', 'beta_hat', 'B_hat',
'LRLdiag_Xhat_tens', 'Areml_grad', 'beta_grad', 'Xstar_beta_grad',
'Zstar', 'DLZ')
| clearFixedEffect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._A = []\n self._F = []\n self._B = []\n self._A_identity = []\n self._REML_term = []\n self._n_terms = 0\n self._n_fixed_effs = 0\n self._n_fixed_effs_REML = 0\n self.indicator = {'term': np.array([]), 'row': np.array([]), 'col': np.\n array([])}\n self.clear_cache('Fstar', 'Astar', 'Xstar', 'Xhat', 'Areml',\n 'Areml_eigh', 'Areml_chol', 'Areml_inv', 'beta_hat', 'B_hat',\n 'LRLdiag_Xhat_tens', 'Areml_grad', 'beta_grad', 'Xstar_beta_grad',\n 'Zstar', 'DLZ')\n",
"role": "user"
},
{
"content": "clearFixedEffect",
"role": "assistant"
}
] |
def x(self, F=None, A=None, REML=True, index=None):
if F is None:
F = np.ones((self.N, 1))
if A is None:
A = np.eye(self.P)
A_identity = True
elif (A.shape == (self.P, self.P)) & (A == np.eye(self.P)).all():
A_identity = True
else:
A_identity = False
assert F.shape[0] == self.N, 'F dimension mismatch'
assert A.shape[1] == self.P, 'A dimension mismatch'
if index is None or index == self.n_terms:
self.F.append(F)
self.A.append(A)
self.A_identity.append(A_identity)
self.REML_term.append(REML)
self.B.append(np.zeros((F.shape[1], A.shape[0])))
self._n_terms += 1
self._update_indicator(F.shape[1], A.shape[0])
elif index > self.n_terms:
raise Exception('index exceeds max index of terms')
else:
self._n_fixed_effs -= self.F[index].shape[1] * self.A[index].shape[0]
if self.REML_term[index]:
self._n_fixed_effs_REML -= self.F[index].shape[1] * self.A[index
].shape[0]
self.F[index] = F
self.A[index] = A
self.A_identity[index] = A_identity
self.REML_term[index] = REML
self.B[index] = np.zeros((F.shape[1], A.shape[0]))
self._rebuild_indicator()
self._n_fixed_effs += F.shape[1] * A.shape[0]
if REML:
self._n_fixed_effs_REML += F.shape[1] * A.shape[0]
self.clear_cache('Fstar', 'Astar', 'Xstar', 'Xhat', 'Areml',
'Areml_eigh', 'Areml_chol', 'Areml_inv', 'beta_hat', 'B_hat',
'LRLdiag_Xhat_tens', 'Areml_grad', 'beta_grad', 'Xstar_beta_grad',
'Zstar', 'DLZ')
| addFixedEffect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, F=None, A=None, REML=True, index=None):\n if F is None:\n F = np.ones((self.N, 1))\n if A is None:\n A = np.eye(self.P)\n A_identity = True\n elif (A.shape == (self.P, self.P)) & (A == np.eye(self.P)).all():\n A_identity = True\n else:\n A_identity = False\n assert F.shape[0] == self.N, 'F dimension mismatch'\n assert A.shape[1] == self.P, 'A dimension mismatch'\n if index is None or index == self.n_terms:\n self.F.append(F)\n self.A.append(A)\n self.A_identity.append(A_identity)\n self.REML_term.append(REML)\n self.B.append(np.zeros((F.shape[1], A.shape[0])))\n self._n_terms += 1\n self._update_indicator(F.shape[1], A.shape[0])\n elif index > self.n_terms:\n raise Exception('index exceeds max index of terms')\n else:\n self._n_fixed_effs -= self.F[index].shape[1] * self.A[index].shape[0]\n if self.REML_term[index]:\n self._n_fixed_effs_REML -= self.F[index].shape[1] * self.A[index\n ].shape[0]\n self.F[index] = F\n self.A[index] = A\n self.A_identity[index] = A_identity\n self.REML_term[index] = REML\n self.B[index] = np.zeros((F.shape[1], A.shape[0]))\n self._rebuild_indicator()\n self._n_fixed_effs += F.shape[1] * A.shape[0]\n if REML:\n self._n_fixed_effs_REML += F.shape[1] * A.shape[0]\n self.clear_cache('Fstar', 'Astar', 'Xstar', 'Xhat', 'Areml',\n 'Areml_eigh', 'Areml_chol', 'Areml_inv', 'beta_hat', 'B_hat',\n 'LRLdiag_Xhat_tens', 'Areml_grad', 'beta_grad', 'Xstar_beta_grad',\n 'Zstar', 'DLZ')\n",
"role": "user"
},
{
"content": "addFixedEffect",
"role": "assistant"
}
] |
def x(self, index=None):
if self._n_terms == 0:
pass
if index is None or index == self._n_terms - 1:
self._n_terms -= 1
F = self._F.pop()
A = self._A.pop()
self._A_identity.pop()
REML_term = self._REML_term.pop()
self._B.pop()
self._n_fixed_effs -= F.shape[1] * A.shape[0]
if REML_term:
self._n_fixed_effs_REML -= F.shape[1] * A.shape[0]
pass
elif index >= self.n_terms:
raise Exception('index exceeds max index of terms')
else:
raise NotImplementedError('currently only last term can be removed')
pass
self._rebuild_indicator()
self.clear_cache('Fstar', 'Astar', 'Xstar', 'Xhat', 'Areml',
'Areml_eigh', 'Areml_chol', 'Areml_inv', 'beta_hat', 'B_hat',
'LRLdiag_Xhat_tens', 'Areml_grad', 'beta_grad', 'Xstar_beta_grad',
'Zstar', 'DLZ')
| removeFixedEffect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index=None):\n if self._n_terms == 0:\n pass\n if index is None or index == self._n_terms - 1:\n self._n_terms -= 1\n F = self._F.pop()\n A = self._A.pop()\n self._A_identity.pop()\n REML_term = self._REML_term.pop()\n self._B.pop()\n self._n_fixed_effs -= F.shape[1] * A.shape[0]\n if REML_term:\n self._n_fixed_effs_REML -= F.shape[1] * A.shape[0]\n pass\n elif index >= self.n_terms:\n raise Exception('index exceeds max index of terms')\n else:\n raise NotImplementedError('currently only last term can be removed')\n pass\n self._rebuild_indicator()\n self.clear_cache('Fstar', 'Astar', 'Xstar', 'Xhat', 'Areml',\n 'Areml_eigh', 'Areml_chol', 'Areml_inv', 'beta_hat', 'B_hat',\n 'LRLdiag_Xhat_tens', 'Areml_grad', 'beta_grad', 'Xstar_beta_grad',\n 'Zstar', 'DLZ')\n",
"role": "user"
},
{
"content": "removeFixedEffect",
"role": "assistant"
}
] |
def x(self, value):
self._N, self._P = value.shape
self._Y = value
self.clear_cache('Ystar1', 'Ystar', 'Yhat', 'LRLdiag_Yhat', 'beta_grad',
'Xstar_beta_grad', 'Zstar', 'DLZ')
| Y | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n self._N, self._P = value.shape\n self._Y = value\n self.clear_cache('Ystar1', 'Ystar', 'Yhat', 'LRLdiag_Yhat', 'beta_grad',\n 'Xstar_beta_grad', 'Zstar', 'DLZ')\n",
"role": "user"
},
{
"content": "Y",
"role": "assistant"
}
] |
def x(self, value):
assert value.shape[0] == self._N, 'dimension mismatch'
assert value.shape[1] == self._N, 'dimension mismatch'
self._Lr = value
self.clear_cache('Fstar', 'Ystar1', 'Ystar', 'Yhat', 'Xstar', 'Xhat',
'Areml', 'Areml_eigh', 'Areml_chol', 'Areml_inv', 'beta_hat',
'B_hat', 'LRLdiag_Xhat_tens', 'LRLdiag_Yhat', 'Areml_grad',
'beta_grad', 'Xstar_beta_grad', 'LRLdiag_Xhat_tens', 'LRLdiag_Yhat',
'Areml_grad', 'beta_grad', 'Xstar_beta_grad', 'Zstar', 'DLZ')
| Lr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n assert value.shape[0] == self._N, 'dimension mismatch'\n assert value.shape[1] == self._N, 'dimension mismatch'\n self._Lr = value\n self.clear_cache('Fstar', 'Ystar1', 'Ystar', 'Yhat', 'Xstar', 'Xhat',\n 'Areml', 'Areml_eigh', 'Areml_chol', 'Areml_inv', 'beta_hat',\n 'B_hat', 'LRLdiag_Xhat_tens', 'LRLdiag_Yhat', 'Areml_grad',\n 'beta_grad', 'Xstar_beta_grad', 'LRLdiag_Xhat_tens', 'LRLdiag_Yhat',\n 'Areml_grad', 'beta_grad', 'Xstar_beta_grad', 'Zstar', 'DLZ')\n",
"role": "user"
},
{
"content": "Lr",
"role": "assistant"
}
] |
def x(self, value):
assert value.shape[0] == self._P, 'Lc dimension mismatch'
assert value.shape[1] == self._P, 'Lc dimension mismatch'
self._Lc = value
self.clear_cache('Astar', 'Ystar', 'Yhat', 'Xstar', 'Xhat', 'Areml',
'Areml_eigh', 'Areml_chol', 'Areml_inv', 'beta_hat', 'B_hat',
'LRLdiag_Xhat_tens', 'LRLdiag_Yhat', 'Areml_grad', 'beta_grad',
'Xstar_beta_grad', 'Zstar', 'DLZ')
| Lc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n assert value.shape[0] == self._P, 'Lc dimension mismatch'\n assert value.shape[1] == self._P, 'Lc dimension mismatch'\n self._Lc = value\n self.clear_cache('Astar', 'Ystar', 'Yhat', 'Xstar', 'Xhat', 'Areml',\n 'Areml_eigh', 'Areml_chol', 'Areml_inv', 'beta_hat', 'B_hat',\n 'LRLdiag_Xhat_tens', 'LRLdiag_Yhat', 'Areml_grad', 'beta_grad',\n 'Xstar_beta_grad', 'Zstar', 'DLZ')\n",
"role": "user"
},
{
"content": "Lc",
"role": "assistant"
}
] |
def x(self, value):
assert value.shape[0] == self._P * self._N, 'd dimension mismatch'
self._d = value
self.clear_cache('Yhat', 'Xhat', 'Areml', 'Areml_eigh', 'Areml_chol',
'Areml_inv', 'beta_hat', 'B_hat', 'LRLdiag_Xhat_tens',
'LRLdiag_Yhat', 'Areml_grad', 'beta_grad', 'Xstar_beta_grad',
'Zstar', 'DLZ')
| d | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n assert value.shape[0] == self._P * self._N, 'd dimension mismatch'\n self._d = value\n self.clear_cache('Yhat', 'Xhat', 'Areml', 'Areml_eigh', 'Areml_chol',\n 'Areml_inv', 'beta_hat', 'B_hat', 'LRLdiag_Xhat_tens',\n 'LRLdiag_Yhat', 'Areml_grad', 'beta_grad', 'Xstar_beta_grad',\n 'Zstar', 'DLZ')\n",
"role": "user"
},
{
"content": "d",
"role": "assistant"
}
] |
def x(self):
RV = self.Ystar().copy()
for term_i in range(self.n_terms):
if self.identity_trick and self.A_identity[term_i]:
RV -= np.dot(self.Fstar()[term_i], self.B_hat()[term_i])
else:
RV -= np.dot(self.Fstar()[term_i], np.dot(self.B_hat()[term_i],
self.Astar()[term_i]))
self.clear_cache('DLZ')
return RV
| Zstar | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n RV = self.Ystar().copy()\n for term_i in range(self.n_terms):\n if self.identity_trick and self.A_identity[term_i]:\n RV -= np.dot(self.Fstar()[term_i], self.B_hat()[term_i])\n else:\n RV -= np.dot(self.Fstar()[term_i], np.dot(self.B_hat()[term_i],\n self.Astar()[term_i]))\n self.clear_cache('DLZ')\n return RV\n",
"role": "user"
},
{
"content": "Zstar",
"role": "assistant"
}
] |
def x(self):
s, U = LA.eigh(self.Areml(), lower=True)
i_pos = s > 1e-10
s = s[i_pos]
U = U[:, i_pos]
return s, U
| Areml_eigh | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n s, U = LA.eigh(self.Areml(), lower=True)\n i_pos = s > 1e-10\n s = s[i_pos]\n U = U[:, i_pos]\n return s, U\n",
"role": "user"
},
{
"content": "Areml_eigh",
"role": "assistant"
}
] |
def x(self):
RV = np.zeros((self.N, self.P))
for term_i in range(self.n_terms):
RV += np.dot(self.Fstar()[term_i], np.dot(self.B()[term_i], self.
Astar()[term_i]))
return RV
| predict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n RV = np.zeros((self.N, self.P))\n for term_i in range(self.n_terms):\n RV += np.dot(self.Fstar()[term_i], np.dot(self.B()[term_i], self.\n Astar()[term_i]))\n return RV\n",
"role": "user"
},
{
"content": "predict",
"role": "assistant"
}
] |
def x(self, j):
i = int(self.indicator['term'][j])
r = int(self.indicator['row'][j])
c = int(self.indicator['col'][j])
rv = -np.kron(self.Fstar()[i][:, [r]], self.Astar()[i][[c], :])
return rv
| getGradient | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, j):\n i = int(self.indicator['term'][j])\n r = int(self.indicator['row'][j])\n c = int(self.indicator['col'][j])\n rv = -np.kron(self.Fstar()[i][:, [r]], self.Astar()[i][[c], :])\n return rv\n",
"role": "user"
},
{
"content": "getGradient",
"role": "assistant"
}
] |
def x(self, M):
if 0:
pass
else:
RV = np.dot(self.Xstar().T, M)
return RV
| XstarT_dot | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, M):\n if 0:\n pass\n else:\n RV = np.dot(self.Xstar().T, M)\n return RV\n",
"role": "user"
},
{
"content": "XstarT_dot",
"role": "assistant"
}
] |
def x(self):
X = np.zeros((self.N * self.P, self.n_fixed_effs))
ip = 0
for i in range(self.n_terms):
Ki = self.A[i].shape[0] * self.F[i].shape[1]
X[:, ip:ip + Ki] = np.kron(self.A[i].T, self.F[i])
ip += Ki
y = np.reshape(self.Y, (self.Y.size, 1), order='F')
RV = regressOut(y, X)
RV = np.reshape(RV, self.Y.shape, order='F')
return RV
| getResiduals | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n X = np.zeros((self.N * self.P, self.n_fixed_effs))\n ip = 0\n for i in range(self.n_terms):\n Ki = self.A[i].shape[0] * self.F[i].shape[1]\n X[:, ip:ip + Ki] = np.kron(self.A[i].T, self.F[i])\n ip += Ki\n y = np.reshape(self.Y, (self.Y.size, 1), order='F')\n RV = regressOut(y, X)\n RV = np.reshape(RV, self.Y.shape, order='F')\n return RV\n",
"role": "user"
},
{
"content": "getResiduals",
"role": "assistant"
}
] |
def x(self):
rv = np.array([])
if self.n_terms > 0:
rv = np.concatenate([np.reshape(self.B[term_i], self.B[term_i].size,
order='F') for term_i in range(self.n_terms)])
return rv
| getParams | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n rv = np.array([])\n if self.n_terms > 0:\n rv = np.concatenate([np.reshape(self.B[term_i], self.B[term_i].size,\n order='F') for term_i in range(self.n_terms)])\n return rv\n",
"role": "user"
},
{
"content": "getParams",
"role": "assistant"
}
] |
def x(self, params):
start = 0
for i in range(self.n_terms):
n_effects = self.B[i].size
self.B[i] = np.reshape(params[start:start + n_effects], self.B[i].
shape, order='F')
start += n_effects
| setParams | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, params):\n start = 0\n for i in range(self.n_terms):\n n_effects = self.B[i].size\n self.B[i] = np.reshape(params[start:start + n_effects], self.B[i].\n shape, order='F')\n start += n_effects\n",
"role": "user"
},
{
"content": "setParams",
"role": "assistant"
}
] |
def x(x):
for key in list(x.keys()):
self.toChange[key] = True
| set_toChange | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x):\n for key in list(x.keys()):\n self.toChange[key] = True\n",
"role": "user"
},
{
"content": "set_toChange",
"role": "assistant"
}
] |
def x(self, K, L):
_update = {'term': self.n_terms * np.ones((K, L)).T.ravel(), 'row': np.
kron(np.arange(K)[:, np.newaxis], np.ones((1, L))).T.ravel(), 'col':
np.kron(np.ones((K, 1)), np.arange(L)[np.newaxis, :]).T.ravel()}
for key in list(_update.keys()):
self.indicator[key] = np.concatenate([self.indicator[key], _update[
key]])
| update_indicator | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, K, L):\n _update = {'term': self.n_terms * np.ones((K, L)).T.ravel(), 'row': np.\n kron(np.arange(K)[:, np.newaxis], np.ones((1, L))).T.ravel(), 'col':\n np.kron(np.ones((K, 1)), np.arange(L)[np.newaxis, :]).T.ravel()}\n for key in list(_update.keys()):\n self.indicator[key] = np.concatenate([self.indicator[key], _update[\n key]])\n",
"role": "user"
},
{
"content": "update_indicator",
"role": "assistant"
}
] |
def x(self):
indicator = {'term': np.array([]), 'row': np.array([]), 'col': np.array([])
}
for term in range(self.n_terms):
L = self.A[term].shape[0]
K = self.F[term].shape[1]
_update = {'term': (term + 1) * np.ones((K, L)).T.ravel(), 'row':
np.kron(np.arange(K)[:, np.newaxis], np.ones((1, L))).T.ravel(),
'col': np.kron(np.ones((K, 1)), np.arange(L)[np.newaxis, :]).T.
ravel()}
for key in list(_update.keys()):
indicator[key] = np.concatenate([indicator[key], _update[key]])
self.indicator = indicator
| rebuild_indicator | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n indicator = {'term': np.array([]), 'row': np.array([]), 'col': np.array([])\n }\n for term in range(self.n_terms):\n L = self.A[term].shape[0]\n K = self.F[term].shape[1]\n _update = {'term': (term + 1) * np.ones((K, L)).T.ravel(), 'row':\n np.kron(np.arange(K)[:, np.newaxis], np.ones((1, L))).T.ravel(),\n 'col': np.kron(np.ones((K, 1)), np.arange(L)[np.newaxis, :]).T.\n ravel()}\n for key in list(_update.keys()):\n indicator[key] = np.concatenate([indicator[key], _update[key]])\n self.indicator = indicator\n",
"role": "user"
},
{
"content": "rebuild_indicator",
"role": "assistant"
}
] |
def x(X, C=None, R=None):
_X = X.transpose((0, 2, 1))
if R is not None:
RV = sp.tensordot(R, _X, (1, 0))
else:
RV = _X
if C is not None:
RV = sp.dot(RV, C.T)
return RV.transpose((0, 2, 1))
| vei_CoR_veX | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(X, C=None, R=None):\n _X = X.transpose((0, 2, 1))\n if R is not None:\n RV = sp.tensordot(R, _X, (1, 0))\n else:\n RV = _X\n if C is not None:\n RV = sp.dot(RV, C.T)\n return RV.transpose((0, 2, 1))\n",
"role": "user"
},
{
"content": "vei_CoR_veX",
"role": "assistant"
}
] |
def x(self, shade_name, shade_color, alpha):
self.shades[shade_name] = [0, pygame.Surface(self.image.get_size())]
if type(shade_color) == str:
background = pygame.image.load(shade_color).convert()
background = pygame.transform.scale(background, (self.image.
get_width(), self.image.get_height()))
self.shades[shade_name][1].blit(background, (0, 0))
else:
self.shades[shade_name][1].fill(shade_color)
self.shades[shade_name][1].set_alpha(alpha)
| initialize_shade | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, shade_name, shade_color, alpha):\n self.shades[shade_name] = [0, pygame.Surface(self.image.get_size())]\n if type(shade_color) == str:\n background = pygame.image.load(shade_color).convert()\n background = pygame.transform.scale(background, (self.image.\n get_width(), self.image.get_height()))\n self.shades[shade_name][1].blit(background, (0, 0))\n else:\n self.shades[shade_name][1].fill(shade_color)\n self.shades[shade_name][1].set_alpha(alpha)\n",
"role": "user"
},
{
"content": "initialize_shade",
"role": "assistant"
}
] |
def x(self, shade):
if self.shades[shade][0]:
self.shades[shade][0] = 0
else:
self.shades[shade][0] = 1
self.image.blit(self.pic, (0, 0))
for key in self.shades:
if self.shades[key][0]:
self.image.blit(self.shades[key][1], (0, 0))
| toggle_shade | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, shade):\n if self.shades[shade][0]:\n self.shades[shade][0] = 0\n else:\n self.shades[shade][0] = 1\n self.image.blit(self.pic, (0, 0))\n for key in self.shades:\n if self.shades[key][0]:\n self.image.blit(self.shades[key][1], (0, 0))\n",
"role": "user"
},
{
"content": "toggle_shade",
"role": "assistant"
}
] |
def x(self, tile, pattern):
adj_tiles = []
for i in self:
for j in i:
if j == tile:
row = self.index(i)
column = self[row].index(j)
def x(self, row, column):
nonlocal adj_tiles
if row - 1 >= 0:
adj_tiles += [self[row - 1][column]]
if row + 1 != len(self):
adj_tiles += [self[row + 1][column]]
if column - 1 >= 0:
adj_tiles += [self[row][column - 1]]
if column + 1 != len(self[row]):
adj_tiles += [self[row][column + 1]]
def x(self, row, column):
nonlocal adj_tiles
if column - 1 >= 0:
if row - 1 >= 0:
adj_tiles += [self[row - 1][column - 1]]
if row + 1 != len(self):
adj_tiles += [self[row + 1][column - 1]]
if column + 1 != len(self[row]):
if row - 1 >= 0:
adj_tiles += [self[row - 1][column + 1]]
if row + 1 != len(self):
adj_tiles += [self[row + 1][column + 1]]
if pattern == 'p':
plus_sign(self, row, column)
elif pattern == 'x':
diagonal(self, row, column)
elif pattern == 'b':
plus_sign(self, row, column)
diagonal(self, row, column)
return adj_tiles
| adjacent_tiles | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tile, pattern):\n adj_tiles = []\n for i in self:\n for j in i:\n if j == tile:\n row = self.index(i)\n column = self[row].index(j)\n\n def x(self, row, column):\n nonlocal adj_tiles\n if row - 1 >= 0:\n adj_tiles += [self[row - 1][column]]\n if row + 1 != len(self):\n adj_tiles += [self[row + 1][column]]\n if column - 1 >= 0:\n adj_tiles += [self[row][column - 1]]\n if column + 1 != len(self[row]):\n adj_tiles += [self[row][column + 1]]\n\n def x(self, row, column):\n nonlocal adj_tiles\n if column - 1 >= 0:\n if row - 1 >= 0:\n adj_tiles += [self[row - 1][column - 1]]\n if row + 1 != len(self):\n adj_tiles += [self[row + 1][column - 1]]\n if column + 1 != len(self[row]):\n if row - 1 >= 0:\n adj_tiles += [self[row - 1][column + 1]]\n if row + 1 != len(self):\n adj_tiles += [self[row + 1][column + 1]]\n if pattern == 'p':\n plus_sign(self, row, column)\n elif pattern == 'x':\n diagonal(self, row, column)\n elif pattern == 'b':\n plus_sign(self, row, column)\n diagonal(self, row, column)\n return adj_tiles\n",
"role": "user"
},
{
"content": "adjacent_tiles",
"role": "assistant"
}
] |
def x(self, offset, mid=None):
ptg.BaseScreen.set_offset(self, offset, mid)
for i in self.tilelist:
for j in i:
j.rect[0] += offset[0]
j.rect[1] += offset[1]
| set_offset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, offset, mid=None):\n ptg.BaseScreen.set_offset(self, offset, mid)\n for i in self.tilelist:\n for j in i:\n j.rect[0] += offset[0]\n j.rect[1] += offset[1]\n",
"role": "user"
},
{
"content": "set_offset",
"role": "assistant"
}
] |
def x(stream):
if hasattr(stream, 'read'):
return bdecode(stream.read())
else:
handle = open(stream, 'rb')
try:
return bdecode(handle.read())
finally:
handle.close()
| bread | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(stream):\n if hasattr(stream, 'read'):\n return bdecode(stream.read())\n else:\n handle = open(stream, 'rb')\n try:\n return bdecode(handle.read())\n finally:\n handle.close()\n",
"role": "user"
},
{
"content": "bread",
"role": "assistant"
}
] |
def x(stream, obj):
handle = None
if not hasattr(stream, 'write'):
stream = handle = open(stream, 'wb')
try:
stream.write(bencode(obj))
finally:
if handle:
handle.close()
| bwrite | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(stream, obj):\n handle = None\n if not hasattr(stream, 'write'):\n stream = handle = open(stream, 'wb')\n try:\n stream.write(bencode(obj))\n finally:\n if handle:\n handle.close()\n",
"role": "user"
},
{
"content": "bwrite",
"role": "assistant"
}
] |
def x(self, check_trailer=False):
try:
kind = self.data[self.offset]
except IndexError:
raise BencodeError('Unexpected end of data at offset %d/%d' % (self
.offset, len(self.data)))
if kind.isdigit():
try:
end = self.data.find(':', self.offset)
length = int(self.data[self.offset:end], 10)
except (ValueError, TypeError):
raise BencodeError('Bad string length at offset %d (%r...)' % (
self.offset, self.data[self.offset:self.offset + 32]))
self.offset = end + length + 1
obj = self.data[end + 1:self.offset]
if self.char_encoding:
try:
obj = obj.decode(self.char_encoding)
except (UnicodeError, AttributeError):
pass
elif kind == 'i':
try:
end = self.data.find('e', self.offset + 1)
obj = int(self.data[self.offset + 1:end], 10)
except (ValueError, TypeError):
raise BencodeError('Bad integer at offset %d (%r...)' % (self.
offset, self.data[self.offset:self.offset + 32]))
self.offset = end + 1
elif kind == 'l':
self.offset += 1
obj = []
while self.data[self.offset:self.offset + 1] != 'e':
obj.append(self.decode())
self.offset += 1
elif kind == 'd':
self.offset += 1
obj = {}
while self.data[self.offset:self.offset + 1] != 'e':
key = self.decode()
obj[key] = self.decode()
self.offset += 1
else:
raise BencodeError('Format error at offset %d (%r...)' % (self.
offset, self.data[self.offset:self.offset + 32]))
if check_trailer and self.offset != len(self.data):
raise BencodeError('Trailing data at offset %d (%r...)' % (self.
offset, self.data[self.offset:self.offset + 32]))
return obj
| decode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, check_trailer=False):\n try:\n kind = self.data[self.offset]\n except IndexError:\n raise BencodeError('Unexpected end of data at offset %d/%d' % (self\n .offset, len(self.data)))\n if kind.isdigit():\n try:\n end = self.data.find(':', self.offset)\n length = int(self.data[self.offset:end], 10)\n except (ValueError, TypeError):\n raise BencodeError('Bad string length at offset %d (%r...)' % (\n self.offset, self.data[self.offset:self.offset + 32]))\n self.offset = end + length + 1\n obj = self.data[end + 1:self.offset]\n if self.char_encoding:\n try:\n obj = obj.decode(self.char_encoding)\n except (UnicodeError, AttributeError):\n pass\n elif kind == 'i':\n try:\n end = self.data.find('e', self.offset + 1)\n obj = int(self.data[self.offset + 1:end], 10)\n except (ValueError, TypeError):\n raise BencodeError('Bad integer at offset %d (%r...)' % (self.\n offset, self.data[self.offset:self.offset + 32]))\n self.offset = end + 1\n elif kind == 'l':\n self.offset += 1\n obj = []\n while self.data[self.offset:self.offset + 1] != 'e':\n obj.append(self.decode())\n self.offset += 1\n elif kind == 'd':\n self.offset += 1\n obj = {}\n while self.data[self.offset:self.offset + 1] != 'e':\n key = self.decode()\n obj[key] = self.decode()\n self.offset += 1\n else:\n raise BencodeError('Format error at offset %d (%r...)' % (self.\n offset, self.data[self.offset:self.offset + 32]))\n if check_trailer and self.offset != len(self.data):\n raise BencodeError('Trailing data at offset %d (%r...)' % (self.\n offset, self.data[self.offset:self.offset + 32]))\n return obj\n",
"role": "user"
},
{
"content": "decode",
"role": "assistant"
}
] |
def x(self, obj):
if isinstance(obj, int_like_types):
self.result.append('i%de' % obj)
elif isinstance(obj, string_types):
self.result.extend([str(len(obj)), ':', str(obj)])
elif hasattr(obj, '__bencode__'):
self.encode(obj.__bencode__())
elif hasattr(obj, 'items'):
self.result.append('d')
for key, val in sorted(obj.items()):
key = str(key)
self.result.extend([str(len(key)), ':', key])
self.encode(val)
self.result.append('e')
else:
try:
items = iter(obj)
except TypeError as exc:
raise BencodeError(
'Unsupported non-iterable object %r of type %s (%s)' % (obj,
type(obj), exc))
else:
self.result.append('l')
for item in items:
self.encode(item)
self.result.append('e')
return self.result
| encode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj):\n if isinstance(obj, int_like_types):\n self.result.append('i%de' % obj)\n elif isinstance(obj, string_types):\n self.result.extend([str(len(obj)), ':', str(obj)])\n elif hasattr(obj, '__bencode__'):\n self.encode(obj.__bencode__())\n elif hasattr(obj, 'items'):\n self.result.append('d')\n for key, val in sorted(obj.items()):\n key = str(key)\n self.result.extend([str(len(key)), ':', key])\n self.encode(val)\n self.result.append('e')\n else:\n try:\n items = iter(obj)\n except TypeError as exc:\n raise BencodeError(\n 'Unsupported non-iterable object %r of type %s (%s)' % (obj,\n type(obj), exc))\n else:\n self.result.append('l')\n for item in items:\n self.encode(item)\n self.result.append('e')\n return self.result\n",
"role": "user"
},
{
"content": "encode",
"role": "assistant"
}
] |
def x(c200):
top = 200.0 / 3.0 * c200 ** 3.0
bottom = np.log(1.0 + c200) - c200 / (1.0 + c200)
return top / bottom
| calc_delta_c | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(c200):\n top = 200.0 / 3.0 * c200 ** 3.0\n bottom = np.log(1.0 + c200) - c200 / (1.0 + c200)\n return top / bottom\n",
"role": "user"
},
{
"content": "calc_delta_c",
"role": "assistant"
}
] |
def x(self, notebook=notebook_display):
print('\nCluster Ensemble:')
if notebook is True:
display(self._df)
elif notebook is False:
print(self._df)
self.massrich_parameters()
| show | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, notebook=notebook_display):\n print('\\nCluster Ensemble:')\n if notebook is True:\n display(self._df)\n elif notebook is False:\n print(self._df)\n self.massrich_parameters()\n",
"role": "user"
},
{
"content": "show",
"role": "assistant"
}
] |
def x(self, rbins, offsets=None, numTh=200, numRoff=200, numRinner=20,
factorRouter=3):
if offsets is None:
self._sigoffset = np.zeros(self.number) * units.Mpc
else:
self._sigoffset = utils.check_units_and_type(offsets, units.Mpc,
num=self.number)
self.rbins = utils.check_units_and_type(rbins, units.Mpc)
rhoc = self._rho_crit.to(units.Msun / units.pc ** 2 / units.Mpc)
smd = SurfaceMassDensity(self.rs, self.delta_c, rhoc, offsets=self.
_sigoffset, rbins=self.rbins, numTh=numTh, numRoff=numRoff,
numRinner=numRinner, factorRouter=factorRouter)
self.sigma_nfw = smd.sigma_nfw()
self.deltasigma_nfw = smd.deltasigma_nfw()
| calc_nfw | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rbins, offsets=None, numTh=200, numRoff=200, numRinner=20,\n factorRouter=3):\n if offsets is None:\n self._sigoffset = np.zeros(self.number) * units.Mpc\n else:\n self._sigoffset = utils.check_units_and_type(offsets, units.Mpc,\n num=self.number)\n self.rbins = utils.check_units_and_type(rbins, units.Mpc)\n rhoc = self._rho_crit.to(units.Msun / units.pc ** 2 / units.Mpc)\n smd = SurfaceMassDensity(self.rs, self.delta_c, rhoc, offsets=self.\n _sigoffset, rbins=self.rbins, numTh=numTh, numRoff=numRoff,\n numRinner=numRinner, factorRouter=factorRouter)\n self.sigma_nfw = smd.sigma_nfw()\n self.deltasigma_nfw = smd.deltasigma_nfw()\n",
"role": "user"
},
{
"content": "calc_nfw",
"role": "assistant"
}
] |
def x(self, value):
assert value.shape[1] == 1, 'Dimension mismatch'
self._N = value.shape[0]
self._Y = value
| Y | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n assert value.shape[1] == 1, 'Dimension mismatch'\n self._N = value.shape[0]\n self._Y = value\n",
"role": "user"
},
{
"content": "Y",
"role": "assistant"
}
] |
def x(self, value):
assert value.shape[0] == self._N, 'Dimension mismatch'
self._K = value.shape[1]
self._F = value
self.clear_cache('predict', 'Yres')
| F | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n assert value.shape[0] == self._N, 'Dimension mismatch'\n self._K = value.shape[1]\n self._F = value\n self.clear_cache('predict', 'Yres')\n",
"role": "user"
},
{
"content": "F",
"role": "assistant"
}
] |
def x(self, value):
assert value.shape[0] == self._K, 'Dimension mismatch'
assert value.shape[1] == 1, 'Dimension mismatch'
self._B = value
self.clear_cache('predict', 'Yres')
| B | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n assert value.shape[0] == self._K, 'Dimension mismatch'\n assert value.shape[1] == 1, 'Dimension mismatch'\n self._B = value\n self.clear_cache('predict', 'Yres')\n",
"role": "user"
},
{
"content": "B",
"role": "assistant"
}
] |
def x(molecule, TraversalType=SmilesTraversal):
result = []
atoms = allAtoms = molecule.atoms
visitedAtoms = {}
while atoms:
atom = _get_lowest_symorder(atoms)
visitedAtoms[atom] = 1
visitedBonds = {}
nextTraverse = TraversalType()
atomsUsed, bondsUsed = [], []
_traverse(atom, nextTraverse, None, visitedAtoms, visitedBonds,
atomsUsed, bondsUsed, TraversalType)
atoms = []
for atom in allAtoms:
if not visitedAtoms.has_key(atom):
atoms.append(atom)
assert nextTraverse.atoms == atomsUsed
assert nextTraverse.bonds == bondsUsed, '%s %s' % (nextTraverse.
bonds, bondsUsed)
result.append((str(nextTraverse), atomsUsed, bondsUsed))
result.sort()
fragments = []
for r in result:
fragments.append(r[0])
return '.'.join(fragments), result
| draw | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(molecule, TraversalType=SmilesTraversal):\n result = []\n atoms = allAtoms = molecule.atoms\n visitedAtoms = {}\n while atoms:\n atom = _get_lowest_symorder(atoms)\n visitedAtoms[atom] = 1\n visitedBonds = {}\n nextTraverse = TraversalType()\n atomsUsed, bondsUsed = [], []\n _traverse(atom, nextTraverse, None, visitedAtoms, visitedBonds,\n atomsUsed, bondsUsed, TraversalType)\n atoms = []\n for atom in allAtoms:\n if not visitedAtoms.has_key(atom):\n atoms.append(atom)\n assert nextTraverse.atoms == atomsUsed\n assert nextTraverse.bonds == bondsUsed, '%s %s' % (nextTraverse.\n bonds, bondsUsed)\n result.append((str(nextTraverse), atomsUsed, bondsUsed))\n result.sort()\n fragments = []\n for r in result:\n fragments.append(r[0])\n return '.'.join(fragments), result\n",
"role": "user"
},
{
"content": "draw",
"role": "assistant"
}
] |
def x(out_degree):
n = len(out_degree)
out_degree = np.asarray(out_degree, dtype=int)
if (out_degree >= n).any():
raise ValueError('Cannot have degree >= num_vertices')
row = np.repeat(np.arange(n), out_degree)
weights = np.ones_like(row, dtype=float)
col = np.concatenate([np.random.choice(n - 1, d, replace=False) for d in
out_degree])
col[col >= row] += 1
adj = coo_matrix((weights, (row, col)), shape=(n, n))
return Graph.from_adj_matrix(adj)
| random_graph | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(out_degree):\n n = len(out_degree)\n out_degree = np.asarray(out_degree, dtype=int)\n if (out_degree >= n).any():\n raise ValueError('Cannot have degree >= num_vertices')\n row = np.repeat(np.arange(n), out_degree)\n weights = np.ones_like(row, dtype=float)\n col = np.concatenate([np.random.choice(n - 1, d, replace=False) for d in\n out_degree])\n col[col >= row] += 1\n adj = coo_matrix((weights, (row, col)), shape=(n, n))\n return Graph.from_adj_matrix(adj)\n",
"role": "user"
},
{
"content": "random_graph",
"role": "assistant"
}
] |
def x(X, weighted=False):
e1, e2 = _delaunay_edges(X)
pairs = np.column_stack((e1, e2))
w = paired_distances(X[e1], X[e2]) if weighted else None
return Graph.from_edge_pairs(pairs, num_vertices=X.shape[0], symmetric=
True, weights=w)
| delaunay_graph | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(X, weighted=False):\n e1, e2 = _delaunay_edges(X)\n pairs = np.column_stack((e1, e2))\n w = paired_distances(X[e1], X[e2]) if weighted else None\n return Graph.from_edge_pairs(pairs, num_vertices=X.shape[0], symmetric=\n True, weights=w)\n",
"role": "user"
},
{
"content": "delaunay_graph",
"role": "assistant"
}
] |
def x(X, weighted=False):
e1, e2 = _delaunay_edges(X)
w = paired_distances(X[e1], X[e2])
mask = np.ones_like(w, dtype=bool)
bad_inds = w.reshape((-1, 3)).argmax(axis=1) + np.arange(0, len(e1), 3)
mask[bad_inds] = False
weights = w[mask] if weighted else None
pairs = np.column_stack((e1[mask], e2[mask]))
return Graph.from_edge_pairs(pairs, num_vertices=X.shape[0], symmetric=
True, weights=weights)
| urquhart_graph | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(X, weighted=False):\n e1, e2 = _delaunay_edges(X)\n w = paired_distances(X[e1], X[e2])\n mask = np.ones_like(w, dtype=bool)\n bad_inds = w.reshape((-1, 3)).argmax(axis=1) + np.arange(0, len(e1), 3)\n mask[bad_inds] = False\n weights = w[mask] if weighted else None\n pairs = np.column_stack((e1[mask], e2[mask]))\n return Graph.from_edge_pairs(pairs, num_vertices=X.shape[0], symmetric=\n True, weights=weights)\n",
"role": "user"
},
{
"content": "urquhart_graph",
"role": "assistant"
}
] |
def x(self, b, overwrite_b=False, check_finite=True):
if self._s is not None:
res = self._U.T.dot(b)
res /= self._s[:, np.newaxis]
res = self._U.dot(res)
elif self._chol is not None:
res = la.cho_solve((self._chol, self._lower), b=b, overwrite_b=
overwrite_b, check_finite=check_finite)
else:
res = np.zeros(b.shape)
return res
| solve | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, b, overwrite_b=False, check_finite=True):\n if self._s is not None:\n res = self._U.T.dot(b)\n res /= self._s[:, np.newaxis]\n res = self._U.dot(res)\n elif self._chol is not None:\n res = la.cho_solve((self._chol, self._lower), b=b, overwrite_b=\n overwrite_b, check_finite=check_finite)\n else:\n res = np.zeros(b.shape)\n return res\n",
"role": "user"
},
{
"content": "solve",
"role": "assistant"
}
] |
def x(self, b, overwrite_b=False, check_finite=True, p=None):
if p is None:
assert b.shape[:2] == (len(self.solver), self.dof_any)
solution = np.empty(b.shape)
for p in range(self.P):
solution[p] = self.solver[p].solve(b=b[p])
return solution
else:
return self.solver[p].solve(b=b)
| solve | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, b, overwrite_b=False, check_finite=True, p=None):\n if p is None:\n assert b.shape[:2] == (len(self.solver), self.dof_any)\n solution = np.empty(b.shape)\n for p in range(self.P):\n solution[p] = self.solver[p].solve(b=b[p])\n return solution\n else:\n return self.solver[p].solve(b=b)\n",
"role": "user"
},
{
"content": "solve",
"role": "assistant"
}
] |
def x(self, b_any, b, check_finite=True, p=None):
if self.schur_solver is None and self.A_any_solver is None:
assert (b is None or b.shape[0] == 0) and (b_any is None or b_any.
shape[0] == 0), 'shape missmatch'
return b, b_any
elif self.schur_solver is None:
assert b is None or b.shape[0] == 0, 'shape missmatch'
solution_any = self.A_any_solver.solve(b=b_any, p=p)
return b, solution_any
elif self.A_any_solver is None:
assert b_any is None or b_any.shape[0] == 0, 'shape missmatch'
solution = self.schur_solver.solve(b=b, check_finite=check_finite)
return solution, b_any
else:
assert p is None, 'p is not None'
cross_term = np.tensordot(self.DinvC, b_any, axes=([0, 1], [0, 1]))
solution = self.schur_solver.solve(b=b - cross_term, check_finite=
check_finite)
solution_any = self.A_any_solver.solve(b=b_any, check_finite=
check_finite, p=p)
solution_any -= self.DinvC.dot(solution)
return solution, solution_any
| solve | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, b_any, b, check_finite=True, p=None):\n if self.schur_solver is None and self.A_any_solver is None:\n assert (b is None or b.shape[0] == 0) and (b_any is None or b_any.\n shape[0] == 0), 'shape missmatch'\n return b, b_any\n elif self.schur_solver is None:\n assert b is None or b.shape[0] == 0, 'shape missmatch'\n solution_any = self.A_any_solver.solve(b=b_any, p=p)\n return b, solution_any\n elif self.A_any_solver is None:\n assert b_any is None or b_any.shape[0] == 0, 'shape missmatch'\n solution = self.schur_solver.solve(b=b, check_finite=check_finite)\n return solution, b_any\n else:\n assert p is None, 'p is not None'\n cross_term = np.tensordot(self.DinvC, b_any, axes=([0, 1], [0, 1]))\n solution = self.schur_solver.solve(b=b - cross_term, check_finite=\n check_finite)\n solution_any = self.A_any_solver.solve(b=b_any, check_finite=\n check_finite, p=p)\n solution_any -= self.DinvC.dot(solution)\n return solution, solution_any\n",
"role": "user"
},
{
"content": "solve",
"role": "assistant"
}
] |
def x(template_text, lookup=None):
template_path = None
try:
is_file = template_text.startswith('file:')
except (AttributeError, TypeError):
pass
else:
if is_file:
template_path = template_text[5:]
if template_path.startswith('/'):
template_path = '/' + template_path.lstrip('/')
elif template_path.startswith('~'):
template_path = os.path.expanduser(template_path)
elif lookup:
template_path = lookup(template_path)
with closing(open(template_path, 'r')) as handle:
template_text = handle.read().rstrip()
if hasattr(template_text, '__engine__'):
template = template_text
else:
if template_text.startswith('{{'):
import tempita
template = tempita.Template(template_text, name=template_path)
template.__engine__ = 'tempita'
else:
template = InterpolationTemplate(template_text)
template.__file__ = template_path
template.__text__ = template_text
return template
| preparse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(template_text, lookup=None):\n template_path = None\n try:\n is_file = template_text.startswith('file:')\n except (AttributeError, TypeError):\n pass\n else:\n if is_file:\n template_path = template_text[5:]\n if template_path.startswith('/'):\n template_path = '/' + template_path.lstrip('/')\n elif template_path.startswith('~'):\n template_path = os.path.expanduser(template_path)\n elif lookup:\n template_path = lookup(template_path)\n with closing(open(template_path, 'r')) as handle:\n template_text = handle.read().rstrip()\n if hasattr(template_text, '__engine__'):\n template = template_text\n else:\n if template_text.startswith('{{'):\n import tempita\n template = tempita.Template(template_text, name=template_path)\n template.__engine__ = 'tempita'\n else:\n template = InterpolationTemplate(template_text)\n template.__file__ = template_path\n template.__text__ = template_text\n return template\n",
"role": "user"
},
{
"content": "preparse",
"role": "assistant"
}
] |
def x(self):
with h5py.File(self.WORKING_DIRECTORY + '/' + self.output_file_name, 'w'
) as f:
header = f.create_group('header')
header.attrs['Title'] = 'Generated SNR Out'
header.attrs['Author'] = 'Generator by: Michael Katz'
header.attrs['Date/Time'] = str(datetime.datetime.now())
for which in ['x', 'y']:
header.attrs[which + 'val_name'] = getattr(self, which + 'val_name'
)
header.attrs['num_' + which + '_pts'] = getattr(self, 'num_' +
which)
ecc = 'eccentricity' in self.__dict__
if ecc:
name_list = ['observation_time', 'start_frequency',
'start_separationeccentricity']
else:
name_list = ['spin_1', 'spin_2', 'spin', 'end_time']
name_list += ['total_mass', 'mass_ratio', 'start_time',
'luminosity_distance', 'comoving_distance', 'redshift']
for name in name_list:
if name != self.xval_name and name != self.yval_name:
try:
getattr(self, name)
header.attrs[name] = getattr(self, name)
except AttributeError:
pass
if self.added_note != '':
header.attrs['Added note'] = self.added_note
data = f.create_group('data')
dset = data.create_dataset(self.x_col_name, data=self.xvals, dtype=
'float64', chunks=True, compression='gzip', compression_opts=9)
dset = data.create_dataset(self.y_col_name, data=self.yvals, dtype=
'float64', chunks=True, compression='gzip', compression_opts=9)
for key in self.output_dict.keys():
dset = data.create_dataset(key, data=self.output_dict[key],
dtype='float64', chunks=True, compression='gzip',
compression_opts=9)
| hdf5_read_out | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n with h5py.File(self.WORKING_DIRECTORY + '/' + self.output_file_name, 'w'\n ) as f:\n header = f.create_group('header')\n header.attrs['Title'] = 'Generated SNR Out'\n header.attrs['Author'] = 'Generator by: Michael Katz'\n header.attrs['Date/Time'] = str(datetime.datetime.now())\n for which in ['x', 'y']:\n header.attrs[which + 'val_name'] = getattr(self, which + 'val_name'\n )\n header.attrs['num_' + which + '_pts'] = getattr(self, 'num_' +\n which)\n ecc = 'eccentricity' in self.__dict__\n if ecc:\n name_list = ['observation_time', 'start_frequency',\n 'start_separationeccentricity']\n else:\n name_list = ['spin_1', 'spin_2', 'spin', 'end_time']\n name_list += ['total_mass', 'mass_ratio', 'start_time',\n 'luminosity_distance', 'comoving_distance', 'redshift']\n for name in name_list:\n if name != self.xval_name and name != self.yval_name:\n try:\n getattr(self, name)\n header.attrs[name] = getattr(self, name)\n except AttributeError:\n pass\n if self.added_note != '':\n header.attrs['Added note'] = self.added_note\n data = f.create_group('data')\n dset = data.create_dataset(self.x_col_name, data=self.xvals, dtype=\n 'float64', chunks=True, compression='gzip', compression_opts=9)\n dset = data.create_dataset(self.y_col_name, data=self.yvals, dtype=\n 'float64', chunks=True, compression='gzip', compression_opts=9)\n for key in self.output_dict.keys():\n dset = data.create_dataset(key, data=self.output_dict[key],\n dtype='float64', chunks=True, compression='gzip',\n compression_opts=9)\n",
"role": "user"
},
{
"content": "hdf5_read_out",
"role": "assistant"
}
] |
def x(self):
header = '#Generated SNR Out\n'
header += '#Generator by: Michael Katz\n'
header += '#Date/Time: {}\n'.format(datetime.datetime.now())
for which in ['x', 'y']:
header += '#' + which + 'val_name: {}\n'.format(getattr(self, which +
'val_name'))
header += '#num_' + which + '_pts: {}\n'.format(getattr(self,
'num_' + which))
ecc = 'eccentricity' in self.__dict__
if ecc:
name_list = ['observation_time', 'start_frequency',
'start_separationeccentricity']
else:
name_list = ['spin_1', 'spin_2', 'spin', 'end_time']
name_list += ['total_mass', 'mass_ratio', 'start_time',
'luminosity_distance', 'comoving_distance', 'redshift']
for name in name_list:
if name != self.xval_name and name != self.yval_name:
try:
getattr(self, name)
header += '#{}: {}\n'.format(name, getattr(self, name))
except AttributeError:
pass
if self.added_note != '':
header += '#Added note: ' + self.added_note + '\n'
else:
header += '#Added note: None\n'
header += '#--------------------\n'
header += self.x_col_name + '\t'
header += self.y_col_name + '\t'
for key in self.output_dict.keys():
header += key + '\t'
x_and_y = np.asarray([self.xvals, self.yvals])
snr_out = np.asarray([self.output_dict[key] for key in self.output_dict
.keys()]).T
data_out = np.concatenate([x_and_y.T, snr_out], axis=1)
np.savetxt(self.WORKING_DIRECTORY + '/' + self.output_file_name,
data_out, delimiter='\t', header=header, comments='')
return
| txt_read_out | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n header = '#Generated SNR Out\\n'\n header += '#Generator by: Michael Katz\\n'\n header += '#Date/Time: {}\\n'.format(datetime.datetime.now())\n for which in ['x', 'y']:\n header += '#' + which + 'val_name: {}\\n'.format(getattr(self, which +\n 'val_name'))\n header += '#num_' + which + '_pts: {}\\n'.format(getattr(self, \n 'num_' + which))\n ecc = 'eccentricity' in self.__dict__\n if ecc:\n name_list = ['observation_time', 'start_frequency',\n 'start_separationeccentricity']\n else:\n name_list = ['spin_1', 'spin_2', 'spin', 'end_time']\n name_list += ['total_mass', 'mass_ratio', 'start_time',\n 'luminosity_distance', 'comoving_distance', 'redshift']\n for name in name_list:\n if name != self.xval_name and name != self.yval_name:\n try:\n getattr(self, name)\n header += '#{}: {}\\n'.format(name, getattr(self, name))\n except AttributeError:\n pass\n if self.added_note != '':\n header += '#Added note: ' + self.added_note + '\\n'\n else:\n header += '#Added note: None\\n'\n header += '#--------------------\\n'\n header += self.x_col_name + '\\t'\n header += self.y_col_name + '\\t'\n for key in self.output_dict.keys():\n header += key + '\\t'\n x_and_y = np.asarray([self.xvals, self.yvals])\n snr_out = np.asarray([self.output_dict[key] for key in self.output_dict\n .keys()]).T\n data_out = np.concatenate([x_and_y.T, snr_out], axis=1)\n np.savetxt(self.WORKING_DIRECTORY + '/' + self.output_file_name,\n data_out, delimiter='\\t', header=header, comments='')\n return\n",
"role": "user"
},
{
"content": "txt_read_out",
"role": "assistant"
}
] |
def x(connection: connection):
installed = False
log('Checking if trigger function installed...', logger_name=_LOGGER_NAME)
try:
execute(connection,
"SELECT pg_get_functiondef('public.psycopg2_pgevents_create_event'::regproc);"
)
installed = True
except ProgrammingError as e:
if e.args:
error_stdout = e.args[0].splitlines()
error = error_stdout.pop(0)
if error.endswith('does not exist'):
pass
else:
raise e
else:
raise e
log('...{}installed'.format('' if installed else 'NOT '), logger_name=
_LOGGER_NAME)
return installed
| trigger_function_installed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(connection: connection):\n installed = False\n log('Checking if trigger function installed...', logger_name=_LOGGER_NAME)\n try:\n execute(connection,\n \"SELECT pg_get_functiondef('public.psycopg2_pgevents_create_event'::regproc);\"\n )\n installed = True\n except ProgrammingError as e:\n if e.args:\n error_stdout = e.args[0].splitlines()\n error = error_stdout.pop(0)\n if error.endswith('does not exist'):\n pass\n else:\n raise e\n else:\n raise e\n log('...{}installed'.format('' if installed else 'NOT '), logger_name=\n _LOGGER_NAME)\n return installed\n",
"role": "user"
},
{
"content": "trigger_function_installed",
"role": "assistant"
}
] |
def x(connection: connection, table: str, schema: str='public'):
installed = False
log('Checking if {}.{} trigger installed...'.format(schema, table),
logger_name=_LOGGER_NAME)
statement = SELECT_TRIGGER_STATEMENT.format(table=table, schema=schema)
result = execute(connection, statement)
if result:
installed = True
log('...{}installed'.format('' if installed else 'NOT '), logger_name=
_LOGGER_NAME)
return installed
| trigger_installed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(connection: connection, table: str, schema: str='public'):\n installed = False\n log('Checking if {}.{} trigger installed...'.format(schema, table),\n logger_name=_LOGGER_NAME)\n statement = SELECT_TRIGGER_STATEMENT.format(table=table, schema=schema)\n result = execute(connection, statement)\n if result:\n installed = True\n log('...{}installed'.format('' if installed else 'NOT '), logger_name=\n _LOGGER_NAME)\n return installed\n",
"role": "user"
},
{
"content": "trigger_installed",
"role": "assistant"
}
] |
def x(connection: connection, overwrite: bool=False) ->None:
prior_install = False
if not overwrite:
prior_install = trigger_function_installed(connection)
if not prior_install:
log('Installing trigger function...', logger_name=_LOGGER_NAME)
execute(connection, INSTALL_TRIGGER_FUNCTION_STATEMENT)
else:
log('Trigger function already installed; skipping...', logger_name=
_LOGGER_NAME)
| install_trigger_function | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(connection: connection, overwrite: bool=False) ->None:\n prior_install = False\n if not overwrite:\n prior_install = trigger_function_installed(connection)\n if not prior_install:\n log('Installing trigger function...', logger_name=_LOGGER_NAME)\n execute(connection, INSTALL_TRIGGER_FUNCTION_STATEMENT)\n else:\n log('Trigger function already installed; skipping...', logger_name=\n _LOGGER_NAME)\n",
"role": "user"
},
{
"content": "install_trigger_function",
"role": "assistant"
}
] |
def x(connection: connection, force: bool=False) ->None:
modifier = ''
if force:
modifier = 'CASCADE'
log('Uninstalling trigger function (cascade={})...'.format(force),
logger_name=_LOGGER_NAME)
statement = UNINSTALL_TRIGGER_FUNCTION_STATEMENT.format(modifier=modifier)
execute(connection, statement)
| uninstall_trigger_function | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(connection: connection, force: bool=False) ->None:\n modifier = ''\n if force:\n modifier = 'CASCADE'\n log('Uninstalling trigger function (cascade={})...'.format(force),\n logger_name=_LOGGER_NAME)\n statement = UNINSTALL_TRIGGER_FUNCTION_STATEMENT.format(modifier=modifier)\n execute(connection, statement)\n",
"role": "user"
},
{
"content": "uninstall_trigger_function",
"role": "assistant"
}
] |
def x(connection: connection, table: str, schema: str='public', overwrite:
bool=False) ->None:
prior_install = False
if not overwrite:
prior_install = trigger_installed(connection, table, schema)
if not prior_install:
log('Installing {}.{} trigger...'.format(schema, table),
logger_name=_LOGGER_NAME)
statement = INSTALL_TRIGGER_STATEMENT.format(schema=schema, table=table
)
execute(connection, statement)
else:
log('{}.{} trigger already installed; skipping...'.format(schema,
table), logger_name=_LOGGER_NAME)
| install_trigger | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(connection: connection, table: str, schema: str='public', overwrite:\n bool=False) ->None:\n prior_install = False\n if not overwrite:\n prior_install = trigger_installed(connection, table, schema)\n if not prior_install:\n log('Installing {}.{} trigger...'.format(schema, table),\n logger_name=_LOGGER_NAME)\n statement = INSTALL_TRIGGER_STATEMENT.format(schema=schema, table=table\n )\n execute(connection, statement)\n else:\n log('{}.{} trigger already installed; skipping...'.format(schema,\n table), logger_name=_LOGGER_NAME)\n",
"role": "user"
},
{
"content": "install_trigger",
"role": "assistant"
}
] |
def x(connection: connection, table: str, schema: str='public') ->None:
log('Uninstalling {}.{} trigger...'.format(schema, table), logger_name=
_LOGGER_NAME)
statement = UNINSTALL_TRIGGER_STATEMENT.format(schema=schema, table=table)
execute(connection, statement)
| uninstall_trigger | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(connection: connection, table: str, schema: str='public') ->None:\n log('Uninstalling {}.{} trigger...'.format(schema, table), logger_name=\n _LOGGER_NAME)\n statement = UNINSTALL_TRIGGER_STATEMENT.format(schema=schema, table=table)\n execute(connection, statement)\n",
"role": "user"
},
{
"content": "uninstall_trigger",
"role": "assistant"
}
] |
def x(url):
site_url = getattr(settings, 'SITE_URL', False)
if not site_url:
protocol = settings.PROTOCOL
hostname = settings.DOMAIN
port = settings.PORT
if (protocol, port) in (('https://', 443), ('http://', 80)):
site_url = ''.join(map(str, (protocol, hostname)))
else:
site_url = ''.join(map(str, (protocol, hostname, ':', port)))
return site_url + url
| absolutify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url):\n site_url = getattr(settings, 'SITE_URL', False)\n if not site_url:\n protocol = settings.PROTOCOL\n hostname = settings.DOMAIN\n port = settings.PORT\n if (protocol, port) in (('https://', 443), ('http://', 80)):\n site_url = ''.join(map(str, (protocol, hostname)))\n else:\n site_url = ''.join(map(str, (protocol, hostname, ':', port)))\n return site_url + url\n",
"role": "user"
},
{
"content": "absolutify",
"role": "assistant"
}
] |
def x(config=None, env_prefix='APP'):
def x(app, **kwargs_config):
InvenioConfigEntryPointModule(app=app)
if config:
InvenioConfigModule(app=app, module=config)
InvenioConfigInstanceFolder(app=app)
app.config.update(**kwargs_config)
InvenioConfigEnvironment(app=app, prefix='{0}_'.format(env_prefix))
InvenioConfigDefault(app=app)
return _config_loader
| create_config_loader | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config=None, env_prefix='APP'):\n\n def x(app, **kwargs_config):\n InvenioConfigEntryPointModule(app=app)\n if config:\n InvenioConfigModule(app=app, module=config)\n InvenioConfigInstanceFolder(app=app)\n app.config.update(**kwargs_config)\n InvenioConfigEnvironment(app=app, prefix='{0}_'.format(env_prefix))\n InvenioConfigDefault(app=app)\n return _config_loader\n",
"role": "user"
},
{
"content": "create_config_loader",
"role": "assistant"
}
] |
def x(*args, **kwargs):
import warnings
warnings.warn(
'"create_conf_loader" has been renamed to "create_config_loader".',
DeprecationWarning)
return create_config_loader(*args, **kwargs)
| create_conf_loader | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kwargs):\n import warnings\n warnings.warn(\n '\"create_conf_loader\" has been renamed to \"create_config_loader\".',\n DeprecationWarning)\n return create_config_loader(*args, **kwargs)\n",
"role": "user"
},
{
"content": "create_conf_loader",
"role": "assistant"
}
] |
def x(self, method, auth_session):
token_type = auth_session.token_type
token = auth_session.oauth2credential.access_token
if not self._authorization_headers_valid(token_type, token):
message = 'Invalid token_type or token.'
raise LyftIllegalState(message)
headers = {'Authorization': ' '.join([token_type, token])}
if method in http.BODY_METHODS:
headers.update(http.DEFAULT_CONTENT_HEADERS)
return headers
| build_headers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method, auth_session):\n token_type = auth_session.token_type\n token = auth_session.oauth2credential.access_token\n if not self._authorization_headers_valid(token_type, token):\n message = 'Invalid token_type or token.'\n raise LyftIllegalState(message)\n headers = {'Authorization': ' '.join([token_type, token])}\n if method in http.BODY_METHODS:\n headers.update(http.DEFAULT_CONTENT_HEADERS)\n return headers\n",
"role": "user"
},
{
"content": "build_headers",
"role": "assistant"
}
] |
def x(self, token_type, token):
if token_type not in http.VALID_TOKEN_TYPES:
return False
allowed_chars = ascii_letters + digits + '_' + '-' + '=' + '/' + '+'
return all(characters in allowed_chars for characters in token)
| authorization_headers_valid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, token_type, token):\n if token_type not in http.VALID_TOKEN_TYPES:\n return False\n allowed_chars = ascii_letters + digits + '_' + '-' + '=' + '/' + '+'\n return all(characters in allowed_chars for characters in token)\n",
"role": "user"
},
{
"content": "authorization_headers_valid",
"role": "assistant"
}
] |
def x(input, expected_units, num=None, is_scalar=False):
if hasattr(input, 'unit'):
if expected_units is None:
raise ValueError('Expecting dimensionless input')
elif input.unit != expected_units:
raise ValueError('Expecting input units of ' + str(expected_units))
else:
dimensionless = input.value
else:
dimensionless = input
if is_scalar is False:
dimensionfull = check_array_or_list(dimensionless)
else:
dimensionfull = dimensionless
if expected_units is not None:
dimensionfull = dimensionfull * expected_units
if num is not None:
check_input_size(dimensionfull, num)
return dimensionfull
| check_units_and_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(input, expected_units, num=None, is_scalar=False):\n if hasattr(input, 'unit'):\n if expected_units is None:\n raise ValueError('Expecting dimensionless input')\n elif input.unit != expected_units:\n raise ValueError('Expecting input units of ' + str(expected_units))\n else:\n dimensionless = input.value\n else:\n dimensionless = input\n if is_scalar is False:\n dimensionfull = check_array_or_list(dimensionless)\n else:\n dimensionfull = dimensionless\n if expected_units is not None:\n dimensionfull = dimensionfull * expected_units\n if num is not None:\n check_input_size(dimensionfull, num)\n return dimensionfull\n",
"role": "user"
},
{
"content": "check_units_and_type",
"role": "assistant"
}
] |
def x(input):
if type(input) != np.ndarray:
if type(input) == list:
output = np.array(input)
else:
raise TypeError('Expecting input type as ndarray or list.')
else:
output = input
if output.ndim != 1:
raise ValueError('Input array must have 1 dimension.')
if np.sum(output < 0.0) > 0:
raise ValueError('Input array values cannot be negative.')
return output
| check_array_or_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(input):\n if type(input) != np.ndarray:\n if type(input) == list:\n output = np.array(input)\n else:\n raise TypeError('Expecting input type as ndarray or list.')\n else:\n output = input\n if output.ndim != 1:\n raise ValueError('Input array must have 1 dimension.')\n if np.sum(output < 0.0) > 0:\n raise ValueError('Input array values cannot be negative.')\n return output\n",
"role": "user"
},
{
"content": "check_array_or_list",
"role": "assistant"
}
] |
def x():
filename = os.path.abspath(''
) + '/../files/Suite_No_1_for_Cello_M1_Prelude.mxl'
s = music21.converter.parse(filename)
c = s.getElementById('Violoncello')
m = c.flat.notes
note_obj_seq = [x for x in m if type(x) is music21.note.Note]
bo = vmo.build_oracle(note_obj_seq, 'f')
bo.name = 'bach_cello_example'
if len(sys.argv) == 1:
b, kend, ktrace = gen.generate(bo, len(note_obj_seq), 0.0, 0, LRS=2,
weight='weight')
else:
seq_len = int(sys.argv[1])
if seq_len == 0:
seq_len = len(note_obj_seq)
p = float(sys.argv[2])
k = int(sys.argv[3])
LRS = int(sys.argv[4])
weight = sys.argv[5]
b, kend, ktrace = gen.generate(bo, seq_len, p, k, LRS=LRS, weight=
weight)
stream1 = music21.stream.Stream()
x = [bo.data[i] for i in b]
for i in range(len(x)):
_n = music21.note.Note(x[i][0].nameWithOctave)
_n.duration.type = x[i][0].duration.type
_n.duration = x[i][0].duration
stream1.append(_n)
s.show()
stream1.show()
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n filename = os.path.abspath(''\n ) + '/../files/Suite_No_1_for_Cello_M1_Prelude.mxl'\n s = music21.converter.parse(filename)\n c = s.getElementById('Violoncello')\n m = c.flat.notes\n note_obj_seq = [x for x in m if type(x) is music21.note.Note]\n bo = vmo.build_oracle(note_obj_seq, 'f')\n bo.name = 'bach_cello_example'\n if len(sys.argv) == 1:\n b, kend, ktrace = gen.generate(bo, len(note_obj_seq), 0.0, 0, LRS=2,\n weight='weight')\n else:\n seq_len = int(sys.argv[1])\n if seq_len == 0:\n seq_len = len(note_obj_seq)\n p = float(sys.argv[2])\n k = int(sys.argv[3])\n LRS = int(sys.argv[4])\n weight = sys.argv[5]\n b, kend, ktrace = gen.generate(bo, seq_len, p, k, LRS=LRS, weight=\n weight)\n stream1 = music21.stream.Stream()\n x = [bo.data[i] for i in b]\n for i in range(len(x)):\n _n = music21.note.Note(x[i][0].nameWithOctave)\n _n.duration.type = x[i][0].duration.type\n _n.duration = x[i][0].duration\n stream1.append(_n)\n s.show()\n stream1.show()\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(response, **kwargs):
if 400 <= response.status_code <= 499:
message = response.json()['error_description'
] if 'error_description' in response.json() else response.json()[
'error_detail']
raise ClientError(response, message)
elif 500 <= response.status_code <= 599:
raise ServerError(response)
return response
| error_handler | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(response, **kwargs):\n if 400 <= response.status_code <= 499:\n message = response.json()['error_description'\n ] if 'error_description' in response.json() else response.json()[\n 'error_detail']\n raise ClientError(response, message)\n elif 500 <= response.status_code <= 599:\n raise ServerError(response)\n return response\n",
"role": "user"
},
{
"content": "error_handler",
"role": "assistant"
}
] |
def x(thing, all=False):
standard_names = set(dir(object()))
things_names = set(dir(thing))
if not all:
things_names -= standard_names
things_names |= set(['__doc__'])
return sorted(things_names)
| object_attributes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(thing, all=False):\n standard_names = set(dir(object()))\n things_names = set(dir(thing))\n if not all:\n things_names -= standard_names\n things_names |= set(['__doc__'])\n return sorted(things_names)\n",
"role": "user"
},
{
"content": "object_attributes",
"role": "assistant"
}
] |
def x(thing, heading=None, file=None):
if heading:
print('==', heading, '==', file=file)
print('\n'.join(object_attributes(thing)), file=file)
| print_object_attributes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(thing, heading=None, file=None):\n if heading:\n print('==', heading, '==', file=file)\n print('\\n'.join(object_attributes(thing)), file=file)\n",
"role": "user"
},
{
"content": "print_object_attributes",
"role": "assistant"
}
] |
def x(thing, all=False, heading=None, file=None):
if heading:
if isinstance(heading, int):
heading = '== {} attributes of {} =='.format('all' if all else
'non-empty', getattr(thing, '__name__', str(thing)))
print(heading, file=file)
for attr in object_attributes(thing, all):
attr_value = getattr(thing, attr)
if attr_value is not None:
print(attr, ':', attr_value, file=file)
elif all:
print(attr, ':')
| print_attr_values | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(thing, all=False, heading=None, file=None):\n if heading:\n if isinstance(heading, int):\n heading = '== {} attributes of {} =='.format('all' if all else\n 'non-empty', getattr(thing, '__name__', str(thing)))\n print(heading, file=file)\n for attr in object_attributes(thing, all):\n attr_value = getattr(thing, attr)\n if attr_value is not None:\n print(attr, ':', attr_value, file=file)\n elif all:\n print(attr, ':')\n",
"role": "user"
},
{
"content": "print_attr_values",
"role": "assistant"
}
] |
def x(thing):
if isinstance(thing, types.MethodType):
thing = thing.__func__
if hasattr(thing, 'fget'):
thing = thing.fget
if isinstance(thing, types.FunctionType):
thing = thing.__code__
return thing
| get_a_code_object_from | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(thing):\n if isinstance(thing, types.MethodType):\n thing = thing.__func__\n if hasattr(thing, 'fget'):\n thing = thing.fget\n if isinstance(thing, types.FunctionType):\n thing = thing.__code__\n return thing\n",
"role": "user"
},
{
"content": "get_a_code_object_from",
"role": "assistant"
}
] |
def x(thing, to=sys.stdout, heading=None):
if not isinstance(thing, list):
if isinstance(thing, Code):
thing = thing.code
else:
thing = _get_a_code_object_from(thing)
try:
thing = Code.from_code(thing).code
except Exception as e:
raise ValueError('Invalid input to printcodelist')
whole_thang = str(thing)
if not hasattr(to, 'encoding'):
whole_thang = whole_thang.encode('UTF-8')
if heading:
heading = heading.encode('UTF-8')
if heading:
to.write('===' + heading + '===\n')
to.write(whole_thang)
| printcodelist | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(thing, to=sys.stdout, heading=None):\n if not isinstance(thing, list):\n if isinstance(thing, Code):\n thing = thing.code\n else:\n thing = _get_a_code_object_from(thing)\n try:\n thing = Code.from_code(thing).code\n except Exception as e:\n raise ValueError('Invalid input to printcodelist')\n whole_thang = str(thing)\n if not hasattr(to, 'encoding'):\n whole_thang = whole_thang.encode('UTF-8')\n if heading:\n heading = heading.encode('UTF-8')\n if heading:\n to.write('===' + heading + '===\\n')\n to.write(whole_thang)\n",
"role": "user"
},
{
"content": "printcodelist",
"role": "assistant"
}
] |
def x(code_object):
byte_increments = [c for c in code_object.co_lnotab[0::2]]
line_increments = [c for c in code_object.co_lnotab[1::2]]
lineno = code_object.co_firstlineno
addr = 0
for byte_incr, line_incr in zip(byte_increments, line_increments):
if byte_incr:
yield addr, lineno
addr += byte_incr
lineno += line_incr
yield addr, lineno
| findlinestarts | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(code_object):\n byte_increments = [c for c in code_object.co_lnotab[0::2]]\n line_increments = [c for c in code_object.co_lnotab[1::2]]\n lineno = code_object.co_firstlineno\n addr = 0\n for byte_incr, line_incr in zip(byte_increments, line_increments):\n if byte_incr:\n yield addr, lineno\n addr += byte_incr\n lineno += line_incr\n yield addr, lineno\n",
"role": "user"
},
{
"content": "findlinestarts",
"role": "assistant"
}
] |
def x(cls, code_object):
if isinstance(code_object, types.FunctionType):
code_object = code_object.__code__
co_code = code_object.co_code
labels = dict((addr, Label()) for addr in findlabels(co_code))
linestarts = dict(cls._findlinestarts(code_object))
cellfree = code_object.co_cellvars + code_object.co_freevars
code = CodeList()
n = len(co_code)
i = 0
extended_arg = 0
while i < n:
op = Opcode(co_code[i])
if i in labels:
code.append((labels[i], None))
if i in linestarts:
code.append((SetLineno, linestarts[i]))
i += 1
if op not in hasargx:
code.append((op, None))
else:
if op in hascode:
if len(code) >= 2 and code[-2][0] == LOAD_CONST and code[-1][0
] == LOAD_CONST and isinstance(code[-2][1], types.CodeType
):
code[-2] = Opcode(LOAD_CONST), Code.from_code(code[-2][1])
else:
raise ValueError(
'Invalid opcode sequence for MAKE_FUNCTION/MAKE_CLOSURE'
)
arg = co_code[i] + co_code[i + 1] * 256 + extended_arg
extended_arg = 0
i += 2
if op == opcode.EXTENDED_ARG:
extended_arg = arg << 16
elif op in hasconst:
code.append((op, code_object.co_consts[arg]))
elif op in hasname:
code.append((op, code_object.co_names[arg]))
elif op in hasjabs:
code.append((op, labels[arg]))
elif op in hasjrel:
code.append((op, labels[i + arg]))
elif op in haslocal:
code.append((op, code_object.co_varnames[arg]))
elif op in hascompare:
code.append((op, cmp_op[arg]))
elif op in hasfree:
code.append((op, cellfree[arg]))
else:
code.append((op, arg))
varargs = bool(code_object.co_flags & CO_VARARGS)
varkwargs = bool(code_object.co_flags & CO_VARKEYWORDS)
newlocals = bool(code_object.co_flags & CO_NEWLOCALS)
nargs = (code_object.co_argcount + code_object.co_kwonlyargcount +
varargs + varkwargs)
args = code_object.co_varnames[:nargs]
docstring = None
if code_object.co_consts and isinstance(code_object.co_consts[0], str):
docstring = code_object.co_consts[0]
return cls(code=code, freevars=code_object.co_freevars, args=args,
varargs=varargs, varkwargs=varkwargs, kwonlyargcount=code_object.
co_kwonlyargcount, newlocals=newlocals, coflags=code_object.
co_flags, name=code_object.co_name, filename=code_object.
co_filename, firstlineno=code_object.co_firstlineno, docstring=
docstring)
| from_code | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, code_object):\n if isinstance(code_object, types.FunctionType):\n code_object = code_object.__code__\n co_code = code_object.co_code\n labels = dict((addr, Label()) for addr in findlabels(co_code))\n linestarts = dict(cls._findlinestarts(code_object))\n cellfree = code_object.co_cellvars + code_object.co_freevars\n code = CodeList()\n n = len(co_code)\n i = 0\n extended_arg = 0\n while i < n:\n op = Opcode(co_code[i])\n if i in labels:\n code.append((labels[i], None))\n if i in linestarts:\n code.append((SetLineno, linestarts[i]))\n i += 1\n if op not in hasargx:\n code.append((op, None))\n else:\n if op in hascode:\n if len(code) >= 2 and code[-2][0] == LOAD_CONST and code[-1][0\n ] == LOAD_CONST and isinstance(code[-2][1], types.CodeType\n ):\n code[-2] = Opcode(LOAD_CONST), Code.from_code(code[-2][1])\n else:\n raise ValueError(\n 'Invalid opcode sequence for MAKE_FUNCTION/MAKE_CLOSURE'\n )\n arg = co_code[i] + co_code[i + 1] * 256 + extended_arg\n extended_arg = 0\n i += 2\n if op == opcode.EXTENDED_ARG:\n extended_arg = arg << 16\n elif op in hasconst:\n code.append((op, code_object.co_consts[arg]))\n elif op in hasname:\n code.append((op, code_object.co_names[arg]))\n elif op in hasjabs:\n code.append((op, labels[arg]))\n elif op in hasjrel:\n code.append((op, labels[i + arg]))\n elif op in haslocal:\n code.append((op, code_object.co_varnames[arg]))\n elif op in hascompare:\n code.append((op, cmp_op[arg]))\n elif op in hasfree:\n code.append((op, cellfree[arg]))\n else:\n code.append((op, arg))\n varargs = bool(code_object.co_flags & CO_VARARGS)\n varkwargs = bool(code_object.co_flags & CO_VARKEYWORDS)\n newlocals = bool(code_object.co_flags & CO_NEWLOCALS)\n nargs = (code_object.co_argcount + code_object.co_kwonlyargcount +\n varargs + varkwargs)\n args = code_object.co_varnames[:nargs]\n docstring = None\n if code_object.co_consts and isinstance(code_object.co_consts[0], str):\n docstring = code_object.co_consts[0]\n return cls(code=code, freevars=code_object.co_freevars, args=args,\n varargs=varargs, varkwargs=varkwargs, kwonlyargcount=code_object.\n co_kwonlyargcount, newlocals=newlocals, coflags=code_object.\n co_flags, name=code_object.co_name, filename=code_object.\n co_filename, firstlineno=code_object.co_firstlineno, docstring=\n docstring)\n",
"role": "user"
},
{
"content": "from_code",
"role": "assistant"
}
] |
def x(self):
code = self.code
label_pos = {op: pos for pos, (op, arg) in enumerate(code) if
isinstance(op, Label)}
sf_targets = set(label_pos[arg] for op, arg in code if op ==
SETUP_FINALLY or op == SETUP_WITH)
stacks = [None] * len(code)
def x(pos, curstack):
op, arg = code[pos]
if isinstance(op, Label):
if pos in sf_targets:
curstack = curstack[:-1] + (curstack[-1] + 2,)
if stacks[pos] is None:
stacks[pos] = curstack
else:
if stacks[pos] != curstack:
raise ValueError('Inconsistent code')
return
def x(n):
if curstack[-1] + n < 0:
raise ValueError('Popped a non-existing element')
return curstack[:-1] + (curstack[-1] + n,)
if not isopcode(op):
yield pos + 1, curstack
elif op in (RETURN_VALUE, RAISE_VARARGS):
pass
elif op in (JUMP_FORWARD, JUMP_ABSOLUTE):
yield label_pos[arg], curstack
elif op in (POP_JUMP_IF_FALSE, POP_JUMP_IF_TRUE):
yield label_pos[arg], newstack(-1)
yield pos + 1, newstack(-1)
elif op in (JUMP_IF_TRUE_OR_POP, JUMP_IF_FALSE_OR_POP):
yield label_pos[arg], curstack
yield pos + 1, newstack(-1)
elif op == FOR_ITER:
yield label_pos[arg], newstack(-1)
yield pos + 1, newstack(1)
elif op == BREAK_LOOP:
pass
elif op == CONTINUE_LOOP:
pass
elif op == SETUP_LOOP:
yield label_pos[arg], curstack
yield pos + 1, curstack + (0,)
elif op == SETUP_EXCEPT:
yield label_pos[arg], newstack(3)
yield pos + 1, curstack + (0,)
elif op == SETUP_FINALLY or op == SETUP_WITH:
yield label_pos[arg], newstack(1)
yield pos + 1, curstack + (int(op == SETUP_WITH),)
elif op == POP_BLOCK:
yield pos + 1, curstack[:-1]
elif op == END_FINALLY:
yield pos + 1, newstack(-3)
elif op == _WITH_CLEANUP_OPCODE:
yield pos + 1, newstack(-1)
else:
yield pos + 1, newstack(stack_effect(op, arg))
maxsize = 0
open_positions = [(0, (0,))]
while open_positions:
pos, curstack = open_positions.pop()
maxsize = max(maxsize, sum(curstack))
open_positions.extend(get_next_stacks(pos, curstack))
return maxsize
| compute_stacksize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n code = self.code\n label_pos = {op: pos for pos, (op, arg) in enumerate(code) if\n isinstance(op, Label)}\n sf_targets = set(label_pos[arg] for op, arg in code if op ==\n SETUP_FINALLY or op == SETUP_WITH)\n stacks = [None] * len(code)\n\n def x(pos, curstack):\n op, arg = code[pos]\n if isinstance(op, Label):\n if pos in sf_targets:\n curstack = curstack[:-1] + (curstack[-1] + 2,)\n if stacks[pos] is None:\n stacks[pos] = curstack\n else:\n if stacks[pos] != curstack:\n raise ValueError('Inconsistent code')\n return\n\n def x(n):\n if curstack[-1] + n < 0:\n raise ValueError('Popped a non-existing element')\n return curstack[:-1] + (curstack[-1] + n,)\n if not isopcode(op):\n yield pos + 1, curstack\n elif op in (RETURN_VALUE, RAISE_VARARGS):\n pass\n elif op in (JUMP_FORWARD, JUMP_ABSOLUTE):\n yield label_pos[arg], curstack\n elif op in (POP_JUMP_IF_FALSE, POP_JUMP_IF_TRUE):\n yield label_pos[arg], newstack(-1)\n yield pos + 1, newstack(-1)\n elif op in (JUMP_IF_TRUE_OR_POP, JUMP_IF_FALSE_OR_POP):\n yield label_pos[arg], curstack\n yield pos + 1, newstack(-1)\n elif op == FOR_ITER:\n yield label_pos[arg], newstack(-1)\n yield pos + 1, newstack(1)\n elif op == BREAK_LOOP:\n pass\n elif op == CONTINUE_LOOP:\n pass\n elif op == SETUP_LOOP:\n yield label_pos[arg], curstack\n yield pos + 1, curstack + (0,)\n elif op == SETUP_EXCEPT:\n yield label_pos[arg], newstack(3)\n yield pos + 1, curstack + (0,)\n elif op == SETUP_FINALLY or op == SETUP_WITH:\n yield label_pos[arg], newstack(1)\n yield pos + 1, curstack + (int(op == SETUP_WITH),)\n elif op == POP_BLOCK:\n yield pos + 1, curstack[:-1]\n elif op == END_FINALLY:\n yield pos + 1, newstack(-3)\n elif op == _WITH_CLEANUP_OPCODE:\n yield pos + 1, newstack(-1)\n else:\n yield pos + 1, newstack(stack_effect(op, arg))\n maxsize = 0\n open_positions = [(0, (0,))]\n while open_positions:\n pos, curstack = open_positions.pop()\n maxsize = max(maxsize, sum(curstack))\n open_positions.extend(get_next_stacks(pos, curstack))\n return maxsize\n",
"role": "user"
},
{
"content": "compute_stacksize",
"role": "assistant"
}
] |
def x(self, num_dims=None, directed=None):
W = -0.5 * self.shortest_path(directed=directed) ** 2
kpca = KernelPCA(n_components=num_dims, kernel='precomputed')
return kpca.fit_transform(W)
| isomap | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, num_dims=None, directed=None):\n W = -0.5 * self.shortest_path(directed=directed) ** 2\n kpca = KernelPCA(n_components=num_dims, kernel='precomputed')\n return kpca.fit_transform(W)\n",
"role": "user"
},
{
"content": "isomap",
"role": "assistant"
}
] |
def x(self, num_dims=None, normed=True, val_thresh=1e-08):
L = self.laplacian(normed=normed)
return _null_space(L, num_dims, val_thresh, overwrite=True)
| laplacian_eigenmaps | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, num_dims=None, normed=True, val_thresh=1e-08):\n L = self.laplacian(normed=normed)\n return _null_space(L, num_dims, val_thresh, overwrite=True)\n",
"role": "user"
},
{
"content": "laplacian_eigenmaps",
"role": "assistant"
}
] |
def x(self, coordinates, num_dims=None):
X = np.atleast_2d(coordinates)
L = self.laplacian(normed=True)
u, s, _ = np.linalg.svd(X.T.dot(X))
Fplus = np.linalg.pinv(u * np.sqrt(s))
n, d = X.shape
if n >= d:
T = Fplus.dot(X.T.dot(L.dot(X))).dot(Fplus.T)
else:
T = Fplus.dot(X.T).dot(L.dot(X.dot(Fplus.T)))
L = 0.5 * (T + T.T)
return _null_space(L, num_vecs=num_dims, overwrite=True)
| locality_preserving_projections | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, coordinates, num_dims=None):\n X = np.atleast_2d(coordinates)\n L = self.laplacian(normed=True)\n u, s, _ = np.linalg.svd(X.T.dot(X))\n Fplus = np.linalg.pinv(u * np.sqrt(s))\n n, d = X.shape\n if n >= d:\n T = Fplus.dot(X.T.dot(L.dot(X))).dot(Fplus.T)\n else:\n T = Fplus.dot(X.T).dot(L.dot(X.dot(Fplus.T)))\n L = 0.5 * (T + T.T)\n return _null_space(L, num_vecs=num_dims, overwrite=True)\n",
"role": "user"
},
{
"content": "locality_preserving_projections",
"role": "assistant"
}
] |
def x(self, num_dims=None):
W = self.matrix()
M = W.T.dot(W) - W.T - W
if issparse(M):
M = M.toarray()
M.flat[::M.shape[0] + 1] += 1
return _null_space(M, num_vecs=num_dims, overwrite=True)
| locally_linear_embedding | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, num_dims=None):\n W = self.matrix()\n M = W.T.dot(W) - W.T - W\n if issparse(M):\n M = M.toarray()\n M.flat[::M.shape[0] + 1] += 1\n return _null_space(M, num_vecs=num_dims, overwrite=True)\n",
"role": "user"
},
{
"content": "locally_linear_embedding",
"role": "assistant"
}
] |
def x(self, X, num_dims=None, reweight=True):
if reweight:
W = self.barycenter_edge_weights(X).matrix()
else:
W = self.matrix()
M = W.T.dot(W) - W.T - W
if issparse(M):
M = M.toarray()
M.flat[::M.shape[0] + 1] += 1
vals, vecs = eig(X.T.dot(M).dot(X), X.T.dot(X), overwrite_a=True,
overwrite_b=True)
if num_dims is None:
return vecs
return vecs[:, :num_dims]
| neighborhood_preserving_embedding | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, X, num_dims=None, reweight=True):\n if reweight:\n W = self.barycenter_edge_weights(X).matrix()\n else:\n W = self.matrix()\n M = W.T.dot(W) - W.T - W\n if issparse(M):\n M = M.toarray()\n M.flat[::M.shape[0] + 1] += 1\n vals, vecs = eig(X.T.dot(M).dot(X), X.T.dot(X), overwrite_a=True,\n overwrite_b=True)\n if num_dims is None:\n return vecs\n return vecs[:, :num_dims]\n",
"role": "user"
},
{
"content": "neighborhood_preserving_embedding",
"role": "assistant"
}
] |
def x(self, coordinates, num_dims=None, beta=0.5):
X = np.atleast_2d(coordinates)
L = self.laplacian(normed=True)
kernel = X.dot(X.T)
kernel /= eigsh(kernel, k=1, which='LM', return_eigenvectors=False)
L /= eigsh(L, k=1, which='LM', return_eigenvectors=False)
W = (1 - beta) * (np.identity(kernel.shape[0]) - kernel) + beta * L
if num_dims is None:
vals, vecs = np.linalg.eigh(W)
else:
vals, vecs = eigh(W, eigvals=(0, num_dims - 1), overwrite_a=True)
return X.T.dot(vecs).dot(vecs.T).T
| laplacian_pca | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, coordinates, num_dims=None, beta=0.5):\n X = np.atleast_2d(coordinates)\n L = self.laplacian(normed=True)\n kernel = X.dot(X.T)\n kernel /= eigsh(kernel, k=1, which='LM', return_eigenvectors=False)\n L /= eigsh(L, k=1, which='LM', return_eigenvectors=False)\n W = (1 - beta) * (np.identity(kernel.shape[0]) - kernel) + beta * L\n if num_dims is None:\n vals, vecs = np.linalg.eigh(W)\n else:\n vals, vecs = eigh(W, eigvals=(0, num_dims - 1), overwrite_a=True)\n return X.T.dot(vecs).dot(vecs.T).T\n",
"role": "user"
},
{
"content": "laplacian_pca",
"role": "assistant"
}
] |
def x(self):
n = self.num_vertices()
t = np.linspace(0, 2 * np.pi, n + 1)[:n]
return np.column_stack((np.cos(t), np.sin(t)))
| layout_circle | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n n = self.num_vertices()\n t = np.linspace(0, 2 * np.pi, n + 1)[:n]\n return np.column_stack((np.cos(t), np.sin(t)))\n",
"role": "user"
},
{
"content": "layout_circle",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.