source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(data, value_column, outcome_column, bootstrap_samples=100, ax=None):
scores = bootstrap_auc(df=data, col=value_column, pred_col=
outcome_column, n_bootstrap=bootstrap_samples)
mean_bootstrap_auc = scores.mean()
print('{}, Bootstrap (samples = {}) AUC:{}, std={}'.format(value_column,
bootstrap_samples, mean_bootstrap_auc, scores.std()))
outcome = data[outcome_column].astype(int)
values = data[value_column]
fpr, tpr, thresholds = roc_curve(outcome, values)
if ax is None:
ax = plt.gca()
roc_plot = ax.plot(fpr, tpr, lw=1, label=value_column)
ax.set_xlim([-0.05, 1.05])
ax.set_ylim([-0.05, 1.05])
ax.set_xlabel('False Positive Rate')
ax.set_ylabel('True Positive Rate')
ax.legend(loc=2, borderaxespad=0.0)
ax.set_title('{} ROC Curve (n={})'.format(value_column, len(values)))
return mean_bootstrap_auc, roc_plot
|
roc_curve_plot
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, value_column, outcome_column, bootstrap_samples=100, ax=None):\n scores = bootstrap_auc(df=data, col=value_column, pred_col=\n outcome_column, n_bootstrap=bootstrap_samples)\n mean_bootstrap_auc = scores.mean()\n print('{}, Bootstrap (samples = {}) AUC:{}, std={}'.format(value_column,\n bootstrap_samples, mean_bootstrap_auc, scores.std()))\n outcome = data[outcome_column].astype(int)\n values = data[value_column]\n fpr, tpr, thresholds = roc_curve(outcome, values)\n if ax is None:\n ax = plt.gca()\n roc_plot = ax.plot(fpr, tpr, lw=1, label=value_column)\n ax.set_xlim([-0.05, 1.05])\n ax.set_ylim([-0.05, 1.05])\n ax.set_xlabel('False Positive Rate')\n ax.set_ylabel('True Positive Rate')\n ax.legend(loc=2, borderaxespad=0.0)\n ax.set_title('{} ROC Curve (n={})'.format(value_column, len(values)))\n return mean_bootstrap_auc, roc_plot\n",
"role": "user"
},
{
"content": "roc_curve_plot",
"role": "assistant"
}
] |
def x(cache_dir, cache_root_dir=None, *args, **kwargs):
cache_dir = cache_dir.format(*args, **kwargs)
if path.isabs(cache_dir):
if cache_root_dir is not None:
logger.warning(
'cache_dir ({}) is a full path; ignoring cache_root_dir'.
format(cache_dir))
return cache_dir
if cache_root_dir is not None:
return path.join(cache_root_dir, cache_dir)
else:
logger.warning(
'cache dir is not full path & cache_root_dir not given. Caching may not work as expected!'
)
return None
|
get_cache_dir
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cache_dir, cache_root_dir=None, *args, **kwargs):\n cache_dir = cache_dir.format(*args, **kwargs)\n if path.isabs(cache_dir):\n if cache_root_dir is not None:\n logger.warning(\n 'cache_dir ({}) is a full path; ignoring cache_root_dir'.\n format(cache_dir))\n return cache_dir\n if cache_root_dir is not None:\n return path.join(cache_root_dir, cache_dir)\n else:\n logger.warning(\n 'cache dir is not full path & cache_root_dir not given. Caching may not work as expected!'\n )\n return None\n",
"role": "user"
},
{
"content": "get_cache_dir",
"role": "assistant"
}
] |
def x(col_name, keep_paren_contents=True):
new_col_name = col_name
punctuation_to_text = {'<=': 'le', '>=': 'ge', '=<': 'le', '=>': 'ge',
'<': 'lt', '>': 'gt', '#': 'num'}
for punctuation, punctuation_text in punctuation_to_text.items():
new_col_name = new_col_name.replace(punctuation, punctuation_text)
if not keep_paren_contents:
new_col_name = re.sub('\\([^)]*\\)', '', new_col_name)
punct_pattern = '[\\W_]+'
punct_replacement = '_'
new_col_name = re.sub(punct_pattern, punct_replacement, new_col_name)
new_col_name = new_col_name.strip('_')
return new_col_name.lower()
|
strip_column_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(col_name, keep_paren_contents=True):\n new_col_name = col_name\n punctuation_to_text = {'<=': 'le', '>=': 'ge', '=<': 'le', '=>': 'ge',\n '<': 'lt', '>': 'gt', '#': 'num'}\n for punctuation, punctuation_text in punctuation_to_text.items():\n new_col_name = new_col_name.replace(punctuation, punctuation_text)\n if not keep_paren_contents:\n new_col_name = re.sub('\\\\([^)]*\\\\)', '', new_col_name)\n punct_pattern = '[\\\\W_]+'\n punct_replacement = '_'\n new_col_name = re.sub(punct_pattern, punct_replacement, new_col_name)\n new_col_name = new_col_name.strip('_')\n return new_col_name.lower()\n",
"role": "user"
},
{
"content": "strip_column_name",
"role": "assistant"
}
] |
def x(cols, keep_paren_contents=True):
new_cols = [_strip_column_name(col, keep_paren_contents=
keep_paren_contents) for col in cols]
if len(new_cols) != len(set(new_cols)):
warn_str = (
'Warning: strip_column_names (if run) would introduce duplicate names.'
)
warn_str += ' Reverting column names to the original.'
warnings.warn(warn_str, Warning)
print(
'Warning: strip_column_names would introduce duplicate names. Please fix & try again.'
)
return dict(zip(cols, cols))
return dict(zip(cols, new_cols))
|
strip_column_names
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cols, keep_paren_contents=True):\n new_cols = [_strip_column_name(col, keep_paren_contents=\n keep_paren_contents) for col in cols]\n if len(new_cols) != len(set(new_cols)):\n warn_str = (\n 'Warning: strip_column_names (if run) would introduce duplicate names.'\n )\n warn_str += ' Reverting column names to the original.'\n warnings.warn(warn_str, Warning)\n print(\n 'Warning: strip_column_names would introduce duplicate names. Please fix & try again.'\n )\n return dict(zip(cols, cols))\n return dict(zip(cols, new_cols))\n",
"role": "user"
},
{
"content": "strip_column_names",
"role": "assistant"
}
] |
def x(obj, additional_data):
for key, value in additional_data.items():
if hasattr(obj, key):
raise ValueError(
'Key %s in additional_data already exists in this object' % key
)
setattr(obj, _strip_column_name(key), value)
|
set_attributes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, additional_data):\n for key, value in additional_data.items():\n if hasattr(obj, key):\n raise ValueError(\n 'Key %s in additional_data already exists in this object' % key\n )\n setattr(obj, _strip_column_name(key), value)\n",
"role": "user"
},
{
"content": "set_attributes",
"role": "assistant"
}
] |
def x(cols, df, return_cols=False):
df_holder = DataFrameHolder(cols=cols, df=df)
return df_holder.return_self(return_cols=return_cols)
|
return_obj
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cols, df, return_cols=False):\n df_holder = DataFrameHolder(cols=cols, df=df)\n return df_holder.return_self(return_cols=return_cols)\n",
"role": "user"
},
{
"content": "return_obj",
"role": "assistant"
}
] |
def x(this_provenance, other_provenance, left_outer_diff=
'In current but not comparison', right_outer_diff=
'In comparison but not current'):
if not this_provenance or not other_provenance:
return 0
this_items = set(this_provenance.items())
other_items = set(other_provenance.items())
new_diff = this_items.difference(other_items)
old_diff = other_items.difference(this_items)
warn_str = ''
if len(new_diff) > 0:
warn_str += '%s: %s' % (left_outer_diff, _provenance_str(new_diff))
if len(old_diff) > 0:
warn_str += '%s: %s' % (right_outer_diff, _provenance_str(old_diff))
if len(warn_str) > 0:
warnings.warn(warn_str, Warning)
return len(new_diff) + len(old_diff)
|
compare_provenance
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(this_provenance, other_provenance, left_outer_diff=\n 'In current but not comparison', right_outer_diff=\n 'In comparison but not current'):\n if not this_provenance or not other_provenance:\n return 0\n this_items = set(this_provenance.items())\n other_items = set(other_provenance.items())\n new_diff = this_items.difference(other_items)\n old_diff = other_items.difference(this_items)\n warn_str = ''\n if len(new_diff) > 0:\n warn_str += '%s: %s' % (left_outer_diff, _provenance_str(new_diff))\n if len(old_diff) > 0:\n warn_str += '%s: %s' % (right_outer_diff, _provenance_str(old_diff))\n if len(warn_str) > 0:\n warnings.warn(warn_str, Warning)\n return len(new_diff) + len(old_diff)\n",
"role": "user"
},
{
"content": "compare_provenance",
"role": "assistant"
}
] |
def x(df, condition_col, survival_col, censor_col, threshold, title, xlabel,
ylabel, ax, with_condition_color, no_condition_color,
with_condition_label, no_condition_label, color_map, label_map,
color_palette, ci_show, print_as_title):
if colors.is_color_like(with_condition_color):
with_condition_color = colors.to_hex(with_condition_color)
if colors.is_color_like(no_condition_color):
no_condition_color = colors.to_hex(no_condition_color)
if threshold is not None:
is_median = threshold == 'median'
if is_median:
threshold = df[condition_col].median()
label_suffix = float_str(threshold)
condition = df[condition_col] > threshold
default_label_no_condition = '%s ≤ %s' % (condition_col, label_suffix)
if is_median:
label_suffix += ' (median)'
default_label_with_condition = '%s > %s' % (condition_col, label_suffix
)
with_condition_label = (with_condition_label or
default_label_with_condition)
no_condition_label = no_condition_label or default_label_no_condition
if not label_map:
label_map = {(False): no_condition_label, (True):
with_condition_label}
if not color_map:
color_map = {(False): no_condition_color, (True):
with_condition_color}
elif df[condition_col].dtype == 'O' or df[condition_col
].dtype.name == 'category':
condition = df[condition_col].astype('category')
if not label_map:
label_map = dict()
[label_map.update({condition_value: '{} = {}'.format(
condition_col, condition_value)}) for condition_value in
condition.unique()]
if not color_map:
rgb_values = sb.color_palette(color_palette, len(label_map.keys()))
hex_values = [colors.to_hex(col) for col in rgb_values]
color_map = dict(zip(label_map.keys(), hex_values))
elif df[condition_col].dtype == 'bool':
condition = df[condition_col]
default_label_with_condition = '= {}'.format(condition_col)
default_label_no_condition = '¬ {}'.format(condition_col)
with_condition_label = (with_condition_label or
default_label_with_condition)
no_condition_label = no_condition_label or default_label_no_condition
if not label_map:
label_map = {(False): no_condition_label, (True):
with_condition_label}
if not color_map:
color_map = {(False): no_condition_color, (True):
with_condition_color}
else:
raise ValueError(
"Don't know how to plot data of type {}"
.format(df[condition_col].dtype))
kmf = KaplanMeierFitter()
grp_desc = list()
grp_survival_data = dict()
grp_event_data = dict()
grp_names = list(condition.unique())
for grp_name, grp_df in df.groupby(condition):
grp_survival = grp_df[survival_col]
grp_event = grp_df[censor_col].astype(bool)
grp_label = label_map[grp_name]
grp_color = color_map[grp_name]
kmf.fit(grp_survival, grp_event, label=grp_label)
desc_str = '# {}: {}'.format(grp_label, len(grp_survival))
grp_desc.append(desc_str)
grp_survival_data[grp_name] = grp_survival
grp_event_data[grp_name] = grp_event
if ax:
ax = kmf.plot(ax=ax, show_censors=True, ci_show=ci_show, color=
grp_color)
else:
ax = kmf.plot(show_censors=True, ci_show=ci_show, color=grp_color)
ax.set_ylim(0, 1)
y_tick_vals = ax.get_yticks()
ax.set_yticklabels([('%d' % int(y_tick_val * 100)) for y_tick_val in
y_tick_vals])
if title:
ax.set_title(title)
elif print_as_title:
ax.set_title(' | '.join(grp_desc))
else:
[print(desc) for desc in grp_desc]
if xlabel:
ax.set_xlabel(xlabel)
if ylabel:
ax.set_ylabel(ylabel)
if len(grp_names) == 2:
results = logrank_test(grp_survival_data[grp_names[0]],
grp_survival_data[grp_names[1]], event_observed_A=
grp_event_data[grp_names[0]], event_observed_B=grp_event_data[
grp_names[1]])
elif len(grp_names) == 1:
results = NullSurvivalResults()
else:
cf = CoxPHFitter()
cox_df = patsy.dmatrix('+'.join([condition_col, survival_col,
censor_col]), df, return_type='dataframe')
del cox_df['Intercept']
results = cf.fit(cox_df, survival_col, event_col=censor_col)
results.print_summary()
results.survival_data_series = grp_survival_data
results.event_data_series = grp_event_data
results.desc = grp_desc
return results
|
plot_kmf_single
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(df, condition_col, survival_col, censor_col, threshold, title, xlabel,\n ylabel, ax, with_condition_color, no_condition_color,\n with_condition_label, no_condition_label, color_map, label_map,\n color_palette, ci_show, print_as_title):\n if colors.is_color_like(with_condition_color):\n with_condition_color = colors.to_hex(with_condition_color)\n if colors.is_color_like(no_condition_color):\n no_condition_color = colors.to_hex(no_condition_color)\n if threshold is not None:\n is_median = threshold == 'median'\n if is_median:\n threshold = df[condition_col].median()\n label_suffix = float_str(threshold)\n condition = df[condition_col] > threshold\n default_label_no_condition = '%s ≤ %s' % (condition_col, label_suffix)\n if is_median:\n label_suffix += ' (median)'\n default_label_with_condition = '%s > %s' % (condition_col, label_suffix\n )\n with_condition_label = (with_condition_label or\n default_label_with_condition)\n no_condition_label = no_condition_label or default_label_no_condition\n if not label_map:\n label_map = {(False): no_condition_label, (True):\n with_condition_label}\n if not color_map:\n color_map = {(False): no_condition_color, (True):\n with_condition_color}\n elif df[condition_col].dtype == 'O' or df[condition_col\n ].dtype.name == 'category':\n condition = df[condition_col].astype('category')\n if not label_map:\n label_map = dict()\n [label_map.update({condition_value: '{} = {}'.format(\n condition_col, condition_value)}) for condition_value in\n condition.unique()]\n if not color_map:\n rgb_values = sb.color_palette(color_palette, len(label_map.keys()))\n hex_values = [colors.to_hex(col) for col in rgb_values]\n color_map = dict(zip(label_map.keys(), hex_values))\n elif df[condition_col].dtype == 'bool':\n condition = df[condition_col]\n default_label_with_condition = '= {}'.format(condition_col)\n default_label_no_condition = '¬ {}'.format(condition_col)\n with_condition_label = (with_condition_label or\n default_label_with_condition)\n no_condition_label = no_condition_label or default_label_no_condition\n if not label_map:\n label_map = {(False): no_condition_label, (True):\n with_condition_label}\n if not color_map:\n color_map = {(False): no_condition_color, (True):\n with_condition_color}\n else:\n raise ValueError(\n \"Don't know how to plot data of type {}\"\n .format(df[condition_col].dtype))\n kmf = KaplanMeierFitter()\n grp_desc = list()\n grp_survival_data = dict()\n grp_event_data = dict()\n grp_names = list(condition.unique())\n for grp_name, grp_df in df.groupby(condition):\n grp_survival = grp_df[survival_col]\n grp_event = grp_df[censor_col].astype(bool)\n grp_label = label_map[grp_name]\n grp_color = color_map[grp_name]\n kmf.fit(grp_survival, grp_event, label=grp_label)\n desc_str = '# {}: {}'.format(grp_label, len(grp_survival))\n grp_desc.append(desc_str)\n grp_survival_data[grp_name] = grp_survival\n grp_event_data[grp_name] = grp_event\n if ax:\n ax = kmf.plot(ax=ax, show_censors=True, ci_show=ci_show, color=\n grp_color)\n else:\n ax = kmf.plot(show_censors=True, ci_show=ci_show, color=grp_color)\n ax.set_ylim(0, 1)\n y_tick_vals = ax.get_yticks()\n ax.set_yticklabels([('%d' % int(y_tick_val * 100)) for y_tick_val in\n y_tick_vals])\n if title:\n ax.set_title(title)\n elif print_as_title:\n ax.set_title(' | '.join(grp_desc))\n else:\n [print(desc) for desc in grp_desc]\n if xlabel:\n ax.set_xlabel(xlabel)\n if ylabel:\n ax.set_ylabel(ylabel)\n if len(grp_names) == 2:\n results = logrank_test(grp_survival_data[grp_names[0]],\n grp_survival_data[grp_names[1]], event_observed_A=\n grp_event_data[grp_names[0]], event_observed_B=grp_event_data[\n grp_names[1]])\n elif len(grp_names) == 1:\n results = NullSurvivalResults()\n else:\n cf = CoxPHFitter()\n cox_df = patsy.dmatrix('+'.join([condition_col, survival_col,\n censor_col]), df, return_type='dataframe')\n del cox_df['Intercept']\n results = cf.fit(cox_df, survival_col, event_col=censor_col)\n results.print_summary()\n results.survival_data_series = grp_survival_data\n results.event_data_series = grp_event_data\n results.desc = grp_desc\n return results\n",
"role": "user"
},
{
"content": "plot_kmf_single",
"role": "assistant"
}
] |
def x(df, condition_col, censor_col, survival_col, strata_col=None,
threshold=None, title=None, xlabel=None, ylabel=None, ax=None,
with_condition_color='#B38600', no_condition_color='#A941AC',
with_condition_label=None, no_condition_label=None, color_map=None,
label_map=None, color_palette='Set1', ci_show=False, print_as_title=False):
if threshold is None:
if df[condition_col].dtype != 'bool' and np.issubdtype(df[
condition_col].dtype, np.number):
threshold = 'median'
elif isinstance(threshold, numbers.Number):
logger.debug('threshold value is numeric')
elif threshold not in ('median', 'median-per-strata'):
raise ValueError(
"invalid input for threshold. Must be numeric, None, 'median', or 'median-per-strata'."
)
elif threshold == 'median-per-strata' and strata_col is None:
raise ValueError(
"threshold given was 'median-per-strata' and yet `strata_col` was None. Did you mean 'median'?"
)
arglist = dict(condition_col=condition_col, survival_col=survival_col,
censor_col=censor_col, threshold=threshold, with_condition_color=
with_condition_color, no_condition_color=no_condition_color,
with_condition_label=with_condition_label, no_condition_label=
no_condition_label, color_map=color_map, label_map=label_map,
xlabel=xlabel, ylabel=ylabel, ci_show=ci_show, color_palette=
color_palette, print_as_title=print_as_title)
if strata_col is None:
arglist.update(dict(df=df, title=title, ax=ax))
return _plot_kmf_single(**arglist)
else:
if threshold == 'median':
arglist['threshold'] = df[condition_col].dropna().median()
elif threshold == 'median-per-strata':
arglist['threshold'] = 'median'
if ax is not None:
raise ValueError('ax not supported with stratified analysis.')
n_strata = len(df[strata_col].unique())
f, ax = plt.subplots(n_strata, sharex=True)
results = dict()
for i, (strat_name, strat_df) in enumerate(df.groupby(strata_col)):
if n_strata == 1:
arglist['ax'] = ax
else:
arglist['ax'] = ax[i]
subtitle = '{}: {}'.format(strata_col, strat_name)
arglist['title'] = subtitle
arglist['df'] = strat_df
results[subtitle] = plot_kmf(**arglist)
[print(desc) for desc in results[subtitle].desc]
if title:
f.suptitle(title)
return results
|
plot_kmf
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(df, condition_col, censor_col, survival_col, strata_col=None,\n threshold=None, title=None, xlabel=None, ylabel=None, ax=None,\n with_condition_color='#B38600', no_condition_color='#A941AC',\n with_condition_label=None, no_condition_label=None, color_map=None,\n label_map=None, color_palette='Set1', ci_show=False, print_as_title=False):\n if threshold is None:\n if df[condition_col].dtype != 'bool' and np.issubdtype(df[\n condition_col].dtype, np.number):\n threshold = 'median'\n elif isinstance(threshold, numbers.Number):\n logger.debug('threshold value is numeric')\n elif threshold not in ('median', 'median-per-strata'):\n raise ValueError(\n \"invalid input for threshold. Must be numeric, None, 'median', or 'median-per-strata'.\"\n )\n elif threshold == 'median-per-strata' and strata_col is None:\n raise ValueError(\n \"threshold given was 'median-per-strata' and yet `strata_col` was None. Did you mean 'median'?\"\n )\n arglist = dict(condition_col=condition_col, survival_col=survival_col,\n censor_col=censor_col, threshold=threshold, with_condition_color=\n with_condition_color, no_condition_color=no_condition_color,\n with_condition_label=with_condition_label, no_condition_label=\n no_condition_label, color_map=color_map, label_map=label_map,\n xlabel=xlabel, ylabel=ylabel, ci_show=ci_show, color_palette=\n color_palette, print_as_title=print_as_title)\n if strata_col is None:\n arglist.update(dict(df=df, title=title, ax=ax))\n return _plot_kmf_single(**arglist)\n else:\n if threshold == 'median':\n arglist['threshold'] = df[condition_col].dropna().median()\n elif threshold == 'median-per-strata':\n arglist['threshold'] = 'median'\n if ax is not None:\n raise ValueError('ax not supported with stratified analysis.')\n n_strata = len(df[strata_col].unique())\n f, ax = plt.subplots(n_strata, sharex=True)\n results = dict()\n for i, (strat_name, strat_df) in enumerate(df.groupby(strata_col)):\n if n_strata == 1:\n arglist['ax'] = ax\n else:\n arglist['ax'] = ax[i]\n subtitle = '{}: {}'.format(strata_col, strat_name)\n arglist['title'] = subtitle\n arglist['df'] = strat_df\n results[subtitle] = plot_kmf(**arglist)\n [print(desc) for desc in results[subtitle].desc]\n if title:\n f.suptitle(title)\n return results\n",
"role": "user"
},
{
"content": "plot_kmf",
"role": "assistant"
}
] |
def x(self, formatted_text):
assert self._is_compatible(formatted_text
), 'Cannot concat text with different modes'
self.text += formatted_text.text
return self
|
concat
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, formatted_text):\n assert self._is_compatible(formatted_text\n ), 'Cannot concat text with different modes'\n self.text += formatted_text.text\n return self\n",
"role": "user"
},
{
"content": "concat",
"role": "assistant"
}
] |
def x(self, formatted_texts):
formatted_texts = list(formatted_texts)
for formatted_text in formatted_texts:
assert self._is_compatible(formatted_text
), 'Cannot join text with different modes'
self.text = self.text.join(formatted_text.text for formatted_text in
formatted_texts)
return self
|
join
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, formatted_texts):\n formatted_texts = list(formatted_texts)\n for formatted_text in formatted_texts:\n assert self._is_compatible(formatted_text\n ), 'Cannot join text with different modes'\n self.text = self.text.join(formatted_text.text for formatted_text in\n formatted_texts)\n return self\n",
"role": "user"
},
{
"content": "join",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
for arg in args:
assert self.formatted_text._is_compatible(arg
), 'Cannot concat text with different modes'
self.format_args.append(arg.text)
for kwarg in kwargs:
value = kwargs[kwarg]
assert self.formatted_text._is_compatible(value
), 'Cannot concat text with different modes'
self.format_kwargs[kwarg] = value.text
return self
|
concat
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n for arg in args:\n assert self.formatted_text._is_compatible(arg\n ), 'Cannot concat text with different modes'\n self.format_args.append(arg.text)\n for kwarg in kwargs:\n value = kwargs[kwarg]\n assert self.formatted_text._is_compatible(value\n ), 'Cannot concat text with different modes'\n self.format_kwargs[kwarg] = value.text\n return self\n",
"role": "user"
},
{
"content": "concat",
"role": "assistant"
}
] |
def x(size, cache_dir, data_dir=None, min_random_variants=None,
max_random_variants=None, seed_val=1234):
seed(seed_val)
d = {}
d['id'] = [str(id) for id in range(size)]
d['age'] = choice([10, 15, 28, 32, 59, 62, 64, 66, 68], size)
d['smoker'] = choice([False, True], size)
d['OS'] = [randint(10, 1000) for i in range(size)]
d['PFS'] = [int(os * 0.6) for os in d['OS']]
d['benefit'] = [(pfs < 50) for pfs in d['PFS']]
d['random'] = [randint(100) for i in range(size)]
d['random_boolean'] = choice([False, True], size)
d['benefit_correlate'] = [(randint(50) if benefit else randint(20)) for
benefit in d['benefit']]
d['benefit_correlate_boolean'] = [(True if corr > 10 else False) for
corr in d['benefit_correlate']]
d['deceased'] = choice([False, True], size)
d['progressed_or_deceased'] = [(deceased or choice([False, True])) for
deceased in d['deceased']]
df = pd.DataFrame(d)
patients = []
for i, row in df.iterrows():
snv_vcf_paths = None
if max_random_variants is not None and min_random_variants is not None:
if data_dir is None:
raise ValueError(
'data_dir must be provided if random variants are being generated.'
)
vcf_path = path.join(data_dir, 'patient_%s_mutect.vcf' % row['id'])
generate_simple_vcf(vcf_path, generate_random_missense_variants
(num_variants=randint(min_random_variants,
max_random_variants)))
snv_vcf_paths = [vcf_path]
patient = Patient(id=row['id'], os=row['OS'], pfs=row['PFS'],
benefit=row['benefit'], deceased=row['deceased'],
progressed_or_deceased=row['progressed_or_deceased'],
hla_alleles=['HLA-A02:01'], variants={'snv': snv_vcf_paths},
additional_data=row)
patients.append(patient)
return Cohort(patients=patients, cache_dir=cache_dir, mhc_class=
RandomBindingPredictor)
|
random_cohort
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(size, cache_dir, data_dir=None, min_random_variants=None,\n max_random_variants=None, seed_val=1234):\n seed(seed_val)\n d = {}\n d['id'] = [str(id) for id in range(size)]\n d['age'] = choice([10, 15, 28, 32, 59, 62, 64, 66, 68], size)\n d['smoker'] = choice([False, True], size)\n d['OS'] = [randint(10, 1000) for i in range(size)]\n d['PFS'] = [int(os * 0.6) for os in d['OS']]\n d['benefit'] = [(pfs < 50) for pfs in d['PFS']]\n d['random'] = [randint(100) for i in range(size)]\n d['random_boolean'] = choice([False, True], size)\n d['benefit_correlate'] = [(randint(50) if benefit else randint(20)) for\n benefit in d['benefit']]\n d['benefit_correlate_boolean'] = [(True if corr > 10 else False) for\n corr in d['benefit_correlate']]\n d['deceased'] = choice([False, True], size)\n d['progressed_or_deceased'] = [(deceased or choice([False, True])) for\n deceased in d['deceased']]\n df = pd.DataFrame(d)\n patients = []\n for i, row in df.iterrows():\n snv_vcf_paths = None\n if max_random_variants is not None and min_random_variants is not None:\n if data_dir is None:\n raise ValueError(\n 'data_dir must be provided if random variants are being generated.'\n )\n vcf_path = path.join(data_dir, 'patient_%s_mutect.vcf' % row['id'])\n generate_simple_vcf(vcf_path, generate_random_missense_variants\n (num_variants=randint(min_random_variants,\n max_random_variants)))\n snv_vcf_paths = [vcf_path]\n patient = Patient(id=row['id'], os=row['OS'], pfs=row['PFS'],\n benefit=row['benefit'], deceased=row['deceased'],\n progressed_or_deceased=row['progressed_or_deceased'],\n hla_alleles=['HLA-A02:01'], variants={'snv': snv_vcf_paths},\n additional_data=row)\n patients.append(patient)\n return Cohort(patients=patients, cache_dir=cache_dir, mhc_class=\n RandomBindingPredictor)\n",
"role": "user"
},
{
"content": "random_cohort",
"role": "assistant"
}
] |
def x(num_variants=10, max_search=100000, reference='GRCh37'):
variants = []
for i in range(max_search):
bases = ['A', 'C', 'T', 'G']
random_ref = choice(bases)
bases.remove(random_ref)
random_alt = choice(bases)
random_contig = choice(['1', '2', '3', '4', '5'])
random_variant = Variant(contig=random_contig, start=randint(1,
1000000), ref=random_ref, alt=random_alt, ensembl=reference)
try:
effects = random_variant.effects()
for effect in effects:
if isinstance(effect, Substitution):
variants.append(random_variant)
break
except:
continue
if len(variants) == num_variants:
break
return VariantCollection(variants)
|
generate_random_missense_variants
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(num_variants=10, max_search=100000, reference='GRCh37'):\n variants = []\n for i in range(max_search):\n bases = ['A', 'C', 'T', 'G']\n random_ref = choice(bases)\n bases.remove(random_ref)\n random_alt = choice(bases)\n random_contig = choice(['1', '2', '3', '4', '5'])\n random_variant = Variant(contig=random_contig, start=randint(1, \n 1000000), ref=random_ref, alt=random_alt, ensembl=reference)\n try:\n effects = random_variant.effects()\n for effect in effects:\n if isinstance(effect, Substitution):\n variants.append(random_variant)\n break\n except:\n continue\n if len(variants) == num_variants:\n break\n return VariantCollection(variants)\n",
"role": "user"
},
{
"content": "generate_random_missense_variants",
"role": "assistant"
}
] |
def x(filename, variant_collection):
contigs = []
positions = []
refs = []
alts = []
for variant in variant_collection:
contigs.append('chr' + variant.contig)
positions.append(variant.start)
refs.append(variant.ref)
alts.append(variant.alt)
df = pd.DataFrame()
df['contig'] = contigs
df['position'] = positions
df['id'] = ['.'] * len(variant_collection)
df['ref'] = refs
df['alt'] = alts
df['qual'] = ['.'] * len(variant_collection)
df['filter'] = ['.'] * len(variant_collection)
df['info'] = ['.'] * len(variant_collection)
df['format'] = ['GT:AD:DP'] * len(variant_collection)
normal_ref_depths = [randint(1, 10) for v in variant_collection]
normal_alt_depths = [randint(1, 10) for v in variant_collection]
df['n1'] = [('0:%d,%d:%d' % (normal_ref_depths[i], normal_alt_depths[i],
normal_ref_depths[i] + normal_alt_depths[i])) for i in range(len(
variant_collection))]
tumor_ref_depths = [randint(1, 10) for v in variant_collection]
tumor_alt_depths = [randint(1, 10) for v in variant_collection]
df['t1'] = [('0/1:%d,%d:%d' % (tumor_ref_depths[i], tumor_alt_depths[i],
tumor_ref_depths[i] + tumor_alt_depths[i])) for i in range(len(
variant_collection))]
with open(filename, 'w') as f:
f.write('##fileformat=VCFv4.1\n')
f.write(
'##reference=file:///projects/ngs/resources/gatk/2.3/ucsc.hg19.fasta\n'
)
with open(filename, 'a') as f:
df.to_csv(f, sep='\t', index=None, header=None)
|
generate_simple_vcf
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, variant_collection):\n contigs = []\n positions = []\n refs = []\n alts = []\n for variant in variant_collection:\n contigs.append('chr' + variant.contig)\n positions.append(variant.start)\n refs.append(variant.ref)\n alts.append(variant.alt)\n df = pd.DataFrame()\n df['contig'] = contigs\n df['position'] = positions\n df['id'] = ['.'] * len(variant_collection)\n df['ref'] = refs\n df['alt'] = alts\n df['qual'] = ['.'] * len(variant_collection)\n df['filter'] = ['.'] * len(variant_collection)\n df['info'] = ['.'] * len(variant_collection)\n df['format'] = ['GT:AD:DP'] * len(variant_collection)\n normal_ref_depths = [randint(1, 10) for v in variant_collection]\n normal_alt_depths = [randint(1, 10) for v in variant_collection]\n df['n1'] = [('0:%d,%d:%d' % (normal_ref_depths[i], normal_alt_depths[i],\n normal_ref_depths[i] + normal_alt_depths[i])) for i in range(len(\n variant_collection))]\n tumor_ref_depths = [randint(1, 10) for v in variant_collection]\n tumor_alt_depths = [randint(1, 10) for v in variant_collection]\n df['t1'] = [('0/1:%d,%d:%d' % (tumor_ref_depths[i], tumor_alt_depths[i],\n tumor_ref_depths[i] + tumor_alt_depths[i])) for i in range(len(\n variant_collection))]\n with open(filename, 'w') as f:\n f.write('##fileformat=VCFv4.1\\n')\n f.write(\n '##reference=file:///projects/ngs/resources/gatk/2.3/ucsc.hg19.fasta\\n'\n )\n with open(filename, 'a') as f:\n df.to_csv(f, sep='\\t', index=None, header=None)\n",
"role": "user"
},
{
"content": "generate_simple_vcf",
"role": "assistant"
}
] |
def x(self, path):
try:
folder_contents = []
for f in os.listdir(path):
attr = paramiko.SFTPAttributes.from_stat(os.stat(os.path.join(
path, f)))
attr.filename = f
folder_contents.append(attr)
return folder_contents
except OSError as e:
return SFTPServer.convert_errno(e.errno)
|
list_folder
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path):\n try:\n folder_contents = []\n for f in os.listdir(path):\n attr = paramiko.SFTPAttributes.from_stat(os.stat(os.path.join(\n path, f)))\n attr.filename = f\n folder_contents.append(attr)\n return folder_contents\n except OSError as e:\n return SFTPServer.convert_errno(e.errno)\n",
"role": "user"
},
{
"content": "list_folder",
"role": "assistant"
}
] |
def x(variant_collection, patient, filter_fn, **kwargs):
if filter_fn:
return variant_collection.clone_with_new_elements([variant for
variant in variant_collection if filter_fn(FilterableVariant(
variant=variant, variant_collection=variant_collection, patient
=patient), **kwargs)])
else:
return variant_collection
|
filter_variants
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(variant_collection, patient, filter_fn, **kwargs):\n if filter_fn:\n return variant_collection.clone_with_new_elements([variant for\n variant in variant_collection if filter_fn(FilterableVariant(\n variant=variant, variant_collection=variant_collection, patient\n =patient), **kwargs)])\n else:\n return variant_collection\n",
"role": "user"
},
{
"content": "filter_variants",
"role": "assistant"
}
] |
def x(effect_collection, variant_collection, patient, filter_fn,
all_effects, **kwargs):
def x(effect_collection):
if all_effects:
return effect_collection
return EffectCollection(list(effect_collection.
top_priority_effect_per_variant().values()))
def x(filter_fn, effect):
applied = filter_fn(FilterableEffect(effect=effect,
variant_collection=variant_collection, patient=patient), **kwargs)
if hasattr(effect, 'alternate_effect'):
applied_alternate = filter_fn(FilterableEffect(effect=effect.
alternate_effect, variant_collection=variant_collection,
patient=patient), **kwargs)
return applied or applied_alternate
return applied
if filter_fn:
return top_priority_maybe(EffectCollection([effect for effect in
effect_collection if apply_filter_fn(filter_fn, effect)]))
else:
return top_priority_maybe(effect_collection)
|
filter_effects
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(effect_collection, variant_collection, patient, filter_fn,\n all_effects, **kwargs):\n\n def x(effect_collection):\n if all_effects:\n return effect_collection\n return EffectCollection(list(effect_collection.\n top_priority_effect_per_variant().values()))\n\n def x(filter_fn, effect):\n applied = filter_fn(FilterableEffect(effect=effect,\n variant_collection=variant_collection, patient=patient), **kwargs)\n if hasattr(effect, 'alternate_effect'):\n applied_alternate = filter_fn(FilterableEffect(effect=effect.\n alternate_effect, variant_collection=variant_collection,\n patient=patient), **kwargs)\n return applied or applied_alternate\n return applied\n if filter_fn:\n return top_priority_maybe(EffectCollection([effect for effect in\n effect_collection if apply_filter_fn(filter_fn, effect)]))\n else:\n return top_priority_maybe(effect_collection)\n",
"role": "user"
},
{
"content": "filter_effects",
"role": "assistant"
}
] |
def x(filename):
f = open(filename)
lines = 0
buf_size = 1024 * 1024
read_f = f.read
buf = read_f(buf_size)
while buf:
lines += buf.count('\n')
buf = read_f(buf_size)
return lines
|
count_lines_in
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n f = open(filename)\n lines = 0\n buf_size = 1024 * 1024\n read_f = f.read\n buf = read_f(buf_size)\n while buf:\n lines += buf.count('\\n')\n buf = read_f(buf_size)\n return lines\n",
"role": "user"
},
{
"content": "count_lines_in",
"role": "assistant"
}
] |
def x(path):
try:
return CACHED_VIEWS[path]
except KeyError:
view = resolve(path)
module = path
name = ''
if hasattr(view.func, '__module__'):
module = resolve(path).func.__module__
if hasattr(view.func, '__name__'):
name = resolve(path).func.__name__
view = '%s.%s' % (module, name)
CACHED_VIEWS[path] = view
return view
|
view_name_from
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n try:\n return CACHED_VIEWS[path]\n except KeyError:\n view = resolve(path)\n module = path\n name = ''\n if hasattr(view.func, '__module__'):\n module = resolve(path).func.__module__\n if hasattr(view.func, '__name__'):\n name = resolve(path).func.__name__\n view = '%s.%s' % (module, name)\n CACHED_VIEWS[path] = view\n return view\n",
"role": "user"
},
{
"content": "view_name_from",
"role": "assistant"
}
] |
def x(data):
table = Texttable(max_width=120)
table.add_row(['view', 'method', 'status', 'count', 'minimum',
'maximum', 'mean', 'stdev', 'queries', 'querytime'])
table.set_cols_align(['l', 'l', 'l', 'r', 'r', 'r', 'r', 'r', 'r', 'r'])
for item in sorted(data):
mean = round(sum(data[item]['times']) / data[item]['count'], 3)
mean_sql = round(sum(data[item]['sql']) / data[item]['count'], 3)
mean_sqltime = round(sum(data[item]['sqltime']) / data[item][
'count'], 3)
sdsq = sum([((i - mean) ** 2) for i in data[item]['times']])
try:
stdev = '%.2f' % (sdsq / (len(data[item]['times']) - 1)) ** 0.5
except ZeroDivisionError:
stdev = '0.00'
minimum = '%.2f' % min(data[item]['times'])
maximum = '%.2f' % max(data[item]['times'])
table.add_row([data[item]['view'], data[item]['method'], data[item]
['status'], data[item]['count'], minimum, maximum, '%.3f' %
mean, stdev, mean_sql, mean_sqltime])
return table.draw()
|
generate_table_from
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data):\n table = Texttable(max_width=120)\n table.add_row(['view', 'method', 'status', 'count', 'minimum',\n 'maximum', 'mean', 'stdev', 'queries', 'querytime'])\n table.set_cols_align(['l', 'l', 'l', 'r', 'r', 'r', 'r', 'r', 'r', 'r'])\n for item in sorted(data):\n mean = round(sum(data[item]['times']) / data[item]['count'], 3)\n mean_sql = round(sum(data[item]['sql']) / data[item]['count'], 3)\n mean_sqltime = round(sum(data[item]['sqltime']) / data[item][\n 'count'], 3)\n sdsq = sum([((i - mean) ** 2) for i in data[item]['times']])\n try:\n stdev = '%.2f' % (sdsq / (len(data[item]['times']) - 1)) ** 0.5\n except ZeroDivisionError:\n stdev = '0.00'\n minimum = '%.2f' % min(data[item]['times'])\n maximum = '%.2f' % max(data[item]['times'])\n table.add_row([data[item]['view'], data[item]['method'], data[item]\n ['status'], data[item]['count'], minimum, maximum, '%.3f' %\n mean, stdev, mean_sql, mean_sqltime])\n return table.draw()\n",
"role": "user"
},
{
"content": "generate_table_from",
"role": "assistant"
}
] |
def x(logfile, pattern, reverse_paths=True, progress=True):
if progress:
lines = count_lines_in(logfile)
pbar = ProgressBar(widgets=[Percentage(), Bar()], maxval=lines + 1
).start()
counter = 0
data = {}
compiled_pattern = compile(pattern)
for line in fileinput.input([logfile]):
if progress:
counter = counter + 1
parsed = compiled_pattern.findall(line)[0]
date = parsed[0]
method = parsed[1]
path = parsed[2]
status = parsed[3]
time = parsed[4]
sql = parsed[5]
sqltime = parsed[6]
try:
ignore = False
for ignored_path in IGNORE_PATHS:
compiled_path = compile(ignored_path)
if compiled_path.match(path):
ignore = True
if not ignore:
if reverse_paths:
view = view_name_from(path)
else:
view = path
key = '%s-%s-%s' % (view, status, method)
try:
data[key]['count'] = data[key]['count'] + 1
data[key]['times'].append(float(time))
data[key]['sql'].append(int(sql))
data[key]['sqltime'].append(float(sqltime))
except KeyError:
data[key] = {'count': 1, 'status': status, 'view': view,
'method': method, 'times': [float(time)], 'sql': [
int(sql)], 'sqltime': [float(sqltime)]}
except Resolver404:
pass
if progress:
pbar.update(counter)
if progress:
pbar.finish()
return data
|
analyze_log_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(logfile, pattern, reverse_paths=True, progress=True):\n if progress:\n lines = count_lines_in(logfile)\n pbar = ProgressBar(widgets=[Percentage(), Bar()], maxval=lines + 1\n ).start()\n counter = 0\n data = {}\n compiled_pattern = compile(pattern)\n for line in fileinput.input([logfile]):\n if progress:\n counter = counter + 1\n parsed = compiled_pattern.findall(line)[0]\n date = parsed[0]\n method = parsed[1]\n path = parsed[2]\n status = parsed[3]\n time = parsed[4]\n sql = parsed[5]\n sqltime = parsed[6]\n try:\n ignore = False\n for ignored_path in IGNORE_PATHS:\n compiled_path = compile(ignored_path)\n if compiled_path.match(path):\n ignore = True\n if not ignore:\n if reverse_paths:\n view = view_name_from(path)\n else:\n view = path\n key = '%s-%s-%s' % (view, status, method)\n try:\n data[key]['count'] = data[key]['count'] + 1\n data[key]['times'].append(float(time))\n data[key]['sql'].append(int(sql))\n data[key]['sqltime'].append(float(sqltime))\n except KeyError:\n data[key] = {'count': 1, 'status': status, 'view': view,\n 'method': method, 'times': [float(time)], 'sql': [\n int(sql)], 'sqltime': [float(sqltime)]}\n except Resolver404:\n pass\n if progress:\n pbar.update(counter)\n if progress:\n pbar.finish()\n return data\n",
"role": "user"
},
{
"content": "analyze_log_file",
"role": "assistant"
}
] |
def x(self, limit=None):
header = self.short_string()
if len(self) == 0:
return header
contents = ''
element_lines = [(' -- %s' % (element,)) for element in self.elements[
:limit]]
contents = '\n'.join(element_lines)
if limit is not None and len(self.elements) > limit:
contents += '\n ... and %d more' % (len(self) - limit)
return '%s\n%s' % (header, contents)
|
to_string
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, limit=None):\n header = self.short_string()\n if len(self) == 0:\n return header\n contents = ''\n element_lines = [(' -- %s' % (element,)) for element in self.elements[\n :limit]]\n contents = '\\n'.join(element_lines)\n if limit is not None and len(self.elements) > limit:\n contents += '\\n ... and %d more' % (len(self) - limit)\n return '%s\\n%s' % (header, contents)\n",
"role": "user"
},
{
"content": "to_string",
"role": "assistant"
}
] |
def x(cls, state):
if cls.instance is None:
cls.instance = UserStorageHandler(state)
return cls.instance
|
get_instance
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, state):\n if cls.instance is None:\n cls.instance = UserStorageHandler(state)\n return cls.instance\n",
"role": "user"
},
{
"content": "get_instance",
"role": "assistant"
}
] |
def x():
active_threads = threading.enumerate()
return FormattedText().join([FormattedText().newline().normal(
' - {name}').start_format().bold(name=thread.name).end_format() for
thread in active_threads])
|
get_active_threads_names
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n active_threads = threading.enumerate()\n return FormattedText().join([FormattedText().newline().normal(\n ' - {name}').start_format().bold(name=thread.name).end_format() for\n thread in active_threads])\n",
"role": "user"
},
{
"content": "get_active_threads_names",
"role": "assistant"
}
] |
def x(running_workers: list):
return FormattedText().join([FormattedText().newline().normal(
' - {name}').start_format().bold(name=worker.name).end_format() for
worker in running_workers])
|
get_running_workers_names
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(running_workers: list):\n return FormattedText().join([FormattedText().newline().normal(\n ' - {name}').start_format().bold(name=worker.name).end_format() for\n worker in running_workers])\n",
"role": "user"
},
{
"content": "get_running_workers_names",
"role": "assistant"
}
] |
def x(worker_pools: list):
return FormattedText().join([FormattedText().newline().normal(
' - {name}').start_format().bold(name=worker.name).end_format() for
worker in worker_pools])
|
get_worker_pools_names
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(worker_pools: list):\n return FormattedText().join([FormattedText().newline().normal(\n ' - {name}').start_format().bold(name=worker.name).end_format() for\n worker in worker_pools])\n",
"role": "user"
},
{
"content": "get_worker_pools_names",
"role": "assistant"
}
] |
def x(self, member_info: bool=False):
user = self.api_object
self.__format_user(user)
if member_info and self.chat.type != CHAT_TYPE_PRIVATE:
self._add_empty()
self.__format_member(user)
|
format
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, member_info: bool=False):\n user = self.api_object\n self.__format_user(user)\n if member_info and self.chat.type != CHAT_TYPE_PRIVATE:\n self._add_empty()\n self.__format_member(user)\n",
"role": "user"
},
{
"content": "format",
"role": "assistant"
}
] |
def x(self, error: Exception, *info: str):
self.__do_safe(lambda : self.logger.error(error, *info))
|
safe_log_error
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, error: Exception, *info: str):\n self.__do_safe(lambda : self.logger.error(error, *info))\n",
"role": "user"
},
{
"content": "safe_log_error",
"role": "assistant"
}
] |
def x(self, *info: str):
self.__do_safe(lambda : self.logger.info(*info))
|
safe_log_info
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *info: str):\n self.__do_safe(lambda : self.logger.info(*info))\n",
"role": "user"
},
{
"content": "safe_log_info",
"role": "assistant"
}
] |
def x(sequence):
R = n_runs = sum(1 for s in groupby(sequence, lambda a: a))
n = float(sum(1 for s in sequence if s == sequence[0]))
m = float(sum(1 for s in sequence if s != sequence[0]))
ER = 2 * n * m / (n + m) + 1
VR = 2 * n * m * (2 * n * m - n - m) / ((n + m) ** 2 * (n + m - 1))
O = (ER - 1) * (ER - 2) / (n + m - 1.0)
assert VR - O < 0.001, (VR, O)
SD = math.sqrt(VR)
Z = (R - ER) / SD
return {'z': Z, 'mean': ER, 'sd': SD, 'p': zprob(Z), 'n_runs': R}
|
wald_wolfowitz
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sequence):\n R = n_runs = sum(1 for s in groupby(sequence, lambda a: a))\n n = float(sum(1 for s in sequence if s == sequence[0]))\n m = float(sum(1 for s in sequence if s != sequence[0]))\n ER = 2 * n * m / (n + m) + 1\n VR = 2 * n * m * (2 * n * m - n - m) / ((n + m) ** 2 * (n + m - 1))\n O = (ER - 1) * (ER - 2) / (n + m - 1.0)\n assert VR - O < 0.001, (VR, O)\n SD = math.sqrt(VR)\n Z = (R - ER) / SD\n return {'z': Z, 'mean': ER, 'sd': SD, 'p': zprob(Z), 'n_runs': R}\n",
"role": "user"
},
{
"content": "wald_wolfowitz",
"role": "assistant"
}
] |
def x(sequence):
if isinstance(sequence, basestring):
sequence = map(int, sequence)
seq = np.array(list(sequence), dtype=np.float)
dseq = np.column_stack((seq[1:], seq[:-1]))
slope, intercept, r, ttp, see = linregress(seq[1:], seq[:-1])
cc = np.corrcoef(dseq, rowvar=0)[0][1]
return {'slope': slope, 'intercept': intercept, 'r-squared': r ** 2,
'p': ttp, 'see': see, 'auto_correlation': cc}
|
auto_correlation
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sequence):\n if isinstance(sequence, basestring):\n sequence = map(int, sequence)\n seq = np.array(list(sequence), dtype=np.float)\n dseq = np.column_stack((seq[1:], seq[:-1]))\n slope, intercept, r, ttp, see = linregress(seq[1:], seq[:-1])\n cc = np.corrcoef(dseq, rowvar=0)[0][1]\n return {'slope': slope, 'intercept': intercept, 'r-squared': r ** 2,\n 'p': ttp, 'see': see, 'auto_correlation': cc}\n",
"role": "user"
},
{
"content": "auto_correlation",
"role": "assistant"
}
] |
def x(response):
values = response.headers.getRawHeaders(b'link', [b''])
value = b','.join(values).decode('ascii')
with LOG_HTTP_PARSE_LINKS(raw_link=value) as action:
links = {}
replace_chars = u' \'"'
for val in re.split(u', *<', value):
try:
url, params = val.split(u';', 1)
except ValueError:
url, params = val, u''
link = {}
link[u'url'] = url.strip(u'<> \'"')
for param in params.split(u';'):
try:
key, value = param.split(u'=')
except ValueError:
break
link[key.strip(replace_chars)] = value.strip(replace_chars)
links[link.get(u'rel') or link.get(u'url')] = link
action.add_success_fields(parsed_links=links)
return links
|
parse_header_links
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(response):\n values = response.headers.getRawHeaders(b'link', [b''])\n value = b','.join(values).decode('ascii')\n with LOG_HTTP_PARSE_LINKS(raw_link=value) as action:\n links = {}\n replace_chars = u' \\'\"'\n for val in re.split(u', *<', value):\n try:\n url, params = val.split(u';', 1)\n except ValueError:\n url, params = val, u''\n link = {}\n link[u'url'] = url.strip(u'<> \\'\"')\n for param in params.split(u';'):\n try:\n key, value = param.split(u'=')\n except ValueError:\n break\n link[key.strip(replace_chars)] = value.strip(replace_chars)\n links[link.get(u'rel') or link.get(u'url')] = link\n action.add_success_fields(parsed_links=links)\n return links\n",
"role": "user"
},
{
"content": "parse_header_links",
"role": "assistant"
}
] |
def x(jws_client, reactor, key, alg):
if jws_client is None:
pool = HTTPConnectionPool(reactor)
agent = Agent(reactor, pool=pool)
jws_client = JWSClient(HTTPClient(agent=agent), key, alg)
return jws_client
|
default_client
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(jws_client, reactor, key, alg):\n if jws_client is None:\n pool = HTTPConnectionPool(reactor)\n agent = Agent(reactor, pool=pool)\n jws_client = JWSClient(HTTPClient(agent=agent), key, alg)\n return jws_client\n",
"role": "user"
},
{
"content": "default_client",
"role": "assistant"
}
] |
def x(authzr, responders):
matches = [(responder, challbs[0]) for challbs in authzr.body.
resolved_combinations for responder in responders if [challb.typ for
challb in challbs] == [responder.challenge_type]]
if len(matches) == 0:
raise NoSupportedChallenges(authzr)
else:
return matches[0]
|
find_supported_challenge
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(authzr, responders):\n matches = [(responder, challbs[0]) for challbs in authzr.body.\n resolved_combinations for responder in responders if [challb.typ for\n challb in challbs] == [responder.challenge_type]]\n if len(matches) == 0:\n raise NoSupportedChallenges(authzr)\n else:\n return matches[0]\n",
"role": "user"
},
{
"content": "find_supported_challenge",
"role": "assistant"
}
] |
def x(authzr, client, responders):
responder, challb = _find_supported_challenge(authzr, responders)
response = challb.response(client.key)
def x():
return maybeDeferred(responder.stop_responding, authzr.body.
identifier.value, challb.chall, response)
return maybeDeferred(responder.start_responding, authzr.body.identifier
.value, challb.chall, response).addCallback(lambda _: client.
answer_challenge(challb, response)).addCallback(lambda _:
_stop_responding)
|
answer_challenge
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(authzr, client, responders):\n responder, challb = _find_supported_challenge(authzr, responders)\n response = challb.response(client.key)\n\n def x():\n return maybeDeferred(responder.stop_responding, authzr.body.\n identifier.value, challb.chall, response)\n return maybeDeferred(responder.start_responding, authzr.body.identifier\n .value, challb.chall, response).addCallback(lambda _: client.\n answer_challenge(challb, response)).addCallback(lambda _:\n _stop_responding)\n",
"role": "user"
},
{
"content": "answer_challenge",
"role": "assistant"
}
] |
def x(authzr, clock, client, timeout=300.0):
def x(result):
authzr, retry_after = result
if authzr.body.status in {STATUS_PENDING, STATUS_PROCESSING}:
return deferLater(clock, retry_after, lambda : None).addCallback(
lambda _: client.poll(authzr)).addCallback(repoll)
if authzr.body.status != STATUS_VALID:
raise AuthorizationFailed(authzr)
return authzr
def x(result):
if timeout_call.active():
timeout_call.cancel()
return result
d = client.poll(authzr).addCallback(repoll)
timeout_call = clock.callLater(timeout, d.cancel)
d.addBoth(cancel_timeout)
return d
|
poll_until_valid
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(authzr, clock, client, timeout=300.0):\n\n def x(result):\n authzr, retry_after = result\n if authzr.body.status in {STATUS_PENDING, STATUS_PROCESSING}:\n return deferLater(clock, retry_after, lambda : None).addCallback(\n lambda _: client.poll(authzr)).addCallback(repoll)\n if authzr.body.status != STATUS_VALID:\n raise AuthorizationFailed(authzr)\n return authzr\n\n def x(result):\n if timeout_call.active():\n timeout_call.cancel()\n return result\n d = client.poll(authzr).addCallback(repoll)\n timeout_call = clock.callLater(timeout, d.cancel)\n d.addBoth(cancel_timeout)\n return d\n",
"role": "user"
},
{
"content": "poll_until_valid",
"role": "assistant"
}
] |
def x(cls, reactor, url, key, alg=RS256, jws_client=None):
action = LOG_ACME_CONSUME_DIRECTORY(url=url, key_type=key.typ, alg=alg.name
)
with action.context():
check_directory_url_type(url)
jws_client = _default_client(jws_client, reactor, key, alg)
return DeferredContext(jws_client.get(url.asText())).addCallback(
json_content).addCallback(messages.Directory.from_json
).addCallback(tap(lambda d: action.add_success_fields(directory=d))
).addCallback(cls, reactor, key, jws_client).addActionFinish()
|
from_url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, reactor, url, key, alg=RS256, jws_client=None):\n action = LOG_ACME_CONSUME_DIRECTORY(url=url, key_type=key.typ, alg=alg.name\n )\n with action.context():\n check_directory_url_type(url)\n jws_client = _default_client(jws_client, reactor, key, alg)\n return DeferredContext(jws_client.get(url.asText())).addCallback(\n json_content).addCallback(messages.Directory.from_json\n ).addCallback(tap(lambda d: action.add_success_fields(directory=d))\n ).addCallback(cls, reactor, key, jws_client).addActionFinish()\n",
"role": "user"
},
{
"content": "from_url",
"role": "assistant"
}
] |
def x(self, new_reg=None):
if new_reg is None:
new_reg = messages.NewRegistration()
action = LOG_ACME_REGISTER(registration=new_reg)
with action.context():
return DeferredContext(self.update_registration(new_reg, uri=self.
directory[new_reg])).addErrback(self._maybe_registered, new_reg
).addCallback(tap(lambda r: action.add_success_fields(
registration=r))).addActionFinish()
|
register
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, new_reg=None):\n if new_reg is None:\n new_reg = messages.NewRegistration()\n action = LOG_ACME_REGISTER(registration=new_reg)\n with action.context():\n return DeferredContext(self.update_registration(new_reg, uri=self.\n directory[new_reg])).addErrback(self._maybe_registered, new_reg\n ).addCallback(tap(lambda r: action.add_success_fields(\n registration=r))).addActionFinish()\n",
"role": "user"
},
{
"content": "register",
"role": "assistant"
}
] |
def x(cls, response, uri=None):
location = response.headers.getRawHeaders(b'location', [None])[0]
if location is not None:
return location.decode('ascii')
return uri
|
maybe_location
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, response, uri=None):\n location = response.headers.getRawHeaders(b'location', [None])[0]\n if location is not None:\n return location.decode('ascii')\n return uri\n",
"role": "user"
},
{
"content": "maybe_location",
"role": "assistant"
}
] |
def x(self, failure, new_reg):
failure.trap(ServerError)
response = failure.value.response
if response.code == http.CONFLICT:
reg = new_reg.update(resource=messages.UpdateRegistration.resource_type
)
uri = self._maybe_location(response)
return self.update_registration(reg, uri=uri)
return failure
|
maybe_registered
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, failure, new_reg):\n failure.trap(ServerError)\n response = failure.value.response\n if response.code == http.CONFLICT:\n reg = new_reg.update(resource=messages.UpdateRegistration.resource_type\n )\n uri = self._maybe_location(response)\n return self.update_registration(reg, uri=uri)\n return failure\n",
"role": "user"
},
{
"content": "maybe_registered",
"role": "assistant"
}
] |
def x(self, regr):
return self.update_registration(regr.update(body=regr.body.update(
agreement=regr.terms_of_service)))
|
agree_to_tos
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, regr):\n return self.update_registration(regr.update(body=regr.body.update(\n agreement=regr.terms_of_service)))\n",
"role": "user"
},
{
"content": "agree_to_tos",
"role": "assistant"
}
] |
def x(self, regr, uri=None):
if uri is None:
uri = regr.uri
if isinstance(regr, messages.RegistrationResource):
message = messages.UpdateRegistration(**dict(regr.body))
else:
message = regr
action = LOG_ACME_UPDATE_REGISTRATION(uri=uri, registration=message)
with action.context():
return DeferredContext(self._client.post(uri, message)).addCallback(
self._parse_regr_response, uri=uri).addCallback(self.
_check_regr, regr).addCallback(tap(lambda r: action.
add_success_fields(registration=r))).addActionFinish()
|
update_registration
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, regr, uri=None):\n if uri is None:\n uri = regr.uri\n if isinstance(regr, messages.RegistrationResource):\n message = messages.UpdateRegistration(**dict(regr.body))\n else:\n message = regr\n action = LOG_ACME_UPDATE_REGISTRATION(uri=uri, registration=message)\n with action.context():\n return DeferredContext(self._client.post(uri, message)).addCallback(\n self._parse_regr_response, uri=uri).addCallback(self.\n _check_regr, regr).addCallback(tap(lambda r: action.\n add_success_fields(registration=r))).addActionFinish()\n",
"role": "user"
},
{
"content": "update_registration",
"role": "assistant"
}
] |
def x(self, response, uri=None, new_authzr_uri=None, terms_of_service=None):
links = _parse_header_links(response)
if u'terms-of-service' in links:
terms_of_service = links[u'terms-of-service'][u'url']
if u'next' in links:
new_authzr_uri = links[u'next'][u'url']
if new_authzr_uri is None:
raise errors.ClientError('"next" link missing')
return response.json().addCallback(lambda body: messages.
RegistrationResource(body=messages.Registration.from_json(body),
uri=self._maybe_location(response, uri=uri), new_authzr_uri=
new_authzr_uri, terms_of_service=terms_of_service))
|
parse_regr_response
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, response, uri=None, new_authzr_uri=None, terms_of_service=None):\n links = _parse_header_links(response)\n if u'terms-of-service' in links:\n terms_of_service = links[u'terms-of-service'][u'url']\n if u'next' in links:\n new_authzr_uri = links[u'next'][u'url']\n if new_authzr_uri is None:\n raise errors.ClientError('\"next\" link missing')\n return response.json().addCallback(lambda body: messages.\n RegistrationResource(body=messages.Registration.from_json(body),\n uri=self._maybe_location(response, uri=uri), new_authzr_uri=\n new_authzr_uri, terms_of_service=terms_of_service))\n",
"role": "user"
},
{
"content": "parse_regr_response",
"role": "assistant"
}
] |
def x(self, regr, new_reg):
body = getattr(new_reg, 'body', new_reg)
for k, v in body.items():
if k == 'resource' or not v:
continue
if regr.body[k] != v:
raise errors.UnexpectedUpdate(regr)
if regr.body.key != self.key.public_key():
raise errors.UnexpectedUpdate(regr)
return regr
|
check_regr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, regr, new_reg):\n body = getattr(new_reg, 'body', new_reg)\n for k, v in body.items():\n if k == 'resource' or not v:\n continue\n if regr.body[k] != v:\n raise errors.UnexpectedUpdate(regr)\n if regr.body.key != self.key.public_key():\n raise errors.UnexpectedUpdate(regr)\n return regr\n",
"role": "user"
},
{
"content": "check_regr",
"role": "assistant"
}
] |
def x(self, identifier):
action = LOG_ACME_CREATE_AUTHORIZATION(identifier=identifier)
with action.context():
message = messages.NewAuthorization(identifier=identifier)
return DeferredContext(self._client.post(self.directory[message],
message)).addCallback(self._expect_response, http.CREATED
).addCallback(self._parse_authorization).addCallback(self.
_check_authorization, identifier).addCallback(tap(lambda a:
action.add_success_fields(authorization=a))).addActionFinish()
|
request_challenges
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, identifier):\n action = LOG_ACME_CREATE_AUTHORIZATION(identifier=identifier)\n with action.context():\n message = messages.NewAuthorization(identifier=identifier)\n return DeferredContext(self._client.post(self.directory[message],\n message)).addCallback(self._expect_response, http.CREATED\n ).addCallback(self._parse_authorization).addCallback(self.\n _check_authorization, identifier).addCallback(tap(lambda a:\n action.add_success_fields(authorization=a))).addActionFinish()\n",
"role": "user"
},
{
"content": "request_challenges",
"role": "assistant"
}
] |
def x(cls, response, code):
if response.code != code:
raise errors.ClientError('Expected {!r} response but got {!r}'.
format(code, response.code))
return response
|
expect_response
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, response, code):\n if response.code != code:\n raise errors.ClientError('Expected {!r} response but got {!r}'.\n format(code, response.code))\n return response\n",
"role": "user"
},
{
"content": "expect_response",
"role": "assistant"
}
] |
def x(cls, response, uri=None):
links = _parse_header_links(response)
try:
new_cert_uri = links[u'next'][u'url']
except KeyError:
raise errors.ClientError('"next" link missing')
return response.json().addCallback(lambda body: messages.
AuthorizationResource(body=messages.Authorization.from_json(body),
uri=cls._maybe_location(response, uri=uri), new_cert_uri=new_cert_uri))
|
parse_authorization
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, response, uri=None):\n links = _parse_header_links(response)\n try:\n new_cert_uri = links[u'next'][u'url']\n except KeyError:\n raise errors.ClientError('\"next\" link missing')\n return response.json().addCallback(lambda body: messages.\n AuthorizationResource(body=messages.Authorization.from_json(body),\n uri=cls._maybe_location(response, uri=uri), new_cert_uri=new_cert_uri))\n",
"role": "user"
},
{
"content": "parse_authorization",
"role": "assistant"
}
] |
def x(cls, authzr, identifier):
if authzr.body.identifier != identifier:
raise errors.UnexpectedUpdate(authzr)
return authzr
|
check_authorization
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, authzr, identifier):\n if authzr.body.identifier != identifier:\n raise errors.UnexpectedUpdate(authzr)\n return authzr\n",
"role": "user"
},
{
"content": "check_authorization",
"role": "assistant"
}
] |
def x(self, challenge_body, response):
action = LOG_ACME_ANSWER_CHALLENGE(challenge_body=challenge_body,
response=response)
with action.context():
return DeferredContext(self._client.post(challenge_body.uri, response)
).addCallback(self._parse_challenge).addCallback(self.
_check_challenge, challenge_body).addCallback(tap(lambda c:
action.add_success_fields(challenge_resource=c))).addActionFinish()
|
answer_challenge
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, challenge_body, response):\n action = LOG_ACME_ANSWER_CHALLENGE(challenge_body=challenge_body,\n response=response)\n with action.context():\n return DeferredContext(self._client.post(challenge_body.uri, response)\n ).addCallback(self._parse_challenge).addCallback(self.\n _check_challenge, challenge_body).addCallback(tap(lambda c:\n action.add_success_fields(challenge_resource=c))).addActionFinish()\n",
"role": "user"
},
{
"content": "answer_challenge",
"role": "assistant"
}
] |
def x(cls, response):
links = _parse_header_links(response)
try:
authzr_uri = links['up']['url']
except KeyError:
raise errors.ClientError('"up" link missing')
return response.json().addCallback(lambda body: messages.
ChallengeResource(authzr_uri=authzr_uri, body=messages.
ChallengeBody.from_json(body)))
|
parse_challenge
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, response):\n links = _parse_header_links(response)\n try:\n authzr_uri = links['up']['url']\n except KeyError:\n raise errors.ClientError('\"up\" link missing')\n return response.json().addCallback(lambda body: messages.\n ChallengeResource(authzr_uri=authzr_uri, body=messages.\n ChallengeBody.from_json(body)))\n",
"role": "user"
},
{
"content": "parse_challenge",
"role": "assistant"
}
] |
def x(cls, challenge, challenge_body):
if challenge.uri != challenge_body.uri:
raise errors.UnexpectedUpdate(challenge.uri)
return challenge
|
check_challenge
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, challenge, challenge_body):\n if challenge.uri != challenge_body.uri:\n raise errors.UnexpectedUpdate(challenge.uri)\n return challenge\n",
"role": "user"
},
{
"content": "check_challenge",
"role": "assistant"
}
] |
def x(self, authzr):
action = LOG_ACME_POLL_AUTHORIZATION(authorization=authzr)
with action.context():
return DeferredContext(self._client.get(authzr.uri)).addCallback(lambda
res: self._parse_authorization(res, uri=authzr.uri).addCallback
(self._check_authorization, authzr.body.identifier).addCallback
(lambda authzr: (authzr, self.retry_after(res, _now=self._clock
.seconds)))).addCallback(tap(lambda a_r: action.
add_success_fields(authorization=a_r[0], retry_after=a_r[1]))
).addActionFinish()
|
poll
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, authzr):\n action = LOG_ACME_POLL_AUTHORIZATION(authorization=authzr)\n with action.context():\n return DeferredContext(self._client.get(authzr.uri)).addCallback(lambda\n res: self._parse_authorization(res, uri=authzr.uri).addCallback\n (self._check_authorization, authzr.body.identifier).addCallback\n (lambda authzr: (authzr, self.retry_after(res, _now=self._clock\n .seconds)))).addCallback(tap(lambda a_r: action.\n add_success_fields(authorization=a_r[0], retry_after=a_r[1]))\n ).addActionFinish()\n",
"role": "user"
},
{
"content": "poll",
"role": "assistant"
}
] |
def x(cls, response, default=5, _now=time.time):
val = response.headers.getRawHeaders(b'retry-after', [default])[0]
try:
return int(val)
except ValueError:
return http.stringToDatetime(val) - _now()
|
retry_after
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, response, default=5, _now=time.time):\n val = response.headers.getRawHeaders(b'retry-after', [default])[0]\n try:\n return int(val)\n except ValueError:\n return http.stringToDatetime(val) - _now()\n",
"role": "user"
},
{
"content": "retry_after",
"role": "assistant"
}
] |
def x(self, csr):
action = LOG_ACME_REQUEST_CERTIFICATE()
with action.context():
return DeferredContext(self._client.post(self.directory[csr], csr,
content_type=DER_CONTENT_TYPE, headers=Headers({b'Accept': [
DER_CONTENT_TYPE]}))).addCallback(self._expect_response, http.
CREATED).addCallback(self._parse_certificate).addActionFinish()
|
request_issuance
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, csr):\n action = LOG_ACME_REQUEST_CERTIFICATE()\n with action.context():\n return DeferredContext(self._client.post(self.directory[csr], csr,\n content_type=DER_CONTENT_TYPE, headers=Headers({b'Accept': [\n DER_CONTENT_TYPE]}))).addCallback(self._expect_response, http.\n CREATED).addCallback(self._parse_certificate).addActionFinish()\n",
"role": "user"
},
{
"content": "request_issuance",
"role": "assistant"
}
] |
def x(cls, response):
links = _parse_header_links(response)
try:
cert_chain_uri = links[u'up'][u'url']
except KeyError:
cert_chain_uri = None
return response.content().addCallback(lambda body: messages.
CertificateResource(uri=cls._maybe_location(response),
cert_chain_uri=cert_chain_uri, body=body))
|
parse_certificate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, response):\n links = _parse_header_links(response)\n try:\n cert_chain_uri = links[u'up'][u'url']\n except KeyError:\n cert_chain_uri = None\n return response.content().addCallback(lambda body: messages.\n CertificateResource(uri=cls._maybe_location(response),\n cert_chain_uri=cert_chain_uri, body=body))\n",
"role": "user"
},
{
"content": "parse_certificate",
"role": "assistant"
}
] |
def x(self, certr, max_length=10):
action = LOG_ACME_FETCH_CHAIN()
with action.context():
if certr.cert_chain_uri is None:
return succeed([])
elif max_length < 1:
raise errors.ClientError('chain too long')
return DeferredContext(self._client.get(certr.cert_chain_uri,
content_type=DER_CONTENT_TYPE, headers=Headers({b'Accept': [
DER_CONTENT_TYPE]}))).addCallback(self._parse_certificate
).addCallback(lambda issuer: self.fetch_chain(issuer,
max_length=max_length - 1).addCallback(lambda chain: [issuer] +
chain)).addActionFinish()
|
fetch_chain
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, certr, max_length=10):\n action = LOG_ACME_FETCH_CHAIN()\n with action.context():\n if certr.cert_chain_uri is None:\n return succeed([])\n elif max_length < 1:\n raise errors.ClientError('chain too long')\n return DeferredContext(self._client.get(certr.cert_chain_uri,\n content_type=DER_CONTENT_TYPE, headers=Headers({b'Accept': [\n DER_CONTENT_TYPE]}))).addCallback(self._parse_certificate\n ).addCallback(lambda issuer: self.fetch_chain(issuer,\n max_length=max_length - 1).addCallback(lambda chain: [issuer] +\n chain)).addActionFinish()\n",
"role": "user"
},
{
"content": "fetch_chain",
"role": "assistant"
}
] |
def x(self, nonce, obj):
with LOG_JWS_SIGN(key_type=self._key.typ, alg=self._alg.name, nonce=nonce):
jobj = obj.json_dumps().encode()
return JWS.sign(payload=jobj, key=self._key, alg=self._alg, nonce=nonce
).json_dumps().encode()
|
wrap_in_jws
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, nonce, obj):\n with LOG_JWS_SIGN(key_type=self._key.typ, alg=self._alg.name, nonce=nonce):\n jobj = obj.json_dumps().encode()\n return JWS.sign(payload=jobj, key=self._key, alg=self._alg, nonce=nonce\n ).json_dumps().encode()\n",
"role": "user"
},
{
"content": "wrap_in_jws",
"role": "assistant"
}
] |
def x(cls, response, content_type=JSON_CONTENT_TYPE):
def x(f):
f.trap(ValueError)
return None
def x(jobj):
if 400 <= response.code < 600:
if response_ct == JSON_ERROR_CONTENT_TYPE and jobj is not None:
raise ServerError(messages.Error.from_json(jobj), response)
else:
raise errors.ClientError(response)
elif response_ct != content_type:
raise errors.ClientError('Unexpected response Content-Type: {0!r}'
.format(response_ct))
elif content_type == JSON_CONTENT_TYPE and jobj is None:
raise errors.ClientError(response)
return response
response_ct = response.headers.getRawHeaders(b'Content-Type', [None])[0]
action = LOG_JWS_CHECK_RESPONSE(expected_content_type=content_type,
response_content_type=response_ct)
with action.context():
return DeferredContext(response.json()).addErrback(_got_failure
).addCallback(_got_json).addActionFinish()
|
check_response
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, response, content_type=JSON_CONTENT_TYPE):\n\n def x(f):\n f.trap(ValueError)\n return None\n\n def x(jobj):\n if 400 <= response.code < 600:\n if response_ct == JSON_ERROR_CONTENT_TYPE and jobj is not None:\n raise ServerError(messages.Error.from_json(jobj), response)\n else:\n raise errors.ClientError(response)\n elif response_ct != content_type:\n raise errors.ClientError('Unexpected response Content-Type: {0!r}'\n .format(response_ct))\n elif content_type == JSON_CONTENT_TYPE and jobj is None:\n raise errors.ClientError(response)\n return response\n response_ct = response.headers.getRawHeaders(b'Content-Type', [None])[0]\n action = LOG_JWS_CHECK_RESPONSE(expected_content_type=content_type,\n response_content_type=response_ct)\n with action.context():\n return DeferredContext(response.json()).addErrback(_got_failure\n ).addCallback(_got_json).addActionFinish()\n",
"role": "user"
},
{
"content": "check_response",
"role": "assistant"
}
] |
def x(self, method, url, *args, **kwargs):
action = LOG_JWS_REQUEST(url=url)
with action.context():
headers = kwargs.setdefault('headers', Headers())
headers.setRawHeaders(b'user-agent', [self._user_agent])
kwargs.setdefault('timeout', self.timeout)
return DeferredContext(self._treq.request(method, url, *args, **kwargs)
).addCallback(tap(lambda r: action.add_success_fields(code=r.
code, content_type=r.headers.getRawHeaders(b'content-type', [
None])[0]))).addActionFinish()
|
send_request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method, url, *args, **kwargs):\n action = LOG_JWS_REQUEST(url=url)\n with action.context():\n headers = kwargs.setdefault('headers', Headers())\n headers.setRawHeaders(b'user-agent', [self._user_agent])\n kwargs.setdefault('timeout', self.timeout)\n return DeferredContext(self._treq.request(method, url, *args, **kwargs)\n ).addCallback(tap(lambda r: action.add_success_fields(code=r.\n code, content_type=r.headers.getRawHeaders(b'content-type', [\n None])[0]))).addActionFinish()\n",
"role": "user"
},
{
"content": "send_request",
"role": "assistant"
}
] |
def x(self, url, *args, **kwargs):
with LOG_JWS_HEAD().context():
return DeferredContext(self._send_request(u'HEAD', url, *args, **
kwargs)).addActionFinish()
|
head
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, *args, **kwargs):\n with LOG_JWS_HEAD().context():\n return DeferredContext(self._send_request(u'HEAD', url, *args, **\n kwargs)).addActionFinish()\n",
"role": "user"
},
{
"content": "head",
"role": "assistant"
}
] |
def x(self, url, content_type=JSON_CONTENT_TYPE, **kwargs):
with LOG_JWS_GET().context():
return DeferredContext(self._send_request(u'GET', url, **kwargs)
).addCallback(self._check_response, content_type=content_type
).addActionFinish()
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, content_type=JSON_CONTENT_TYPE, **kwargs):\n with LOG_JWS_GET().context():\n return DeferredContext(self._send_request(u'GET', url, **kwargs)\n ).addCallback(self._check_response, content_type=content_type\n ).addActionFinish()\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, response):
nonce = response.headers.getRawHeaders(REPLAY_NONCE_HEADER, [None])[0]
with LOG_JWS_ADD_NONCE(raw_nonce=nonce) as action:
if nonce is None:
raise errors.MissingNonce(response)
else:
try:
decoded_nonce = Header._fields['nonce'].decode(nonce.decode
('ascii'))
action.add_success_fields(nonce=decoded_nonce)
except DeserializationError as error:
raise errors.BadNonce(nonce, error)
self._nonces.add(decoded_nonce)
return response
|
add_nonce
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, response):\n nonce = response.headers.getRawHeaders(REPLAY_NONCE_HEADER, [None])[0]\n with LOG_JWS_ADD_NONCE(raw_nonce=nonce) as action:\n if nonce is None:\n raise errors.MissingNonce(response)\n else:\n try:\n decoded_nonce = Header._fields['nonce'].decode(nonce.decode\n ('ascii'))\n action.add_success_fields(nonce=decoded_nonce)\n except DeserializationError as error:\n raise errors.BadNonce(nonce, error)\n self._nonces.add(decoded_nonce)\n return response\n",
"role": "user"
},
{
"content": "add_nonce",
"role": "assistant"
}
] |
def x(self, url):
action = LOG_JWS_GET_NONCE()
if len(self._nonces) > 0:
with action:
nonce = self._nonces.pop()
action.add_success_fields(nonce=nonce)
return succeed(nonce)
else:
with action.context():
return DeferredContext(self.head(url)).addCallback(self._add_nonce
).addCallback(lambda _: self._nonces.pop()).addCallback(tap
(lambda nonce: action.add_success_fields(nonce=nonce))
).addActionFinish()
|
get_nonce
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url):\n action = LOG_JWS_GET_NONCE()\n if len(self._nonces) > 0:\n with action:\n nonce = self._nonces.pop()\n action.add_success_fields(nonce=nonce)\n return succeed(nonce)\n else:\n with action.context():\n return DeferredContext(self.head(url)).addCallback(self._add_nonce\n ).addCallback(lambda _: self._nonces.pop()).addCallback(tap\n (lambda nonce: action.add_success_fields(nonce=nonce))\n ).addActionFinish()\n",
"role": "user"
},
{
"content": "get_nonce",
"role": "assistant"
}
] |
def x(self, url, obj, content_type, **kwargs):
with LOG_JWS_POST().context():
headers = kwargs.setdefault('headers', Headers())
headers.setRawHeaders(b'content-type', [JSON_CONTENT_TYPE])
return DeferredContext(self._get_nonce(url)).addCallback(self.
_wrap_in_jws, obj).addCallback(lambda data: self._send_request(
u'POST', url, data=data, **kwargs)).addCallback(self._add_nonce
).addCallback(self._check_response, content_type=content_type
).addActionFinish()
|
post
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, obj, content_type, **kwargs):\n with LOG_JWS_POST().context():\n headers = kwargs.setdefault('headers', Headers())\n headers.setRawHeaders(b'content-type', [JSON_CONTENT_TYPE])\n return DeferredContext(self._get_nonce(url)).addCallback(self.\n _wrap_in_jws, obj).addCallback(lambda data: self._send_request(\n u'POST', url, data=data, **kwargs)).addCallback(self._add_nonce\n ).addCallback(self._check_response, content_type=content_type\n ).addActionFinish()\n",
"role": "user"
},
{
"content": "post",
"role": "assistant"
}
] |
def x(self, url, obj, content_type=JSON_CONTENT_TYPE, **kwargs):
def x(f):
f.trap(ServerError)
if f.value.message.typ.split(':')[-1] == 'badNonce':
self._nonces.clear()
self._add_nonce(f.value.response)
return self._post(url, obj, content_type, **kwargs)
return f
return self._post(url, obj, content_type, **kwargs).addErrback(
retry_bad_nonce)
|
post
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, obj, content_type=JSON_CONTENT_TYPE, **kwargs):\n\n def x(f):\n f.trap(ServerError)\n if f.value.message.typ.split(':')[-1] == 'badNonce':\n self._nonces.clear()\n self._add_nonce(f.value.response)\n return self._post(url, obj, content_type, **kwargs)\n return f\n return self._post(url, obj, content_type, **kwargs).addErrback(\n retry_bad_nonce)\n",
"role": "user"
},
{
"content": "post",
"role": "assistant"
}
] |
def x(*a, **kw):
thread = Thread(*a, **kw)
thread.daemon = True
return thread
|
daemon_thread
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*a, **kw):\n thread = Thread(*a, **kw)\n thread.daemon = True\n return thread\n",
"role": "user"
},
{
"content": "daemon_thread",
"role": "assistant"
}
] |
def x(deliver, worker, work, *args, **kwargs):
deferred = Deferred()
def x():
try:
result = work(*args, **kwargs)
except BaseException:
f = Failure()
deliver(lambda : deferred.errback(f))
else:
deliver(lambda : deferred.callback(result))
worker.do(wrapped_work)
return deferred
|
defer_to_worker
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(deliver, worker, work, *args, **kwargs):\n deferred = Deferred()\n\n def x():\n try:\n result = work(*args, **kwargs)\n except BaseException:\n f = Failure()\n deliver(lambda : deferred.errback(f))\n else:\n deliver(lambda : deferred.callback(result))\n worker.do(wrapped_work)\n return deferred\n",
"role": "user"
},
{
"content": "defer_to_worker",
"role": "assistant"
}
] |
def x(server_name, zone_name):
server_name = server_name.rstrip(u'.')
zone_name = zone_name.rstrip(u'.')
if not (server_name == zone_name or server_name.endswith(u'.' + zone_name)
):
raise NotInZone(server_name=server_name, zone_name=zone_name)
return server_name[:-len(zone_name)].rstrip(u'.')
|
split_zone
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(server_name, zone_name):\n server_name = server_name.rstrip(u'.')\n zone_name = zone_name.rstrip(u'.')\n if not (server_name == zone_name or server_name.endswith(u'.' + zone_name)\n ):\n raise NotInZone(server_name=server_name, zone_name=zone_name)\n return server_name[:-len(zone_name)].rstrip(u'.')\n",
"role": "user"
},
{
"content": "split_zone",
"role": "assistant"
}
] |
def x(driver, zone_name, server_name, validation):
if zone_name is None:
zones = sorted((z for z in driver.list_zones() if server_name.
rstrip(u'.').endswith(u'.' + z.domain.rstrip(u'.'))), key=lambda
z: len(z.domain), reverse=True)
if len(zones) == 0:
raise NotInZone(server_name=server_name, zone_name=None)
else:
zones = [z for z in driver.list_zones() if z.domain == zone_name]
if len(zones) == 0:
raise ZoneNotFound(zone_name=zone_name)
zone = zones[0]
subdomain = _split_zone(server_name, zone.domain)
existing = [record for record in zone.list_records() if record.name ==
subdomain and record.type == 'TXT' and record.data == validation]
return zone, existing, subdomain
|
get_existing
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(driver, zone_name, server_name, validation):\n if zone_name is None:\n zones = sorted((z for z in driver.list_zones() if server_name.\n rstrip(u'.').endswith(u'.' + z.domain.rstrip(u'.'))), key=lambda\n z: len(z.domain), reverse=True)\n if len(zones) == 0:\n raise NotInZone(server_name=server_name, zone_name=None)\n else:\n zones = [z for z in driver.list_zones() if z.domain == zone_name]\n if len(zones) == 0:\n raise ZoneNotFound(zone_name=zone_name)\n zone = zones[0]\n subdomain = _split_zone(server_name, zone.domain)\n existing = [record for record in zone.list_records() if record.name ==\n subdomain and record.type == 'TXT' and record.data == validation]\n return zone, existing, subdomain\n",
"role": "user"
},
{
"content": "get_existing",
"role": "assistant"
}
] |
def x(response):
h = hashlib.sha256(response.key_authorization.encode('utf-8'))
return b64encode(h.digest()).decode()
|
validation
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(response):\n h = hashlib.sha256(response.key_authorization.encode('utf-8'))\n return b64encode(h.digest()).decode()\n",
"role": "user"
},
{
"content": "validation",
"role": "assistant"
}
] |
def x(pem_path):
acme_key_file = pem_path.asTextMode().child(u'client.key')
if acme_key_file.exists():
key = serialization.load_pem_private_key(acme_key_file.getContent(),
password=None, backend=default_backend())
else:
key = generate_private_key(u'rsa')
acme_key_file.setContent(key.private_bytes(encoding=serialization.
Encoding.PEM, format=serialization.PrivateFormat.
TraditionalOpenSSL, encryption_algorithm=serialization.
NoEncryption()))
return JWKRSA(key=key)
|
load_or_create_client_key
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pem_path):\n acme_key_file = pem_path.asTextMode().child(u'client.key')\n if acme_key_file.exists():\n key = serialization.load_pem_private_key(acme_key_file.getContent(),\n password=None, backend=default_backend())\n else:\n key = generate_private_key(u'rsa')\n acme_key_file.setContent(key.private_bytes(encoding=serialization.\n Encoding.PEM, format=serialization.PrivateFormat.\n TraditionalOpenSSL, encryption_algorithm=serialization.\n NoEncryption()))\n return JWKRSA(key=key)\n",
"role": "user"
},
{
"content": "load_or_create_client_key",
"role": "assistant"
}
] |
def x(reactor, directory, pemdir, *args, **kwargs):
def x(items):
return ':'.join([item.replace(':', '\\:') for item in items])
sub = colon_join(list(args) + ['='.join(item) for item in kwargs.items()])
pem_path = FilePath(pemdir).asTextMode()
acme_key = load_or_create_client_key(pem_path)
return AutoTLSEndpoint(reactor=reactor, directory=directory,
client_creator=partial(Client.from_url, key=acme_key, alg=RS256),
cert_store=DirectoryStore(pem_path), cert_mapping=HostDirectoryMap(
pem_path), sub_endpoint=serverFromString(reactor, sub))
|
parse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(reactor, directory, pemdir, *args, **kwargs):\n\n def x(items):\n return ':'.join([item.replace(':', '\\\\:') for item in items])\n sub = colon_join(list(args) + ['='.join(item) for item in kwargs.items()])\n pem_path = FilePath(pemdir).asTextMode()\n acme_key = load_or_create_client_key(pem_path)\n return AutoTLSEndpoint(reactor=reactor, directory=directory,\n client_creator=partial(Client.from_url, key=acme_key, alg=RS256),\n cert_store=DirectoryStore(pem_path), cert_mapping=HostDirectoryMap(\n pem_path), sub_endpoint=serverFromString(reactor, sub))\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(f, delimiter):
try:
running = f.read(0)
except Exception as e:
if e.__class__.__name__ == 'IncompleteReadError':
running = b''
else:
raise
while True:
new_data = f.read(1024)
if not new_data:
yield running
return
running += new_data
while delimiter in running:
curr, running = running.split(delimiter, 1)
yield curr + delimiter
|
lazyread
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(f, delimiter):\n try:\n running = f.read(0)\n except Exception as e:\n if e.__class__.__name__ == 'IncompleteReadError':\n running = b''\n else:\n raise\n while True:\n new_data = f.read(1024)\n if not new_data:\n yield running\n return\n running += new_data\n while delimiter in running:\n curr, running = running.split(delimiter, 1)\n yield curr + delimiter\n",
"role": "user"
},
{
"content": "lazyread",
"role": "assistant"
}
] |
def x(key_type):
if key_type == u'rsa':
return rsa.generate_private_key(public_exponent=65537, key_size=
2048, backend=default_backend())
raise ValueError(key_type)
|
generate_private_key
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(key_type):\n if key_type == u'rsa':\n return rsa.generate_private_key(public_exponent=65537, key_size=\n 2048, backend=default_backend())\n raise ValueError(key_type)\n",
"role": "user"
},
{
"content": "generate_private_key",
"role": "assistant"
}
] |
def x(server_name, key_type=u'rsa', _generate_private_key=None):
key = (_generate_private_key or generate_private_key)(key_type)
name = x509.Name([x509.NameAttribute(NameOID.COMMON_NAME, u'acme.invalid')]
)
cert = x509.CertificateBuilder().subject_name(name).issuer_name(name
).not_valid_before(datetime.now() - timedelta(seconds=3600)
).not_valid_after(datetime.now() + timedelta(seconds=3600)
).serial_number(int(uuid.uuid4())).public_key(key.public_key()
).add_extension(x509.SubjectAlternativeName([x509.DNSName(
server_name)]), critical=False).sign(private_key=key, algorithm=
hashes.SHA256(), backend=default_backend())
return cert, key
|
generate_tls_sni_01_cert
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(server_name, key_type=u'rsa', _generate_private_key=None):\n key = (_generate_private_key or generate_private_key)(key_type)\n name = x509.Name([x509.NameAttribute(NameOID.COMMON_NAME, u'acme.invalid')]\n )\n cert = x509.CertificateBuilder().subject_name(name).issuer_name(name\n ).not_valid_before(datetime.now() - timedelta(seconds=3600)\n ).not_valid_after(datetime.now() + timedelta(seconds=3600)\n ).serial_number(int(uuid.uuid4())).public_key(key.public_key()\n ).add_extension(x509.SubjectAlternativeName([x509.DNSName(\n server_name)]), critical=False).sign(private_key=key, algorithm=\n hashes.SHA256(), backend=default_backend())\n return cert, key\n",
"role": "user"
},
{
"content": "generate_tls_sni_01_cert",
"role": "assistant"
}
] |
def x(f):
@wraps(f)
def x(res, *a, **kw):
d = maybeDeferred(f, res, *a, **kw)
d.addCallback(lambda ignored: res)
return d
return _cb
|
tap
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(f):\n\n @wraps(f)\n def x(res, *a, **kw):\n d = maybeDeferred(f, res, *a, **kw)\n d.addCallback(lambda ignored: res)\n return d\n return _cb\n",
"role": "user"
},
{
"content": "tap",
"role": "assistant"
}
] |
def x(b64der):
try:
return x509.load_der_x509_csr(decode_b64jose(b64der), default_backend()
)
except ValueError as error:
raise DeserializationError(error)
|
decode_csr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(b64der):\n try:\n return x509.load_der_x509_csr(decode_b64jose(b64der), default_backend()\n )\n except ValueError as error:\n raise DeserializationError(error)\n",
"role": "user"
},
{
"content": "decode_csr",
"role": "assistant"
}
] |
def x(names, key):
if len(names) == 0:
raise ValueError('Must have at least one name')
if len(names[0]) > 64:
common_name = u'san.too.long.invalid'
else:
common_name = names[0]
return x509.CertificateSigningRequestBuilder().subject_name(x509.Name([
x509.NameAttribute(NameOID.COMMON_NAME, common_name)])).add_extension(
x509.SubjectAlternativeName(list(map(x509.DNSName, names))),
critical=False).sign(key, hashes.SHA256(), default_backend())
|
csr_for_names
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(names, key):\n if len(names) == 0:\n raise ValueError('Must have at least one name')\n if len(names[0]) > 64:\n common_name = u'san.too.long.invalid'\n else:\n common_name = names[0]\n return x509.CertificateSigningRequestBuilder().subject_name(x509.Name([\n x509.NameAttribute(NameOID.COMMON_NAME, common_name)])).add_extension(\n x509.SubjectAlternativeName(list(map(x509.DNSName, names))),\n critical=False).sign(key, hashes.SHA256(), default_backend())\n",
"role": "user"
},
{
"content": "csr_for_names",
"role": "assistant"
}
] |
def x(code, filename):
code = 'async def wrapper():\n' + indent(code, ' ')
return ast.parse(code, filename=filename).body[0].body[0].value
|
wrap_parse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(code, filename):\n code = 'async def wrapper():\\n' + indent(code, ' ')\n return ast.parse(code, filename=filename).body[0].body[0].value\n",
"role": "user"
},
{
"content": "wrap_parse",
"role": "assistant"
}
] |
def x(domain, info):
if domain != 'py':
return None
modname = info['module']
fullname = info['fullname']
submod = sys.modules.get(modname)
if submod is None:
return None
obj = submod
for part in fullname.split('.'):
try:
obj = getattr(obj, part)
except:
return None
try:
fn = inspect.getsourcefile(obj)
except:
fn = None
if not fn:
return None
try:
source, lineno = inspect.findsource(obj)
except:
lineno = None
if lineno:
linespec = '#L%d' % (lineno + 1)
else:
linespec = ''
fn = relpath(fn, start='..')
return 'https://github.com/mithrandi/txacme/blob/%s/%s%s' % (
txacme_version_info['full-revisionid'], fn, linespec)
|
linkcode_resolve
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(domain, info):\n if domain != 'py':\n return None\n modname = info['module']\n fullname = info['fullname']\n submod = sys.modules.get(modname)\n if submod is None:\n return None\n obj = submod\n for part in fullname.split('.'):\n try:\n obj = getattr(obj, part)\n except:\n return None\n try:\n fn = inspect.getsourcefile(obj)\n except:\n fn = None\n if not fn:\n return None\n try:\n source, lineno = inspect.findsource(obj)\n except:\n lineno = None\n if lineno:\n linespec = '#L%d' % (lineno + 1)\n else:\n linespec = ''\n fn = relpath(fn, start='..')\n return 'https://github.com/mithrandi/txacme/blob/%s/%s%s' % (\n txacme_version_info['full-revisionid'], fn, linespec)\n",
"role": "user"
},
{
"content": "linkcode_resolve",
"role": "assistant"
}
] |
def x(self, layers):
layers_dict_list = []
layers_success_ids = []
layers_errors_ids = []
for layer in layers:
layer_dict, message = layer2dict(layer)
if not layer_dict:
layers_errors_ids.append([layer.id, message])
LOGGER.error(message)
else:
layers_dict_list.append(layer_dict)
layers_success_ids.append(layer.id)
layers_json = json.dumps(layers_dict_list)
try:
url_solr_update = '%s/solr/hypermap/update/json/docs' % SEARCH_URL
headers = {'content-type': 'application/json'}
params = {'commitWithin': 1500}
requests.post(url_solr_update, data=layers_json, params=params,
headers=headers)
LOGGER.info('Solr synced for the given layers')
except Exception:
message = 'Error saving solr records: %s' % sys.exc_info()[1]
layers_errors_ids.append([-1, message])
LOGGER.error(message)
return False, layers_errors_ids
return True, layers_errors_ids
|
layers_to_solr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, layers):\n layers_dict_list = []\n layers_success_ids = []\n layers_errors_ids = []\n for layer in layers:\n layer_dict, message = layer2dict(layer)\n if not layer_dict:\n layers_errors_ids.append([layer.id, message])\n LOGGER.error(message)\n else:\n layers_dict_list.append(layer_dict)\n layers_success_ids.append(layer.id)\n layers_json = json.dumps(layers_dict_list)\n try:\n url_solr_update = '%s/solr/hypermap/update/json/docs' % SEARCH_URL\n headers = {'content-type': 'application/json'}\n params = {'commitWithin': 1500}\n requests.post(url_solr_update, data=layers_json, params=params,\n headers=headers)\n LOGGER.info('Solr synced for the given layers')\n except Exception:\n message = 'Error saving solr records: %s' % sys.exc_info()[1]\n layers_errors_ids.append([-1, message])\n LOGGER.error(message)\n return False, layers_errors_ids\n return True, layers_errors_ids\n",
"role": "user"
},
{
"content": "layers_to_solr",
"role": "assistant"
}
] |
def x(self, catalog='hypermap'):
solr_url = '{0}/solr/{1}'.format(SEARCH_URL, catalog)
solr = pysolr.Solr(solr_url, timeout=60)
solr.delete(q='*:*')
LOGGER.debug('Solr core cleared')
|
clear_solr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, catalog='hypermap'):\n solr_url = '{0}/solr/{1}'.format(SEARCH_URL, catalog)\n solr = pysolr.Solr(solr_url, timeout=60)\n solr.delete(q='*:*')\n LOGGER.debug('Solr core cleared')\n",
"role": "user"
},
{
"content": "clear_solr",
"role": "assistant"
}
] |
def x(resourcetype, xml, monitor=False, service=None, catalog=None):
from models import gen_anytext, Layer
if resourcetype == 'http://www.opengis.net/cat/csw/2.0.2':
md = CswRecord(etree.fromstring(xml))
layer = Layer(is_monitored=monitor, name=md.title, title=md.title,
abstract=md.abstract, xml=xml, service=service, catalog=catalog,
anytext=gen_anytext(md.title, md.abstract, md.subjects))
if hasattr(md, 'alternative'):
layer.name = md.alternative
if md.bbox is not None:
layer.bbox_x0 = format_float(md.bbox.minx)
layer.bbox_y0 = format_float(md.bbox.miny)
layer.bbox_x1 = format_float(md.bbox.maxx)
layer.bbox_y1 = format_float(md.bbox.maxy)
layer.wkt_geometry = bbox2wktpolygon([md.bbox.minx, md.bbox.miny,
md.bbox.maxx, md.bbox.maxy])
return layer, md.subjects
|
create_layer_from_metadata_xml
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(resourcetype, xml, monitor=False, service=None, catalog=None):\n from models import gen_anytext, Layer\n if resourcetype == 'http://www.opengis.net/cat/csw/2.0.2':\n md = CswRecord(etree.fromstring(xml))\n layer = Layer(is_monitored=monitor, name=md.title, title=md.title,\n abstract=md.abstract, xml=xml, service=service, catalog=catalog,\n anytext=gen_anytext(md.title, md.abstract, md.subjects))\n if hasattr(md, 'alternative'):\n layer.name = md.alternative\n if md.bbox is not None:\n layer.bbox_x0 = format_float(md.bbox.minx)\n layer.bbox_y0 = format_float(md.bbox.miny)\n layer.bbox_x1 = format_float(md.bbox.maxx)\n layer.bbox_y1 = format_float(md.bbox.maxy)\n layer.wkt_geometry = bbox2wktpolygon([md.bbox.minx, md.bbox.miny,\n md.bbox.maxx, md.bbox.maxy])\n return layer, md.subjects\n",
"role": "user"
},
{
"content": "create_layer_from_metadata_xml",
"role": "assistant"
}
] |
def x(endpoint, service_type, title=None, abstract=None, catalog=None):
from models import Service
if Service.objects.filter(url=endpoint, catalog=catalog).count() == 0:
request = requests.get(endpoint)
if request.status_code == 200:
LOGGER.debug('Creating a %s service for endpoint=%s catalog=%s' %
(service_type, endpoint, catalog))
service = Service(type=service_type, url=endpoint, title=title,
abstract=abstract, csw_type='service', catalog=catalog)
service.save()
return service
else:
LOGGER.warning('This endpoint is invalid, status code is %s' %
request.status_code)
else:
LOGGER.warning(
'A service for this endpoint %s in catalog %s already exists' %
(endpoint, catalog))
return None
|
create_service_from_endpoint
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(endpoint, service_type, title=None, abstract=None, catalog=None):\n from models import Service\n if Service.objects.filter(url=endpoint, catalog=catalog).count() == 0:\n request = requests.get(endpoint)\n if request.status_code == 200:\n LOGGER.debug('Creating a %s service for endpoint=%s catalog=%s' %\n (service_type, endpoint, catalog))\n service = Service(type=service_type, url=endpoint, title=title,\n abstract=abstract, csw_type='service', catalog=catalog)\n service.save()\n return service\n else:\n LOGGER.warning('This endpoint is invalid, status code is %s' %\n request.status_code)\n else:\n LOGGER.warning(\n 'A service for this endpoint %s in catalog %s already exists' %\n (endpoint, catalog))\n return None\n",
"role": "user"
},
{
"content": "create_service_from_endpoint",
"role": "assistant"
}
] |
def x(url):
endpoint = get_sanitized_endpoint(url)
url_split_list = url.split(endpoint + '/')
if len(url_split_list) != 0:
url_split_list = url_split_list[1].split('/')
else:
raise Exception('Wrong url parsed')
parsed_url = [s for s in url_split_list if '?' not in s if 'Server' not in
s]
return parsed_url
|
service_url_parse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url):\n endpoint = get_sanitized_endpoint(url)\n url_split_list = url.split(endpoint + '/')\n if len(url_split_list) != 0:\n url_split_list = url_split_list[1].split('/')\n else:\n raise Exception('Wrong url parsed')\n parsed_url = [s for s in url_split_list if '?' not in s if 'Server' not in\n s]\n return parsed_url\n",
"role": "user"
},
{
"content": "service_url_parse",
"role": "assistant"
}
] |
def x(xy):
lon = xy[0] / 20037508.34 * 180
lat = xy[1] / 20037508.34 * 180
lat = 180 / math.pi * (2 * math.atan(math.exp(lat * math.pi / 180)) -
math.pi / 2)
return lon, lat
|
inverse_mercator
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(xy):\n lon = xy[0] / 20037508.34 * 180\n lat = xy[1] / 20037508.34 * 180\n lat = 180 / math.pi * (2 * math.atan(math.exp(lat * math.pi / 180)) - \n math.pi / 2)\n return lon, lat\n",
"role": "user"
},
{
"content": "inverse_mercator",
"role": "assistant"
}
] |
def x(url, timeout=10):
try:
LOGGER.debug('Trying a WMS 1.3.0 GetCapabilities request')
return WebMapService(url, version='1.3.0', timeout=timeout)
except Exception as err:
LOGGER.warning('WMS 1.3.0 support not found: %s', err)
LOGGER.debug('Trying a WMS 1.1.1 GetCapabilities request instead')
return WebMapService(url, version='1.1.1', timeout=timeout)
|
get_wms_version_negotiate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, timeout=10):\n try:\n LOGGER.debug('Trying a WMS 1.3.0 GetCapabilities request')\n return WebMapService(url, version='1.3.0', timeout=timeout)\n except Exception as err:\n LOGGER.warning('WMS 1.3.0 support not found: %s', err)\n LOGGER.debug('Trying a WMS 1.1.1 GetCapabilities request instead')\n return WebMapService(url, version='1.1.1', timeout=timeout)\n",
"role": "user"
},
{
"content": "get_wms_version_negotiate",
"role": "assistant"
}
] |
def x(url):
sanitized_url = url.rstrip()
esri_string = '/rest/services'
if esri_string in url:
match = re.search(esri_string, sanitized_url)
sanitized_url = url[0:match.start(0) + len(esri_string)]
return sanitized_url
|
get_sanitized_endpoint
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url):\n sanitized_url = url.rstrip()\n esri_string = '/rest/services'\n if esri_string in url:\n match = re.search(esri_string, sanitized_url)\n sanitized_url = url[0:match.start(0) + len(esri_string)]\n return sanitized_url\n",
"role": "user"
},
{
"content": "get_sanitized_endpoint",
"role": "assistant"
}
] |
def x(url):
result = re.search('rest/services/(.*)/[MapServer|ImageServer]', url)
if result is None:
return url
else:
return result.group(1)
|
get_esri_service_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url):\n result = re.search('rest/services/(.*)/[MapServer|ImageServer]', url)\n if result is None:\n return url\n else:\n return result.group(1)\n",
"role": "user"
},
{
"content": "get_esri_service_name",
"role": "assistant"
}
] |
def x(bbox):
minx = float(bbox[0])
miny = float(bbox[1])
maxx = float(bbox[2])
maxy = float(bbox[3])
return (
'POLYGON((%.2f %.2f, %.2f %.2f, %.2f %.2f, %.2f %.2f, %.2f %.2f))' %
(minx, miny, minx, maxy, maxx, maxy, maxx, miny, minx, miny))
|
bbox2wktpolygon
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bbox):\n minx = float(bbox[0])\n miny = float(bbox[1])\n maxx = float(bbox[2])\n maxy = float(bbox[3])\n return (\n 'POLYGON((%.2f %.2f, %.2f %.2f, %.2f %.2f, %.2f %.2f, %.2f %.2f))' %\n (minx, miny, minx, maxy, maxx, maxy, maxx, miny, minx, miny))\n",
"role": "user"
},
{
"content": "bbox2wktpolygon",
"role": "assistant"
}
] |
def x(layer):
date = None
sign = '+'
date_type = 1
layer_dates = layer.get_layer_dates()
if layer_dates:
sign = layer_dates[0][0]
date = layer_dates[0][1]
date_type = layer_dates[0][2]
if date is None:
date = layer.created
if date.year > 2300:
date = None
if date_type == 0:
date_type = 'Detected'
if date_type == 1:
date_type = 'From Metadata'
return get_solr_date(date, sign == '-'), date_type
|
get_date
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(layer):\n date = None\n sign = '+'\n date_type = 1\n layer_dates = layer.get_layer_dates()\n if layer_dates:\n sign = layer_dates[0][0]\n date = layer_dates[0][1]\n date_type = layer_dates[0][2]\n if date is None:\n date = layer.created\n if date.year > 2300:\n date = None\n if date_type == 0:\n date_type = 'Detected'\n if date_type == 1:\n date_type = 'From Metadata'\n return get_solr_date(date, sign == '-'), date_type\n",
"role": "user"
},
{
"content": "get_date",
"role": "assistant"
}
] |
def x(layer):
category = None
username = None
if not layer.has_valid_bbox():
message = 'Layer id: %s has a not valid bbox' % layer.id
return None, message
bbox = [float(layer.bbox_x0), float(layer.bbox_y0), float(layer.bbox_x1
), float(layer.bbox_y1)]
minX = bbox[0]
minY = bbox[1]
maxX = bbox[2]
maxY = bbox[3]
if minX < -180:
minX = -180
if maxX > 180:
maxX = 180
if minY < -90:
minY = -90
if maxY > 90:
maxY = 90
rectangle = box(minX, minY, maxX, maxY)
wkt = 'ENVELOPE({:f},{:f},{:f},{:f})'.format(minX, maxX, maxY, minY)
halfWidth = (maxX - minX) / 2.0
halfHeight = (maxY - minY) / 2.0
area = halfWidth * 2 * (halfHeight * 2)
domain = get_domain(layer.service.url)
if hasattr(layer, 'layerwm'):
category = layer.layerwm.category
username = layer.layerwm.username
abstract = layer.abstract
if abstract:
abstract = strip_tags(layer.abstract)
else:
abstract = ''
if layer.type == 'WM':
originator = username
else:
originator = domain
layer_dict = {'id': layer.id, 'uuid': str(layer.uuid), 'type': 'Layer',
'layer_id': layer.id, 'name': layer.name, 'title': layer.title,
'layer_originator': originator, 'service_id': layer.service.id,
'service_type': layer.service.type, 'layer_category': category,
'layer_username': username, 'url': layer.url, 'keywords': [kw.name for
kw in layer.keywords.all()], 'reliability': layer.reliability,
'recent_reliability': layer.recent_reliability, 'last_status':
layer.last_status, 'is_public': layer.is_public, 'is_valid': layer.
is_valid, 'availability': 'Online', 'location':
'{"layerInfoPage": "' + layer.get_absolute_url + '"}', 'abstract':
abstract, 'domain_name': layer.service.get_domain}
solr_date, date_type = get_date(layer)
if solr_date is not None:
layer_dict['layer_date'] = solr_date
layer_dict['layer_datetype'] = date_type
if bbox is not None:
layer_dict['min_x'] = minX
layer_dict['min_y'] = minY
layer_dict['max_x'] = maxX
layer_dict['max_y'] = maxY
layer_dict['area'] = area
layer_dict['bbox'] = wkt
layer_dict['centroid_x'] = rectangle.centroid.x
layer_dict['centroid_y'] = rectangle.centroid.y
srs_list = [srs.encode('utf-8') for srs in layer.service.srs.
values_list('code', flat=True)]
layer_dict['srs'] = srs_list
if layer.get_tile_url():
layer_dict['tile_url'] = layer.get_tile_url()
message = 'Layer %s successfully converted to json' % layer.id
return layer_dict, message
|
layer2dict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(layer):\n category = None\n username = None\n if not layer.has_valid_bbox():\n message = 'Layer id: %s has a not valid bbox' % layer.id\n return None, message\n bbox = [float(layer.bbox_x0), float(layer.bbox_y0), float(layer.bbox_x1\n ), float(layer.bbox_y1)]\n minX = bbox[0]\n minY = bbox[1]\n maxX = bbox[2]\n maxY = bbox[3]\n if minX < -180:\n minX = -180\n if maxX > 180:\n maxX = 180\n if minY < -90:\n minY = -90\n if maxY > 90:\n maxY = 90\n rectangle = box(minX, minY, maxX, maxY)\n wkt = 'ENVELOPE({:f},{:f},{:f},{:f})'.format(minX, maxX, maxY, minY)\n halfWidth = (maxX - minX) / 2.0\n halfHeight = (maxY - minY) / 2.0\n area = halfWidth * 2 * (halfHeight * 2)\n domain = get_domain(layer.service.url)\n if hasattr(layer, 'layerwm'):\n category = layer.layerwm.category\n username = layer.layerwm.username\n abstract = layer.abstract\n if abstract:\n abstract = strip_tags(layer.abstract)\n else:\n abstract = ''\n if layer.type == 'WM':\n originator = username\n else:\n originator = domain\n layer_dict = {'id': layer.id, 'uuid': str(layer.uuid), 'type': 'Layer',\n 'layer_id': layer.id, 'name': layer.name, 'title': layer.title,\n 'layer_originator': originator, 'service_id': layer.service.id,\n 'service_type': layer.service.type, 'layer_category': category,\n 'layer_username': username, 'url': layer.url, 'keywords': [kw.name for\n kw in layer.keywords.all()], 'reliability': layer.reliability,\n 'recent_reliability': layer.recent_reliability, 'last_status':\n layer.last_status, 'is_public': layer.is_public, 'is_valid': layer.\n is_valid, 'availability': 'Online', 'location': \n '{\"layerInfoPage\": \"' + layer.get_absolute_url + '\"}', 'abstract':\n abstract, 'domain_name': layer.service.get_domain}\n solr_date, date_type = get_date(layer)\n if solr_date is not None:\n layer_dict['layer_date'] = solr_date\n layer_dict['layer_datetype'] = date_type\n if bbox is not None:\n layer_dict['min_x'] = minX\n layer_dict['min_y'] = minY\n layer_dict['max_x'] = maxX\n layer_dict['max_y'] = maxY\n layer_dict['area'] = area\n layer_dict['bbox'] = wkt\n layer_dict['centroid_x'] = rectangle.centroid.x\n layer_dict['centroid_y'] = rectangle.centroid.y\n srs_list = [srs.encode('utf-8') for srs in layer.service.srs.\n values_list('code', flat=True)]\n layer_dict['srs'] = srs_list\n if layer.get_tile_url():\n layer_dict['tile_url'] = layer.get_tile_url()\n message = 'Layer %s successfully converted to json' % layer.id\n return layer_dict, message\n",
"role": "user"
},
{
"content": "layer2dict",
"role": "assistant"
}
] |
def x(url):
scheme = None
url_lower = url.lower()
if any(x in url_lower for x in ['wms', 'service=wms']):
scheme = 'OGC:WMS'
if any(x in url_lower for x in ['wmts', 'service=wmts']):
scheme = 'OGC:WMTS'
elif all(x in url for x in ['/MapServer', 'f=json']):
scheme = 'ESRI:ArcGIS:MapServer'
elif all(x in url for x in ['/ImageServer', 'f=json']):
scheme = 'ESRI:ArcGIS:ImageServer'
return scheme
|
detect_metadata_url_scheme
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url):\n scheme = None\n url_lower = url.lower()\n if any(x in url_lower for x in ['wms', 'service=wms']):\n scheme = 'OGC:WMS'\n if any(x in url_lower for x in ['wmts', 'service=wmts']):\n scheme = 'OGC:WMTS'\n elif all(x in url for x in ['/MapServer', 'f=json']):\n scheme = 'ESRI:ArcGIS:MapServer'\n elif all(x in url for x in ['/ImageServer', 'f=json']):\n scheme = 'ESRI:ArcGIS:ImageServer'\n return scheme\n",
"role": "user"
},
{
"content": "detect_metadata_url_scheme",
"role": "assistant"
}
] |
def x(check_set):
check_set_list = []
for check in check_set.all()[:25]:
check_set_list.append({'datetime': check.checked_datetime.isoformat
(), 'value': check.response_time, 'success': 1 if check.success
else 0})
return check_set_list
|
serialize_checks
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(check_set):\n check_set_list = []\n for check in check_set.all()[:25]:\n check_set_list.append({'datetime': check.checked_datetime.isoformat\n (), 'value': check.response_time, 'success': 1 if check.success\n else 0})\n return check_set_list\n",
"role": "user"
},
{
"content": "serialize_checks",
"role": "assistant"
}
] |
def x(request):
url = ''
query = (
'*:*&facet=true&facet.limit=-1&facet.pivot=domain_name,service_id&wt=json&indent=true&rows=0'
)
if settings.SEARCH_TYPE == 'elasticsearch':
url = '%s/select?q=%s' % (settings.SEARCH_URL, query)
if settings.SEARCH_TYPE == 'solr':
url = '%s/solr/hypermap/select?q=%s' % (settings.SEARCH_URL, query)
LOGGER.debug(url)
response = urllib2.urlopen(url)
data = response.read().replace('\n', '')
layers_count = Layer.objects.all().count()
services_count = Service.objects.all().count()
template = loader.get_template('aggregator/index.html')
context = RequestContext(request, {'data': data, 'layers_count':
layers_count, 'services_count': services_count})
return HttpResponse(template.render(context))
|
domains
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n url = ''\n query = (\n '*:*&facet=true&facet.limit=-1&facet.pivot=domain_name,service_id&wt=json&indent=true&rows=0'\n )\n if settings.SEARCH_TYPE == 'elasticsearch':\n url = '%s/select?q=%s' % (settings.SEARCH_URL, query)\n if settings.SEARCH_TYPE == 'solr':\n url = '%s/solr/hypermap/select?q=%s' % (settings.SEARCH_URL, query)\n LOGGER.debug(url)\n response = urllib2.urlopen(url)\n data = response.read().replace('\\n', '')\n layers_count = Layer.objects.all().count()\n services_count = Service.objects.all().count()\n template = loader.get_template('aggregator/index.html')\n context = RequestContext(request, {'data': data, 'layers_count':\n layers_count, 'services_count': services_count})\n return HttpResponse(template.render(context))\n",
"role": "user"
},
{
"content": "domains",
"role": "assistant"
}
] |
def x(request):
cached_layers_number = 0
cached_layers = cache.get('layers')
if cached_layers:
cached_layers_number = len(cached_layers)
cached_deleted_layers_number = 0
cached_deleted_layers = cache.get('deleted_layers')
if cached_deleted_layers:
cached_deleted_layers_number = len(cached_deleted_layers)
if request.method == 'POST':
if 'check_all' in request.POST:
if settings.REGISTRY_SKIP_CELERY:
check_all_services()
else:
check_all_services.delay()
if 'index_all' in request.POST:
if settings.REGISTRY_SKIP_CELERY:
index_all_layers()
else:
index_all_layers.delay()
if 'index_cached' in request.POST:
if settings.REGISTRY_SKIP_CELERY:
index_cached_layers()
else:
index_cached_layers.delay()
if 'drop_cached' in request.POST:
cache.set('layers', None)
cache.set('deleted_layers', None)
if 'clear_index' in request.POST:
if settings.REGISTRY_SKIP_CELERY:
clear_index()
else:
clear_index.delay()
if 'remove_index' in request.POST:
if settings.REGISTRY_SKIP_CELERY:
unindex_layers_with_issues()
else:
unindex_layers_with_issues.delay()
return render(request, 'aggregator/tasks_runner.html', {
'cached_layers_number': cached_layers_number,
'cached_deleted_layers_number': cached_deleted_layers_number})
|
tasks_runner
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n cached_layers_number = 0\n cached_layers = cache.get('layers')\n if cached_layers:\n cached_layers_number = len(cached_layers)\n cached_deleted_layers_number = 0\n cached_deleted_layers = cache.get('deleted_layers')\n if cached_deleted_layers:\n cached_deleted_layers_number = len(cached_deleted_layers)\n if request.method == 'POST':\n if 'check_all' in request.POST:\n if settings.REGISTRY_SKIP_CELERY:\n check_all_services()\n else:\n check_all_services.delay()\n if 'index_all' in request.POST:\n if settings.REGISTRY_SKIP_CELERY:\n index_all_layers()\n else:\n index_all_layers.delay()\n if 'index_cached' in request.POST:\n if settings.REGISTRY_SKIP_CELERY:\n index_cached_layers()\n else:\n index_cached_layers.delay()\n if 'drop_cached' in request.POST:\n cache.set('layers', None)\n cache.set('deleted_layers', None)\n if 'clear_index' in request.POST:\n if settings.REGISTRY_SKIP_CELERY:\n clear_index()\n else:\n clear_index.delay()\n if 'remove_index' in request.POST:\n if settings.REGISTRY_SKIP_CELERY:\n unindex_layers_with_issues()\n else:\n unindex_layers_with_issues.delay()\n return render(request, 'aggregator/tasks_runner.html', {\n 'cached_layers_number': cached_layers_number,\n 'cached_deleted_layers_number': cached_deleted_layers_number})\n",
"role": "user"
},
{
"content": "tasks_runner",
"role": "assistant"
}
] |
def x(request, catalog_slug, layer_uuid, path_info):
layer = get_object_or_404(Layer, uuid=layer_uuid, catalog__slug=
catalog_slug)
if layer.service.type == 'Hypermap:WorldMap':
layer.service.url = layer.url
mp, yaml_config = get_mapproxy(layer)
query = request.META['QUERY_STRING']
if len(query) > 0:
path_info = path_info + '?' + query
params = {}
headers = {'X-Script-Name': '/registry/{0}/layer/{1}/map/'.format(
catalog_slug, layer.id), 'X-Forwarded-Host': request.META[
'HTTP_HOST'], 'HTTP_HOST': request.META['HTTP_HOST'], 'SERVER_NAME':
request.META['SERVER_NAME']}
if path_info == '/config':
response = HttpResponse(yaml_config, content_type='text/plain')
return response
mp_response = mp.get(path_info, params, headers)
response = HttpResponse(mp_response.body, status=mp_response.status_int)
for header, value in mp_response.headers.iteritems():
response[header] = value
return response
|
layer_mapproxy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, catalog_slug, layer_uuid, path_info):\n layer = get_object_or_404(Layer, uuid=layer_uuid, catalog__slug=\n catalog_slug)\n if layer.service.type == 'Hypermap:WorldMap':\n layer.service.url = layer.url\n mp, yaml_config = get_mapproxy(layer)\n query = request.META['QUERY_STRING']\n if len(query) > 0:\n path_info = path_info + '?' + query\n params = {}\n headers = {'X-Script-Name': '/registry/{0}/layer/{1}/map/'.format(\n catalog_slug, layer.id), 'X-Forwarded-Host': request.META[\n 'HTTP_HOST'], 'HTTP_HOST': request.META['HTTP_HOST'], 'SERVER_NAME':\n request.META['SERVER_NAME']}\n if path_info == '/config':\n response = HttpResponse(yaml_config, content_type='text/plain')\n return response\n mp_response = mp.get(path_info, params, headers)\n response = HttpResponse(mp_response.body, status=mp_response.status_int)\n for header, value in mp_response.headers.iteritems():\n response[header] = value\n return response\n",
"role": "user"
},
{
"content": "layer_mapproxy",
"role": "assistant"
}
] |
def x(date_str):
is_common_era = True
date_str_parts = date_str.split('-')
if date_str_parts and date_str_parts[0] == '':
is_common_era = False
if len(date_str_parts) == 2:
date_str = date_str + '-01-01T00:00:00Z'
parsed_datetime = {'is_common_era': is_common_era, 'parsed_datetime': None}
if is_common_era:
if date_str == '*':
return parsed_datetime
default = datetime.datetime.now().replace(hour=0, minute=0, second=
0, microsecond=0, day=1, month=1)
parsed_datetime['parsed_datetime'] = parse(date_str, default=default)
return parsed_datetime
parsed_datetime['parsed_datetime'] = date_str
return parsed_datetime
|
parse_datetime
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(date_str):\n is_common_era = True\n date_str_parts = date_str.split('-')\n if date_str_parts and date_str_parts[0] == '':\n is_common_era = False\n if len(date_str_parts) == 2:\n date_str = date_str + '-01-01T00:00:00Z'\n parsed_datetime = {'is_common_era': is_common_era, 'parsed_datetime': None}\n if is_common_era:\n if date_str == '*':\n return parsed_datetime\n default = datetime.datetime.now().replace(hour=0, minute=0, second=\n 0, microsecond=0, day=1, month=1)\n parsed_datetime['parsed_datetime'] = parse(date_str, default=default)\n return parsed_datetime\n parsed_datetime['parsed_datetime'] = date_str\n return parsed_datetime\n",
"role": "user"
},
{
"content": "parse_datetime",
"role": "assistant"
}
] |
def x(time_filter):
pattern = '\\[(.*) TO (.*)\\]'
matcher = re.search(pattern, time_filter)
if matcher:
return matcher.group(1), matcher.group(2)
else:
raise Exception("Regex {0} couldn't parse {1}".format(pattern,
time_filter))
|
parse_solr_time_range_as_pair
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(time_filter):\n pattern = '\\\\[(.*) TO (.*)\\\\]'\n matcher = re.search(pattern, time_filter)\n if matcher:\n return matcher.group(1), matcher.group(2)\n else:\n raise Exception(\"Regex {0} couldn't parse {1}\".format(pattern,\n time_filter))\n",
"role": "user"
},
{
"content": "parse_solr_time_range_as_pair",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.