source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self):
if self.verbose:
pbar = tqdm(total=100)
while True:
task_remain = self._task_queue.qsize()
task_finished = int(float(self.total_task - task_remain) / float(
self.total_task) * 100)
if task_finished % 20 == 0 and task_finished != self.current_state:
self.current_state = task_finished
logger.info('{0}% done'.format(task_finished))
if self.verbose and task_finished > 0:
pbar.update(20)
if task_remain == 0:
break
logger.debug('All task data cleared')
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.verbose:\n pbar = tqdm(total=100)\n while True:\n task_remain = self._task_queue.qsize()\n task_finished = int(float(self.total_task - task_remain) / float(\n self.total_task) * 100)\n if task_finished % 20 == 0 and task_finished != self.current_state:\n self.current_state = task_finished\n logger.info('{0}% done'.format(task_finished))\n if self.verbose and task_finished > 0:\n pbar.update(20)\n if task_remain == 0:\n break\n logger.debug('All task data cleared')\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(data_row, wait):
time.sleep(wait)
data_row['sum'] = data_row['col_1'] + data_row['col_2']
return data_row
|
func
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data_row, wait):\n time.sleep(wait)\n data_row['sum'] = data_row['col_1'] + data_row['col_2']\n return data_row\n",
"role": "user"
},
{
"content": "func",
"role": "assistant"
}
] |
def x(simulated_array, observed_array, replace_nan=None, replace_inf=None,
remove_neg=False, remove_zero=False):
simulated_array, observed_array = treat_values(simulated_array,
observed_array, replace_nan=replace_nan, replace_inf=replace_inf,
remove_neg=remove_neg, remove_zero=remove_zero)
return np.mean(simulated_array - observed_array)
|
me
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(simulated_array, observed_array, replace_nan=None, replace_inf=None,\n remove_neg=False, remove_zero=False):\n simulated_array, observed_array = treat_values(simulated_array,\n observed_array, replace_nan=replace_nan, replace_inf=replace_inf,\n remove_neg=remove_neg, remove_zero=remove_zero)\n return np.mean(simulated_array - observed_array)\n",
"role": "user"
},
{
"content": "me",
"role": "assistant"
}
] |
def x(simulated_array, observed_array, replace_nan=None, replace_inf=None,
remove_neg=False, remove_zero=False):
simulated_array, observed_array = treat_values(simulated_array,
observed_array, replace_nan=replace_nan, replace_inf=replace_inf,
remove_neg=remove_neg, remove_zero=remove_zero)
return np.mean(np.absolute(simulated_array - observed_array))
|
mae
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(simulated_array, observed_array, replace_nan=None, replace_inf=None,\n remove_neg=False, remove_zero=False):\n simulated_array, observed_array = treat_values(simulated_array,\n observed_array, replace_nan=replace_nan, replace_inf=replace_inf,\n remove_neg=remove_neg, remove_zero=remove_zero)\n return np.mean(np.absolute(simulated_array - observed_array))\n",
"role": "user"
},
{
"content": "mae",
"role": "assistant"
}
] |
def x(simulated_array, observed_array, replace_nan=None, replace_inf=None,
remove_neg=False, remove_zero=False):
simulated_array, observed_array = treat_values(simulated_array,
observed_array, replace_nan=replace_nan, replace_inf=replace_inf,
remove_neg=remove_neg, remove_zero=remove_zero)
sim_log = np.log1p(simulated_array)
obs_log = np.log1p(observed_array)
return np.mean(sim_log - obs_log)
|
mle
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(simulated_array, observed_array, replace_nan=None, replace_inf=None,\n remove_neg=False, remove_zero=False):\n simulated_array, observed_array = treat_values(simulated_array,\n observed_array, replace_nan=replace_nan, replace_inf=replace_inf,\n remove_neg=remove_neg, remove_zero=remove_zero)\n sim_log = np.log1p(simulated_array)\n obs_log = np.log1p(observed_array)\n return np.mean(sim_log - obs_log)\n",
"role": "user"
},
{
"content": "mle",
"role": "assistant"
}
] |
def x(simulated_array, observed_array, replace_nan=None, replace_inf=None,
remove_neg=False, remove_zero=False):
simulated_array, observed_array = treat_values(simulated_array,
observed_array, replace_nan=replace_nan, replace_inf=replace_inf,
remove_neg=remove_neg, remove_zero=remove_zero)
return np.median(simulated_array - observed_array)
|
mde
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(simulated_array, observed_array, replace_nan=None, replace_inf=None,\n remove_neg=False, remove_zero=False):\n simulated_array, observed_array = treat_values(simulated_array,\n observed_array, replace_nan=replace_nan, replace_inf=replace_inf,\n remove_neg=remove_neg, remove_zero=remove_zero)\n return np.median(simulated_array - observed_array)\n",
"role": "user"
},
{
"content": "mde",
"role": "assistant"
}
] |
def x(simulated_array, observed_array, replace_nan=None, replace_inf=None,
remove_neg=False, remove_zero=False):
simulated_array, observed_array = treat_values(simulated_array,
observed_array, replace_nan=replace_nan, replace_inf=replace_inf,
remove_neg=remove_neg, remove_zero=remove_zero)
return np.median(np.abs(simulated_array - observed_array))
|
mdae
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(simulated_array, observed_array, replace_nan=None, replace_inf=None,\n remove_neg=False, remove_zero=False):\n simulated_array, observed_array = treat_values(simulated_array,\n observed_array, replace_nan=replace_nan, replace_inf=replace_inf,\n remove_neg=remove_neg, remove_zero=remove_zero)\n return np.median(np.abs(simulated_array - observed_array))\n",
"role": "user"
},
{
"content": "mdae",
"role": "assistant"
}
] |
def x(simulated_array, observed_array, replace_nan=None, replace_inf=None,
remove_neg=False, remove_zero=False):
simulated_array, observed_array = treat_values(simulated_array,
observed_array, replace_nan=replace_nan, replace_inf=replace_inf,
remove_neg=remove_neg, remove_zero=remove_zero)
return np.linalg.norm(observed_array - simulated_array)
|
ed
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(simulated_array, observed_array, replace_nan=None, replace_inf=None,\n remove_neg=False, remove_zero=False):\n simulated_array, observed_array = treat_values(simulated_array,\n observed_array, replace_nan=replace_nan, replace_inf=replace_inf,\n remove_neg=remove_neg, remove_zero=remove_zero)\n return np.linalg.norm(observed_array - simulated_array)\n",
"role": "user"
},
{
"content": "ed",
"role": "assistant"
}
] |
def x(simulated_array, observed_array, replace_nan=None, replace_inf=None,
remove_neg=False, remove_zero=False):
simulated_array, observed_array = treat_values(simulated_array,
observed_array, replace_nan=replace_nan, replace_inf=replace_inf,
remove_neg=remove_neg, remove_zero=remove_zero)
a = observed_array / np.mean(observed_array)
b = simulated_array / np.mean(simulated_array)
return np.linalg.norm(a - b)
|
ned
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(simulated_array, observed_array, replace_nan=None, replace_inf=None,\n remove_neg=False, remove_zero=False):\n simulated_array, observed_array = treat_values(simulated_array,\n observed_array, replace_nan=replace_nan, replace_inf=replace_inf,\n remove_neg=remove_neg, remove_zero=remove_zero)\n a = observed_array / np.mean(observed_array)\n b = simulated_array / np.mean(simulated_array)\n return np.linalg.norm(a - b)\n",
"role": "user"
},
{
"content": "ned",
"role": "assistant"
}
] |
def x(simulated_array, observed_array, replace_nan=None, replace_inf=None,
remove_neg=False, remove_zero=False):
simulated_array, observed_array = treat_values(simulated_array,
observed_array, replace_nan=replace_nan, replace_inf=replace_inf,
remove_neg=remove_neg, remove_zero=remove_zero)
rmse_value = np.sqrt(np.mean((simulated_array - observed_array) ** 2))
obs_max = np.max(observed_array)
obs_min = np.min(observed_array)
return rmse_value / (obs_max - obs_min)
|
nrmse_range
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(simulated_array, observed_array, replace_nan=None, replace_inf=None,\n remove_neg=False, remove_zero=False):\n simulated_array, observed_array = treat_values(simulated_array,\n observed_array, replace_nan=replace_nan, replace_inf=replace_inf,\n remove_neg=remove_neg, remove_zero=remove_zero)\n rmse_value = np.sqrt(np.mean((simulated_array - observed_array) ** 2))\n obs_max = np.max(observed_array)\n obs_min = np.min(observed_array)\n return rmse_value / (obs_max - obs_min)\n",
"role": "user"
},
{
"content": "nrmse_range",
"role": "assistant"
}
] |
def x(simulated_array, observed_array, replace_nan=None, replace_inf=None,
remove_neg=False, remove_zero=False):
simulated_array, observed_array = treat_values(simulated_array,
observed_array, replace_nan=replace_nan, replace_inf=replace_inf,
remove_neg=remove_neg, remove_zero=remove_zero)
rmse_value = np.sqrt(np.mean((simulated_array - observed_array) ** 2))
obs_mean = np.mean(observed_array)
return rmse_value / obs_mean
|
nrmse_mean
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(simulated_array, observed_array, replace_nan=None, replace_inf=None,\n remove_neg=False, remove_zero=False):\n simulated_array, observed_array = treat_values(simulated_array,\n observed_array, replace_nan=replace_nan, replace_inf=replace_inf,\n remove_neg=remove_neg, remove_zero=remove_zero)\n rmse_value = np.sqrt(np.mean((simulated_array - observed_array) ** 2))\n obs_mean = np.mean(observed_array)\n return rmse_value / obs_mean\n",
"role": "user"
},
{
"content": "nrmse_mean",
"role": "assistant"
}
] |
def x(simulated_array, observed_array, replace_nan=None, replace_inf=None,
remove_neg=False, remove_zero=False):
simulated_array, observed_array = treat_values(simulated_array,
observed_array, replace_nan=replace_nan, replace_inf=replace_inf,
remove_neg=remove_neg, remove_zero=remove_zero)
rmse_value = np.sqrt(np.mean((simulated_array - observed_array) ** 2))
q1 = np.percentile(observed_array, 25)
q3 = np.percentile(observed_array, 75)
iqr = q3 - q1
return rmse_value / iqr
|
nrmse_iqr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(simulated_array, observed_array, replace_nan=None, replace_inf=None,\n remove_neg=False, remove_zero=False):\n simulated_array, observed_array = treat_values(simulated_array,\n observed_array, replace_nan=replace_nan, replace_inf=replace_inf,\n remove_neg=remove_neg, remove_zero=remove_zero)\n rmse_value = np.sqrt(np.mean((simulated_array - observed_array) ** 2))\n q1 = np.percentile(observed_array, 25)\n q3 = np.percentile(observed_array, 75)\n iqr = q3 - q1\n return rmse_value / iqr\n",
"role": "user"
},
{
"content": "nrmse_iqr",
"role": "assistant"
}
] |
def x(simulated_array, observed_array, m=1, replace_nan=None, replace_inf=
None, remove_neg=False, remove_zero=False):
simulated_array, observed_array = treat_values(simulated_array,
observed_array, replace_nan=replace_nan, replace_inf=replace_inf,
remove_neg=remove_neg, remove_zero=remove_zero)
start = m
end = simulated_array.size - m
a = np.mean(np.abs(simulated_array - observed_array))
b = np.abs(observed_array[start:observed_array.size] - observed_array[:end]
)
return a / (np.sum(b) / end)
|
mase
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(simulated_array, observed_array, m=1, replace_nan=None, replace_inf=\n None, remove_neg=False, remove_zero=False):\n simulated_array, observed_array = treat_values(simulated_array,\n observed_array, replace_nan=replace_nan, replace_inf=replace_inf,\n remove_neg=remove_neg, remove_zero=remove_zero)\n start = m\n end = simulated_array.size - m\n a = np.mean(np.abs(simulated_array - observed_array))\n b = np.abs(observed_array[start:observed_array.size] - observed_array[:end]\n )\n return a / (np.sum(b) / end)\n",
"role": "user"
},
{
"content": "mase",
"role": "assistant"
}
] |
def x(simulated_array, observed_array, replace_nan=None, replace_inf=None,
remove_neg=False, remove_zero=False):
simulated_array, observed_array = treat_values(simulated_array,
observed_array, replace_nan=replace_nan, replace_inf=replace_inf,
remove_neg=remove_neg, remove_zero=remove_zero)
a = simulated_array - observed_array
b = np.abs(a / observed_array)
return np.mean(np.arctan(b))
|
maape
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(simulated_array, observed_array, replace_nan=None, replace_inf=None,\n remove_neg=False, remove_zero=False):\n simulated_array, observed_array = treat_values(simulated_array,\n observed_array, replace_nan=replace_nan, replace_inf=replace_inf,\n remove_neg=remove_neg, remove_zero=remove_zero)\n a = simulated_array - observed_array\n b = np.abs(a / observed_array)\n return np.mean(np.arctan(b))\n",
"role": "user"
},
{
"content": "maape",
"role": "assistant"
}
] |
def x(simulated_array, observed_array, replace_nan=None, replace_inf=None,
remove_neg=False, remove_zero=False):
simulated_array, observed_array = treat_values(simulated_array,
observed_array, replace_nan=replace_nan, replace_inf=replace_inf,
remove_neg=remove_neg, remove_zero=remove_zero)
a = ((simulated_array - observed_array) / observed_array) ** 2
b = np.abs(simulated_array - np.mean(observed_array))
c = np.abs(observed_array - np.mean(observed_array))
e = ((b + c) / np.mean(observed_array)) ** 2
return 1 - np.sum(a) / np.sum(e)
|
drel
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(simulated_array, observed_array, replace_nan=None, replace_inf=None,\n remove_neg=False, remove_zero=False):\n simulated_array, observed_array = treat_values(simulated_array,\n observed_array, replace_nan=replace_nan, replace_inf=replace_inf,\n remove_neg=remove_neg, remove_zero=remove_zero)\n a = ((simulated_array - observed_array) / observed_array) ** 2\n b = np.abs(simulated_array - np.mean(observed_array))\n c = np.abs(observed_array - np.mean(observed_array))\n e = ((b + c) / np.mean(observed_array)) ** 2\n return 1 - np.sum(a) / np.sum(e)\n",
"role": "user"
},
{
"content": "drel",
"role": "assistant"
}
] |
def x(simulated_array, observed_array, replace_nan=None, replace_inf=None,
remove_neg=False, remove_zero=False):
simulated_array, observed_array = treat_values(simulated_array,
observed_array, replace_nan=replace_nan, replace_inf=replace_inf,
remove_neg=remove_neg, remove_zero=remove_zero)
a = 2 / np.pi
b = np.mean((simulated_array - observed_array) ** 2)
c = np.std(observed_array, ddof=1) ** 2 + np.std(simulated_array, ddof=1
) ** 2
e = (np.mean(simulated_array) - np.mean(observed_array)) ** 2
f = c + e
return a * np.arcsin(1 - b / f)
|
watt_m
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(simulated_array, observed_array, replace_nan=None, replace_inf=None,\n remove_neg=False, remove_zero=False):\n simulated_array, observed_array = treat_values(simulated_array,\n observed_array, replace_nan=replace_nan, replace_inf=replace_inf,\n remove_neg=remove_neg, remove_zero=remove_zero)\n a = 2 / np.pi\n b = np.mean((simulated_array - observed_array) ** 2)\n c = np.std(observed_array, ddof=1) ** 2 + np.std(simulated_array, ddof=1\n ) ** 2\n e = (np.mean(simulated_array) - np.mean(observed_array)) ** 2\n f = c + e\n return a * np.arcsin(1 - b / f)\n",
"role": "user"
},
{
"content": "watt_m",
"role": "assistant"
}
] |
def x(simulated_array, observed_array, s=(1, 1, 1), replace_nan=None,
replace_inf=None, remove_neg=False, remove_zero=False, return_all=False):
simulated_array, observed_array = treat_values(simulated_array,
observed_array, replace_nan=replace_nan, replace_inf=replace_inf,
remove_neg=remove_neg, remove_zero=remove_zero)
sim_mean = np.mean(simulated_array)
obs_mean = np.mean(observed_array)
sim_sigma = np.std(simulated_array, ddof=1)
obs_sigma = np.std(observed_array, ddof=1)
top_pr = np.sum((observed_array - obs_mean) * (simulated_array - sim_mean))
bot1_pr = np.sqrt(np.sum((observed_array - obs_mean) ** 2))
bot2_pr = np.sqrt(np.sum((simulated_array - sim_mean) ** 2))
pr = top_pr / (bot1_pr * bot2_pr)
if obs_mean != 0:
beta = sim_mean / obs_mean
else:
beta = np.nan
if obs_sigma != 0:
alpha = sim_sigma / obs_sigma
else:
alpha = np.nan
if not np.isnan(beta) and not np.isnan(alpha):
kge = 1 - np.sqrt((s[0] * (pr - 1)) ** 2 + (s[1] * (alpha - 1)) **
2 + (s[2] * (beta - 1)) ** 2)
else:
if obs_mean == 0:
warnings.warn(
'Warning: The observed data mean is 0. Therefore, Beta is infinite and the KGE value cannot be computed.'
)
if obs_sigma == 0:
warnings.warn(
'Warning: The observed data standard deviation is 0. Therefore, Alpha is infinite and the KGE value cannot be computed.'
)
kge = np.nan
assert type(return_all
) == bool, "expected <type 'bool'> for parameter return_all, got {}".format(
type(return_all))
if return_all:
return pr, alpha, beta, kge
else:
return kge
|
kge_2009
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(simulated_array, observed_array, s=(1, 1, 1), replace_nan=None,\n replace_inf=None, remove_neg=False, remove_zero=False, return_all=False):\n simulated_array, observed_array = treat_values(simulated_array,\n observed_array, replace_nan=replace_nan, replace_inf=replace_inf,\n remove_neg=remove_neg, remove_zero=remove_zero)\n sim_mean = np.mean(simulated_array)\n obs_mean = np.mean(observed_array)\n sim_sigma = np.std(simulated_array, ddof=1)\n obs_sigma = np.std(observed_array, ddof=1)\n top_pr = np.sum((observed_array - obs_mean) * (simulated_array - sim_mean))\n bot1_pr = np.sqrt(np.sum((observed_array - obs_mean) ** 2))\n bot2_pr = np.sqrt(np.sum((simulated_array - sim_mean) ** 2))\n pr = top_pr / (bot1_pr * bot2_pr)\n if obs_mean != 0:\n beta = sim_mean / obs_mean\n else:\n beta = np.nan\n if obs_sigma != 0:\n alpha = sim_sigma / obs_sigma\n else:\n alpha = np.nan\n if not np.isnan(beta) and not np.isnan(alpha):\n kge = 1 - np.sqrt((s[0] * (pr - 1)) ** 2 + (s[1] * (alpha - 1)) ** \n 2 + (s[2] * (beta - 1)) ** 2)\n else:\n if obs_mean == 0:\n warnings.warn(\n 'Warning: The observed data mean is 0. Therefore, Beta is infinite and the KGE value cannot be computed.'\n )\n if obs_sigma == 0:\n warnings.warn(\n 'Warning: The observed data standard deviation is 0. Therefore, Alpha is infinite and the KGE value cannot be computed.'\n )\n kge = np.nan\n assert type(return_all\n ) == bool, \"expected <type 'bool'> for parameter return_all, got {}\".format(\n type(return_all))\n if return_all:\n return pr, alpha, beta, kge\n else:\n return kge\n",
"role": "user"
},
{
"content": "kge_2009",
"role": "assistant"
}
] |
def x(simulated_array, observed_array, replace_nan=None, replace_inf=None,
remove_neg=False, remove_zero=False):
simulated_array, observed_array = treat_values(simulated_array,
observed_array, replace_nan=replace_nan, replace_inf=replace_inf,
remove_neg=remove_neg, remove_zero=remove_zero)
a = np.dot(simulated_array, observed_array)
b = np.linalg.norm(simulated_array) * np.linalg.norm(observed_array)
return np.arccos(a / b)
|
sa
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(simulated_array, observed_array, replace_nan=None, replace_inf=None,\n remove_neg=False, remove_zero=False):\n simulated_array, observed_array = treat_values(simulated_array,\n observed_array, replace_nan=replace_nan, replace_inf=replace_inf,\n remove_neg=remove_neg, remove_zero=remove_zero)\n a = np.dot(simulated_array, observed_array)\n b = np.linalg.norm(simulated_array) * np.linalg.norm(observed_array)\n return np.arccos(a / b)\n",
"role": "user"
},
{
"content": "sa",
"role": "assistant"
}
] |
def x(simulated_array, observed_array, replace_nan=None, replace_inf=None,
remove_neg=False, remove_zero=False):
simulated_array, observed_array = treat_values(simulated_array,
observed_array, replace_nan=replace_nan, replace_inf=replace_inf,
remove_neg=remove_neg, remove_zero=remove_zero)
a = np.dot(observed_array - np.mean(observed_array), simulated_array -
np.mean(simulated_array))
b = np.linalg.norm(observed_array - np.mean(observed_array))
c = np.linalg.norm(simulated_array - np.mean(simulated_array))
e = b * c
return np.arccos(a / e)
|
sc
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(simulated_array, observed_array, replace_nan=None, replace_inf=None,\n remove_neg=False, remove_zero=False):\n simulated_array, observed_array = treat_values(simulated_array,\n observed_array, replace_nan=replace_nan, replace_inf=replace_inf,\n remove_neg=remove_neg, remove_zero=remove_zero)\n a = np.dot(observed_array - np.mean(observed_array), simulated_array -\n np.mean(simulated_array))\n b = np.linalg.norm(observed_array - np.mean(observed_array))\n c = np.linalg.norm(simulated_array - np.mean(simulated_array))\n e = b * c\n return np.arccos(a / e)\n",
"role": "user"
},
{
"content": "sc",
"role": "assistant"
}
] |
def x(simulated_array, observed_array, replace_nan=None, replace_inf=None,
remove_neg=False, remove_zero=False):
simulated_array, observed_array = treat_values(simulated_array,
observed_array, replace_nan=replace_nan, replace_inf=replace_inf,
remove_neg=remove_neg, remove_zero=remove_zero)
first = observed_array / np.mean(observed_array
) - simulated_array / np.mean(simulated_array)
second1 = np.log10(observed_array) - np.log10(np.mean(observed_array))
second2 = np.log10(simulated_array) - np.log10(np.mean(simulated_array))
return np.dot(first, second1 - second2)
|
sid
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(simulated_array, observed_array, replace_nan=None, replace_inf=None,\n remove_neg=False, remove_zero=False):\n simulated_array, observed_array = treat_values(simulated_array,\n observed_array, replace_nan=replace_nan, replace_inf=replace_inf,\n remove_neg=remove_neg, remove_zero=remove_zero)\n first = observed_array / np.mean(observed_array\n ) - simulated_array / np.mean(simulated_array)\n second1 = np.log10(observed_array) - np.log10(np.mean(observed_array))\n second2 = np.log10(simulated_array) - np.log10(np.mean(simulated_array))\n return np.dot(first, second1 - second2)\n",
"role": "user"
},
{
"content": "sid",
"role": "assistant"
}
] |
def x(simulated_array, observed_array, replace_nan=None, replace_inf=None,
remove_neg=False, remove_zero=False):
simulated_array, observed_array = treat_values(simulated_array,
observed_array, replace_nan=replace_nan, replace_inf=replace_inf,
remove_neg=remove_neg, remove_zero=remove_zero)
sgx = observed_array[1:] - observed_array[:observed_array.size - 1]
sgy = simulated_array[1:] - simulated_array[:simulated_array.size - 1]
a = np.dot(sgx, sgy)
b = np.linalg.norm(sgx) * np.linalg.norm(sgy)
return np.arccos(a / b)
|
sga
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(simulated_array, observed_array, replace_nan=None, replace_inf=None,\n remove_neg=False, remove_zero=False):\n simulated_array, observed_array = treat_values(simulated_array,\n observed_array, replace_nan=replace_nan, replace_inf=replace_inf,\n remove_neg=remove_neg, remove_zero=remove_zero)\n sgx = observed_array[1:] - observed_array[:observed_array.size - 1]\n sgy = simulated_array[1:] - simulated_array[:simulated_array.size - 1]\n a = np.dot(sgx, sgy)\n b = np.linalg.norm(sgx) * np.linalg.norm(sgy)\n return np.arccos(a / b)\n",
"role": "user"
},
{
"content": "sga",
"role": "assistant"
}
] |
def x(simulated_array, observed_array, replace_nan=None, replace_inf=None,
remove_neg=False, remove_zero=False):
simulated_array, observed_array = treat_values(simulated_array,
observed_array, replace_nan=replace_nan, replace_inf=replace_inf,
remove_neg=remove_neg, remove_zero=remove_zero)
h = (simulated_array - observed_array) / observed_array
return np.mean(h)
|
h1_mhe
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(simulated_array, observed_array, replace_nan=None, replace_inf=None,\n remove_neg=False, remove_zero=False):\n simulated_array, observed_array = treat_values(simulated_array,\n observed_array, replace_nan=replace_nan, replace_inf=replace_inf,\n remove_neg=remove_neg, remove_zero=remove_zero)\n h = (simulated_array - observed_array) / observed_array\n return np.mean(h)\n",
"role": "user"
},
{
"content": "h1_mhe",
"role": "assistant"
}
] |
def x(simulated_array, observed_array, k=1, replace_nan=None, replace_inf=
None, remove_neg=False, remove_zero=False):
simulated_array, observed_array = treat_values(simulated_array,
observed_array, replace_nan=replace_nan, replace_inf=replace_inf,
remove_neg=remove_neg, remove_zero=remove_zero)
top = simulated_array / observed_array - 1
bot = np.power(0.5 * (1 + np.power(simulated_array / observed_array, k)
), 1 / k)
h = top / bot
return np.mean(np.abs(h))
|
h6_mahe
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(simulated_array, observed_array, k=1, replace_nan=None, replace_inf=\n None, remove_neg=False, remove_zero=False):\n simulated_array, observed_array = treat_values(simulated_array,\n observed_array, replace_nan=replace_nan, replace_inf=replace_inf,\n remove_neg=remove_neg, remove_zero=remove_zero)\n top = simulated_array / observed_array - 1\n bot = np.power(0.5 * (1 + np.power(simulated_array / observed_array, k)\n ), 1 / k)\n h = top / bot\n return np.mean(np.abs(h))\n",
"role": "user"
},
{
"content": "h6_mahe",
"role": "assistant"
}
] |
def x(simulated_array, observed_array, replace_nan=None, replace_inf=None,
remove_neg=False, remove_zero=False):
sim_copy = np.copy(simulated_array)
obs_copy = np.copy(observed_array)
assert sim_copy.ndim == 1, 'The simulated array is not one dimensional.'
assert obs_copy.ndim == 1, 'The observed array is not one dimensional.'
if sim_copy.size != obs_copy.size:
raise RuntimeError('The two ndarrays are not the same size.')
all_treatment_array = np.ones(obs_copy.size, dtype=bool)
if np.any(np.isnan(obs_copy)) or np.any(np.isnan(sim_copy)):
if replace_nan is not None:
sim_nan = np.isnan(sim_copy)
obs_nan = np.isnan(obs_copy)
sim_copy[sim_nan] = replace_nan
obs_copy[obs_nan] = replace_nan
warnings.warn(
'Elements(s) {} contained NaN values in the simulated array and elements(s) {} contained NaN values in the observed array and have been replaced (Elements are zero indexed).'
.format(np.where(sim_nan)[0], np.where(obs_nan)[0]),
UserWarning)
else:
nan_indices_fcst = ~np.isnan(sim_copy)
nan_indices_obs = ~np.isnan(obs_copy)
all_nan_indices = np.logical_and(nan_indices_fcst, nan_indices_obs)
all_treatment_array = np.logical_and(all_treatment_array,
all_nan_indices)
warnings.warn(
'Row(s) {} contained NaN values and the row(s) have been removed (Rows are zero indexed).'
.format(np.where(~all_nan_indices)[0]), UserWarning)
if np.any(np.isinf(obs_copy)) or np.any(np.isinf(sim_copy)):
if replace_nan is not None:
sim_inf = np.isinf(sim_copy)
obs_inf = np.isinf(obs_copy)
sim_copy[sim_inf] = replace_inf
obs_copy[obs_inf] = replace_inf
warnings.warn(
'Elements(s) {} contained Inf values in the simulated array and elements(s) {} contained Inf values in the observed array and have been replaced (Elements are zero indexed).'
.format(np.where(sim_inf)[0], np.where(obs_inf)[0]),
UserWarning)
else:
inf_indices_fcst = ~np.isinf(sim_copy)
inf_indices_obs = ~np.isinf(obs_copy)
all_inf_indices = np.logical_and(inf_indices_fcst, inf_indices_obs)
all_treatment_array = np.logical_and(all_treatment_array,
all_inf_indices)
warnings.warn(
'Row(s) {} contained Inf or -Inf values and the row(s) have been removed (Rows are zero indexed).'
.format(np.where(~all_inf_indices)[0]), UserWarning)
if remove_zero:
if (obs_copy == 0).any() or (sim_copy == 0).any():
zero_indices_fcst = ~(sim_copy == 0)
zero_indices_obs = ~(obs_copy == 0)
all_zero_indices = np.logical_and(zero_indices_fcst,
zero_indices_obs)
all_treatment_array = np.logical_and(all_treatment_array,
all_zero_indices)
warnings.warn(
'Row(s) {} contained zero values and the row(s) have been removed (Rows are zero indexed).'
.format(np.where(~all_zero_indices)[0]), UserWarning)
if remove_neg:
with np.errstate(invalid='ignore'):
obs_copy_bool = obs_copy < 0
sim_copy_bool = sim_copy < 0
if obs_copy_bool.any() or sim_copy_bool.any():
neg_indices_fcst = ~sim_copy_bool
neg_indices_obs = ~obs_copy_bool
all_neg_indices = np.logical_and(neg_indices_fcst, neg_indices_obs)
all_treatment_array = np.logical_and(all_treatment_array,
all_neg_indices)
warnings.warn(
'Row(s) {} contained negative values and the row(s) have been removed (Rows are zero indexed).'
.format(np.where(~all_neg_indices)[0]), UserWarning)
obs_copy = obs_copy[all_treatment_array]
sim_copy = sim_copy[all_treatment_array]
return sim_copy, obs_copy
|
treat_values
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(simulated_array, observed_array, replace_nan=None, replace_inf=None,\n remove_neg=False, remove_zero=False):\n sim_copy = np.copy(simulated_array)\n obs_copy = np.copy(observed_array)\n assert sim_copy.ndim == 1, 'The simulated array is not one dimensional.'\n assert obs_copy.ndim == 1, 'The observed array is not one dimensional.'\n if sim_copy.size != obs_copy.size:\n raise RuntimeError('The two ndarrays are not the same size.')\n all_treatment_array = np.ones(obs_copy.size, dtype=bool)\n if np.any(np.isnan(obs_copy)) or np.any(np.isnan(sim_copy)):\n if replace_nan is not None:\n sim_nan = np.isnan(sim_copy)\n obs_nan = np.isnan(obs_copy)\n sim_copy[sim_nan] = replace_nan\n obs_copy[obs_nan] = replace_nan\n warnings.warn(\n 'Elements(s) {} contained NaN values in the simulated array and elements(s) {} contained NaN values in the observed array and have been replaced (Elements are zero indexed).'\n .format(np.where(sim_nan)[0], np.where(obs_nan)[0]),\n UserWarning)\n else:\n nan_indices_fcst = ~np.isnan(sim_copy)\n nan_indices_obs = ~np.isnan(obs_copy)\n all_nan_indices = np.logical_and(nan_indices_fcst, nan_indices_obs)\n all_treatment_array = np.logical_and(all_treatment_array,\n all_nan_indices)\n warnings.warn(\n 'Row(s) {} contained NaN values and the row(s) have been removed (Rows are zero indexed).'\n .format(np.where(~all_nan_indices)[0]), UserWarning)\n if np.any(np.isinf(obs_copy)) or np.any(np.isinf(sim_copy)):\n if replace_nan is not None:\n sim_inf = np.isinf(sim_copy)\n obs_inf = np.isinf(obs_copy)\n sim_copy[sim_inf] = replace_inf\n obs_copy[obs_inf] = replace_inf\n warnings.warn(\n 'Elements(s) {} contained Inf values in the simulated array and elements(s) {} contained Inf values in the observed array and have been replaced (Elements are zero indexed).'\n .format(np.where(sim_inf)[0], np.where(obs_inf)[0]),\n UserWarning)\n else:\n inf_indices_fcst = ~np.isinf(sim_copy)\n inf_indices_obs = ~np.isinf(obs_copy)\n all_inf_indices = np.logical_and(inf_indices_fcst, inf_indices_obs)\n all_treatment_array = np.logical_and(all_treatment_array,\n all_inf_indices)\n warnings.warn(\n 'Row(s) {} contained Inf or -Inf values and the row(s) have been removed (Rows are zero indexed).'\n .format(np.where(~all_inf_indices)[0]), UserWarning)\n if remove_zero:\n if (obs_copy == 0).any() or (sim_copy == 0).any():\n zero_indices_fcst = ~(sim_copy == 0)\n zero_indices_obs = ~(obs_copy == 0)\n all_zero_indices = np.logical_and(zero_indices_fcst,\n zero_indices_obs)\n all_treatment_array = np.logical_and(all_treatment_array,\n all_zero_indices)\n warnings.warn(\n 'Row(s) {} contained zero values and the row(s) have been removed (Rows are zero indexed).'\n .format(np.where(~all_zero_indices)[0]), UserWarning)\n if remove_neg:\n with np.errstate(invalid='ignore'):\n obs_copy_bool = obs_copy < 0\n sim_copy_bool = sim_copy < 0\n if obs_copy_bool.any() or sim_copy_bool.any():\n neg_indices_fcst = ~sim_copy_bool\n neg_indices_obs = ~obs_copy_bool\n all_neg_indices = np.logical_and(neg_indices_fcst, neg_indices_obs)\n all_treatment_array = np.logical_and(all_treatment_array,\n all_neg_indices)\n warnings.warn(\n 'Row(s) {} contained negative values and the row(s) have been removed (Rows are zero indexed).'\n .format(np.where(~all_neg_indices)[0]), UserWarning)\n obs_copy = obs_copy[all_treatment_array]\n sim_copy = sim_copy[all_treatment_array]\n return sim_copy, obs_copy\n",
"role": "user"
},
{
"content": "treat_values",
"role": "assistant"
}
] |
def x(redirect_uri=FACEBOOK_AUTHORIZATION_REDIRECT_URL, permissions=None):
def x(function):
@wraps(function)
def x(request, *args, **kwargs):
canvas = request.facebook is not False and hasattr(request.
facebook, 'signed_request')
if request.facebook and request.facebook.user and permissions:
outstanding_permissions = [p for p in permissions if p not in
request.facebook.user.permissions]
if outstanding_permissions:
return authorize_application(request=request,
redirect_uri=redirect_uri or
get_post_authorization_redirect_url(request, canvas
=canvas), permissions=outstanding_permissions)
if not request.facebook or not request.facebook.user:
return authorize_application(request=request, redirect_uri=
redirect_uri or get_post_authorization_redirect_url(
request, canvas=canvas), permissions=(
FACEBOOK_APPLICATION_INITIAL_PERMISSIONS or []) + (
permissions or []))
return function(request, *args, **kwargs)
return wrapper
if callable(redirect_uri):
function = redirect_uri
redirect_uri = None
return decorator(function)
else:
return decorator
|
facebook_authorization_required
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(redirect_uri=FACEBOOK_AUTHORIZATION_REDIRECT_URL, permissions=None):\n\n def x(function):\n\n @wraps(function)\n def x(request, *args, **kwargs):\n canvas = request.facebook is not False and hasattr(request.\n facebook, 'signed_request')\n if request.facebook and request.facebook.user and permissions:\n outstanding_permissions = [p for p in permissions if p not in\n request.facebook.user.permissions]\n if outstanding_permissions:\n return authorize_application(request=request,\n redirect_uri=redirect_uri or\n get_post_authorization_redirect_url(request, canvas\n =canvas), permissions=outstanding_permissions)\n if not request.facebook or not request.facebook.user:\n return authorize_application(request=request, redirect_uri=\n redirect_uri or get_post_authorization_redirect_url(\n request, canvas=canvas), permissions=(\n FACEBOOK_APPLICATION_INITIAL_PERMISSIONS or []) + (\n permissions or []))\n return function(request, *args, **kwargs)\n return wrapper\n if callable(redirect_uri):\n function = redirect_uri\n redirect_uri = None\n return decorator(function)\n else:\n return decorator\n",
"role": "user"
},
{
"content": "facebook_authorization_required",
"role": "assistant"
}
] |
def x(self):
if self.first_name and self.middle_name and self.last_name:
return '%s %s %s' % (self.first_name, self.middle_name, self.last_name)
if self.first_name and self.last_name:
return '%s %s' % (self.first_name, self.last_name)
|
full_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.first_name and self.middle_name and self.last_name:\n return '%s %s %s' % (self.first_name, self.middle_name, self.last_name)\n if self.first_name and self.last_name:\n return '%s %s' % (self.first_name, self.last_name)\n",
"role": "user"
},
{
"content": "full_name",
"role": "assistant"
}
] |
def x(self):
records = self.graph.get('me/permissions')['data']
permissions = []
for record in records:
if record['status'] == 'granted':
permissions.append(record['permission'])
return permissions
|
permissions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n records = self.graph.get('me/permissions')['data']\n permissions = []\n for record in records:\n if record['status'] == 'granted':\n permissions.append(record['permission'])\n return permissions\n",
"role": "user"
},
{
"content": "permissions",
"role": "assistant"
}
] |
def x(self, graph_data=None):
profile = graph_data or self.graph.get('me')
self.facebook_username = profile.get('username')
self.first_name = profile.get('first_name')
self.middle_name = profile.get('middle_name')
self.last_name = profile.get('last_name')
self.birthday = datetime.strptime(profile['birthday'], '%m/%d/%Y'
) if profile.has_key('birthday') else None
self.email = profile.get('email')
self.locale = profile.get('locale')
self.gender = profile.get('gender')
self.extra_data = profile
self.save()
|
synchronize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, graph_data=None):\n profile = graph_data or self.graph.get('me')\n self.facebook_username = profile.get('username')\n self.first_name = profile.get('first_name')\n self.middle_name = profile.get('middle_name')\n self.last_name = profile.get('last_name')\n self.birthday = datetime.strptime(profile['birthday'], '%m/%d/%Y'\n ) if profile.has_key('birthday') else None\n self.email = profile.get('email')\n self.locale = profile.get('locale')\n self.gender = profile.get('gender')\n self.extra_data = profile\n self.save()\n",
"role": "user"
},
{
"content": "synchronize",
"role": "assistant"
}
] |
def x(self):
if self.expires_at:
return self.expires_at - self.issued_at > timedelta(days=30)
else:
return False
|
extended
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.expires_at:\n return self.expires_at - self.issued_at > timedelta(days=30)\n else:\n return False\n",
"role": "user"
},
{
"content": "extended",
"role": "assistant"
}
] |
def x(self):
graph = GraphAPI()
response = graph.get('oauth/access_token', client_id=
FACEBOOK_APPLICATION_ID, client_secret=
FACEBOOK_APPLICATION_SECRET_KEY, grant_type='fb_exchange_token',
fb_exchange_token=self.token)
components = parse_qs(response)
self.token = components['access_token'][0]
self.expires_at = now() + timedelta(seconds=int(components['expires'][0]))
self.save()
|
extend
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n graph = GraphAPI()\n response = graph.get('oauth/access_token', client_id=\n FACEBOOK_APPLICATION_ID, client_secret=\n FACEBOOK_APPLICATION_SECRET_KEY, grant_type='fb_exchange_token',\n fb_exchange_token=self.token)\n components = parse_qs(response)\n self.token = components['access_token'][0]\n self.expires_at = now() + timedelta(seconds=int(components['expires'][0]))\n self.save()\n",
"role": "user"
},
{
"content": "extend",
"role": "assistant"
}
] |
def x(self, request):
if hasattr(request, 'facebook') and request.facebook:
return
request.facebook = False
if not self.is_valid_path(request):
return
if self.is_access_denied(request):
return authorization_denied_view(request)
if ('signed_request' not in request.REQUEST and 'signed_request' not in
request.COOKIES):
return
if request.method == 'POST' and 'signed_request' in request.POST:
request.POST = QueryDict('')
request.method = 'GET'
request.facebook = Facebook()
try:
request.facebook.signed_request = SignedRequest(signed_request=
request.REQUEST.get('signed_request') or request.COOKIES.get(
'signed_request'), application_secret_key=
FACEBOOK_APPLICATION_SECRET_KEY)
except SignedRequest.Error:
request.facebook = False
if (request.facebook and request.facebook.signed_request.user.
has_authorized_application and not request.facebook.signed_request.
user.oauth_token.has_expired):
try:
user = User.objects.get(facebook_id=request.facebook.
signed_request.user.id)
except User.DoesNotExist:
oauth_token = OAuthToken.objects.create(token=request.facebook.
signed_request.user.oauth_token.token, issued_at=request.
facebook.signed_request.user.oauth_token.issued_at.replace(
tzinfo=tzlocal()), expires_at=request.facebook.
signed_request.user.oauth_token.expires_at.replace(tzinfo=
tzlocal()))
user = User.objects.create(facebook_id=request.facebook.
signed_request.user.id, oauth_token=oauth_token)
user.synchronize()
else:
user.last_seen_at = now()
if 'signed_request' in request.REQUEST:
user.authorized = True
if request.facebook.signed_request.user.oauth_token:
user.oauth_token.token = (request.facebook.
signed_request.user.oauth_token.token)
user.oauth_token.issued_at = (request.facebook.
signed_request.user.oauth_token.issued_at.replace(
tzinfo=tzlocal()))
user.oauth_token.expires_at = (request.facebook.
signed_request.user.oauth_token.expires_at.replace(
tzinfo=tzlocal()))
user.oauth_token.save()
user.save()
if not user.oauth_token.extended:
try:
user.oauth_token.extend()
except:
pass
request.facebook.user = user
|
process_request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n if hasattr(request, 'facebook') and request.facebook:\n return\n request.facebook = False\n if not self.is_valid_path(request):\n return\n if self.is_access_denied(request):\n return authorization_denied_view(request)\n if ('signed_request' not in request.REQUEST and 'signed_request' not in\n request.COOKIES):\n return\n if request.method == 'POST' and 'signed_request' in request.POST:\n request.POST = QueryDict('')\n request.method = 'GET'\n request.facebook = Facebook()\n try:\n request.facebook.signed_request = SignedRequest(signed_request=\n request.REQUEST.get('signed_request') or request.COOKIES.get(\n 'signed_request'), application_secret_key=\n FACEBOOK_APPLICATION_SECRET_KEY)\n except SignedRequest.Error:\n request.facebook = False\n if (request.facebook and request.facebook.signed_request.user.\n has_authorized_application and not request.facebook.signed_request.\n user.oauth_token.has_expired):\n try:\n user = User.objects.get(facebook_id=request.facebook.\n signed_request.user.id)\n except User.DoesNotExist:\n oauth_token = OAuthToken.objects.create(token=request.facebook.\n signed_request.user.oauth_token.token, issued_at=request.\n facebook.signed_request.user.oauth_token.issued_at.replace(\n tzinfo=tzlocal()), expires_at=request.facebook.\n signed_request.user.oauth_token.expires_at.replace(tzinfo=\n tzlocal()))\n user = User.objects.create(facebook_id=request.facebook.\n signed_request.user.id, oauth_token=oauth_token)\n user.synchronize()\n else:\n user.last_seen_at = now()\n if 'signed_request' in request.REQUEST:\n user.authorized = True\n if request.facebook.signed_request.user.oauth_token:\n user.oauth_token.token = (request.facebook.\n signed_request.user.oauth_token.token)\n user.oauth_token.issued_at = (request.facebook.\n signed_request.user.oauth_token.issued_at.replace(\n tzinfo=tzlocal()))\n user.oauth_token.expires_at = (request.facebook.\n signed_request.user.oauth_token.expires_at.replace(\n tzinfo=tzlocal()))\n user.oauth_token.save()\n user.save()\n if not user.oauth_token.extended:\n try:\n user.oauth_token.extend()\n except:\n pass\n request.facebook.user = user\n",
"role": "user"
},
{
"content": "process_request",
"role": "assistant"
}
] |
def x(self, request, response):
response['P3P'] = 'CP="IDC CURa ADMa OUR IND PHY ONL COM STA"'
if FANDJANGO_CACHE_SIGNED_REQUEST:
if hasattr(request, 'facebook'
) and request.facebook and request.facebook.signed_request:
response.set_cookie('signed_request', request.facebook.
signed_request.generate())
else:
response.delete_cookie('signed_request')
return response
|
process_response
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, response):\n response['P3P'] = 'CP=\"IDC CURa ADMa OUR IND PHY ONL COM STA\"'\n if FANDJANGO_CACHE_SIGNED_REQUEST:\n if hasattr(request, 'facebook'\n ) and request.facebook and request.facebook.signed_request:\n response.set_cookie('signed_request', request.facebook.\n signed_request.generate())\n else:\n response.delete_cookie('signed_request')\n return response\n",
"role": "user"
},
{
"content": "process_response",
"role": "assistant"
}
] |
def x(self, request):
if hasattr(request, 'facebook') and request.facebook:
return
request.facebook = False
if not self.is_valid_path(request):
return
if self.is_access_denied(request):
return authorization_denied_view(request)
request.facebook = Facebook()
oauth_token = False
if 'oauth_token' in request.COOKIES:
try:
oauth_token = OAuthToken.objects.get(token=request.COOKIES[
'oauth_token'])
except OAuthToken.DoesNotExist:
request.facebook = False
return
elif 'code' in request.GET:
try:
graph = GraphAPI()
response = graph.get('oauth/access_token', client_id=
FACEBOOK_APPLICATION_ID, redirect_uri=
get_post_authorization_redirect_url(request, canvas=False),
client_secret=FACEBOOK_APPLICATION_SECRET_KEY, code=request
.GET['code'])
components = parse_qs(response)
oauth_token, new_oauth_token = OAuthToken.objects.get_or_create(
token=components['access_token'][0], issued_at=now(),
expires_at=now() + timedelta(seconds=int(components[
'expires'][0])))
except GraphAPI.OAuthError:
pass
if not oauth_token or oauth_token.expired:
request.facebook = False
return
try:
user = oauth_token.user
if not user.authorized:
request.facebook = False
return
user.last_seen_at = now()
user.save()
except User.DoesNotExist:
graph = GraphAPI(oauth_token.token)
profile = graph.get('me')
try:
user = User.objects.get(facebook_id=profile.get('id'))
if not user.authorized:
if new_oauth_token:
user.last_seen_at = now()
user.authorized = True
else:
request.facebook = False
return
except User.DoesNotExist:
user = User.objects.create(facebook_id=profile.get('id'),
oauth_token=oauth_token)
user.synchronize(profile)
old_oauth_token = None
if user.oauth_token != oauth_token:
old_oauth_token = user.oauth_token
user.oauth_token = oauth_token
user.save()
if old_oauth_token:
old_oauth_token.delete()
if not user.oauth_token.extended:
try:
user.oauth_token.extend()
except:
pass
request.facebook.user = user
request.facebook.oauth_token = oauth_token
|
process_request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n if hasattr(request, 'facebook') and request.facebook:\n return\n request.facebook = False\n if not self.is_valid_path(request):\n return\n if self.is_access_denied(request):\n return authorization_denied_view(request)\n request.facebook = Facebook()\n oauth_token = False\n if 'oauth_token' in request.COOKIES:\n try:\n oauth_token = OAuthToken.objects.get(token=request.COOKIES[\n 'oauth_token'])\n except OAuthToken.DoesNotExist:\n request.facebook = False\n return\n elif 'code' in request.GET:\n try:\n graph = GraphAPI()\n response = graph.get('oauth/access_token', client_id=\n FACEBOOK_APPLICATION_ID, redirect_uri=\n get_post_authorization_redirect_url(request, canvas=False),\n client_secret=FACEBOOK_APPLICATION_SECRET_KEY, code=request\n .GET['code'])\n components = parse_qs(response)\n oauth_token, new_oauth_token = OAuthToken.objects.get_or_create(\n token=components['access_token'][0], issued_at=now(),\n expires_at=now() + timedelta(seconds=int(components[\n 'expires'][0])))\n except GraphAPI.OAuthError:\n pass\n if not oauth_token or oauth_token.expired:\n request.facebook = False\n return\n try:\n user = oauth_token.user\n if not user.authorized:\n request.facebook = False\n return\n user.last_seen_at = now()\n user.save()\n except User.DoesNotExist:\n graph = GraphAPI(oauth_token.token)\n profile = graph.get('me')\n try:\n user = User.objects.get(facebook_id=profile.get('id'))\n if not user.authorized:\n if new_oauth_token:\n user.last_seen_at = now()\n user.authorized = True\n else:\n request.facebook = False\n return\n except User.DoesNotExist:\n user = User.objects.create(facebook_id=profile.get('id'),\n oauth_token=oauth_token)\n user.synchronize(profile)\n old_oauth_token = None\n if user.oauth_token != oauth_token:\n old_oauth_token = user.oauth_token\n user.oauth_token = oauth_token\n user.save()\n if old_oauth_token:\n old_oauth_token.delete()\n if not user.oauth_token.extended:\n try:\n user.oauth_token.extend()\n except:\n pass\n request.facebook.user = user\n request.facebook.oauth_token = oauth_token\n",
"role": "user"
},
{
"content": "process_request",
"role": "assistant"
}
] |
def x(self, request, response):
if hasattr(request, 'facebook'
) and request.facebook and request.facebook.oauth_token:
if 'code' in request.REQUEST:
""" Remove auth related query params """
path = get_full_path(request, remove_querystrings=['code',
'web_canvas'])
response = HttpResponseRedirect(path)
response.set_cookie('oauth_token', request.facebook.oauth_token.token)
else:
response.delete_cookie('oauth_token')
response['P3P'] = 'CP="IDC CURa ADMa OUR IND PHY ONL COM STA"'
return response
|
process_response
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, response):\n if hasattr(request, 'facebook'\n ) and request.facebook and request.facebook.oauth_token:\n if 'code' in request.REQUEST:\n \"\"\" Remove auth related query params \"\"\"\n path = get_full_path(request, remove_querystrings=['code',\n 'web_canvas'])\n response = HttpResponseRedirect(path)\n response.set_cookie('oauth_token', request.facebook.oauth_token.token)\n else:\n response.delete_cookie('oauth_token')\n response['P3P'] = 'CP=\"IDC CURa ADMa OUR IND PHY ONL COM STA\"'\n return response\n",
"role": "user"
},
{
"content": "process_response",
"role": "assistant"
}
] |
def x(log_level):
if not LOGBOOK_INSTALLED:
return
logbook.get_level_name(log_level)
if log_level == logger.level:
return
if log_level == logbook.NOTSET:
set_logger(is_enable=False)
else:
set_logger(is_enable=True)
logger.level = log_level
tabledata.set_log_level(log_level)
sqliteschema.set_log_level(log_level)
try:
import pytablereader
pytablereader.set_log_level(log_level)
except ImportError:
pass
|
set_log_level
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(log_level):\n if not LOGBOOK_INSTALLED:\n return\n logbook.get_level_name(log_level)\n if log_level == logger.level:\n return\n if log_level == logbook.NOTSET:\n set_logger(is_enable=False)\n else:\n set_logger(is_enable=True)\n logger.level = log_level\n tabledata.set_log_level(log_level)\n sqliteschema.set_log_level(log_level)\n try:\n import pytablereader\n pytablereader.set_log_level(log_level)\n except ImportError:\n pass\n",
"role": "user"
},
{
"content": "set_log_level",
"role": "assistant"
}
] |
def x(cls, attr_names, values):
try:
values = values._asdict()
except AttributeError:
pass
try:
return [cls.__to_sqlite_element(values.get(attr_name)) for
attr_name in attr_names]
except AttributeError:
pass
if isinstance(values, (tuple, list)):
return [cls.__to_sqlite_element(value) for value in values]
raise ValueError('cannot convert from {} to list'.format(type(values)))
|
to_record
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, attr_names, values):\n try:\n values = values._asdict()\n except AttributeError:\n pass\n try:\n return [cls.__to_sqlite_element(values.get(attr_name)) for\n attr_name in attr_names]\n except AttributeError:\n pass\n if isinstance(values, (tuple, list)):\n return [cls.__to_sqlite_element(value) for value in values]\n raise ValueError('cannot convert from {} to list'.format(type(values)))\n",
"role": "user"
},
{
"content": "to_record",
"role": "assistant"
}
] |
def x(cls, attr_names, value_matrix):
return [cls.to_record(attr_names, record) for record in value_matrix]
|
to_records
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, attr_names, value_matrix):\n return [cls.to_record(attr_names, record) for record in value_matrix]\n",
"role": "user"
},
{
"content": "to_records",
"role": "assistant"
}
] |
def x(path):
for disabled_path in DISABLED_PATHS:
match = re.search(disabled_path, path[1:])
if match:
return True
return False
|
is_disabled_path
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n for disabled_path in DISABLED_PATHS:\n match = re.search(disabled_path, path[1:])\n if match:\n return True\n return False\n",
"role": "user"
},
{
"content": "is_disabled_path",
"role": "assistant"
}
] |
def x(path):
for enabled_path in ENABLED_PATHS:
match = re.search(enabled_path, path[1:])
if match:
return True
return False
|
is_enabled_path
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n for enabled_path in ENABLED_PATHS:\n match = re.search(enabled_path, path[1:])\n if match:\n return True\n return False\n",
"role": "user"
},
{
"content": "is_enabled_path",
"role": "assistant"
}
] |
def x(**kwargs):
def x(function):
@wraps(function)
def x(self):
key = 'fandjango.%(model)s.%(property)s_%(pk)s' % {'model':
self.__class__.__name__, 'pk': self.pk, 'property':
function.__name__}
cached_value = cache.get(key)
delta = timedelta(**kwargs)
if cached_value is None:
value = function(self)
cache.set(key, value, delta.days * 86400 + delta.seconds)
else:
value = cached_value
return value
return wrapper
return decorator
|
cached_property
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(**kwargs):\n\n def x(function):\n\n @wraps(function)\n def x(self):\n key = 'fandjango.%(model)s.%(property)s_%(pk)s' % {'model':\n self.__class__.__name__, 'pk': self.pk, 'property':\n function.__name__}\n cached_value = cache.get(key)\n delta = timedelta(**kwargs)\n if cached_value is None:\n value = function(self)\n cache.set(key, value, delta.days * 86400 + delta.seconds)\n else:\n value = cached_value\n return value\n return wrapper\n return decorator\n",
"role": "user"
},
{
"content": "cached_property",
"role": "assistant"
}
] |
def x(request):
authorization_denied_module_name = AUTHORIZATION_DENIED_VIEW.rsplit('.', 1
)[0]
authorization_denied_view_name = AUTHORIZATION_DENIED_VIEW.split('.')[-1]
authorization_denied_module = import_module(
authorization_denied_module_name)
authorization_denied_view = getattr(authorization_denied_module,
authorization_denied_view_name)
return authorization_denied_view(request)
|
authorization_denied_view
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n authorization_denied_module_name = AUTHORIZATION_DENIED_VIEW.rsplit('.', 1\n )[0]\n authorization_denied_view_name = AUTHORIZATION_DENIED_VIEW.split('.')[-1]\n authorization_denied_module = import_module(\n authorization_denied_module_name)\n authorization_denied_view = getattr(authorization_denied_module,\n authorization_denied_view_name)\n return authorization_denied_view(request)\n",
"role": "user"
},
{
"content": "authorization_denied_view",
"role": "assistant"
}
] |
def x(request, canvas=True):
path = request.get_full_path()
if canvas:
if FACEBOOK_APPLICATION_CANVAS_URL:
path = path.replace(urlparse(FACEBOOK_APPLICATION_CANVAS_URL).
path, '')
redirect_uri = 'https://%(domain)s/%(namespace)s%(path)s' % {'domain':
FACEBOOK_APPLICATION_DOMAIN, 'namespace':
FACEBOOK_APPLICATION_NAMESPACE, 'path': path}
else:
if FANDJANGO_SITE_URL:
site_url = FANDJANGO_SITE_URL
path = path.replace(urlparse(site_url).path, '')
else:
protocol = 'https' if request.is_secure() else 'http'
site_url = '%s://%s' % (protocol, request.get_host())
redirect_uri = site_url + path
return redirect_uri
|
get_post_authorization_redirect_url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, canvas=True):\n path = request.get_full_path()\n if canvas:\n if FACEBOOK_APPLICATION_CANVAS_URL:\n path = path.replace(urlparse(FACEBOOK_APPLICATION_CANVAS_URL).\n path, '')\n redirect_uri = 'https://%(domain)s/%(namespace)s%(path)s' % {'domain':\n FACEBOOK_APPLICATION_DOMAIN, 'namespace':\n FACEBOOK_APPLICATION_NAMESPACE, 'path': path}\n else:\n if FANDJANGO_SITE_URL:\n site_url = FANDJANGO_SITE_URL\n path = path.replace(urlparse(site_url).path, '')\n else:\n protocol = 'https' if request.is_secure() else 'http'\n site_url = '%s://%s' % (protocol, request.get_host())\n redirect_uri = site_url + path\n return redirect_uri\n",
"role": "user"
},
{
"content": "get_post_authorization_redirect_url",
"role": "assistant"
}
] |
def x(request, remove_querystrings=[]):
path = request.get_full_path()
for qs in remove_querystrings:
path = re.sub('&?' + qs + '=?(.+)?&?', '', path)
return path
|
get_full_path
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, remove_querystrings=[]):\n path = request.get_full_path()\n for qs in remove_querystrings:\n path = re.sub('&?' + qs + '=?(.+)?&?', '', path)\n return path\n",
"role": "user"
},
{
"content": "get_full_path",
"role": "assistant"
}
] |
def x(request, redirect_uri='https://%s/%s' % (FACEBOOK_APPLICATION_DOMAIN,
FACEBOOK_APPLICATION_NAMESPACE), permissions=
FACEBOOK_APPLICATION_INITIAL_PERMISSIONS):
query = {'client_id': FACEBOOK_APPLICATION_ID, 'redirect_uri': redirect_uri
}
if permissions:
query['scope'] = ', '.join(permissions)
return render(request=request, template_name=
'fandjango/authorize_application.html', dictionary={'url':
'https://www.facebook.com/dialog/oauth?%s' % urlencode(query)},
status=401)
|
authorize_application
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, redirect_uri='https://%s/%s' % (FACEBOOK_APPLICATION_DOMAIN,\n FACEBOOK_APPLICATION_NAMESPACE), permissions=\n FACEBOOK_APPLICATION_INITIAL_PERMISSIONS):\n query = {'client_id': FACEBOOK_APPLICATION_ID, 'redirect_uri': redirect_uri\n }\n if permissions:\n query['scope'] = ', '.join(permissions)\n return render(request=request, template_name=\n 'fandjango/authorize_application.html', dictionary={'url': \n 'https://www.facebook.com/dialog/oauth?%s' % urlencode(query)},\n status=401)\n",
"role": "user"
},
{
"content": "authorize_application",
"role": "assistant"
}
] |
def x(request):
if request.facebook:
user = User.objects.get(facebook_id=request.facebook.signed_request
.user.id)
user.authorized = False
user.save()
return HttpResponse()
else:
return HttpResponse(status=400)
|
deauthorize_application
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n if request.facebook:\n user = User.objects.get(facebook_id=request.facebook.signed_request\n .user.id)\n user.authorized = False\n user.save()\n return HttpResponse()\n else:\n return HttpResponse(status=400)\n",
"role": "user"
},
{
"content": "deauthorize_application",
"role": "assistant"
}
] |
def x(cls, table, insert_tuple):
validate_table_name(table)
table = Table(table)
if typepy.is_empty_sequence(insert_tuple):
raise ValueError('empty insert list/tuple')
return 'INSERT INTO {:s} VALUES ({:s})'.format(table, ','.join(['?' for
_i in insert_tuple]))
|
make_insert
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, table, insert_tuple):\n validate_table_name(table)\n table = Table(table)\n if typepy.is_empty_sequence(insert_tuple):\n raise ValueError('empty insert list/tuple')\n return 'INSERT INTO {:s} VALUES ({:s})'.format(table, ','.join(['?' for\n _i in insert_tuple]))\n",
"role": "user"
},
{
"content": "make_insert",
"role": "assistant"
}
] |
def x(cls, table, set_query, where=None):
validate_table_name(table)
if typepy.is_null_string(set_query):
raise ValueError('SET query is null')
query_list = ['UPDATE {:s}'.format(Table(table)), 'SET {:s}'.format(
set_query)]
if where and isinstance(where, (six.text_type, Where, And, Or)):
query_list.append('WHERE {:s}'.format(where))
return ' '.join(query_list)
|
make_update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, table, set_query, where=None):\n validate_table_name(table)\n if typepy.is_null_string(set_query):\n raise ValueError('SET query is null')\n query_list = ['UPDATE {:s}'.format(Table(table)), 'SET {:s}'.format(\n set_query)]\n if where and isinstance(where, (six.text_type, Where, And, Or)):\n query_list.append('WHERE {:s}'.format(where))\n return ' '.join(query_list)\n",
"role": "user"
},
{
"content": "make_update",
"role": "assistant"
}
] |
def x(cls, key, value_list):
return '{:s} IN ({:s})'.format(Attr(key), ', '.join([Value(value).
to_query() for value in value_list]))
|
make_where_in
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, key, value_list):\n return '{:s} IN ({:s})'.format(Attr(key), ', '.join([Value(value).\n to_query() for value in value_list]))\n",
"role": "user"
},
{
"content": "make_where_in",
"role": "assistant"
}
] |
def x(self, database_path, mode='a'):
self.close()
logger.debug("connect to a SQLite database: path='{}', mode={}".format(
database_path, mode))
if mode == 'r':
self.__verify_db_file_existence(database_path)
elif mode in ['w', 'a']:
self.__validate_db_path(database_path)
else:
raise ValueError('unknown connection mode: ' + mode)
if database_path == MEMORY_DB_NAME:
self.__database_path = database_path
else:
self.__database_path = os.path.realpath(database_path)
try:
self.__connection = sqlite3.connect(database_path)
except sqlite3.OperationalError as e:
raise OperationalError(e)
self.__mode = mode
try:
self.fetch_table_names()
except sqlite3.DatabaseError as e:
raise DatabaseError(e)
if mode != 'w':
return
for table in self.fetch_table_names():
self.drop_table(table)
|
connect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, database_path, mode='a'):\n self.close()\n logger.debug(\"connect to a SQLite database: path='{}', mode={}\".format(\n database_path, mode))\n if mode == 'r':\n self.__verify_db_file_existence(database_path)\n elif mode in ['w', 'a']:\n self.__validate_db_path(database_path)\n else:\n raise ValueError('unknown connection mode: ' + mode)\n if database_path == MEMORY_DB_NAME:\n self.__database_path = database_path\n else:\n self.__database_path = os.path.realpath(database_path)\n try:\n self.__connection = sqlite3.connect(database_path)\n except sqlite3.OperationalError as e:\n raise OperationalError(e)\n self.__mode = mode\n try:\n self.fetch_table_names()\n except sqlite3.DatabaseError as e:\n raise DatabaseError(e)\n if mode != 'w':\n return\n for table in self.fetch_table_names():\n self.drop_table(table)\n",
"role": "user"
},
{
"content": "connect",
"role": "assistant"
}
] |
def x(self, query, caller=None):
import time
self.check_connection()
if typepy.is_null_string(query):
return None
if self.debug_query or self.global_debug_query:
logger.debug(query)
if self.__is_profile:
exec_start_time = time.time()
try:
result = self.connection.execute(six.text_type(query))
except (sqlite3.OperationalError, sqlite3.IntegrityError) as e:
if caller is None:
caller = logging.getLogger().findCaller()
file_path, line_no, func_name = caller[:3]
raise OperationalError(message='\n'.join([
'failed to execute query at {:s}({:d}) {:s}'.format(file_path,
line_no, func_name), ' - query: {}'.format(MultiByteStrDecoder
(query).unicode_str), ' - msg: {}'.format(e),
' - db: {}'.format(self.database_path)]))
if self.__is_profile:
self.__dict_query_count[query] = self.__dict_query_count.get(query, 0
) + 1
elapse_time = time.time() - exec_start_time
self.__dict_query_totalexectime[query
] = self.__dict_query_totalexectime.get(query, 0) + elapse_time
return result
|
execute_query
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query, caller=None):\n import time\n self.check_connection()\n if typepy.is_null_string(query):\n return None\n if self.debug_query or self.global_debug_query:\n logger.debug(query)\n if self.__is_profile:\n exec_start_time = time.time()\n try:\n result = self.connection.execute(six.text_type(query))\n except (sqlite3.OperationalError, sqlite3.IntegrityError) as e:\n if caller is None:\n caller = logging.getLogger().findCaller()\n file_path, line_no, func_name = caller[:3]\n raise OperationalError(message='\\n'.join([\n 'failed to execute query at {:s}({:d}) {:s}'.format(file_path,\n line_no, func_name), ' - query: {}'.format(MultiByteStrDecoder\n (query).unicode_str), ' - msg: {}'.format(e),\n ' - db: {}'.format(self.database_path)]))\n if self.__is_profile:\n self.__dict_query_count[query] = self.__dict_query_count.get(query, 0\n ) + 1\n elapse_time = time.time() - exec_start_time\n self.__dict_query_totalexectime[query\n ] = self.__dict_query_totalexectime.get(query, 0) + elapse_time\n return result\n",
"role": "user"
},
{
"content": "execute_query",
"role": "assistant"
}
] |
def x(self, select, table_name, where=None, extra=None):
self.verify_table_existence(table_name)
return self.execute_query(six.text_type(Select(select, table_name,
where, extra)), logging.getLogger().findCaller())
|
select
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, select, table_name, where=None, extra=None):\n self.verify_table_existence(table_name)\n return self.execute_query(six.text_type(Select(select, table_name,\n where, extra)), logging.getLogger().findCaller())\n",
"role": "user"
},
{
"content": "select",
"role": "assistant"
}
] |
def x(self, table_name, columns=None, where=None, extra=None):
import pandas
if columns is None:
columns = self.fetch_attr_names(table_name)
result = self.select(select=AttrList(columns), table_name=table_name,
where=where, extra=extra)
if result is None:
return pandas.DataFrame()
return pandas.DataFrame(result.fetchall(), columns=columns)
|
select_as_dataframe
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table_name, columns=None, where=None, extra=None):\n import pandas\n if columns is None:\n columns = self.fetch_attr_names(table_name)\n result = self.select(select=AttrList(columns), table_name=table_name,\n where=where, extra=extra)\n if result is None:\n return pandas.DataFrame()\n return pandas.DataFrame(result.fetchall(), columns=columns)\n",
"role": "user"
},
{
"content": "select_as_dataframe",
"role": "assistant"
}
] |
def x(self, table_name, columns=None, where=None, extra=None, type_hints=None):
if columns is None:
columns = self.fetch_attr_names(table_name)
result = self.select(select=AttrList(columns), table_name=table_name,
where=where, extra=extra)
if result is None:
return TableData(None, [], [])
if type_hints is None:
type_hints = self.fetch_data_types(table_name)
return TableData(table_name, columns, result.fetchall(), type_hints=[
type_hints.get(col) for col in columns])
|
select_as_tabledata
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table_name, columns=None, where=None, extra=None, type_hints=None):\n if columns is None:\n columns = self.fetch_attr_names(table_name)\n result = self.select(select=AttrList(columns), table_name=table_name,\n where=where, extra=extra)\n if result is None:\n return TableData(None, [], [])\n if type_hints is None:\n type_hints = self.fetch_data_types(table_name)\n return TableData(table_name, columns, result.fetchall(), type_hints=[\n type_hints.get(col) for col in columns])\n",
"role": "user"
},
{
"content": "select_as_tabledata",
"role": "assistant"
}
] |
def x(self, table_name, columns=None, where=None, extra=None):
return self.select_as_tabledata(table_name, columns, where, extra).as_dict(
).get(table_name)
|
select_as_dict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table_name, columns=None, where=None, extra=None):\n return self.select_as_tabledata(table_name, columns, where, extra).as_dict(\n ).get(table_name)\n",
"role": "user"
},
{
"content": "select_as_dict",
"role": "assistant"
}
] |
def x(self, table_name, columns=None, where=None, extra=None):
table_schema = self.schema_extractor.fetch_table_schema(table_name)
memdb = connect_memdb()
memdb.create_table_from_tabledata(self.select_as_tabledata(table_name,
columns, where, extra), primary_key=table_schema.primary_key,
index_attrs=table_schema.index_list)
return memdb
|
select_as_memdb
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table_name, columns=None, where=None, extra=None):\n table_schema = self.schema_extractor.fetch_table_schema(table_name)\n memdb = connect_memdb()\n memdb.create_table_from_tabledata(self.select_as_tabledata(table_name,\n columns, where, extra), primary_key=table_schema.primary_key,\n index_attrs=table_schema.index_list)\n return memdb\n",
"role": "user"
},
{
"content": "select_as_memdb",
"role": "assistant"
}
] |
def x(self, table_name, record, attr_names=None):
self.insert_many(table_name, records=[record], attr_names=attr_names)
|
insert
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table_name, record, attr_names=None):\n self.insert_many(table_name, records=[record], attr_names=attr_names)\n",
"role": "user"
},
{
"content": "insert",
"role": "assistant"
}
] |
def x(self, table_name, records, attr_names=None):
self.validate_access_permission(['w', 'a'])
self.verify_table_existence(table_name)
if attr_names:
logger.debug('insert {number} records into {table}({attrs})'.format
(number=len(records) if records else 0, table=table_name, attrs
=attr_names))
else:
logger.debug('insert {number} records into {table}'.format(number=
len(records) if records else 0, table=table_name))
if typepy.is_empty_sequence(records):
return 0
if attr_names is None:
attr_names = self.fetch_attr_names(table_name)
records = RecordConvertor.to_records(attr_names, records)
query = Insert(table_name, AttrList(attr_names)).to_query()
if self.debug_query or self.global_debug_query:
logging_count = 8
num_records = len(records)
logs = [query] + [' record {:4d}: {}'.format(i, record) for i,
record in enumerate(records[:logging_count])]
if num_records - logging_count > 0:
logs.append(' and other {} records will be inserted'.format(
num_records - logging_count))
logger.debug('\n'.join(logs))
try:
self.connection.executemany(query, records)
except (sqlite3.OperationalError, sqlite3.IntegrityError) as e:
caller = logging.getLogger().findCaller()
file_path, line_no, func_name = caller[:3]
raise OperationalError(
'{:s}({:d}) {:s}: failed to execute query:\n'.format(file_path,
line_no, func_name) + ' query={}\n'.format(query) +
" msg='{}'\n".format(e) + ' db={}\n'.format(self.
database_path) + ' records={}\n'.format(records[:2]))
return len(records)
|
insert_many
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table_name, records, attr_names=None):\n self.validate_access_permission(['w', 'a'])\n self.verify_table_existence(table_name)\n if attr_names:\n logger.debug('insert {number} records into {table}({attrs})'.format\n (number=len(records) if records else 0, table=table_name, attrs\n =attr_names))\n else:\n logger.debug('insert {number} records into {table}'.format(number=\n len(records) if records else 0, table=table_name))\n if typepy.is_empty_sequence(records):\n return 0\n if attr_names is None:\n attr_names = self.fetch_attr_names(table_name)\n records = RecordConvertor.to_records(attr_names, records)\n query = Insert(table_name, AttrList(attr_names)).to_query()\n if self.debug_query or self.global_debug_query:\n logging_count = 8\n num_records = len(records)\n logs = [query] + [' record {:4d}: {}'.format(i, record) for i,\n record in enumerate(records[:logging_count])]\n if num_records - logging_count > 0:\n logs.append(' and other {} records will be inserted'.format(\n num_records - logging_count))\n logger.debug('\\n'.join(logs))\n try:\n self.connection.executemany(query, records)\n except (sqlite3.OperationalError, sqlite3.IntegrityError) as e:\n caller = logging.getLogger().findCaller()\n file_path, line_no, func_name = caller[:3]\n raise OperationalError(\n '{:s}({:d}) {:s}: failed to execute query:\\n'.format(file_path,\n line_no, func_name) + ' query={}\\n'.format(query) +\n \" msg='{}'\\n\".format(e) + ' db={}\\n'.format(self.\n database_path) + ' records={}\\n'.format(records[:2]))\n return len(records)\n",
"role": "user"
},
{
"content": "insert_many",
"role": "assistant"
}
] |
def x(self, table_name, set_query, where=None):
self.validate_access_permission(['w', 'a'])
self.verify_table_existence(table_name)
query = SqlQuery.make_update(table_name, set_query, where)
return self.execute_query(query, logging.getLogger().findCaller())
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table_name, set_query, where=None):\n self.validate_access_permission(['w', 'a'])\n self.verify_table_existence(table_name)\n query = SqlQuery.make_update(table_name, set_query, where)\n return self.execute_query(query, logging.getLogger().findCaller())\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self, table_name, where=None):
self.validate_access_permission(['w', 'a'])
self.verify_table_existence(table_name)
query = 'DELETE FROM {:s}'.format(table_name)
if where:
query += ' WHERE {:s}'.format(where)
return self.execute_query(query, logging.getLogger().findCaller())
|
delete
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table_name, where=None):\n self.validate_access_permission(['w', 'a'])\n self.verify_table_existence(table_name)\n query = 'DELETE FROM {:s}'.format(table_name)\n if where:\n query += ' WHERE {:s}'.format(where)\n return self.execute_query(query, logging.getLogger().findCaller())\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(self, select, table_name, where=None, extra=None):
try:
self.verify_table_existence(table_name)
except TableNotFoundError as e:
logger.debug(e)
return None
result = self.execute_query(Select(select, table_name, where, extra),
logging.getLogger().findCaller())
if result is None:
return None
fetch = result.fetchone()
if fetch is None:
return None
return fetch[0]
|
fetch_value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, select, table_name, where=None, extra=None):\n try:\n self.verify_table_existence(table_name)\n except TableNotFoundError as e:\n logger.debug(e)\n return None\n result = self.execute_query(Select(select, table_name, where, extra),\n logging.getLogger().findCaller())\n if result is None:\n return None\n fetch = result.fetchone()\n if fetch is None:\n return None\n return fetch[0]\n",
"role": "user"
},
{
"content": "fetch_value",
"role": "assistant"
}
] |
def x(self, include_system_table=False):
self.check_connection()
return self.schema_extractor.fetch_table_names(include_system_table)
|
fetch_table_names
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, include_system_table=False):\n self.check_connection()\n return self.schema_extractor.fetch_table_names(include_system_table)\n",
"role": "user"
},
{
"content": "fetch_table_names",
"role": "assistant"
}
] |
def x(self, table_name):
self.verify_table_existence(table_name)
return self.schema_extractor.fetch_table_schema(table_name).get_attr_names(
)
|
fetch_attr_names
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table_name):\n self.verify_table_existence(table_name)\n return self.schema_extractor.fetch_table_schema(table_name).get_attr_names(\n )\n",
"role": "user"
},
{
"content": "fetch_attr_names",
"role": "assistant"
}
] |
def x(self, table_name):
self.verify_table_existence(table_name)
result = self.execute_query(
"SELECT sql FROM sqlite_master WHERE type='table' and name={:s}".
format(Value(table_name)))
query = result.fetchone()[0]
match = re.search('[(].*[)]', query)
def x(items):
key = ' '.join(items[:-1])
value = items[-1]
return [key, value]
return dict([get_entry(item.split(' ')) for item in match.group().strip
('()').split(', ')])
|
fetch_attr_type
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table_name):\n self.verify_table_existence(table_name)\n result = self.execute_query(\n \"SELECT sql FROM sqlite_master WHERE type='table' and name={:s}\".\n format(Value(table_name)))\n query = result.fetchone()[0]\n match = re.search('[(].*[)]', query)\n\n def x(items):\n key = ' '.join(items[:-1])\n value = items[-1]\n return [key, value]\n return dict([get_entry(item.split(' ')) for item in match.group().strip\n ('()').split(', ')])\n",
"role": "user"
},
{
"content": "fetch_attr_type",
"role": "assistant"
}
] |
def x(self, table_name, where=None):
return self.fetch_value(select='COUNT(*)', table_name=table_name, where
=where)
|
fetch_num_records
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table_name, where=None):\n return self.fetch_value(select='COUNT(*)', table_name=table_name, where\n =where)\n",
"role": "user"
},
{
"content": "fetch_num_records",
"role": "assistant"
}
] |
def x(self, profile_count=50):
from collections import namedtuple
profile_table_name = 'sql_profile'
value_matrix = [[query, execute_time, self.__dict_query_count.get(query,
0)] for query, execute_time in six.iteritems(self.
__dict_query_totalexectime)]
attr_names = 'sql_query', 'cumulative_time', 'count'
con_tmp = connect_memdb()
try:
con_tmp.create_table_from_data_matrix(profile_table_name,
attr_names, data_matrix=value_matrix)
except ValueError:
return []
try:
result = con_tmp.select(select='{:s},SUM({:s}),SUM({:s})'.format(*
attr_names), table_name=profile_table_name, extra=
'GROUP BY {:s} ORDER BY {:s} DESC LIMIT {:d}'.format(attr_names
[0], attr_names[1], profile_count))
except sqlite3.OperationalError:
return []
if result is None:
return []
SqliteProfile = namedtuple('SqliteProfile', ' '.join(attr_names))
return [SqliteProfile(*profile) for profile in result.fetchall()]
|
get_profile
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, profile_count=50):\n from collections import namedtuple\n profile_table_name = 'sql_profile'\n value_matrix = [[query, execute_time, self.__dict_query_count.get(query,\n 0)] for query, execute_time in six.iteritems(self.\n __dict_query_totalexectime)]\n attr_names = 'sql_query', 'cumulative_time', 'count'\n con_tmp = connect_memdb()\n try:\n con_tmp.create_table_from_data_matrix(profile_table_name,\n attr_names, data_matrix=value_matrix)\n except ValueError:\n return []\n try:\n result = con_tmp.select(select='{:s},SUM({:s}),SUM({:s})'.format(*\n attr_names), table_name=profile_table_name, extra=\n 'GROUP BY {:s} ORDER BY {:s} DESC LIMIT {:d}'.format(attr_names\n [0], attr_names[1], profile_count))\n except sqlite3.OperationalError:\n return []\n if result is None:\n return []\n SqliteProfile = namedtuple('SqliteProfile', ' '.join(attr_names))\n return [SqliteProfile(*profile) for profile in result.fetchall()]\n",
"role": "user"
},
{
"content": "get_profile",
"role": "assistant"
}
] |
def x(self, table_name):
try:
validate_table_name(table_name)
except NameValidationError:
return False
return table_name in self.fetch_table_names()
|
has_table
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table_name):\n try:\n validate_table_name(table_name)\n except NameValidationError:\n return False\n return table_name in self.fetch_table_names()\n",
"role": "user"
},
{
"content": "has_table",
"role": "assistant"
}
] |
def x(self, table_name, attr_name):
self.verify_table_existence(table_name)
if typepy.is_null_string(attr_name):
return False
return attr_name in self.fetch_attr_names(table_name)
|
has_attr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table_name, attr_name):\n self.verify_table_existence(table_name)\n if typepy.is_null_string(attr_name):\n return False\n return attr_name in self.fetch_attr_names(table_name)\n",
"role": "user"
},
{
"content": "has_attr",
"role": "assistant"
}
] |
def x(self, table_name, attr_names):
if typepy.is_empty_sequence(attr_names):
return False
not_exist_fields = [attr_name for attr_name in attr_names if not self.
has_attr(table_name, attr_name)]
if not_exist_fields:
return False
return True
|
has_attrs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table_name, attr_names):\n if typepy.is_empty_sequence(attr_names):\n return False\n not_exist_fields = [attr_name for attr_name in attr_names if not self.\n has_attr(table_name, attr_name)]\n if not_exist_fields:\n return False\n return True\n",
"role": "user"
},
{
"content": "has_attrs",
"role": "assistant"
}
] |
def x(self, table_name):
validate_table_name(table_name)
if self.has_table(table_name):
return
raise TableNotFoundError("'{}' table not found in '{}' database".format
(table_name, self.database_path))
|
verify_table_existence
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table_name):\n validate_table_name(table_name)\n if self.has_table(table_name):\n return\n raise TableNotFoundError(\"'{}' table not found in '{}' database\".format\n (table_name, self.database_path))\n",
"role": "user"
},
{
"content": "verify_table_existence",
"role": "assistant"
}
] |
def x(self, table_name, attr_name):
self.verify_table_existence(table_name)
if self.has_attr(table_name, attr_name):
return
raise AttributeNotFoundError("'{}' attribute not found in '{}' table".
format(attr_name, table_name))
|
verify_attr_existence
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table_name, attr_name):\n self.verify_table_existence(table_name)\n if self.has_attr(table_name, attr_name):\n return\n raise AttributeNotFoundError(\"'{}' attribute not found in '{}' table\".\n format(attr_name, table_name))\n",
"role": "user"
},
{
"content": "verify_attr_existence",
"role": "assistant"
}
] |
def x(self, valid_permissions):
self.check_connection()
if typepy.is_null_string(self.mode):
raise ValueError('mode is not set')
if self.mode not in valid_permissions:
raise IOError("invalid access: expected-mode='{}', current-mode='{}'"
.format("' or '".join(valid_permissions), self.mode))
|
validate_access_permission
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, valid_permissions):\n self.check_connection()\n if typepy.is_null_string(self.mode):\n raise ValueError('mode is not set')\n if self.mode not in valid_permissions:\n raise IOError(\"invalid access: expected-mode='{}', current-mode='{}'\"\n .format(\"' or '\".join(valid_permissions), self.mode))\n",
"role": "user"
},
{
"content": "validate_access_permission",
"role": "assistant"
}
] |
def x(self, table_name):
self.validate_access_permission(['w', 'a'])
if table_name in SQLITE_SYSTEM_TABLES:
return
if self.has_table(table_name):
query = "DROP TABLE IF EXISTS '{:s}'".format(table_name)
self.execute_query(query, logging.getLogger().findCaller())
self.commit()
|
drop_table
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table_name):\n self.validate_access_permission(['w', 'a'])\n if table_name in SQLITE_SYSTEM_TABLES:\n return\n if self.has_table(table_name):\n query = \"DROP TABLE IF EXISTS '{:s}'\".format(table_name)\n self.execute_query(query, logging.getLogger().findCaller())\n self.commit()\n",
"role": "user"
},
{
"content": "drop_table",
"role": "assistant"
}
] |
def x(self, table_name, attr_descriptions):
self.validate_access_permission(['w', 'a'])
table_name = table_name.strip()
if self.has_table(table_name):
return True
query = "CREATE TABLE IF NOT EXISTS '{:s}' ({:s})".format(table_name,
', '.join(attr_descriptions))
logger.debug(query)
if self.execute_query(query, logging.getLogger().findCaller()) is None:
return False
return True
|
create_table
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table_name, attr_descriptions):\n self.validate_access_permission(['w', 'a'])\n table_name = table_name.strip()\n if self.has_table(table_name):\n return True\n query = \"CREATE TABLE IF NOT EXISTS '{:s}' ({:s})\".format(table_name,\n ', '.join(attr_descriptions))\n logger.debug(query)\n if self.execute_query(query, logging.getLogger().findCaller()) is None:\n return False\n return True\n",
"role": "user"
},
{
"content": "create_table",
"role": "assistant"
}
] |
def x(self, table_name, attr_name):
self.verify_table_existence(table_name)
self.validate_access_permission(['w', 'a'])
query_format = 'CREATE INDEX IF NOT EXISTS {index:s} ON {table}({attr})'
query = query_format.format(index=make_index_name(table_name, attr_name
), table=Table(table_name), attr=Attr(attr_name))
logger.debug(query)
self.execute_query(query, logging.getLogger().findCaller())
|
create_index
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table_name, attr_name):\n self.verify_table_existence(table_name)\n self.validate_access_permission(['w', 'a'])\n query_format = 'CREATE INDEX IF NOT EXISTS {index:s} ON {table}({attr})'\n query = query_format.format(index=make_index_name(table_name, attr_name\n ), table=Table(table_name), attr=Attr(attr_name))\n logger.debug(query)\n self.execute_query(query, logging.getLogger().findCaller())\n",
"role": "user"
},
{
"content": "create_index",
"role": "assistant"
}
] |
def x(self, table_name, attr_names):
self.validate_access_permission(['w', 'a'])
if typepy.is_empty_sequence(attr_names):
return
table_attr_set = set(self.fetch_attr_names(table_name))
index_attr_set = set(AttrList.sanitize(attr_names))
for attribute in list(table_attr_set.intersection(index_attr_set)):
self.create_index(table_name, attribute)
|
create_index_list
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table_name, attr_names):\n self.validate_access_permission(['w', 'a'])\n if typepy.is_empty_sequence(attr_names):\n return\n table_attr_set = set(self.fetch_attr_names(table_name))\n index_attr_set = set(AttrList.sanitize(attr_names))\n for attribute in list(table_attr_set.intersection(index_attr_set)):\n self.create_index(table_name, attribute)\n",
"role": "user"
},
{
"content": "create_index_list",
"role": "assistant"
}
] |
def x(self, table_name, attr_names, data_matrix, primary_key=None,
add_primary_key_column=False, index_attrs=None):
self.__create_table_from_tabledata(TableData(table_name, attr_names,
data_matrix), primary_key, add_primary_key_column, index_attrs)
|
create_table_from_data_matrix
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table_name, attr_names, data_matrix, primary_key=None,\n add_primary_key_column=False, index_attrs=None):\n self.__create_table_from_tabledata(TableData(table_name, attr_names,\n data_matrix), primary_key, add_primary_key_column, index_attrs)\n",
"role": "user"
},
{
"content": "create_table_from_data_matrix",
"role": "assistant"
}
] |
def x(self, table_data, primary_key=None, add_primary_key_column=False,
index_attrs=None):
self.__create_table_from_tabledata(table_data, primary_key,
add_primary_key_column, index_attrs)
|
create_table_from_tabledata
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table_data, primary_key=None, add_primary_key_column=False,\n index_attrs=None):\n self.__create_table_from_tabledata(table_data, primary_key,\n add_primary_key_column, index_attrs)\n",
"role": "user"
},
{
"content": "create_table_from_tabledata",
"role": "assistant"
}
] |
def x(self, csv_source, table_name='', attr_names=(), delimiter=',',
quotechar='"', encoding='utf-8', primary_key=None,
add_primary_key_column=False, index_attrs=None):
import pytablereader as ptr
loader = ptr.CsvTableFileLoader(csv_source)
if typepy.is_not_null_string(table_name):
loader.table_name = table_name
loader.headers = attr_names
loader.delimiter = delimiter
loader.quotechar = quotechar
loader.encoding = encoding
try:
for table_data in loader.load():
self.__create_table_from_tabledata(table_data, primary_key,
add_primary_key_column, index_attrs)
return
except (ptr.InvalidFilePathError, IOError):
pass
loader = ptr.CsvTableTextLoader(csv_source)
if typepy.is_not_null_string(table_name):
loader.table_name = table_name
loader.headers = attr_names
loader.delimiter = delimiter
loader.quotechar = quotechar
loader.encoding = encoding
for table_data in loader.load():
self.__create_table_from_tabledata(table_data, primary_key,
add_primary_key_column, index_attrs)
|
create_table_from_csv
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, csv_source, table_name='', attr_names=(), delimiter=',',\n quotechar='\"', encoding='utf-8', primary_key=None,\n add_primary_key_column=False, index_attrs=None):\n import pytablereader as ptr\n loader = ptr.CsvTableFileLoader(csv_source)\n if typepy.is_not_null_string(table_name):\n loader.table_name = table_name\n loader.headers = attr_names\n loader.delimiter = delimiter\n loader.quotechar = quotechar\n loader.encoding = encoding\n try:\n for table_data in loader.load():\n self.__create_table_from_tabledata(table_data, primary_key,\n add_primary_key_column, index_attrs)\n return\n except (ptr.InvalidFilePathError, IOError):\n pass\n loader = ptr.CsvTableTextLoader(csv_source)\n if typepy.is_not_null_string(table_name):\n loader.table_name = table_name\n loader.headers = attr_names\n loader.delimiter = delimiter\n loader.quotechar = quotechar\n loader.encoding = encoding\n for table_data in loader.load():\n self.__create_table_from_tabledata(table_data, primary_key,\n add_primary_key_column, index_attrs)\n",
"role": "user"
},
{
"content": "create_table_from_csv",
"role": "assistant"
}
] |
def x(self, json_source, table_name='', primary_key=None,
add_primary_key_column=False, index_attrs=None):
import pytablereader as ptr
loader = ptr.JsonTableFileLoader(json_source)
if typepy.is_not_null_string(table_name):
loader.table_name = table_name
try:
for table_data in loader.load():
self.__create_table_from_tabledata(table_data, primary_key,
add_primary_key_column, index_attrs)
return
except (ptr.InvalidFilePathError, IOError):
pass
loader = ptr.JsonTableTextLoader(json_source)
if typepy.is_not_null_string(table_name):
loader.table_name = table_name
for table_data in loader.load():
self.__create_table_from_tabledata(table_data, primary_key,
add_primary_key_column, index_attrs)
|
create_table_from_json
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, json_source, table_name='', primary_key=None,\n add_primary_key_column=False, index_attrs=None):\n import pytablereader as ptr\n loader = ptr.JsonTableFileLoader(json_source)\n if typepy.is_not_null_string(table_name):\n loader.table_name = table_name\n try:\n for table_data in loader.load():\n self.__create_table_from_tabledata(table_data, primary_key,\n add_primary_key_column, index_attrs)\n return\n except (ptr.InvalidFilePathError, IOError):\n pass\n loader = ptr.JsonTableTextLoader(json_source)\n if typepy.is_not_null_string(table_name):\n loader.table_name = table_name\n for table_data in loader.load():\n self.__create_table_from_tabledata(table_data, primary_key,\n add_primary_key_column, index_attrs)\n",
"role": "user"
},
{
"content": "create_table_from_json",
"role": "assistant"
}
] |
def x(self, dataframe, table_name='', primary_key=None,
add_primary_key_column=False, index_attrs=None):
self.__create_table_from_tabledata(TableData.from_dataframe(dataframe=
dataframe, table_name=table_name), primary_key,
add_primary_key_column, index_attrs)
|
create_table_from_dataframe
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dataframe, table_name='', primary_key=None,\n add_primary_key_column=False, index_attrs=None):\n self.__create_table_from_tabledata(TableData.from_dataframe(dataframe=\n dataframe, table_name=table_name), primary_key,\n add_primary_key_column, index_attrs)\n",
"role": "user"
},
{
"content": "create_table_from_dataframe",
"role": "assistant"
}
] |
def x(self):
try:
self.check_connection()
except NullDatabaseConnectionError:
return
logger.debug("rollback: path='{}'".format(self.database_path))
self.connection.rollback()
|
rollback
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n self.check_connection()\n except NullDatabaseConnectionError:\n return\n logger.debug(\"rollback: path='{}'\".format(self.database_path))\n self.connection.rollback()\n",
"role": "user"
},
{
"content": "rollback",
"role": "assistant"
}
] |
def x(self):
try:
self.check_connection()
except NullDatabaseConnectionError:
return
logger.debug("commit: path='{}'".format(self.database_path))
try:
self.connection.commit()
except sqlite3.ProgrammingError:
pass
|
commit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n self.check_connection()\n except NullDatabaseConnectionError:\n return\n logger.debug(\"commit: path='{}'\".format(self.database_path))\n try:\n self.connection.commit()\n except sqlite3.ProgrammingError:\n pass\n",
"role": "user"
},
{
"content": "commit",
"role": "assistant"
}
] |
def x(self):
if self.__delayed_connection_path and self.__connection is None:
self.__initialize_connection()
return
try:
self.check_connection()
except (SystemError, NullDatabaseConnectionError):
return
logger.debug("close connection to a SQLite database: path='{}'".format(
self.database_path))
self.commit()
self.connection.close()
self.__initialize_connection()
|
close
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.__delayed_connection_path and self.__connection is None:\n self.__initialize_connection()\n return\n try:\n self.check_connection()\n except (SystemError, NullDatabaseConnectionError):\n return\n logger.debug(\"close connection to a SQLite database: path='{}'\".format(\n self.database_path))\n self.commit()\n self.connection.close()\n self.__initialize_connection()\n",
"role": "user"
},
{
"content": "close",
"role": "assistant"
}
] |
def x(self, database_path):
self.__validate_db_path(database_path)
if not os.path.isfile(os.path.realpath(database_path)):
raise IOError('file not found: ' + database_path)
try:
connection = sqlite3.connect(database_path)
except sqlite3.OperationalError as e:
raise OperationalError(e)
connection.close()
|
verify_db_file_existence
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, database_path):\n self.__validate_db_path(database_path)\n if not os.path.isfile(os.path.realpath(database_path)):\n raise IOError('file not found: ' + database_path)\n try:\n connection = sqlite3.connect(database_path)\n except sqlite3.OperationalError as e:\n raise OperationalError(e)\n connection.close()\n",
"role": "user"
},
{
"content": "verify_db_file_existence",
"role": "assistant"
}
] |
def x(table_data):
typename_table = {typepy.Typecode.INTEGER: 'INTEGER', typepy.Typecode.
REAL_NUMBER: 'REAL', typepy.Typecode.STRING: 'TEXT'}
return dict([[col_idx, typename_table.get(col_dp.typecode, 'TEXT')] for
col_idx, col_dp in enumerate(table_data.column_dp_list)])
|
extract_col_type_from_tabledata
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(table_data):\n typename_table = {typepy.Typecode.INTEGER: 'INTEGER', typepy.Typecode.\n REAL_NUMBER: 'REAL', typepy.Typecode.STRING: 'TEXT'}\n return dict([[col_idx, typename_table.get(col_dp.typecode, 'TEXT')] for\n col_idx, col_dp in enumerate(table_data.column_dp_list)])\n",
"role": "user"
},
{
"content": "extract_col_type_from_tabledata",
"role": "assistant"
}
] |
def x(name):
try:
validate_sqlite_table_name(name)
except (InvalidCharError, InvalidReservedNameError) as e:
raise NameValidationError(e)
except NullNameError:
raise NameValidationError('table name is empty')
except ValidReservedNameError:
pass
|
validate_table_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n try:\n validate_sqlite_table_name(name)\n except (InvalidCharError, InvalidReservedNameError) as e:\n raise NameValidationError(e)\n except NullNameError:\n raise NameValidationError('table name is empty')\n except ValidReservedNameError:\n pass\n",
"role": "user"
},
{
"content": "validate_table_name",
"role": "assistant"
}
] |
def x(name):
try:
validate_sqlite_attr_name(name)
except (InvalidCharError, InvalidReservedNameError) as e:
raise NameValidationError(e)
except NullNameError:
raise NameValidationError('attribute name is empty')
|
validate_attr_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n try:\n validate_sqlite_attr_name(name)\n except (InvalidCharError, InvalidReservedNameError) as e:\n raise NameValidationError(e)\n except NullNameError:\n raise NameValidationError('attribute name is empty')\n",
"role": "user"
},
{
"content": "validate_attr_name",
"role": "assistant"
}
] |
def x(src_con, dst_con, table_name):
logger.debug('append table: src={src_db}.{src_tbl}, dst={dst_db}.{dst_tbl}'
.format(src_db=src_con.database_path, src_tbl=table_name, dst_db=
dst_con.database_path, dst_tbl=table_name))
src_con.verify_table_existence(table_name)
dst_con.validate_access_permission(['w', 'a'])
if dst_con.has_table(table_name):
src_attrs = src_con.fetch_attr_names(table_name)
dst_attrs = dst_con.fetch_attr_names(table_name)
if src_attrs != dst_attrs:
raise ValueError(dedent(
"""
source and destination attribute is different from each other
src: {}
dst: {}
"""
.format(src_attrs, dst_attrs)))
primary_key, index_attrs, type_hints = extract_table_metadata(src_con,
table_name)
dst_con.create_table_from_tabledata(src_con.select_as_tabledata(
table_name, type_hints=type_hints), primary_key=primary_key,
index_attrs=index_attrs)
return True
|
append_table
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(src_con, dst_con, table_name):\n logger.debug('append table: src={src_db}.{src_tbl}, dst={dst_db}.{dst_tbl}'\n .format(src_db=src_con.database_path, src_tbl=table_name, dst_db=\n dst_con.database_path, dst_tbl=table_name))\n src_con.verify_table_existence(table_name)\n dst_con.validate_access_permission(['w', 'a'])\n if dst_con.has_table(table_name):\n src_attrs = src_con.fetch_attr_names(table_name)\n dst_attrs = dst_con.fetch_attr_names(table_name)\n if src_attrs != dst_attrs:\n raise ValueError(dedent(\n \"\"\"\n source and destination attribute is different from each other\n src: {}\n dst: {}\n \"\"\"\n .format(src_attrs, dst_attrs)))\n primary_key, index_attrs, type_hints = extract_table_metadata(src_con,\n table_name)\n dst_con.create_table_from_tabledata(src_con.select_as_tabledata(\n table_name, type_hints=type_hints), primary_key=primary_key,\n index_attrs=index_attrs)\n return True\n",
"role": "user"
},
{
"content": "append_table",
"role": "assistant"
}
] |
def x(src_con, dst_con, src_table_name, dst_table_name, is_overwrite=True):
logger.debug('copy table: src={src_db}.{src_tbl}, dst={dst_db}.{dst_tbl}'
.format(src_db=src_con.database_path, src_tbl=src_table_name,
dst_db=dst_con.database_path, dst_tbl=dst_table_name))
src_con.verify_table_existence(src_table_name)
dst_con.validate_access_permission(['w', 'a'])
if dst_con.has_table(dst_table_name):
if is_overwrite:
dst_con.drop_table(dst_table_name)
else:
logger.error(
'failed to copy table: the table already exists (src_table={}, dst_table={})'
.format(src_table_name, dst_table_name))
return False
primary_key, index_attrs, _ = extract_table_metadata(src_con,
src_table_name)
result = src_con.select(select='*', table_name=src_table_name)
if result is None:
return False
dst_con.create_table_from_data_matrix(dst_table_name, src_con.
fetch_attr_names(src_table_name), result.fetchall(), primary_key=
primary_key, index_attrs=index_attrs)
return True
|
copy_table
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(src_con, dst_con, src_table_name, dst_table_name, is_overwrite=True):\n logger.debug('copy table: src={src_db}.{src_tbl}, dst={dst_db}.{dst_tbl}'\n .format(src_db=src_con.database_path, src_tbl=src_table_name,\n dst_db=dst_con.database_path, dst_tbl=dst_table_name))\n src_con.verify_table_existence(src_table_name)\n dst_con.validate_access_permission(['w', 'a'])\n if dst_con.has_table(dst_table_name):\n if is_overwrite:\n dst_con.drop_table(dst_table_name)\n else:\n logger.error(\n 'failed to copy table: the table already exists (src_table={}, dst_table={})'\n .format(src_table_name, dst_table_name))\n return False\n primary_key, index_attrs, _ = extract_table_metadata(src_con,\n src_table_name)\n result = src_con.select(select='*', table_name=src_table_name)\n if result is None:\n return False\n dst_con.create_table_from_data_matrix(dst_table_name, src_con.\n fetch_attr_names(src_table_name), result.fetchall(), primary_key=\n primary_key, index_attrs=index_attrs)\n return True\n",
"role": "user"
},
{
"content": "copy_table",
"role": "assistant"
}
] |
def x(name):
if not name:
raise NullNameError('null name')
if __RE_INVALID_CHARS.search(name):
raise InvalidCharError('unprintable character found')
name = name.upper()
if name in __SQLITE_INVALID_RESERVED_KEYWORDS_TABLE:
raise InvalidReservedNameError("'{:s}' is a reserved keyword by sqlite"
.format(name))
if name in __SQLITE_VALID_RESERVED_KEYWORDS_TABLE:
raise ValidReservedNameError("'{:s}' is a reserved keyword by sqlite"
.format(name))
|
validate_sqlite_table_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n if not name:\n raise NullNameError('null name')\n if __RE_INVALID_CHARS.search(name):\n raise InvalidCharError('unprintable character found')\n name = name.upper()\n if name in __SQLITE_INVALID_RESERVED_KEYWORDS_TABLE:\n raise InvalidReservedNameError(\"'{:s}' is a reserved keyword by sqlite\"\n .format(name))\n if name in __SQLITE_VALID_RESERVED_KEYWORDS_TABLE:\n raise ValidReservedNameError(\"'{:s}' is a reserved keyword by sqlite\"\n .format(name))\n",
"role": "user"
},
{
"content": "validate_sqlite_table_name",
"role": "assistant"
}
] |
def x(name):
if not name:
raise NullNameError('null name')
if __RE_INVALID_CHARS.search(name):
raise InvalidCharError('unprintable character found')
name = name.upper()
if name in __SQLITE_INVALID_RESERVED_KEYWORDS_ATTR:
raise InvalidReservedNameError("'{}' is a reserved keyword by sqlite"
.format(name))
if name in __SQLITE_VALID_RESERVED_KEYWORDS_ATTR:
raise ValidReservedNameError("'{}' is a reserved keyword by sqlite"
.format(name))
|
validate_sqlite_attr_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n if not name:\n raise NullNameError('null name')\n if __RE_INVALID_CHARS.search(name):\n raise InvalidCharError('unprintable character found')\n name = name.upper()\n if name in __SQLITE_INVALID_RESERVED_KEYWORDS_ATTR:\n raise InvalidReservedNameError(\"'{}' is a reserved keyword by sqlite\"\n .format(name))\n if name in __SQLITE_VALID_RESERVED_KEYWORDS_ATTR:\n raise ValidReservedNameError(\"'{}' is a reserved keyword by sqlite\"\n .format(name))\n",
"role": "user"
},
{
"content": "validate_sqlite_attr_name",
"role": "assistant"
}
] |
def x(v, from_type, to_type, encoding):
assert six.PY2, 'This function should be used with Python 2 only'
assert from_type != to_type
if from_type == six.binary_type and isinstance(v, six.binary_type):
return six.text_type(v, encoding)
elif from_type == six.text_type and isinstance(v, six.text_type):
return v.encode(encoding)
elif isinstance(v, (list, tuple, set)):
return type(v)([_generic_convert_string(element, from_type, to_type,
encoding) for element in v])
elif isinstance(v, dict):
return {k: _generic_convert_string(v, from_type, to_type, encoding) for
k, v in v.iteritems()}
return v
|
generic_convert_string
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(v, from_type, to_type, encoding):\n assert six.PY2, 'This function should be used with Python 2 only'\n assert from_type != to_type\n if from_type == six.binary_type and isinstance(v, six.binary_type):\n return six.text_type(v, encoding)\n elif from_type == six.text_type and isinstance(v, six.text_type):\n return v.encode(encoding)\n elif isinstance(v, (list, tuple, set)):\n return type(v)([_generic_convert_string(element, from_type, to_type,\n encoding) for element in v])\n elif isinstance(v, dict):\n return {k: _generic_convert_string(v, from_type, to_type, encoding) for\n k, v in v.iteritems()}\n return v\n",
"role": "user"
},
{
"content": "generic_convert_string",
"role": "assistant"
}
] |
def x(arg, strtype=settings.MODERNRPC_PY2_STR_TYPE, encoding=settings.
MODERNRPC_PY2_STR_ENCODING):
assert six.PY2, 'This function should be used with Python 2 only'
if not strtype:
return arg
if strtype == six.binary_type or strtype == 'str':
return _generic_convert_string(arg, six.text_type, six.binary_type,
encoding)
elif strtype == six.text_type or strtype == 'unicode':
return _generic_convert_string(arg, six.binary_type, six.text_type,
encoding)
raise TypeError(
'standardize_strings() called with an invalid strtype: "{}". Allowed values: str or unicode'
.format(repr(strtype)))
|
standardize_strings
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(arg, strtype=settings.MODERNRPC_PY2_STR_TYPE, encoding=settings.\n MODERNRPC_PY2_STR_ENCODING):\n assert six.PY2, 'This function should be used with Python 2 only'\n if not strtype:\n return arg\n if strtype == six.binary_type or strtype == 'str':\n return _generic_convert_string(arg, six.text_type, six.binary_type,\n encoding)\n elif strtype == six.text_type or strtype == 'unicode':\n return _generic_convert_string(arg, six.binary_type, six.text_type,\n encoding)\n raise TypeError(\n 'standardize_strings() called with an invalid strtype: \"{}\". Allowed values: str or unicode'\n .format(repr(strtype)))\n",
"role": "user"
},
{
"content": "standardize_strings",
"role": "assistant"
}
] |
def x(date, date_format='%Y-%m-%dT%H:%M:%S', raise_exception=False):
if isinstance(date, datetime.datetime):
return date
elif isinstance(date, xmlrpc_client.DateTime):
return datetime.datetime.strptime(date.value, '%Y%m%dT%H:%M:%S')
else:
try:
return datetime.datetime.strptime(date, date_format)
except ValueError:
if raise_exception:
raise
else:
return None
|
get_builtin_date
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(date, date_format='%Y-%m-%dT%H:%M:%S', raise_exception=False):\n if isinstance(date, datetime.datetime):\n return date\n elif isinstance(date, xmlrpc_client.DateTime):\n return datetime.datetime.strptime(date.value, '%Y%m%dT%H:%M:%S')\n else:\n try:\n return datetime.datetime.strptime(date, date_format)\n except ValueError:\n if raise_exception:\n raise\n else:\n return None\n",
"role": "user"
},
{
"content": "get_builtin_date",
"role": "assistant"
}
] |
def x(predicate, params=()):
def x(rpc_method):
if hasattr(rpc_method, 'modernrpc_auth_predicates'):
rpc_method.modernrpc_auth_predicates.append(predicate)
rpc_method.modernrpc_auth_predicates_params.append(params)
else:
rpc_method.modernrpc_auth_predicates = [predicate]
rpc_method.modernrpc_auth_predicates_params = [params]
return rpc_method
return wrapper
|
set_authentication_predicate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(predicate, params=()):\n\n def x(rpc_method):\n if hasattr(rpc_method, 'modernrpc_auth_predicates'):\n rpc_method.modernrpc_auth_predicates.append(predicate)\n rpc_method.modernrpc_auth_predicates_params.append(params)\n else:\n rpc_method.modernrpc_auth_predicates = [predicate]\n rpc_method.modernrpc_auth_predicates_params = [params]\n return rpc_method\n return wrapper\n",
"role": "user"
},
{
"content": "set_authentication_predicate",
"role": "assistant"
}
] |
def x(user, group):
if isinstance(group, Group):
return user_is_superuser(user) or group in user.groups.all()
elif isinstance(group, six.string_types):
return user_is_superuser(user) or user.groups.filter(name=group
).exists()
raise TypeError("'group' argument must be a string or a Group instance")
|
user_in_group
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user, group):\n if isinstance(group, Group):\n return user_is_superuser(user) or group in user.groups.all()\n elif isinstance(group, six.string_types):\n return user_is_superuser(user) or user.groups.filter(name=group\n ).exists()\n raise TypeError(\"'group' argument must be a string or a Group instance\")\n",
"role": "user"
},
{
"content": "user_in_group",
"role": "assistant"
}
] |
def x(user, groups):
return user_is_superuser(user) or any(user_in_group(user, group) for
group in groups)
|
user_in_any_group
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user, groups):\n return user_is_superuser(user) or any(user_in_group(user, group) for\n group in groups)\n",
"role": "user"
},
{
"content": "user_in_any_group",
"role": "assistant"
}
] |
def x(user, groups):
return user_is_superuser(user) or all(user_in_group(user, group) for
group in groups)
|
user_in_all_groups
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user, groups):\n return user_is_superuser(user) or all(user_in_group(user, group) for\n group in groups)\n",
"role": "user"
},
{
"content": "user_in_all_groups",
"role": "assistant"
}
] |
def x(self):
handler_classes = [import_string(handler_cls) for handler_cls in
settings.MODERNRPC_HANDLERS]
if self.protocol == ALL:
return handler_classes
else:
return [cls for cls in handler_classes if cls.protocol in
ensure_sequence(self.protocol)]
|
get_handler_classes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n handler_classes = [import_string(handler_cls) for handler_cls in\n settings.MODERNRPC_HANDLERS]\n if self.protocol == ALL:\n return handler_classes\n else:\n return [cls for cls in handler_classes if cls.protocol in\n ensure_sequence(self.protocol)]\n",
"role": "user"
},
{
"content": "get_handler_classes",
"role": "assistant"
}
] |
def x(self, request, *args, **kwargs):
logger.debug('RPC request received...')
for handler_cls in self.get_handler_classes():
handler = handler_cls(request, self.entry_point)
try:
if not handler.can_handle():
continue
logger.debug('Request will be handled by {}'.format(handler_cls
.__name__))
result = handler.process_request()
return handler.result_success(result)
except AuthenticationFailed as e:
logger.warning(e)
return handler.result_error(e, HttpResponseForbidden)
except RPCException as e:
logger.warning('RPC exception: {}'.format(e), exc_info=settings
.MODERNRPC_LOG_EXCEPTIONS)
return handler.result_error(e)
except Exception as e:
logger.error('Exception raised from a RPC method: "{}"'.format(
e), exc_info=settings.MODERNRPC_LOG_EXCEPTIONS)
return handler.result_error(RPCInternalError(str(e)))
logger.error('Unable to handle incoming request.')
return HttpResponse(
'Unable to handle your request. Please ensure you called the right entry point. If not, this could be a server error.'
)
|
post
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, *args, **kwargs):\n logger.debug('RPC request received...')\n for handler_cls in self.get_handler_classes():\n handler = handler_cls(request, self.entry_point)\n try:\n if not handler.can_handle():\n continue\n logger.debug('Request will be handled by {}'.format(handler_cls\n .__name__))\n result = handler.process_request()\n return handler.result_success(result)\n except AuthenticationFailed as e:\n logger.warning(e)\n return handler.result_error(e, HttpResponseForbidden)\n except RPCException as e:\n logger.warning('RPC exception: {}'.format(e), exc_info=settings\n .MODERNRPC_LOG_EXCEPTIONS)\n return handler.result_error(e)\n except Exception as e:\n logger.error('Exception raised from a RPC method: \"{}\"'.format(\n e), exc_info=settings.MODERNRPC_LOG_EXCEPTIONS)\n return handler.result_error(RPCInternalError(str(e)))\n logger.error('Unable to handle incoming request.')\n return HttpResponse(\n 'Unable to handle your request. Please ensure you called the right entry point. If not, this could be a server error.'\n )\n",
"role": "user"
},
{
"content": "post",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.