source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(threshold_method, threshold_modifier, image, mask=None, labels=None,
threshold_range_min=None, threshold_range_max=None,
threshold_correction_factor=1.0, adaptive_window_size=10, **kwargs):
global_threshold = get_global_threshold(threshold_method, image, mask,
**kwargs)
global_threshold *=... | get_threshold | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(threshold_method, threshold_modifier, image, mask=None, labels=None,\n threshold_range_min=None, threshold_range_max=None,\n threshold_correction_factor=... |
def x(threshold_method, image, mask=None, **kwargs):
if mask is not None and not np.any(mask):
return 1
if threshold_method == TM_OTSU:
fn = get_otsu_threshold
elif threshold_method == TM_MOG:
fn = get_mog_threshold
elif threshold_method == TM_BACKGROUND:
fn = get_backgro... | get_global_threshold | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(threshold_method, image, mask=None, **kwargs):\n if mask is not None and not np.any(mask):\n return 1\n if threshold_method == TM_OTSU:\n f... |
def x(threshold_method, image, threshold, mask=None, adaptive_window_size=
10, **kwargs):
image_size = np.array(image.shape[:2], dtype=int)
nblocks = image_size // adaptive_window_size
increment = np.array(image_size, dtype=float) / np.array(nblocks, dtype
=float)
thresh_out = np.zeros(image... | get_adaptive_threshold | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(threshold_method, image, threshold, mask=None, adaptive_window_size=\n 10, **kwargs):\n image_size = np.array(image.shape[:2], dtype=int)\n nblocks = ... |
def x(method, image, threshold, mask=None, labels=None, threshold_range_min
=None, threshold_range_max=None, **kwargs):
if labels is None:
labels = np.ones(image.shape, int)
if not mask is None:
labels[np.logical_not(mask)] = 0
label_extents = scipy.ndimage.find_objects(labels, n... | get_per_object_threshold | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(method, image, threshold, mask=None, labels=None, threshold_range_min\n =None, threshold_range_max=None, **kwargs):\n if labels is None:\n labels ... |
def x(image, mask=None, object_fraction=0.2):
cropped_image = np.array(image.flat) if mask is None else image[mask]
pixel_count = np.product(cropped_image.shape)
max_count = 512 ** 2
object_fraction = float(object_fraction)
background_fraction = 1.0 - object_fraction
if pixel_count < 3 / min(obj... | get_mog_threshold | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(image, mask=None, object_fraction=0.2):\n cropped_image = np.array(image.flat) if mask is None else image[mask]\n pixel_count = np.product(cropped_image.... |
def x(image, mask=None):
cropped_image = np.array(image.flat) if mask is None else image[mask]
if np.product(cropped_image.shape) == 0:
return 0
img_min = np.min(cropped_image)
img_max = np.max(cropped_image)
if img_min == img_max:
return cropped_image[0]
robust_min = 0.02 * (img... | get_background_threshold | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(image, mask=None):\n cropped_image = np.array(image.flat) if mask is None else image[mask]\n if np.product(cropped_image.shape) == 0:\n return 0\n... |
def x(image, mask=None, lower_outlier_fraction=0.05, upper_outlier_fraction
=0.05, deviations_above_average=2.0, average_fn=np.mean, variance_fn=np.std
):
cropped_image = np.array(image.flat) if mask is None else image[mask]
n_pixels = np.product(cropped_image.shape)
if n_pixels < 3:
return ... | get_robust_background_threshold | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(image, mask=None, lower_outlier_fraction=0.05, upper_outlier_fraction\n =0.05, deviations_above_average=2.0, average_fn=np.mean, variance_fn=np.std\n ):\... |
def x(a):
a = np.asfarray(a).flatten()
return np.median(np.abs(a - np.median(a)))
| mad | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a):\n a = np.asfarray(a).flatten()\n return np.median(np.abs(a - np.median(a)))\n",
"role": "user"
},
{
"content": "mad",
"role": "assist... |
def x(a):
a = np.asarray(a).flatten()
a_min = np.min(a)
a_max = np.max(a)
n_bins = np.ceil(np.sqrt(len(a)))
b = ((a - a_min) / (a_max - a_min) * n_bins).astype(int)
idx = np.argmax(np.bincount(b))
return np.percentile(a, 100 * float(idx + 0.5) / n_bins)
| binned_mode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a):\n a = np.asarray(a).flatten()\n a_min = np.min(a)\n a_max = np.max(a)\n n_bins = np.ceil(np.sqrt(len(a)))\n b = ((a - a_min) / (a_max - a_mi... |
def x(image, mask=None):
cropped_image = np.array(image.flat) if mask is None else image[mask]
if np.product(cropped_image.shape) < 3:
return 0
if np.min(cropped_image) == np.max(cropped_image):
return cropped_image[0]
min_val = np.max(cropped_image) / 256
cropped_image[cropped_image... | get_ridler_calvard_threshold | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(image, mask=None):\n cropped_image = np.array(image.flat) if mask is None else image[mask]\n if np.product(cropped_image.shape) < 3:\n return 0\n ... |
def x(image, mask=None):
cropped_image = np.array(image.flat) if mask is None else image[mask]
if np.product(cropped_image.shape) < 3:
return 0
if np.min(cropped_image) == np.max(cropped_image):
return cropped_image[0]
log_image = np.log2(smooth_with_noise(cropped_image, 8))
min_log_... | get_kapur_threshold | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(image, mask=None):\n cropped_image = np.array(image.flat) if mask is None else image[mask]\n if np.product(cropped_image.shape) < 3:\n return 0\n ... |
def x(image, mask=None, bins=256):
if mask is not None:
image = image[mask]
image = image.ravel()
nm = len(image)
if nm == 0:
return 0
min_value = np.min(image)
max_value = np.max(image)
if min_value == max_value:
return min_value
image = ((image - min_value) * (b... | get_maximum_correlation_threshold | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(image, mask=None, bins=256):\n if mask is not None:\n image = image[mask]\n image = image.ravel()\n nm = len(image)\n if nm == 0:\n r... |
def x(image, mask, binary_image):
if not np.any(mask):
return 0
minval = np.max(image[mask]) / 256
if minval == 0:
return 0
fg = np.log2(np.maximum(image[binary_image & mask], minval))
bg = np.log2(np.maximum(image[~binary_image & mask], minval))
nfg = np.product(fg.shape)
nb... | weighted_variance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(image, mask, binary_image):\n if not np.any(mask):\n return 0\n minval = np.max(image[mask]) / 256\n if minval == 0:\n return 0\n fg ... |
def x(image, mask, binary_image):
mask = mask.copy()
mask[np.isnan(image)] = False
if not np.any(mask):
return 0
minval = np.max(image[mask]) / 256
if minval == 0:
return 0
clamped_image = image.copy()
clamped_image[clamped_image < minval] = minval
image = smooth_with_noi... | sum_of_entropies | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(image, mask, binary_image):\n mask = mask.copy()\n mask[np.isnan(image)] = False\n if not np.any(mask):\n return 0\n minval = np.max(image[m... |
def x(image):
orig_min, orig_max = scipy.ndimage.extrema(image)[:2]
limage = image.copy()
noise_min = orig_min + (orig_max - orig_min) / 256.0 + np.finfo(image.dtype
).eps
limage[limage < noise_min] = noise_min
d = {'noise_min': noise_min}
limage = np.log(limage)
log_min, log_max = s... | log_transform | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(image):\n orig_min, orig_max = scipy.ndimage.extrema(image)[:2]\n limage = image.copy()\n noise_min = orig_min + (orig_max - orig_min) / 256.0 + np.fi... |
def x(a, bins=10, range=None, normed=False, weights=None):
args = inspect.getargs(np.histogram.__code__)[0]
if args[-1] == 'new':
return np.histogram(a, bins, range, normed, weights, new=True)
return np.histogram(a, bins, range, normed, weights)
| numpy_histogram | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, bins=10, range=None, normed=False, weights=None):\n args = inspect.getargs(np.histogram.__code__)[0]\n if args[-1] == 'new':\n return np.histog... |
def x(image, nbins=None):
flat_image = image.ravel()
sort_order = flat_image.argsort().astype(np.uint32)
flat_image = flat_image[sort_order]
sort_rank = np.zeros_like(sort_order)
is_different = flat_image[:-1] != flat_image[1:]
np.cumsum(is_different, out=sort_rank[1:])
original_values = np.... | rank_order | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(image, nbins=None):\n flat_image = image.ravel()\n sort_order = flat_image.argsort().astype(np.uint32)\n flat_image = flat_image[sort_order]\n sort... |
def x(image, labels):
nobjects = labels.max()
objects = np.arange(nobjects + 1)
lmin, lmax = scind.extrema(image, labels, objects)[:2]
divisor = np.ones((nobjects + 1,))
divisor[lmax > lmin] = (lmax - lmin)[lmax > lmin]
return (image - lmin[labels]) / divisor[labels]
| normalized_per_object | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(image, labels):\n nobjects = labels.max()\n objects = np.arange(nobjects + 1)\n lmin, lmax = scind.extrema(image, labels, objects)[:2]\n divisor = ... |
def x(image, nlevels):
tmp = np.array(image // (1.0 / nlevels), dtype='i1')
return tmp.clip(0, nlevels - 1)
| quantize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(image, nlevels):\n tmp = np.array(image // (1.0 / nlevels), dtype='i1')\n return tmp.clip(0, nlevels - 1)\n",
"role": "user"
},
{
"content": ... |
def x(quantized_image, labels, scale_i=3, scale_j=0):
labels = labels.astype(int)
nlevels = quantized_image.max() + 1
nobjects = labels.max()
if scale_i < 0:
scale_i = -scale_i
scale_j = -scale_j
if scale_i == 0 and scale_j > 0:
image_a = quantized_image[:, :-scale_j]
... | cooccurrence | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(quantized_image, labels, scale_i=3, scale_j=0):\n labels = labels.astype(int)\n nlevels = quantized_image.max() + 1\n nobjects = labels.max()\n if ... |
def x(self):
multiplied = np.dot(self.levels[:, np.newaxis] + 1, self.levels[np.
newaxis] + 1)
repeated = np.tile(multiplied[np.newaxis], (self.nobjects, 1, 1))
summed = (repeated * self.P).sum(2).sum(1)
h3 = (summed - self.mux * self.muy) / (self.sigmax * self.sigmay)
h3[np.isinf(h3)] = 0
... | H3 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n multiplied = np.dot(self.levels[:, np.newaxis] + 1, self.levels[np.\n newaxis] + 1)\n repeated = np.tile(multiplied[np.newaxis], (self.no... |
def x(self):
t = 1 + toeplitz(self.levels) ** 2
repeated = np.tile(t[np.newaxis], (self.nobjects, 1, 1))
return (1.0 / repeated * self.P).sum(2).sum(1)
| H5 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n t = 1 + toeplitz(self.levels) ** 2\n repeated = np.tile(t[np.newaxis], (self.nobjects, 1, 1))\n return (1.0 / repeated * self.P).sum(2).sum(1... |
def x(self):
if not hasattr(self, '_H6'):
self._H6 = ((self.rlevels2 + 2) * self.p_xplusy).sum(1)
return self._H6
| H6 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not hasattr(self, '_H6'):\n self._H6 = ((self.rlevels2 + 2) * self.p_xplusy).sum(1)\n return self._H6\n",
"role": "user"
},
{
... |
def x(self):
h6 = np.tile(self.H6(), (self.rlevels2.shape[1], 1)).transpose()
return ((self.rlevels2 + 2 - h6) ** 2 * self.p_xplusy).sum(1)
| H7 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n h6 = np.tile(self.H6(), (self.rlevels2.shape[1], 1)).transpose()\n return ((self.rlevels2 + 2 - h6) ** 2 * self.p_xplusy).sum(1)\n",
"role":... |
def x(self):
return -(self.p_xplusy * np.log(self.p_xplusy + self.eps)).sum(1)
| H8 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return -(self.p_xplusy * np.log(self.p_xplusy + self.eps)).sum(1)\n",
"role": "user"
},
{
"content": "H8",
"role": "assistant"
}
... |
def x(self):
if not hasattr(self, '_H9'):
self._H9 = -(self.P * np.log(self.P + self.eps)).sum(2).sum(1)
return self._H9
| H9 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not hasattr(self, '_H9'):\n self._H9 = -(self.P * np.log(self.P + self.eps)).sum(2).sum(1)\n return self._H9\n",
"role": "user"
... |
def x(self):
c = (self.rlevels * self.p_xminusy).sum(1)
c1 = np.tile(c, (self.nlevels, 1)).transpose()
e = self.rlevels - c1
return (self.p_xminusy * e ** 2).sum(1)
| H10 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n c = (self.rlevels * self.p_xminusy).sum(1)\n c1 = np.tile(c, (self.nlevels, 1)).transpose()\n e = self.rlevels - c1\n return (self.p_xminu... |
def x(self):
return -(self.p_xminusy * np.log(self.p_xminusy + self.eps)).sum(1)
| H11 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return -(self.p_xminusy * np.log(self.p_xminusy + self.eps)).sum(1)\n",
"role": "user"
},
{
"content": "H11",
"role": "assistant"
... |
def x(self):
maxima = np.vstack((self.hx, self.hy)).max(0)
return (self.H9() - self.hxy1) / maxima
| H12 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n maxima = np.vstack((self.hx, self.hy)).max(0)\n return (self.H9() - self.hxy1) / maxima\n",
"role": "user"
},
{
"content": "H12",
... |
def x(self):
return np.sqrt(1 - np.exp(-2 * (self.hxy2 - self.H9())))
| H13 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return np.sqrt(1 - np.exp(-2 * (self.hxy2 - self.H9())))\n",
"role": "user"
},
{
"content": "H13",
"role": "assistant"
}
] |
def x(zernike_indexes):
n_max = np.max(zernike_indexes[:, 0])
factorial = np.ones((1 + n_max,), dtype=float)
factorial[1:] = np.cumproduct(np.arange(1, 1 + n_max, dtype=float))
width = int(n_max // 2 + 1)
lut = np.zeros((zernike_indexes.shape[0], width), dtype=float)
for idx, (n, m) in enumerate... | construct_zernike_lookuptable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(zernike_indexes):\n n_max = np.max(zernike_indexes[:, 0])\n factorial = np.ones((1 + n_max,), dtype=float)\n factorial[1:] = np.cumproduct(np.arange(1... |
def x(x, y, zernike_indexes, mask=None, weight=None):
if x.shape != y.shape:
raise ValueError('X and Y must have the same shape')
if mask is None:
pass
elif mask.shape != x.shape:
raise ValueError('The mask must have the same shape as X and Y')
else:
x = x[mask]
y... | construct_zernike_polynomials | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y, zernike_indexes, mask=None, weight=None):\n if x.shape != y.shape:\n raise ValueError('X and Y must have the same shape')\n if mask is None:... |
def x(zf, radii, labels, indexes=None):
if indexes is None:
indexes = np.arange(1, np.max(labels) + 1, dtype=np.int32)
else:
indexes = np.array(indexes, dtype=np.int32)
radii = np.asarray(radii, dtype=float)
n = radii.size
k = zf.shape[2]
score = np.zeros((n, k))
if n == 0:
... | score_zernike | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(zf, radii, labels, indexes=None):\n if indexes is None:\n indexes = np.arange(1, np.max(labels) + 1, dtype=np.int32)\n else:\n indexes = np... |
def x(zernike_indexes, labels, indexes):
indexes = np.array(indexes, dtype=np.int32)
nindexes = len(indexes)
reverse_indexes = np.empty((np.max(indexes) + 1,), int)
reverse_indexes.fill(-1)
reverse_indexes[indexes] = np.arange(indexes.shape[0], dtype=int)
mask = reverse_indexes[labels] != -1
... | zernike | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(zernike_indexes, labels, indexes):\n indexes = np.array(indexes, dtype=np.int32)\n nindexes = len(indexes)\n reverse_indexes = np.empty((np.max(indexe... |
def x(limit=10):
def x(n_max):
for n in range(0, n_max):
for m in range(n % 2, n + 1, 2):
yield n
yield m
z_ind = np.fromiter(zernike_indexes_iter(limit), np.intc)
z_ind = z_ind.reshape((len(z_ind) // 2, 2))
return z_ind
| get_zernike_indexes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(limit=10):\n\n def x(n_max):\n for n in range(0, n_max):\n for m in range(n % 2, n + 1, 2):\n yield n\n yiel... |
def x(image, labels, mask, weight):
if image.shape != labels.shape:
raise ValueError('Image shape %s != label shape %s' % (repr(image.
shape), repr(labels.shape)))
if image.shape != mask.shape:
raise ValueError('Image shape %s != mask shape %s' % (repr(image.
shape), repr... | propagate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(image, labels, mask, weight):\n if image.shape != labels.shape:\n raise ValueError('Image shape %s != label shape %s' % (repr(image.\n sha... |
def x(i, j, costs, wants_dual_variables=False, augmenting_row_reductions=2):
import os
i = np.atleast_1d(i).astype(int)
j = np.atleast_1d(j).astype(int)
costs = np.atleast_1d(costs)
assert len(i) == len(j), 'i and j must be the same length'
assert len(i) == len(costs), 'costs must be the same le... | lapjv | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(i, j, costs, wants_dual_variables=False, augmenting_row_reductions=2):\n import os\n i = np.atleast_1d(i).astype(int)\n j = np.atleast_1d(j).astype(in... |
def x(ii, j, idx, count, x, u, v, c):
for i in ii:
j1 = x[i]
jj = j[idx[i]:idx[i] + count[i]]
uu = np.min((c[idx[i]:idx[i] + count[i]] - v[jj])[jj != j1])
v[j1] = v[j1] - uu + u[i]
u[i] = uu
| slow_reduction_transfer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ii, j, idx, count, x, u, v, c):\n for i in ii:\n j1 = x[i]\n jj = j[idx[i]:idx[i] + count[i]]\n uu = np.min((c[idx[i]:idx[i] + count[i]... |
def x(n, ii, jj, idx, count, x, y, u, v, c):
ii = list(ii)
k = 0
limit = len(ii)
free = []
while k < limit:
i = ii[k]
k += 1
j = jj[idx[i]:idx[i] + count[i]]
uu = c[idx[i]:idx[i] + count[i]] - v[j]
order = np.lexsort([uu])
u1, u2 = uu[order[:2]]
... | slow_augmenting_row_reduction | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(n, ii, jj, idx, count, x, y, u, v, c):\n ii = list(ii)\n k = 0\n limit = len(ii)\n free = []\n while k < limit:\n i = ii[k]\n k +=... |
def x(n, ii, jj, idx, count, x, y, u, v, c):
inf = np.sum(c) + 1
d = np.zeros(n)
cc = np.zeros((n, n))
cc[:, :] = inf
for i in range(n):
cc[i, jj[idx[i]:idx[i] + count[i]]] = c[idx[i]:idx[i] + count[i]]
c = cc
for i in ii:
print('Processing i=%d' % i)
j = jj[idx[i]:id... | slow_augment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(n, ii, jj, idx, count, x, y, u, v, c):\n inf = np.sum(c) + 1\n d = np.zeros(n)\n cc = np.zeros((n, n))\n cc[:, :] = inf\n for i in range(n):\n ... |
def x(self, max_dist_kb, size_bin_kb, display_graph):
logger.info('estimation of the parameters of the model')
self.bins = np.arange(size_bin_kb, max_dist_kb + size_bin_kb, size_bin_kb)
self.mean_contacts = np.zeros_like(self.bins, dtype=np.float32)
self.dict_collect = dict()
self.gpu_vect_frags.cop... | estimate_parameters_rippe | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, max_dist_kb, size_bin_kb, display_graph):\n logger.info('estimation of the parameters of the model')\n self.bins = np.arange(size_bin_kb, max_dist_... |
def x(self, max_dist_kb, size_bin_kb, display_graph):
logger.info('estimation of the parameters of the model')
self.bins = np.arange(size_bin_kb, max_dist_kb + size_bin_kb, size_bin_kb)
self.mean_contacts = np.zeros_like(self.bins, dtype=np.float32)
self.dict_collect = dict()
self.gpu_vect_frags.cop... | estimate_parameters | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, max_dist_kb, size_bin_kb, display_graph):\n logger.info('estimation of the parameters of the model')\n self.bins = np.arange(size_bin_kb, max_dist_... |
def x(linkage_records):
def x(linkage_record):
linkage_group, genetic_distance, scaffold = linkage_record[1
], linkage_record[2], linkage_record[3]
return linkage_group, genetic_distance, scaffold
degenerate_records = []
for _, degenerate_group in itertools.groupby(linkage_recor... | collapse_degenerate_markers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(linkage_records):\n\n def x(linkage_record):\n linkage_group, genetic_distance, scaffold = linkage_record[1\n ], linkage_record[2], linkag... |
def x(linkage_records):
new_records = dict()
for lg_name, linkage_group in itertools.groupby(linkage_records,
operator.itemgetter(0)):
new_records[lg_name] = []
for record in linkage_group:
init_contig = record[-1]
start = record[1]
end = record[2]
... | linkage_group_ordering | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(linkage_records):\n new_records = dict()\n for lg_name, linkage_group in itertools.groupby(linkage_records,\n operator.itemgetter(0)):\n ne... |
def x(info_frags_records, linkage_orderings):
scaffolds = info_frags_records.keys()
linkage_groups = linkage_orderings.keys()
best_matching_table = dict()
for scaffold, linkage_group in itertools.product(scaffolds, linkage_groups
):
lg_ordering = [init_contig for init_contig, _ in iterto... | compare_orderings | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(info_frags_records, linkage_orderings):\n scaffolds = info_frags_records.keys()\n linkage_groups = linkage_orderings.keys()\n best_matching_table = di... |
def x(info_frags_records, matching_pairs, linkage_orderings):
import logging
import sys
logging.basicConfig(stream=sys.stdout, level=logging.DEBUG)
logger = logging.getLogger()
logger.setLevel(logging.DEBUG)
touched_lgs = set()
def x(key_record_tuple):
return len(key_record_tuple[1]... | get_missing_blocks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(info_frags_records, matching_pairs, linkage_orderings):\n import logging\n import sys\n logging.basicConfig(stream=sys.stdout, level=logging.DEBUG)\n ... |
def x(info_frags):
new_scaffolds = {}
with open(info_frags, 'r') as info_frags_handle:
current_new_contig = None
for line in info_frags_handle:
if line.startswith('>'):
current_new_contig = str(line[1:-1])
new_scaffolds[current_new_contig] = []
... | parse_info_frags | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(info_frags):\n new_scaffolds = {}\n with open(info_frags, 'r') as info_frags_handle:\n current_new_contig = None\n for line in info_frags_h... |
def x(bed_file):
new_scaffolds = {}
with open(bed_file) as bed_handle:
for line in bed_handle:
chrom, start, end, query, qual, strand = line.split()[:7]
if strand == '+':
ori = 1
elif strand == '-':
ori = -1
else:
... | parse_bed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bed_file):\n new_scaffolds = {}\n with open(bed_file) as bed_handle:\n for line in bed_handle:\n chrom, start, end, query, qual, strand... |
def x(scaffolds, corrector):
new_scaffolds = {}
def x(bin1, bin2):
if bin2 is None:
return False
init1, _, start1, end1, _ = bin1
init2, _, start2, end2, _ = bin2
if init1 != init2:
return False
else:
return start2 <= start1 <= end2 or... | correct_scaffolds | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(scaffolds, corrector):\n new_scaffolds = {}\n\n def x(bin1, bin2):\n if bin2 is None:\n return False\n init1, _, start1, end1, _... |
def x(info_frags):
if isinstance(info_frags, dict):
return info_frags
else:
try:
scaffolds = parse_info_frags(info_frags)
return scaffolds
except OSError:
print('Error when opening info_frags.txt')
raise
| format_info_frags | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(info_frags):\n if isinstance(info_frags, dict):\n return info_frags\n else:\n try:\n scaffolds = parse_info_frags(info_frags)\n ... |
def x(scaffolds):
scaffolds = format_info_frags(scaffolds)
for name, scaffold in scaffolds.items():
plt.figure()
xs = range(len(scaffold))
color = []
names = {}
ys = []
for my_bin in scaffold:
current_color = 'r' if my_bin[4] > 0 else 'g'
c... | plot_info_frags | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(scaffolds):\n scaffolds = format_info_frags(scaffolds)\n for name, scaffold in scaffolds.items():\n plt.figure()\n xs = range(len(scaffold)... |
def x(scaffolds):
scaffolds = format_info_frags(scaffolds)
new_scaffolds = {}
for name, scaffold in scaffolds.items():
new_scaffold = []
if len(scaffold) > 2:
for i in range(len(scaffold)):
if i == 0:
if not (scaffold[i][0] != scaffold[i + 1][0... | remove_spurious_insertions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(scaffolds):\n scaffolds = format_info_frags(scaffolds)\n new_scaffolds = {}\n for name, scaffold in scaffolds.items():\n new_scaffold = []\n ... |
def x(scaffolds, criterion='colinear'):
scaffolds = format_info_frags(scaffolds)
new_scaffolds = {}
def x(bin1, bin2):
return bin1[0] == bin2[0]
def x(bin1, bin2):
return is_cis(bin1, bin2) and bin1[3] == bin2[2]
def x(bin1, bin2):
return is_cis(bin1, bin2) and bin1[3] <= ... | correct_spurious_inversions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(scaffolds, criterion='colinear'):\n scaffolds = format_info_frags(scaffolds)\n new_scaffolds = {}\n\n def x(bin1, bin2):\n return bin1[0] == bi... |
def x(scaffolds):
scaffolds = format_info_frags(scaffolds)
new_scaffolds = {}
ordering = dict()
for name, scaffold in scaffolds.items():
new_scaffold = []
ordering = dict()
order = 0
my_blocks = []
for _, my_block in itertools.groupby(scaffold, operator.itemgetter... | rearrange_intra_scaffolds | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(scaffolds):\n scaffolds = format_info_frags(scaffolds)\n new_scaffolds = {}\n ordering = dict()\n for name, scaffold in scaffolds.items():\n ... |
def x(init_fasta, info_frags, output=DEFAULT_NEW_GENOME_NAME, junction=False):
init_genome = {record.id: record.seq for record in SeqIO.parse(
init_fasta, 'fasta')}
my_new_records = []
with open(info_frags, 'r') as info_frags_handle:
current_seq = ''
current_id = None
previou... | write_fasta | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(init_fasta, info_frags, output=DEFAULT_NEW_GENOME_NAME, junction=False):\n init_genome = {record.id: record.seq for record in SeqIO.parse(\n init_fas... |
def x(bin_list):
id_set = set(my_bin[1] for my_bin in bin_list)
start_id, end_id = min(id_set), max(id_set)
return id_set == set(range(start_id, end_id + 1))
| is_block | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bin_list):\n id_set = set(my_bin[1] for my_bin in bin_list)\n start_id, end_id = min(id_set), max(id_set)\n return id_set == set(range(start_id, end_i... |
def x(xi, bounds):
ge = np.empty_like(xi)
for i, (v, bound) in enumerate(zip(xi, bounds)):
a = bound[0]
b = bound[1]
if a == None and b == None:
ge[i] = 1.0
elif b == None:
ge[i] = v / np.sqrt(v ** 2 + 1)
elif a == None:
ge[i] = -v / np... | internal2external_grad | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(xi, bounds):\n ge = np.empty_like(xi)\n for i, (v, bound) in enumerate(zip(xi, bounds)):\n a = bound[0]\n b = bound[1]\n if a == Non... |
def x(xi, bounds):
xe = np.empty_like(xi)
for i, (v, bound) in enumerate(zip(xi, bounds)):
a = bound[0]
b = bound[1]
if a == None and b == None:
xe[i] = v
elif b == None:
xe[i] = a - 1.0 + np.sqrt(v ** 2.0 + 1.0)
elif a == None:
xe[i] =... | internal2external | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(xi, bounds):\n xe = np.empty_like(xi)\n for i, (v, bound) in enumerate(zip(xi, bounds)):\n a = bound[0]\n b = bound[1]\n if a == Non... |
def x(xe, bounds):
xi = np.empty_like(xe)
for i, (v, bound) in enumerate(zip(xe, bounds)):
a = bound[0]
b = bound[1]
if a == None and b == None:
xi[i] = v
elif b == None:
xi[i] = np.sqrt((v - a + 1.0) ** 2.0 - 1)
elif a == None:
xi[i] =... | external2internal | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(xe, bounds):\n xi = np.empty_like(xe)\n for i, (v, bound) in enumerate(zip(xe, bounds)):\n a = bound[0]\n b = bound[1]\n if a == Non... |
def x(infodic, p):
fjac = infodic['fjac']
ipvt = infodic['ipvt']
n = len(p)
perm = np.take(np.eye(n), ipvt - 1, 0)
r = np.triu(np.transpose(fjac)[:n, :])
R = np.dot(r, perm)
try:
cov_x = np.linalg.inv(np.dot(np.transpose(R), R))
except LinAlgError:
cov_x = None
return... | calc_cov_x | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(infodic, p):\n fjac = infodic['fjac']\n ipvt = infodic['ipvt']\n n = len(p)\n perm = np.take(np.eye(n), ipvt - 1, 0)\n r = np.triu(np.transpose(... |
def x(func, x0, bounds, args=(), **kw):
if 'full_output' in kw and kw['full_output']:
full = True
else:
full = False
i0 = external2internal(x0, bounds)
r = leastsq(err, i0, args=(bounds, func, args), **kw)
if full:
xi, cov_xi, infodic, mesg, ier = r
xe = internal2exte... | leastsqbound | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func, x0, bounds, args=(), **kw):\n if 'full_output' in kw and kw['full_output']:\n full = True\n else:\n full = False\n i0 = external2i... |
def x(self):
if self.set_status:
self.github_repo.create_status(state='pending', description=
'Static analysis in progress.', context='inline-plz', sha=self.
last_sha)
| start_review | [
{
"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.set_status:\n self.github_repo.create_status(state='pending', description=\n 'Static analysis in progress.', context='inl... |
def x(self, success=True, error=False):
if self.set_status:
if error:
self.github_repo.create_status(state='error', description=
'Static analysis error! inline-plz failed to run.', context
='inline-plz', sha=self.last_sha)
elif success:
self.gi... | finish_review | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, success=True, error=False):\n if self.set_status:\n if error:\n self.github_repo.create_status(state='error', description=\n ... |
def x(self):
try:
latest_remote_sha = self.pr_commits(self.pull_request.refresh(True))[-1
].sha
print('Latest remote sha: {}'.format(latest_remote_sha))
try:
print('Ratelimit remaining: {}'.format(self.github.
ratelimit_remaining))
except Excep... | out_of_date | [
{
"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 latest_remote_sha = self.pr_commits(self.pull_request.refresh(True))[-1\n ].sha\n print('Latest remote sha: {}'.for... |
def x(self, message):
if not message.line_number:
message.line_number = 1
for patched_file in self.patch:
target = patched_file.target_file.lstrip('b/')
if target == message.path:
offset = 1
for hunk in patched_file:
for position, hunk_line in enum... | position | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message):\n if not message.line_number:\n message.line_number = 1\n for patched_file in self.patch:\n target = patched_file.target_fi... |
def x(self):
OpenGL.GL.glFlush()
OpenGL.GL.glClear(OpenGL.GL.GL_COLOR_BUFFER_BIT | OpenGL.GL.
GL_DEPTH_BUFFER_BIT)
if self.white == -1:
OpenGL.GL.glClearColor(1, 1, 1, 1)
else:
OpenGL.GL.glClearColor(0, 0, 0, 0)
OpenGL.GL.glMatrixMode(OpenGL.GL.GL_MODELVIEW)
OpenGL.GL.glL... | draw | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n OpenGL.GL.glFlush()\n OpenGL.GL.glClear(OpenGL.GL.GL_COLOR_BUFFER_BIT | OpenGL.GL.\n GL_DEPTH_BUFFER_BIT)\n if self.white == -1:\n ... |
def x(base_folder, size_pyramid, factor, min_bin_per_contig):
fact_sub_sampling = factor
contig_info = os.path.join(base_folder, 'info_contigs.txt')
fragments_list = os.path.join(base_folder, 'fragments_list.txt')
init_abs_fragments_contacts = os.path.join(base_folder,
'abs_fragments_contacts_we... | build | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(base_folder, size_pyramid, factor, min_bin_per_contig):\n fact_sub_sampling = factor\n contig_info = os.path.join(base_folder, 'info_contigs.txt')\n f... |
def x(abs_contact_file, coo_file):
sparse_dict = dict()
h = open(abs_contact_file, 'r')
all_lines = h.readlines()
n_lines = len(all_lines)
for i in range(1, n_lines):
line = all_lines[i]
dat = line.split()
mates = [int(dat[0]), int(dat[1])]
mates.sort()
f1 = m... | abs_contact_2_coo_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(abs_contact_file, coo_file):\n sparse_dict = dict()\n h = open(abs_contact_file, 'r')\n all_lines = h.readlines()\n n_lines = len(all_lines)\n f... |
def x(pyramid_handle, level, contact_file, nfrags):
sparse_dict = dict()
h = open(contact_file, 'r')
all_lines = h.readlines()
n_lines = len(all_lines)
for i in range(1, n_lines):
line = all_lines[i]
dat = line.split()
mates = [int(dat[0]), int(dat[1])]
nc = int(dat[2... | fill_sparse_pyramid_level | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pyramid_handle, level, contact_file, nfrags):\n sparse_dict = dict()\n h = open(contact_file, 'r')\n all_lines = h.readlines()\n n_lines = len(all_... |
def x(fragment_list, new_frag_list):
handle_frag_list = open(fragment_list, 'r')
handle_new_frag_list = open(new_frag_list, 'w')
handle_new_frag_list.write('%s\t%s\t%s\t%s\t%s\t%s\t%s\t%s\t%s\n' % (
'id', 'chrom', 'start_pos', 'end_pos', 'size', 'gc_content',
'accu_frag', 'frag_start', 'frag... | init_frag_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fragment_list, new_frag_list):\n handle_frag_list = open(fragment_list, 'r')\n handle_new_frag_list = open(new_frag_list, 'w')\n handle_new_frag_list.... |
def x(self, curr_frag):
level = curr_frag[1]
frag = curr_frag[0]
output = []
if level > 0:
str_level = str(level)
sub_low = self.spec_level[str_level]['fragments_dict'][frag][
'sub_low_index']
sub_high = self.spec_level[str_level]['fragments_dict'][frag][
... | zoom_in_frag | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, curr_frag):\n level = curr_frag[1]\n frag = curr_frag[0]\n output = []\n if level > 0:\n str_level = str(level)\n sub_low = sel... |
def x(self, curr_frag):
level = curr_frag[1]
frag = curr_frag[0]
output = []
if level > 0:
str_level = str(level)
high_frag = self.spec_level[str_level]['fragments_dict'][frag][
'super_index']
new_level = level + 1
output = high_frag, new_level
else:
... | zoom_out_frag | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, curr_frag):\n level = curr_frag[1]\n frag = curr_frag[0]\n output = []\n if level > 0:\n str_level = str(level)\n high_frag = s... |
def x(self, curr_pixel):
low_frag = curr_pixel[0]
high_frag = curr_pixel[1]
level = curr_pixel[2]
if level > 0:
str_level = str(level)
low_sub_low = self.spec_level[str_level]['fragments_dict'][low_frag][
'sub_low_index']
low_sub_high = self.spec_level[str_level]['fra... | zoom_in_pixel | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, curr_pixel):\n low_frag = curr_pixel[0]\n high_frag = curr_pixel[1]\n level = curr_pixel[2]\n if level > 0:\n str_level = str(level)\n... |
def x(self, curr_pixel):
low_frag = curr_pixel[0]
high_frag = curr_pixel[1]
level = curr_pixel[2]
str_level = str(level)
if level < self.n_level - 1:
low_super = self.spec_level[str_level]['fragments_dict'][low_frag][
'super_index']
high_super = self.spec_level[str_level]... | zoom_out_pixel | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, curr_pixel):\n low_frag = curr_pixel[0]\n high_frag = curr_pixel[1]\n level = curr_pixel[2]\n str_level = str(level)\n if level < self.n_l... |
def x(self, area):
x = area[0]
y = area[1]
level = x[2]
logger.debug('x = {}'.format(x))
logger.debug('y = {}'.format(y))
logger.debug('level = {}'.format(level))
if level == y[2] and level > 0:
new_level = level - 1
high_x = self.zoom_in_pixel(x)
high_y = self.zoom_i... | zoom_in_area | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, area):\n x = area[0]\n y = area[1]\n level = x[2]\n logger.debug('x = {}'.format(x))\n logger.debug('y = {}'.format(y))\n logger.debug(... |
def x(args, config_path='.inlineplz.yml'):
config = {}
try:
with open(config_path) as configfile:
config = yaml.safe_load(configfile) or {}
if config:
print('Loaded config from {}'.format(config_path))
pprint.pprint(config)
except (IOError, OSE... | load_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args, config_path='.inlineplz.yml'):\n config = {}\n try:\n with open(config_path) as configfile:\n config = yaml.safe_load(configfile)... |
def x(args):
trusted = args.trusted
args = load_config(args)
print('Args:')
pprint.pprint(args)
ret_code = 0
url = args.url
if args.repo_slug:
owner = args.repo_slug.split('/')[0]
repo = args.repo_slug.split('/')[1]
else:
owner = args.owner
repo = args.rep... | inline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n trusted = args.trusted\n args = load_config(args)\n print('Args:')\n pprint.pprint(args)\n ret_code = 0\n url = args.url\n if arg... |
def x():
for install_dir in linters.INSTALL_DIRS:
try:
shutil.rmtree(install_dir, ignore_errors=True)
except Exception:
print('{0}\nFailed to delete {1}'.format(traceback.format_exc(),
install_dir))
sys.stdout.flush()
| cleanup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n for install_dir in linters.INSTALL_DIRS:\n try:\n shutil.rmtree(install_dir, ignore_errors=True)\n except Exception:\n ... |
async def apply_json(self, data):
"""Apply a JSON data object for a service
"""
if not isinstance(data, list):
data = [data]
result = []
for entry in data:
if not isinstance(entry, dict):
raise KongError('dictionary required')
ensure = entry.pop('ensure', None... | apply_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def apply_json(self, data):\n \"\"\"Apply a JSON data object for a service\n \"\"\"\n if not isinstance(data, list):\n data = [data]\n r... |
async def apply_json(self, data):
"""Apply a JSON data object for a service
"""
if not isinstance(data, list):
data = [data]
result = []
for entry in data:
name = entry.pop('name')
if await self.has(name):
sni = await self.update(name, **entry)
else:
... | apply_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def apply_json(self, data):\n \"\"\"Apply a JSON data object for a service\n \"\"\"\n if not isinstance(data, list):\n data = [data]\n r... |
def x(self, size):
self.instance.resize_volume(size)
self.size = size
| resize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, size):\n self.instance.resize_volume(size)\n self.size = size\n",
"role": "user"
},
{
"content": "resize",
"role": "assistant"
}
... |
def x(self, item):
resource = super(CloudDatabaseManager, self).get(item)
resource.volume = CloudDatabaseVolume(resource, resource.volume)
return resource
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, item):\n resource = super(CloudDatabaseManager, self).get(item)\n resource.volume = CloudDatabaseVolume(resource, resource.volume)\n return reso... |
def x(self, name, flavor=None, volume=None, databases=None, users=None,
version=None, type=None):
if flavor is None:
flavor = 1
flavor_ref = self.api._get_flavor_ref(flavor)
if volume is None:
volume = 1
if databases is None:
databases = []
if users is None:
users... | create_body | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, flavor=None, volume=None, databases=None, users=None,\n version=None, type=None):\n if flavor is None:\n flavor = 1\n flavor_ref = ... |
def x(self, instance, name, description=None):
body = {'backup': {'instance': utils.get_id(instance), 'name': name}}
if description is not None:
body['backup']['description'] = description
uri = '/backups'
resp, resp_body = self.api.method_post(uri, body=body)
mgr = self.api._backup_manager
... | create_backup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance, name, description=None):\n body = {'backup': {'instance': utils.get_id(instance), 'name': name}}\n if description is not None:\n b... |
def x(self, backup, name, flavor, volume):
flavor_ref = self.api._get_flavor_ref(flavor)
body = {'instance': {'name': name, 'flavorRef': flavor_ref, 'volume': {
'size': volume}, 'restorePoint': {'backupRef': utils.get_id(backup)}}}
uri = '/%s' % self.uri_base
resp, resp_body = self.api.method_po... | restore_backup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, backup, name, flavor, volume):\n flavor_ref = self.api._get_flavor_ref(flavor)\n body = {'instance': {'name': name, 'flavorRef': flavor_ref, 'volum... |
def x(self, instance=None, marker=0, limit=20):
return self.api._backup_manager.list(instance=instance, limit=limit,
marker=marker)
| list_backups | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance=None, marker=0, limit=20):\n return self.api._backup_manager.list(instance=instance, limit=limit,\n marker=marker)\n",
"role": "us... |
def x(self, instance, marker=0, limit=20):
uri = '/%s/%s/backups?limit=%d&marker=%d' % (self.uri_base, utils.
get_id(instance), int(limit), int(marker))
resp, resp_body = self.api.method_get(uri)
mgr = self.api._backup_manager
return [CloudDatabaseBackup(mgr, backup) for backup in resp_body.get(... | list_backups_for_instance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance, marker=0, limit=20):\n uri = '/%s/%s/backups?limit=%d&marker=%d' % (self.uri_base, utils.\n get_id(instance), int(limit), int(marker)... |
def x(self, dbs, strict=True):
dbs = utils.coerce_to_list(dbs)
db_names = [utils.get_name(db) for db in dbs]
if strict:
good_dbs = self.instance.list_databases()
good_names = [utils.get_name(good_db) for good_db in good_dbs]
bad_names = [db_name for db_name in db_names if db_name not... | get_db_names | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dbs, strict=True):\n dbs = utils.coerce_to_list(dbs)\n db_names = [utils.get_name(db) for db in dbs]\n if strict:\n good_dbs = self.insta... |
def x(self, user, name=None, password=None, host=None):
if not any((name, password, host)):
raise exc.MissingDBUserParameters(
'You must supply at least one of the following: new username, new password, or new host specification.'
)
if not isinstance(user, CloudDatabaseUser):
... | update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user, name=None, password=None, host=None):\n if not any((name, password, host)):\n raise exc.MissingDBUserParameters(\n 'You must s... |
def x(self, user):
user = utils.get_name(user)
uri = '/%s/%s/databases' % (self.uri_base, user)
try:
resp, resp_body = self.api.method_get(uri)
except exc.NotFound as e:
raise exc.NoSuchDatabaseUser("User '%s' does not exist." % user)
dbs = resp_body.get('databases', {})
return [... | list_user_access | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user):\n user = utils.get_name(user)\n uri = '/%s/%s/databases' % (self.uri_base, user)\n try:\n resp, resp_body = self.api.method_get(ur... |
def x(self, user, db_names, strict=True):
user = utils.get_name(user)
uri = '/%s/%s/databases' % (self.uri_base, user)
db_names = self._get_db_names(db_names, strict=strict)
dbs = [{'name': db_name} for db_name in db_names]
body = {'databases': dbs}
try:
resp, resp_body = self.api.method... | grant_user_access | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user, db_names, strict=True):\n user = utils.get_name(user)\n uri = '/%s/%s/databases' % (self.uri_base, user)\n db_names = self._get_db_names(d... |
def x(self, user, db_names, strict=True):
user = utils.get_name(user)
db_names = self._get_db_names(db_names, strict=strict)
bad_names = []
for db_name in db_names:
uri = '/%s/%s/databases/%s' % (self.uri_base, user, db_name)
resp, resp_body = self.api.method_delete(uri)
| revoke_user_access | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user, db_names, strict=True):\n user = utils.get_name(user)\n db_names = self._get_db_names(db_names, strict=strict)\n bad_names = []\n for d... |
def x(self, instance=None, limit=20, marker=0):
if instance is None:
return super(CloudDatabaseBackupManager, self).list()
return self.api._manager._list_backups_for_instance(instance, limit=
limit, marker=marker)
| list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance=None, limit=20, marker=0):\n if instance is None:\n return super(CloudDatabaseBackupManager, self).list()\n return self.api._manage... |
def x(self):
super(CloudDatabaseInstance, self).get()
self.volume = CloudDatabaseVolume(self, self.volume)
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n super(CloudDatabaseInstance, self).get()\n self.volume = CloudDatabaseVolume(self, self.volume)\n",
"role": "user"
},
{
"content": "... |
def x(self, limit=None, marker=None):
return self._database_manager.list(limit=limit, marker=marker)
| list_databases | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, limit=None, marker=None):\n return self._database_manager.list(limit=limit, marker=marker)\n",
"role": "user"
},
{
"content": "list_databa... |
def x(self, limit=None, marker=None):
return self._user_manager.list(limit=limit, marker=marker)
| list_users | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, limit=None, marker=None):\n return self._user_manager.list(limit=limit, marker=marker)\n",
"role": "user"
},
{
"content": "list_users",
... |
def x(self, name):
try:
return self._user_manager.get(name)
except exc.NotFound:
raise exc.NoSuchDatabaseUser("No user by the name '%s' exists." % name)
| get_user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n try:\n return self._user_manager.get(name)\n except exc.NotFound:\n raise exc.NoSuchDatabaseUser(\"No user by the name '%s' ... |
def x(self, name):
try:
return [db for db in self.list_databases() if db.name == name][0]
except IndexError:
raise exc.NoSuchDatabase("No database by the name '%s' exists." % name)
| get_database | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n try:\n return [db for db in self.list_databases() if db.name == name][0]\n except IndexError:\n raise exc.NoSuchDatabase(\"N... |
def x(self, name, character_set=None, collate=None):
if character_set is None:
character_set = 'utf8'
if collate is None:
collate = 'utf8_general_ci'
self._database_manager.create(name=name, character_set=character_set,
collate=collate, return_none=True)
return self._database_man... | create_database | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, character_set=None, collate=None):\n if character_set is None:\n character_set = 'utf8'\n if collate is None:\n collate = 'utf8... |
def x(self, name, password, database_names, host=None):
if not isinstance(database_names, (list, tuple)):
database_names = [database_names]
database_names = [(db if isinstance(db, six.string_types) else db.name) for
db in database_names]
self._user_manager.create(name=name, password=password... | create_user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, password, database_names, host=None):\n if not isinstance(database_names, (list, tuple)):\n database_names = [database_names]\n databa... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.