source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(fm, category, filenumber, n_train, n_predict, controls=True, scale_factor=1): subjects = np.unique(fm.SUBJECTINDEX) if len(subjects) < n_train + n_predict: raise ValueError('Not enough subjects in fixmat') np.random.shuffle(subjects) predicted_subjects = subjects[0:n_predict] predicting_subjects = subjects[n_predict:n_predict + n_train] assert len(predicting_subjects) == n_train assert len(predicted_subjects) == n_predict assert [(x not in predicting_subjects) for x in predicted_subjects] return intersubject_scores(fm, category, [filenumber], predicting_subjects, [filenumber], predicted_subjects, controls, scale_factor)
intersubject_scores_random_subjects
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fm, category, filenumber, n_train, n_predict, controls=True,\n scale_factor=1):\n subjects = np.unique(fm.SUBJECTINDEX)\n if len(subjects) < n_train +...
def x(fm, nr_subs=None, scale_factor=1): nr_subs_total = len(np.unique(fm.SUBJECTINDEX)) if not nr_subs: nr_subs = nr_subs_total - 1 assert nr_subs < nr_subs_total intersub_scores = [] for measure in range(len(measures.scores)): res_dict = {} result_vectors = [(np.empty(nr_subs_total) + np.nan) for _ in np. unique(fm.category)] res_dict.update(list(zip(np.unique(fm.category), result_vectors))) intersub_scores.append(res_dict) for fm_cat in fm.by_field('category'): cat = fm_cat.category[0] for sub_counter, sub in enumerate(np.unique(fm_cat.SUBJECTINDEX)): image_scores = [] for fm_single in fm_cat.by_field('filenumber'): predicting_subs = np.setdiff1d(np.unique(fm_single. SUBJECTINDEX), [sub]) np.random.shuffle(predicting_subs) predicting_subs = predicting_subs[0:nr_subs] predicting_fm = fm_single[ismember(fm_single.SUBJECTINDEX, predicting_subs)] predicted_fm = fm_single[fm_single.SUBJECTINDEX == sub] try: predicting_fdm = compute_fdm(predicting_fm, scale_factor=scale_factor) except RuntimeError: predicting_fdm = None image_scores.append(measures.prediction_scores( predicting_fdm, predicted_fm)) for measure, score in enumerate(nanmean(image_scores, 0)): intersub_scores[measure][cat][sub_counter] = score return intersub_scores
upper_bound
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fm, nr_subs=None, scale_factor=1):\n nr_subs_total = len(np.unique(fm.SUBJECTINDEX))\n if not nr_subs:\n nr_subs = nr_subs_total - 1\n assert n...
def x(fm, nr_subs=None, nr_imgs=None, scale_factor=1): nr_subs_total = len(np.unique(fm.SUBJECTINDEX)) if nr_subs is None: nr_subs = nr_subs_total - 1 assert nr_subs < nr_subs_total sb_scores = [] for measure in range(len(measures.scores)): res_dict = {} result_vectors = [(np.empty(nr_subs_total) + np.nan) for _ in np. unique(fm.category)] res_dict.update(list(zip(np.unique(fm.category), result_vectors))) sb_scores.append(res_dict) for fm_cat in fm.by_field('category'): cat = fm_cat.category[0] nr_imgs_cat = len(np.unique(fm_cat.filenumber)) if not nr_imgs: nr_imgs_current = nr_imgs_cat - 1 else: nr_imgs_current = nr_imgs assert nr_imgs_current < nr_imgs_cat for sub_counter, sub in enumerate(np.unique(fm.SUBJECTINDEX)): image_scores = [] for fm_single in fm_cat.by_field('filenumber'): fn = fm_single.filenumber[0] predicting_subs = np.setdiff1d(np.unique(fm_cat. SUBJECTINDEX), [sub]) np.random.shuffle(predicting_subs) predicting_subs = predicting_subs[0:nr_subs] predicting_fns = np.setdiff1d(np.unique(fm_cat.filenumber), [fn]) np.random.shuffle(predicting_fns) predicting_fns = predicting_fns[0:nr_imgs_current] predicting_fm = fm_cat[ismember(fm_cat.SUBJECTINDEX, predicting_subs) & ismember(fm_cat.filenumber, predicting_fns)] predicted_fm = fm_single[fm_single.SUBJECTINDEX == sub] try: predicting_fdm = compute_fdm(predicting_fm, scale_factor=scale_factor) except RuntimeError: predicting_fdm = None image_scores.append(measures.prediction_scores( predicting_fdm, predicted_fm)) for measure, score in enumerate(nanmean(image_scores, 0)): sb_scores[measure][cat][sub_counter] = score return sb_scores
lower_bound
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fm, nr_subs=None, nr_imgs=None, scale_factor=1):\n nr_subs_total = len(np.unique(fm.SUBJECTINDEX))\n if nr_subs is None:\n nr_subs = nr_subs_total...
def x(ind, dimensions): if ind >= np.prod(dimensions): raise RuntimeError('ind2sub: index exceeds array size') cum_dims = list(dimensions) cum_dims.reverse() m = 1 mult = [] for d in cum_dims: m = m * d mult.append(m) mult.pop() mult.reverse() mult.append(1) indices = [] for d in mult: indices.append(ind / d + 1) ind = ind - ind / d * d return indices
ind2sub
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ind, dimensions):\n if ind >= np.prod(dimensions):\n raise RuntimeError('ind2sub: index exceeds array size')\n cum_dims = list(dimensions)\n cu...
def x(indices, dimensions): if any([(i > j) for i, j in zip(indices, dimensions)]): raise RuntimeError("sub2ind:an index exceeds its dimension's size") dims = list(dimensions) dims.append(1) dims.remove(dims[0]) dims.reverse() ind = list(indices) ind.reverse() idx = 0 mult = 1 for cnt, dim in zip(ind, dims): mult = dim * mult idx = idx + (cnt - 1) * mult return idx
sub2ind
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(indices, dimensions):\n if any([(i > j) for i, j in zip(indices, dimensions)]):\n raise RuntimeError(\"sub2ind:an index exceeds its dimension's size\...
def x(store_class, chunk_size, restore_file, save_file): intm_results = np.load(restore_file) intm = intm_results[intm_results.files[0]] idx = np.isnan(intm).flatten().nonzero()[0] partitions = math.ceil(len(idx) / float(chunk_size)) task_store = store_class(partitions, idx.tolist(), save_file) task_store.num_tasks = len(idx) for f in intm_results.files: task_store.__dict__[f] = intm_results[f] return task_store
RestoreTaskStoreFactory
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(store_class, chunk_size, restore_file, save_file):\n intm_results = np.load(restore_file)\n intm = intm_results[intm_results.files[0]]\n idx = np.isna...
def x(self): if not len(self.scheduled_tasks) == 0: self.reschedule = list(self.scheduled_tasks.items()) self.scheduled_tasks = {} return True
xmlrpc_reschedule
[ { "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 len(self.scheduled_tasks) == 0:\n self.reschedule = list(self.scheduled_tasks.items())\n self.scheduled_tasks = {}\n return...
def x(self): try: if len(self.reschedule) == 0: task_id, cur_task = next(self.task_iterator) else: task_id, cur_task = self.reschedule.pop() self.scheduled_tasks.update({task_id: cur_task}) return task_id, cur_task.to_dict() except StopIteration: print('StopIteration: No more tasks') return False except Exception as err: print('Some other error') print(err) return False
xmlrpc_get_task
[ { "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 if len(self.reschedule) == 0:\n task_id, cur_task = next(self.task_iterator)\n else:\n task_id, cur_task...
def x(self, result): task_id, task_results = result del self.scheduled_tasks[task_id] self.task_store.update_results(task_id, task_results) self.results += 1 return True
xmlrpc_task_done
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, result):\n task_id, task_results = result\n del self.scheduled_tasks[task_id]\n self.task_store.update_results(task_id, task_results)\n self....
def x(self): return ( """ %i Jobs are still wating for execution %i Jobs are being processed %i Jobs are done """ % (self.task_store.partitions - self.results - len(self. scheduled_tasks), len(self.scheduled_tasks), self.results))
xmlrpc_status
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return (\n \"\"\"\n %i Jobs are still wating for execution\n %i Jobs are being processed\n %i Jobs are done\n \"...
def x(self, filename): savefile = open(filename, 'wb') try: pickle.dump({'scheduled': self.scheduled_tasks, 'reschedule': self. reschedule}, savefile) except pickle.PicklingError: return -1 savefile.close() return 1
xmlrpc_save2file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename):\n savefile = open(filename, 'wb')\n try:\n pickle.dump({'scheduled': self.scheduled_tasks, 'reschedule': self.\n resch...
def x(self): task_id, tasks = self.server.get_task() self.task_store.from_dict(tasks) for index, task in self.task_store: result = self.compute(index, task) self.results.append(result) self.server.task_done((task_id, self.results))
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n task_id, tasks = self.server.get_task()\n self.task_store.from_dict(tasks)\n for index, task in self.task_store:\n result = self.compu...
def x(self, description): assert self.ident == description['ident'] self.partitions = description['partitions'] self.indices = description['indices']
from_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, description):\n assert self.ident == description['ident']\n self.partitions = description['partitions']\n self.indices = description['indices']\...
def x(self): step = int(math.ceil(self.num_tasks / float(self.partitions))) if self.indices == None: slice_ind = list(range(0, self.num_tasks, step)) for start in slice_ind: yield self.__class__(self.partitions, list(range(start, start + step))) else: slice_ind = list(range(0, len(self.indices), step)) for start in slice_ind: if start + step <= len(self.indices): yield self.__class__(self.partitions, self.indices[start: start + step]) else: yield self.__class__(self.partitions, self.indices[start:])
partition
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n step = int(math.ceil(self.num_tasks / float(self.partitions)))\n if self.indices == None:\n slice_ind = list(range(0, self.num_tasks, ste...
def x(samples, e_x, e_y, e_z, remove_zeros=False, **kw): height, width, depth = len(e_y) - 1, len(e_x) - 1, len(e_z) - 1 p_est, _ = np.histogramdd(samples, (e_x, e_y, e_z)) p_est = p_est / sum(p_est.flat) p_est = p_est.flatten() if remove_zeros: non_zero = ~(p_est == 0) else: non_zero = p_est >= 0 basis = spline_base3d(width, height, depth, **kw) model = linear_model.BayesianRidge() model.fit(basis[:, non_zero].T, p_est[:, np.newaxis][non_zero, :]) return model.predict(basis.T).reshape((width, height, depth) ), p_est.reshape((width, height, depth))
fit3d
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(samples, e_x, e_y, e_z, remove_zeros=False, **kw):\n height, width, depth = len(e_y) - 1, len(e_x) - 1, len(e_z) - 1\n p_est, _ = np.histogramdd(samples,...
def x(samples, e_x, e_y, remove_zeros=False, p_est=None, **kw): if p_est is None: height = len(e_y) - 1 width = len(e_x) - 1 p_est, _ = np.histogramdd(samples, (e_x, e_y)) else: p_est = p_est.T width, height = p_est.shape shape = p_est.shape p_est = (p_est / sum(p_est.flat)).reshape(shape) mx = p_est.sum(1) my = p_est.sum(0) p_est = p_est.T.flatten() basis, knots = spline_base2d(width, height, marginal_x=mx, marginal_y= my, **kw) model = linear_model.BayesianRidge() if remove_zeros: non_zero = ~(p_est == 0) model.fit(basis[:, non_zero].T, p_est[non_zero]) else: non_zero = p_est >= 0 p_est[~non_zero, :] = np.finfo(float).eps model.fit(basis.T, p_est) return model.predict(basis.T).reshape((height, width)), p_est.reshape(( height, width)), knots
fit2d
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(samples, e_x, e_y, remove_zeros=False, p_est=None, **kw):\n if p_est is None:\n height = len(e_y) - 1\n width = len(e_x) - 1\n p_est, _...
def x(samples, e, remove_zeros=False, **kw): samples = samples[~np.isnan(samples)] length = len(e) - 1 hist, _ = np.histogramdd(samples, (e,)) hist = hist / sum(hist) basis, knots = spline_base1d(length, marginal=hist, **kw) non_zero = hist > 0 model = linear_model.BayesianRidge() if remove_zeros: model.fit(basis[non_zero, :], hist[:, np.newaxis][non_zero, :]) else: hist[~non_zero] = np.finfo(float).eps model.fit(basis, hist[:, np.newaxis]) return model.predict(basis), hist, knots
fit1d
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(samples, e, remove_zeros=False, **kw):\n samples = samples[~np.isnan(samples)]\n length = len(e) - 1\n hist, _ = np.histogramdd(samples, (e,))\n hi...
def x(marginal, nr_knots, spline_order): cumsum = np.cumsum(marginal) cumsum = cumsum / cumsum.max() borders = np.linspace(0, 1, nr_knots) knot_placement = [0] + np.unique([np.where(cumsum >= b)[0][0] for b in borders[1:-1]]).tolist() + [len(marginal) - 1] knots = augknt(knot_placement, spline_order) return knots
knots_from_marginal
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(marginal, nr_knots, spline_order):\n cumsum = np.cumsum(marginal)\n cumsum = cumsum / cumsum.max()\n borders = np.linspace(0, 1, nr_knots)\n knot_p...
def x(length, nr_knots=20, spline_order=5, marginal=None): if marginal is None: knots = augknt(np.linspace(0, length + 1, nr_knots), spline_order) else: knots = knots_from_marginal(marginal, nr_knots, spline_order) x_eval = np.arange(1, length + 1).astype(float) Bsplines = spcol(x_eval, knots, spline_order) return Bsplines, knots
spline_base1d
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(length, nr_knots=20, spline_order=5, marginal=None):\n if marginal is None:\n knots = augknt(np.linspace(0, length + 1, nr_knots), spline_order)\n ...
def x(width, height, nr_knots_x=20.0, nr_knots_y=20.0, spline_order=5, marginal_x=None, marginal_y=None): if not (nr_knots_x < width and nr_knots_y < height): raise RuntimeError('Too many knots for size of the base') if marginal_x is None: knots_x = augknt(np.linspace(0, width + 1, nr_knots_x), spline_order) else: knots_x = knots_from_marginal(marginal_x, nr_knots_x, spline_order) if marginal_y is None: knots_y = augknt(np.linspace(0, height + 1, nr_knots_y), spline_order) else: knots_y = knots_from_marginal(marginal_y, nr_knots_y, spline_order) x_eval = np.arange(1, width + 1).astype(float) y_eval = np.arange(1, height + 1).astype(float) spline_setx = spcol(x_eval, knots_x, spline_order) spline_sety = spcol(y_eval, knots_y, spline_order) nr_coeff = [spline_sety.shape[1], spline_setx.shape[1]] dim_bspline = [nr_coeff[0] * nr_coeff[1], len(x_eval) * len(y_eval)] nr_basis = 0 bspline = np.zeros(dim_bspline) for IDX1 in range(0, nr_coeff[0]): for IDX2 in range(0, nr_coeff[1]): rand_coeff = np.zeros((nr_coeff[0], nr_coeff[1])) rand_coeff[IDX1, IDX2] = 1 tmp = np.dot(spline_sety, rand_coeff) bspline[nr_basis, :] = np.dot(tmp, spline_setx.T).reshape((1, -1)) nr_basis = nr_basis + 1 return bspline, (knots_x, knots_y)
spline_base2d
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(width, height, nr_knots_x=20.0, nr_knots_y=20.0, spline_order=5,\n marginal_x=None, marginal_y=None):\n if not (nr_knots_x < width and nr_knots_y < heigh...
def x(width, height, depth, nr_knots_x=10.0, nr_knots_y=10.0, nr_knots_z=10, spline_order=3, marginal_x=None, marginal_y=None, marginal_z=None): if not nr_knots_z < depth: raise RuntimeError('Too many knots for size of the base') basis2d, (knots_x, knots_y) = spline_base2d(height, width, nr_knots_x, nr_knots_y, spline_order, marginal_x, marginal_y) if marginal_z is not None: knots_z = knots_from_marginal(marginal_z, nr_knots_z, spline_order) else: knots_z = augknt(np.linspace(0, depth + 1, nr_knots_z), spline_order) z_eval = np.arange(1, depth + 1).astype(float) spline_setz = spcol(z_eval, knots_z, spline_order) bspline = np.zeros((basis2d.shape[0] * len(z_eval), height * width * depth) ) basis_nr = 0 for spline_a in spline_setz.T: for spline_b in basis2d: spline_b = spline_b.reshape((height, width)) bspline[basis_nr, :] = (spline_b[:, :, np.newaxis] * spline_a[:] ).flat basis_nr += 1 return bspline, (knots_x, knots_y, knots_z)
spline_base3d
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(width, height, depth, nr_knots_x=10.0, nr_knots_y=10.0, nr_knots_z=10,\n spline_order=3, marginal_x=None, marginal_y=None, marginal_z=None):\n if not nr_...
def x(x, knots, p, i=0.0): assert p + 1 < len(knots) return np.array([N(float(u), float(i), float(p), knots) for u in x])
spline
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(x, knots, p, i=0.0):\n assert p + 1 < len(knots)\n return np.array([N(float(u), float(i), float(p), knots) for u in x])\n", "role": "user" }, { ...
def x(x, knots, spline_order): colmat = np.nan * np.ones((len(x), len(knots) - spline_order - 1)) for i in range(0, len(knots) - spline_order - 1): colmat[:, i] = spline(x, knots, spline_order, i) return colmat
spcol
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(x, knots, spline_order):\n colmat = np.nan * np.ones((len(x), len(knots) - spline_order - 1))\n for i in range(0, len(knots) - spline_order - 1):\n ...
def x(knots, order): a = [] [a.append(knots[0]) for t in range(0, order)] [a.append(k) for k in knots] [a.append(knots[-1]) for t in range(0, order)] return np.array(a)
augknt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(knots, order):\n a = []\n [a.append(knots[0]) for t in range(0, order)]\n [a.append(k) for k in knots]\n [a.append(knots[-1]) for t in range(0, ord...
def x(u, i, p, knots): if p == 0: if knots[i] < u and u <= knots[i + 1]: return 1.0 else: return 0.0 else: try: k = float(u - knots[i]) / float(knots[i + p] - knots[i]) * N(u, i, p - 1, knots) except ZeroDivisionError: k = 0.0 try: q = float(knots[i + p + 1] - u) / float(knots[i + p + 1] - knots[i + 1]) * N(u, i + 1, p - 1, knots) except ZeroDivisionError: q = 0.0 return float(k + q)
N
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(u, i, p, knots):\n if p == 0:\n if knots[i] < u and u <= knots[i + 1]:\n return 1.0\n else:\n return 0.0\n else:\n ...
def x(prediction, fm, **kw): if prediction == None: return [np.NaN for measure in scores] results = [] for measure in scores: args, _, _, _ = inspect.getargspec(measure) if len(args) > 2: mdict = {} [mdict.update({key: value}) for key, value in list(kw.items()) if key in args] score = measure(prediction, fm, **mdict) else: score = measure(prediction, fm) results.append(score) return results
prediction_scores
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(prediction, fm, **kw):\n if prediction == None:\n return [np.NaN for measure in scores]\n results = []\n for measure in scores:\n args, ...
def x(prediction, fm): _, r_x = calc_resize_factor(prediction, fm.image_size) q = np.array(prediction, copy=True) q -= np.min(q.flatten()) q /= np.sum(q.flatten()) return kldiv(None, q, distp=fm, scale_factor=r_x)
kldiv_model
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(prediction, fm):\n _, r_x = calc_resize_factor(prediction, fm.image_size)\n q = np.array(prediction, copy=True)\n q -= np.min(q.flatten())\n q /= n...
def x(p, q, distp=None, distq=None, scale_factor=1): assert q != None or distq != None, 'Either q or distq have to be given' assert p != None or distp != None, 'Either p or distp have to be given' try: if p == None: p = compute_fdm(distp, scale_factor=scale_factor) if q == None: q = compute_fdm(distq, scale_factor=scale_factor) except RuntimeError: return np.NaN q += np.finfo(q.dtype).eps p += np.finfo(p.dtype).eps kl = np.sum(p * np.log2(p / q)) return kl
kldiv
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(p, q, distp=None, distq=None, scale_factor=1):\n assert q != None or distq != None, 'Either q or distq have to be given'\n assert p != None or distp != N...
def x(prediction, fm): assert len(fm.image_size) == 2 and fm.image_size[0] > 0 and fm.image_size[1 ] > 0 assert -1 not in fm.category if len(fm.x) == 0: return np.NaN scale_factor, _ = calc_resize_factor(prediction, fm.image_size) e_y = np.arange(0, np.round(scale_factor * fm.image_size[0] + 1)) e_x = np.arange(0, np.round(scale_factor * fm.image_size[1] + 1)) samples = np.array(list(zip(scale_factor * fm.y, scale_factor * fm.x))) fdm, _ = np.histogramdd(samples, (e_y, e_x)) q = np.array(prediction, copy=True) q[q == 0] = np.finfo(q.dtype).eps q /= np.sum(q) H, pa, la = chao_shen(fdm) q = q[fdm > 0] cross_entropy = -np.sum(pa * np.log2(q) / la) return cross_entropy - H
kldiv_cs_model
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(prediction, fm):\n assert len(fm.image_size) == 2 and fm.image_size[0] > 0 and fm.image_size[1\n ] > 0\n assert -1 not in fm.category\n if len(...
def x(q): yx = q[q > 0] n = np.sum(yx) p = yx.astype(float) / n f1 = np.sum(yx == 1) if f1 == n: f1 -= 1 C = 1 - f1 / n pa = C * p la = 1 - (1 - pa) ** n H = -np.sum(pa * np.log2(pa) / la) return H, pa, la
chao_shen
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(q):\n yx = q[q > 0]\n n = np.sum(yx)\n p = yx.astype(float) / n\n f1 = np.sum(yx == 1)\n if f1 == n:\n f1 -= 1\n C = 1 - f1 / n\n p...
def x(prediction, fm): _, r_x = calc_resize_factor(prediction, fm.image_size) fdm = compute_fdm(fm, scale_factor=r_x) return np.corrcoef(fdm.flatten(), prediction.flatten())[0, 1]
correlation_model
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(prediction, fm):\n _, r_x = calc_resize_factor(prediction, fm.image_size)\n fdm = compute_fdm(fm, scale_factor=r_x)\n return np.corrcoef(fdm.flatten()...
def x(prediction, fm): r_y, r_x = calc_resize_factor(prediction, fm.image_size) fix = (np.array(fm.y - 1) * r_y).astype(int), (np.array(fm.x - 1) * r_x ).astype(int) return nss(prediction, fix)
nss_model
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(prediction, fm):\n r_y, r_x = calc_resize_factor(prediction, fm.image_size)\n fix = (np.array(fm.y - 1) * r_y).astype(int), (np.array(fm.x - 1) * r_x\n ...
def x(prediction, fix): prediction = prediction - np.mean(prediction) prediction = prediction / np.std(prediction) return np.mean(prediction[fix[0], fix[1]])
nss
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(prediction, fix):\n prediction = prediction - np.mean(prediction)\n prediction = prediction / np.std(prediction)\n return np.mean(prediction[fix[0], f...
def x(prediction, fm, ctr_loc=None, ctr_size=None): assert type(prediction) == np.ndarray r_y, r_x = calc_resize_factor(prediction, fm.image_size) y_index = (r_y * np.array(fm.y - 1)).astype(int) x_index = (r_x * np.array(fm.x - 1)).astype(int) actuals = prediction[y_index, x_index] if not ctr_loc: xc = np.random.randint(0, prediction.shape[1], 1000) yc = np.random.randint(0, prediction.shape[0], 1000) ctr_loc = yc.astype(int), xc.astype(int) else: if not ctr_size: ctr_size = fm.image_size else: r_y, r_x = calc_resize_factor(prediction, ctr_size) ctr_loc = (r_y * np.array(ctr_loc[0])).astype(int), (r_x * np.array (ctr_loc[1])).astype(int) controls = prediction[ctr_loc[0], ctr_loc[1]] return fast_roc(actuals, controls)[0]
roc_model
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(prediction, fm, ctr_loc=None, ctr_size=None):\n assert type(prediction) == np.ndarray\n r_y, r_x = calc_resize_factor(prediction, fm.image_size)\n y_i...
def x(actuals, controls): assert type(actuals) is np.ndarray assert type(controls) is np.ndarray actuals = np.ravel(actuals) controls = np.ravel(controls) if np.isnan(actuals).any(): raise RuntimeError('NaN found in actuals') if np.isnan(controls).any(): raise RuntimeError('NaN found in controls') thresholds = np.hstack([-np.inf, np.unique(actuals), np.inf])[::-1] true_pos_rate = np.empty(thresholds.size) false_pos_rate = np.empty(thresholds.size) num_act = float(len(actuals)) num_ctr = float(len(controls)) for i, value in enumerate(thresholds): true_pos_rate[i] = (actuals >= value).sum() / num_act false_pos_rate[i] = (controls >= value).sum() / num_ctr auc = np.dot(np.diff(false_pos_rate), true_pos_rate[0:-1]) if false_pos_rate[-2] == 1: auc += (1 - true_pos_rate[-3]) * 0.5 * (1 - false_pos_rate[-3]) return auc, true_pos_rate, false_pos_rate
fast_roc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(actuals, controls):\n assert type(actuals) is np.ndarray\n assert type(controls) is np.ndarray\n actuals = np.ravel(actuals)\n controls = np.ravel(...
def x(actuals, controls): assert type(actuals) is np.ndarray assert type(controls) is np.ndarray if len(actuals) < 500: raise RuntimeError('This method might be incorrect when ' + 'not enough actuals are present. Needs to be checked before ' + 'proceeding. Stopping here for you to do so.') actuals = np.ravel(actuals) controls = np.ravel(controls) if np.isnan(actuals).any(): raise RuntimeError('NaN found in actuals') if np.isnan(controls).any(): raise RuntimeError('NaN found in controls') thresholds = np.hstack([-np.inf, np.unique(actuals), np.inf]) + np.finfo( float).eps true_pos_rate = np.nan * np.empty(thresholds.size - 1) false_pos_rate = np.nan * np.empty(thresholds.size - 1) num_act = float(len(actuals)) num_ctr = float(len(controls)) actuals = 1 - np.cumsum(np.histogram(actuals, thresholds)[0]) / num_act controls = 1 - np.cumsum(np.histogram(controls, thresholds)[0]) / num_ctr true_pos_rate = actuals false_pos_rate = controls false_pos_rate = false_pos_rate auc = -1 * np.dot(np.diff(false_pos_rate), true_pos_rate[0:-1]) if false_pos_rate[-2] == 1: auc += (1 - true_pos_rate[-3]) * 0.5 * (1 - false_pos_rate[-3]) return auc, true_pos_rate, false_pos_rate
faster_roc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(actuals, controls):\n assert type(actuals) is np.ndarray\n assert type(controls) is np.ndarray\n if len(actuals) < 500:\n raise RuntimeError('T...
def x(prediction, fm): _, r_x = calc_resize_factor(prediction, fm.image_size) gt = fixmat.compute_fdm(fm, scale_factor=r_x) return emd(prediction, gt)
emd_model
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(prediction, fm):\n _, r_x = calc_resize_factor(prediction, fm.image_size)\n gt = fixmat.compute_fdm(fm, scale_factor=r_x)\n return emd(prediction, gt)...
def x(prediction, ground_truth): import opencv if not prediction.shape == ground_truth.shape: raise RuntimeError('Shapes of prediction and ground truth have' + ' to be equal. They are: %s, %s' % (str(prediction.shape), str( ground_truth.shape))) x, y = np.meshgrid(list(range(0, prediction.shape[1])), list(range(0, prediction.shape[0]))) s1 = np.array([x.flatten(), y.flatten(), prediction.flatten()]).T s2 = np.array([x.flatten(), y.flatten(), ground_truth.flatten()]).T s1m = opencv.cvCreateMat(s1.shape[0], s2.shape[1], opencv.CV_32FC1) s2m = opencv.cvCreateMat(s1.shape[0], s2.shape[1], opencv.CV_32FC1) for r in range(0, s1.shape[0]): for c in range(0, s1.shape[1]): s1m[r, c] = float(s1[r, c]) s2m[r, c] = float(s2[r, c]) d = opencv.cvCalcEMD2(s1m, s2m, opencv.CV_DIST_L2) return d
emd
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(prediction, ground_truth):\n import opencv\n if not prediction.shape == ground_truth.shape:\n raise RuntimeError('Shapes of prediction and ground ...
def x(date): daynames = set(['mon', 'tue', 'wed', 'thu', 'fri', 'sat', 'sun']) months = {'jan': 1, 'feb': 2, 'mar': 3, 'apr': 4, 'may': 5, 'jun': 6, 'jul': 7, 'aug': 8, 'sep': 9, 'oct': 10, 'nov': 11, 'dec': 12} timezonenames = {'ut': 0, 'gmt': 0, 'z': 0, 'adt': -3, 'ast': -4, 'at': -4, 'edt': -4, 'est': -5, 'et': -5, 'cdt': -5, 'cst': -6, 'ct': -6, 'mdt': -6, 'mst': -7, 'mt': -7, 'pdt': -7, 'pst': -8, 'pt': -8, 'a': -1, 'n': 1, 'm': -12, 'y': 12} parts = date.lower().split() if len(parts) < 5: parts.extend(('00:00:00', '0000')) if parts[0][:3] in daynames: parts = parts[1:] if len(parts) < 5: return None try: day = int(parts[0]) except ValueError: if months.get(parts[0][:3]): try: day = int(parts[1]) except ValueError: return None else: parts[1] = parts[0] else: return None month = months.get(parts[1][:3]) if not month: return None try: year = int(parts[2]) except ValueError: return None if len(parts[2]) <= 2: year += (1900, 2000)[year < 90] timeparts = parts[3].split(':') timeparts = timeparts + [0] * (3 - len(timeparts)) try: hour, minute, second = map(int, timeparts) except ValueError: return None tzhour = 0 tzmin = 0 if parts[4].startswith('etc/'): parts[4] = parts[4][4:] if parts[4].startswith('gmt'): parts[4] = ''.join(parts[4][3:].split(':')) or 'gmt' if parts[4] and parts[4][0] in ('-', '+'): try: tzhour = int(parts[4][1:3]) tzmin = int(parts[4][3:]) except ValueError: return None if parts[4].startswith('-'): tzhour = tzhour * -1 tzmin = tzmin * -1 else: tzhour = timezonenames.get(parts[4], 0) try: stamp = datetime.datetime(year, month, day, hour, minute, second) except ValueError: return None delta = datetime.timedelta(0, 0, 0, 0, tzmin, tzhour) try: return stamp - delta except OverflowError: return None
rfc822
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(date):\n daynames = set(['mon', 'tue', 'wed', 'thu', 'fri', 'sat', 'sun'])\n months = {'jan': 1, 'feb': 2, 'mar': 3, 'apr': 4, 'may': 5, 'jun': 6,\n ...
def x(date): months = ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'] days = ['Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat', 'Sun'] fmt = '{day}, {d:02} {month} {y:04} {h:02}:{m:02}:{s:02} GMT' return fmt.format(day=days[date.weekday()], d=date.day, month=months[ date.month - 1], y=date.year, h=date.hour, m=date.minute, s=date.second )
to_rfc822
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(date):\n months = ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep',\n 'Oct', 'Nov', 'Dec']\n days = ['Mon', 'Tue', 'Wed', 'Thu', 'Fr...
def x(self, sql, params): if isinstance(sql, unicode): string_type = unicode elif isinstance(sql, bytes): string_type = bytes sql = sql.decode(_BYTES_ENCODING) else: raise TypeError('sql:{!r} is not a unicode or byte string.'.format(sql) ) if self.named == 'numeric': if isinstance(params, collections.Mapping): params = {string_type(idx): val for idx, val in iteritems(params)} elif isinstance(params, collections.Sequence) and not isinstance(params , (unicode, bytes)): params = {string_type(idx): val for idx, val in enumerate( params, 1)} if not isinstance(params, collections.Mapping): raise TypeError('params:{!r} is not a dict.'.format(params)) names = self.match.findall(sql) ord_params = [] name_to_ords = {} for name in names: value = params[name] if isinstance(value, tuple): ord_params.extend(value) if name not in name_to_ords: name_to_ords[name] = '(' + ','.join((self.replace,) * len( value)) + ')' else: ord_params.append(value) if name not in name_to_ords: name_to_ords[name] = self.replace sql = self.match.sub(lambda m: name_to_ords[m.group(1)], sql) if string_type is bytes: sql = sql.encode(_BYTES_ENCODING) return sql, ord_params
format
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sql, params):\n if isinstance(sql, unicode):\n string_type = unicode\n elif isinstance(sql, bytes):\n string_type = bytes\n sq...
def x(self, sql, many_params): if isinstance(sql, unicode): string_type = unicode elif isinstance(sql, bytes): string_type = bytes sql = sql.decode(_BYTES_ENCODING) else: raise TypeError('sql:{!r} is not a unicode or byte string.'.format(sql) ) if not isinstance(many_params, collections.Iterable) or isinstance( many_params, (unicode, bytes)): raise TypeError('many_params:{!r} is not iterable.'.format(many_params) ) names = self.match.findall(sql) name_set = set(names) many_ord_params = [] name_to_ords = {} name_to_len = {} repl_str = self.replace repl_tuple = repl_str, for i, params in enumerate(many_params): if self.named == 'numeric': if isinstance(params, collections.Mapping): params = {string_type(idx): val for idx, val in iteritems( params)} elif isinstance(params, collections.Sequence) and not isinstance( params, (unicode, bytes)): params = {string_type(idx): val for idx, val in enumerate( params, 1)} if not isinstance(params, collections.Mapping): raise TypeError('many_params[{}]:{!r} is not a dict.'.format(i, params)) if not i: for name in name_set: value = params[name] if isinstance(value, tuple): tuple_len = len(value) name_to_ords[name] = '(' + ','.join(repl_tuple * tuple_len ) + ')' name_to_len[name] = tuple_len else: name_to_ords[name] = repl_str name_to_len[name] = None ord_params = [] for name in names: value = params[name] tuple_len = name_to_len[name] if tuple_len is not None: if not isinstance(value, tuple): raise TypeError( 'many_params[{}][{!r}]:{!r} was expected to be a tuple.' .format(i, name, value)) elif len(value) != tuple_len: raise ValueError( 'many_params[{}][{!r}]:{!r} length was expected to be {}.' .format(i, name, value, tuple_len)) ord_params.extend(value) else: ord_params.append(value) many_ord_params.append(ord_params) sql = self.match.sub(lambda m: name_to_ords[m.group(1)], sql) if string_type is bytes: sql = sql.encode(_BYTES_ENCODING) return sql, many_ord_params
formatmany
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sql, many_params):\n if isinstance(sql, unicode):\n string_type = unicode\n elif isinstance(sql, bytes):\n string_type = bytes\n ...
def x(f): _COMMAND_GROUPS[f.__module__].load() if f.__name__ not in _COMMAND_GROUPS[f.__module__].parsers: parser = _COMMAND_GROUPS[f.__module__].parser_generator.add_parser(f .__name__, help=f.__doc__, description=f.__doc__) parser.set_defaults(func=f) _COMMAND_GROUPS[f.__module__].parsers[f.__name__] = parser return _COMMAND_GROUPS[f.__module__].parsers[f.__name__]
get_parser
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f):\n _COMMAND_GROUPS[f.__module__].load()\n if f.__name__ not in _COMMAND_GROUPS[f.__module__].parsers:\n parser = _COMMAND_GROUPS[f.__module__]....
def x(sourceURL, targetURL=None, exclude_domains=[], content=None, test_urls=True, headers={}, timeout=None): __doc__ = None if test_urls: URLValidator(message='invalid source URL')(sourceURL) if content: result = {'status': requests.codes.ok, 'headers': None} else: r = requests.get(sourceURL, verify=True, headers=headers, timeout= timeout) result = {'status': r.status_code, 'headers': r.headers} if 'charset' in r.headers.get('content-type', ''): content = r.text else: content = r.content result.update({'refs': set(), 'post-url': sourceURL}) if result['status'] == requests.codes.ok: if isinstance(content, BeautifulSoup): __doc__ = content result.update({'content': str(__doc__)}) else: __doc__ = BeautifulSoup(content, _html_parser) result.update({'content': content}) entry = __doc__.find(class_='h-entry') or __doc__ if targetURL: all_links = entry.find_all('a', href=targetURL) else: all_links = entry.find_all('a', href=True) for link in all_links: href = link.get('href', None) if href: url = urlparse(href) if url.scheme in ('http', 'https'): if url.hostname and url.hostname not in exclude_domains: result['refs'].add(href) return result
findMentions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sourceURL, targetURL=None, exclude_domains=[], content=None,\n test_urls=True, headers={}, timeout=None):\n __doc__ = None\n if test_urls:\n UR...
def x(html): poss_rels = ['webmention', 'http://webmention.org', 'http://webmention.org/', 'https://webmention.org', 'https://webmention.org/'] all_links = BeautifulSoup(html, _html_parser).find_all(rel=poss_rels, href=True) for link in all_links: s = link.get('href', None) if s is not None: return s return None
findEndpoint
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(html):\n poss_rels = ['webmention', 'http://webmention.org',\n 'http://webmention.org/', 'https://webmention.org',\n 'https://webmention.org/'...
def x(url, test_urls=True, headers={}, timeout=None, request=None, debug=False ): if test_urls: URLValidator(message='invalid URL')(url) endpointURL = None debugOutput = [] try: if request is not None: targetRequest = request else: targetRequest = requests.get(url, verify=False, headers=headers, timeout=timeout) returnCode = targetRequest.status_code debugOutput.append('%s %s' % (returnCode, url)) if returnCode == requests.codes.ok: try: linkHeader = parse_link_header(targetRequest.headers['link']) endpointURL = linkHeader.get('webmention', '' ) or linkHeader.get('http://webmention.org', '' ) or linkHeader.get('http://webmention.org/', '' ) or linkHeader.get('https://webmention.org', '' ) or linkHeader.get('https://webmention.org/', '') if not endpointURL: raise AttributeError debugOutput.append('found in link headers') except (KeyError, AttributeError): endpointURL = findEndpoint(targetRequest.text) debugOutput.append('found in body') if endpointURL is not None: endpointURL = urljoin(url, endpointURL) except (requests.exceptions.RequestException, requests.exceptions. ConnectionError, requests.exceptions.HTTPError, requests.exceptions .URLRequired, requests.exceptions.TooManyRedirects, requests. exceptions.Timeout): debugOutput.append('exception during GET request') returnCode = 500 debugOutput.append('endpointURL: %s %s' % (returnCode, endpointURL)) if debug: return returnCode, endpointURL, debugOutput else: return returnCode, endpointURL
discoverEndpoint
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url, test_urls=True, headers={}, timeout=None, request=None, debug=False\n ):\n if test_urls:\n URLValidator(message='invalid URL')(url)\n endp...
def x(sourceURL, targetURL, webmention=None, test_urls=True, vouchDomain= None, headers={}, timeout=None, debug=False): if test_urls: v = URLValidator() v(sourceURL) v(targetURL) debugOutput = [] originalURL = targetURL try: targetRequest = requests.get(targetURL) if targetRequest.status_code == requests.codes.ok: if len(targetRequest.history) > 0: redirect = targetRequest.history[-1] if (redirect.status_code == 301 or redirect.status_code == 302 ) and 'Location' in redirect.headers: targetURL = urljoin(targetURL, redirect.headers['Location'] ) debugOutput.append('targetURL redirected: %s' % targetURL) if webmention is None: wStatus, wUrl = discoverEndpoint(targetURL, headers=headers, timeout=timeout, request=targetRequest) else: wStatus = 200 wUrl = webmention debugOutput.append('endpointURL: %s %s' % (wStatus, wUrl)) if wStatus == requests.codes.ok and wUrl is not None: if test_urls: v(wUrl) payload = {'source': sourceURL, 'target': originalURL} if vouchDomain is not None: payload['vouch'] = vouchDomain try: result = requests.post(wUrl, data=payload, headers=headers, timeout=timeout) debugOutput.append('POST %s -- %s' % (wUrl, result.status_code) ) if result.status_code == 405 and len(result.history) > 0: redirect = result.history[-1] if (redirect.status_code == 301 and 'Location' in redirect.headers): result = requests.post(redirect.headers['Location'], data=payload, headers=headers, timeout=timeout) debugOutput.append('redirected POST %s -- %s' % ( redirect.headers['Location'], result.status_code)) except Exception as e: result = None except (requests.exceptions.RequestException, requests.exceptions. ConnectionError, requests.exceptions.HTTPError, requests.exceptions .URLRequired, requests.exceptions.TooManyRedirects, requests. exceptions.Timeout): debugOutput.append('exception during GET request') result = None return result
sendWebmention
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sourceURL, targetURL, webmention=None, test_urls=True, vouchDomain=\n None, headers={}, timeout=None, debug=False):\n if test_urls:\n v = URLValid...
def x(link): rel_dict = {} for rels in link.split(','): rel_break = quoted_split(rels, ';') try: rel_url = re.search('<(.+?)>', rel_break[0]).group(1) rel_names = quoted_split(rel_break[1], '=')[-1] if rel_names.startswith('"') and rel_names.endswith('"'): rel_names = rel_names[1:-1] for name in rel_names.split(): rel_dict[name] = rel_url except (AttributeError, IndexError): pass return rel_dict
parse_link_header
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(link):\n rel_dict = {}\n for rels in link.split(','):\n rel_break = quoted_split(rels, ';')\n try:\n rel_url = re.search('<(.+?)...
def x(sourceURL): r = requests.get(sourceURL) result = {'status': r.status_code, 'headers': r.headers, 'history': r. history, 'content': r.text, 'relme': [], 'url': sourceURL} if r.status_code == requests.codes.ok: dom = BeautifulSoup(r.text, _html_parser) for link in dom.find_all('a', rel='me'): rel = link.get('rel') href = link.get('href') if rel is not None and href is not None: url = urlparse(href) if url is not None and url.scheme in ('http', 'https'): result['relme'].append(cleanURL(href)) return result
findRelMe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sourceURL):\n r = requests.get(sourceURL)\n result = {'status': r.status_code, 'headers': r.headers, 'history': r.\n history, 'content': r.text, '...
def x(profileURL, resourceURL, profileRelMes=None, resourceRelMes=None): result = False profile = normalizeURL(profileURL) if profileRelMes is None: profileRelMe = findRelMe(profileURL) profileRelMes = profileRelMe['relme'] if resourceRelMes is None: resourceRelMe = findRelMe(resourceURL) resourceRelMes = resourceRelMe['relme'] for url in resourceRelMes: if profile in (url, normalizeURL(url)): result = True break return result
confirmRelMe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(profileURL, resourceURL, profileRelMes=None, resourceRelMes=None):\n result = False\n profile = normalizeURL(profileURL)\n if profileRelMes is None:\n...
def x(string, indent_level=2): indented_lines = [] indent_spaces = ' ' * indent_level for line in string.split('\n'): indented_lines.append(indent_spaces + line) return '\n'.join(indented_lines)
indent_text
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(string, indent_level=2):\n indented_lines = []\n indent_spaces = ' ' * indent_level\n for line in string.split('\\n'):\n indented_lines.append(...
def x(url, target, headers=None, trackers=()): if headers is None: headers = {} headers.setdefault('user-agent', 'requests_download/' + __version__) r = requests.get(url, headers=headers, stream=True) r.raise_for_status() for t in trackers: t.on_start(r) with open(target, 'wb') as f: for chunk in r.iter_content(chunk_size=8192): if chunk: f.write(chunk) for t in trackers: t.on_chunk(chunk) for t in trackers: t.on_finish()
download
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url, target, headers=None, trackers=()):\n if headers is None:\n headers = {}\n headers.setdefault('user-agent', 'requests_download/' + __version_...
def x(parsed_obj, spec=None, filename=None): if not isinstance(parsed_obj, BreadStruct): raise ValueError( 'Object to write must be a structure created by bread.parse') if filename is not None: with open(filename, 'wb') as fp: parsed_obj._data_bits[:parsed_obj._length].tofile(fp) else: return bytearray(parsed_obj._data_bits[:parsed_obj._length].tobytes())
write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(parsed_obj, spec=None, filename=None):\n if not isinstance(parsed_obj, BreadStruct):\n raise ValueError(\n 'Object to write must be a stru...
def x(file_path, bucket): logger.info('Deploying {0}'.format(file_path)) k = Key(bucket) k.key = file_path try: k.set_contents_from_filename(file_path) k.set_acl('public-read') except socket.error: logger.warning('Caught socket.error while trying to upload {0}'. format(file_path)) msg = 'Please file an issue with alotofeffort if you see this,' logger.warning(msg) logger.warning('providing as much info as you can.')
deploy_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file_path, bucket):\n logger.info('Deploying {0}'.format(file_path))\n k = Key(bucket)\n k.key = file_path\n try:\n k.set_contents_from_file...
def x(www_dir, bucket_name): conn = boto.connect_s3() bucket = conn.get_bucket(bucket_name) os.chdir(www_dir) for root, dirs, files in os.walk('.'): for f in files: file_path = os.path.normpath(os.path.join(root, f)) if has_changed_since_last_deploy(file_path, bucket): deploy_file(file_path, bucket) else: logger.info('Skipping {0}'.format(file_path)) bucket.set_acl('public-read') bucket.configure_website('index.html', 'error.html') msg = 'Your website is now live at {0}'.format(bucket. get_website_endpoint()) logger.info(msg) logger.info("If you haven't done so yet, point your domain name there!")
deploy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(www_dir, bucket_name):\n conn = boto.connect_s3()\n bucket = conn.get_bucket(bucket_name)\n os.chdir(www_dir)\n for root, dirs, files in os.walk('....
def x(file_path, bucket): msg = 'Checking if {0} has changed since last deploy.'.format(file_path) logger.debug(msg) with open(file_path) as f: data = f.read() file_md5 = hashlib.md5(data.encode('utf-8')).hexdigest() logger.debug('file_md5 is {0}'.format(file_md5)) key = bucket.get_key(file_path) if key: key_md5 = key.etag.replace('"', '').strip() logger.debug('key_md5 is {0}'.format(key_md5)) else: logger.debug('File does not exist in bucket') return True if file_md5 == key_md5: logger.debug('File has not changed.') return False logger.debug('File has changed.') return True
has_changed_since_last_deploy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file_path, bucket):\n msg = 'Checking if {0} has changed since last deploy.'.format(file_path)\n logger.debug(msg)\n with open(file_path) as f:\n ...
def x(): logging.basicConfig(format='%(levelname)s: %(message)s', level=logging.INFO ) msg = 'Instantly deploy static HTML sites to S3 at the command line.' parser = argparse.ArgumentParser(description=msg) parser.add_argument('www_dir', help= 'Directory containing the HTML files for your website.') parser.add_argument('bucket_name', help= 'Name of S3 bucket to deploy to, e.g. mybucket.') args = parser.parse_args() deploy(args.www_dir, args.bucket_name)
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n logging.basicConfig(format='%(levelname)s: %(message)s', level=logging.INFO\n )\n msg = 'Instantly deploy static HTML sites to S3 at the comm...
def x(self, port=None): if port is None or int(port) == 0: port = self._get_free_tcp_port() self.port = port start_retries = 0 started = False while start_retries < 5: try: self._start_sikuli_java_process() except RuntimeError as err: print('error........%s' % err) if self.process: self.process.terminate_process() self.port = self._get_free_tcp_port() start_retries += 1 continue started = True break if not started: raise RuntimeError('Start sikuli java process failed!') self.remote = self._connect_remote_library()
start_sikuli_process
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, port=None):\n if port is None or int(port) == 0:\n port = self._get_free_tcp_port()\n self.port = port\n start_retries = 0\n started =...
def x(self, request): serializer = AuthTokenSerializer(data=request.data) if serializer.is_valid(): token, _ = ExpiringToken.objects.get_or_create(user=serializer. validated_data['user']) if token.expired(): token.delete() token = ExpiringToken.objects.create(user=serializer. validated_data['user']) data = {'token': token.key} return Response(data) return Response(serializer.errors, status=HTTP_400_BAD_REQUEST)
post
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request):\n serializer = AuthTokenSerializer(data=request.data)\n if serializer.is_valid():\n token, _ = ExpiringToken.objects.get_or_create...
def x(self): try: val = settings.EXPIRING_TOKEN_LIFESPAN except AttributeError: val = timedelta(days=30) return val
EXPIRING_TOKEN_LIFESPAN
[ { "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 val = settings.EXPIRING_TOKEN_LIFESPAN\n except AttributeError:\n val = timedelta(days=30)\n return val\n", "role": ...
def x(self): now = timezone.now() if self.created < now - token_settings.EXPIRING_TOKEN_LIFESPAN: return True return False
expired
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n now = timezone.now()\n if self.created < now - token_settings.EXPIRING_TOKEN_LIFESPAN:\n return True\n return False\n", "role": "u...
def x(text): for char in str_func(text): category = unicodedata.category(char)[0] if category not in 'PSZMC': return False return True
unicode_is_punctuation
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text):\n for char in str_func(text):\n category = unicodedata.category(char)[0]\n if category not in 'PSZMC':\n return False\n r...
def x(self): if hasattr(self, '_process'): return self._process else: self._process = self._get_process() return self._process
process
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if hasattr(self, '_process'):\n return self._process\n else:\n self._process = self._get_process()\n return self._process\n...
def x(self): command = self._get_command() return subprocess.Popen(command, bufsize=-1, close_fds=True, stdout= subprocess.PIPE, stdin=subprocess.PIPE)
get_process
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n command = self._get_command()\n return subprocess.Popen(command, bufsize=-1, close_fds=True, stdout=\n subprocess.PIPE, stdin=subprocess....
def x(self, text): return [self.get_record_token(record) for record in self.analyze(text)]
tokenize_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, text):\n return [self.get_record_token(record) for record in self.analyze(text)]\n", "role": "user" }, { "content": "tokenize_list", "...
def x(self, text): found_content_word = False for record in self.analyze(text): if not self.is_stopword_record(record): found_content_word = True break return not found_content_word
is_stopword
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, text):\n found_content_word = False\n for record in self.analyze(text):\n if not self.is_stopword_record(record):\n found_content...
def x(self, text, cache=None): words = [] analysis = self.analyze(text) for record in analysis: if not self.is_stopword_record(record): words.append(self.get_record_root(record)) if not words: words = [self.get_record_token(record) for record in analysis] return words
normalize_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, text, cache=None):\n words = []\n analysis = self.analyze(text)\n for record in analysis:\n if not self.is_stopword_record(record):\n ...
def x(self, text, cache=None): analysis = self.analyze(text) triples = [] for record in analysis: root = self.get_record_root(record) token = self.get_record_token(record) if token: if unicode_is_punctuation(token): triples.append((token, '.', token)) else: pos = self.get_record_pos(record) triples.append((root, pos, token)) return triples
tag_and_stem
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, text, cache=None):\n analysis = self.analyze(text)\n triples = []\n for record in analysis:\n root = self.get_record_root(record)\n ...
def x(self, text): analysis = self.analyze(text) for pos1 in range(len(analysis)): rec1 = analysis[pos1] if not self.is_stopword_record(rec1): yield self.get_record_root(rec1), rec1[0] for pos2 in range(pos1 + 1, len(analysis)): rec2 = analysis[pos2] if not self.is_stopword_record(rec2): roots = [self.get_record_root(rec1), self. get_record_root(rec2)] pieces = [analysis[i][0] for i in range(pos1, pos2 + 1)] term = ' '.join(roots) phrase = ''.join(pieces) yield term, phrase break
extract_phrases
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, text):\n analysis = self.analyze(text)\n for pos1 in range(len(analysis)):\n rec1 = analysis[pos1]\n if not self.is_stopword_record(r...
def x(text): records = MECAB.analyze(text) kana = [] for record in records: if record.pronunciation: kana.append(record.pronunciation) elif record.reading: kana.append(record.reading) else: kana.append(record.surface) return ' '.join(k for k in kana if k)
to_kana
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text):\n records = MECAB.analyze(text)\n kana = []\n for record in records:\n if record.pronunciation:\n kana.append(record.pronunci...
def x(char): try: name = unicodedata.name(char) except ValueError: return char, NOT_KANA if name.startswith('HIRAGANA LETTER') or name.startswith('KATAKANA LETTER' ) or name.startswith('KATAKANA-HIRAGANA'): names = name.split() syllable = str_func(names[-1].lower()) if name.endswith('SMALL TU'): return 't', SMALL_TSU elif names[-1] == 'N': return 'n', NN elif names[1] == 'PROLONGED': return '_', PROLONG elif names[-2] == 'SMALL': if syllable.startswith('y'): return 'x' + syllable, SMALL_Y else: return 'x' + syllable, SMALL return syllable, KANA else: if char in ROMAN_PUNCTUATION_TABLE: char = ROMAN_PUNCTUATION_TABLE[char] return char, NOT_KANA
get_kana_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(char):\n try:\n name = unicodedata.name(char)\n except ValueError:\n return char, NOT_KANA\n if name.startswith('HIRAGANA LETTER') or na...
def x(self, text): try: self.process text = render_safe(text).replace('\n', ' ').lower() results = [] for chunk in string_pieces(text): self.send_input((chunk + '\n').encode('utf-8')) while True: out_line = self.receive_output_line().decode('utf-8') if out_line == 'EOS\n': break word, info = out_line.strip('\n').split('\t') record_parts = [word] + info.split(',') record_parts += [None] * (10 - len(record_parts)) record = MeCabRecord(*record_parts) if record.surface == 'ん' and record.conjugation == '不変化型': record_parts[MeCabRecord._fields.index('root')] = 'ない' record = MeCabRecord(*record_parts) results.append(record) return results except ProcessError: self.restart_process() return self.analyze(text)
analyze
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, text):\n try:\n self.process\n text = render_safe(text).replace('\\n', ' ').lower()\n results = []\n for chunk in string_p...
def x(self, record): if record.root == 'ない': return False return (record.pos in STOPWORD_CATEGORIES or record.subclass1 in STOPWORD_CATEGORIES or record.root in STOPWORD_ROOTS)
is_stopword_record
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, record):\n if record.root == 'ない':\n return False\n return (record.pos in STOPWORD_CATEGORIES or record.subclass1 in\n STOPWORD_CATEG...
def x(self, record): if self.is_stopword_record(record): return '~' + record.pos else: return record.pos
get_record_pos
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, record):\n if self.is_stopword_record(record):\n return '~' + record.pos\n else:\n return record.pos\n", "role": "user" }, { ...
def x(self, text): try: text = render_safe(text).strip() if not text: return [] chunks = text.split('\n') results = [] for chunk_text in chunks: if chunk_text.strip(): textbytes = (chunk_text + '\n').encode('utf-8') self.send_input(textbytes) out_line = '' while True: out_line = self.receive_output_line() out_line = out_line.decode('utf-8') if out_line == '\n': break record = out_line.strip('\n').split(' ') results.append(record) return results except ProcessError: self.restart_process() return self.analyze(text)
analyze
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, text):\n try:\n text = render_safe(text).strip()\n if not text:\n return []\n chunks = text.split('\\n')\n resu...
def x(words): text = ' '.join(words) step1 = text.replace('`` ', '"').replace(" ''", '"').replace('. . .', '...' ) step2 = step1.replace(' ( ', ' (').replace(' ) ', ') ') step3 = re.sub(' ([.,:;?!%]+)([ \\\'"`])', '\\1\\2', step2) step4 = re.sub(' ([.,:;?!%]+)$', '\\1', step3) step5 = step4.replace(" '", "'").replace(" n't", "n't").replace('can not', 'cannot') step6 = step5.replace(' ` ', " '") return step6.strip()
untokenize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(words):\n text = ' '.join(words)\n step1 = text.replace('`` ', '\"').replace(\" ''\", '\"').replace('. . .', '...'\n )\n step2 = step1.replace(...
def x(text): revtext = text[::-1] pieces = [] while revtext: match = CAMEL_RE.match(revtext) if match: pieces.append(match.group(1)) revtext = revtext[match.end():] else: pieces.append(revtext) revtext = '' revstr = ' '.join(piece.strip(' _') for piece in pieces if piece.strip( ' _')) return revstr[::-1].replace('- ', '-')
un_camel_case
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text):\n revtext = text[::-1]\n pieces = []\n while revtext:\n match = CAMEL_RE.match(revtext)\n if match:\n pieces.append(ma...
def x(s, maxlen=1024): if not s: return i = 0 while True: j = i + maxlen if j >= len(s): yield s[i:] return while unicodedata.category(s[j - 1]) not in BOUNDARY_CATEGORIES: j -= 1 if j == i: j = i + maxlen break yield s[i:j] i = j
string_pieces
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s, maxlen=1024):\n if not s:\n return\n i = 0\n while True:\n j = i + maxlen\n if j >= len(s):\n yield s[i:]\n ...
def x(word): if word.endswith('e'): return len(word) - 2 elif word.endswith('ess'): return len(word) - 10 elif word.endswith('ss'): return len(word) - 4 else: return len(word)
word_badness
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(word):\n if word.endswith('e'):\n return len(word) - 2\n elif word.endswith('ess'):\n return len(word) - 10\n elif word.endswith('ss'):\...
def x(word, pos=None): results = [] if pos is None: pos = 'nvar' for pos_item in pos: results.extend(morphy(word, pos_item)) if not results: return None results.sort(key=lambda x: _word_badness(x)) return results[0]
morphy_best
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(word, pos=None):\n results = []\n if pos is None:\n pos = 'nvar'\n for pos_item in pos:\n results.extend(morphy(word, pos_item))\n if...
def x(word, pos=None): word = word.lower() if pos is not None: if pos.startswith('NN'): pos = 'n' elif pos.startswith('VB'): pos = 'v' elif pos.startswith('JJ'): pos = 'a' elif pos.startswith('RB'): pos = 'r' if pos is None and word.endswith('ing') or word.endswith('ed'): pos = 'v' if pos is not None and pos not in 'nvar': pos = None if word in EXCEPTIONS: return EXCEPTIONS[word] if pos is None: if word in AMBIGUOUS_EXCEPTIONS: return AMBIGUOUS_EXCEPTIONS[word] return _morphy_best(word, pos) or word
morphy_stem
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(word, pos=None):\n word = word.lower()\n if pos is not None:\n if pos.startswith('NN'):\n pos = 'n'\n elif pos.startswith('VB'):...
def x(text): tokens = tokenize(text) tagged = nltk.pos_tag(tokens) out = [] for token, tag in tagged: stem = morphy_stem(token, tag) out.append((stem, tag, token)) return out
tag_and_stem
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text):\n tokens = tokenize(text)\n tagged = nltk.pos_tag(tokens)\n out = []\n for token, tag in tagged:\n stem = morphy_stem(token, tag)\n ...
def x(text): pieces = [morphy_stem(word) for word in tokenize(text)] pieces = [piece for piece in pieces if good_lemma(piece)] if not pieces: return [text] if pieces[0] == 'to': pieces = pieces[1:] return pieces
normalize_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text):\n pieces = [morphy_stem(word) for word in tokenize(text)]\n pieces = [piece for piece in pieces if good_lemma(piece)]\n if not pieces:\n ...
def x(topic): topic = topic.replace('_', ' ') match = re.match('([^(]+) \\(([^)]+)\\)', topic) if not match: return normalize(topic), None else: return normalize(match.group(1)), 'n/' + match.group(2).strip(' _')
normalize_topic
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(topic):\n topic = topic.replace('_', ' ')\n match = re.match('([^(]+) \\\\(([^)]+)\\\\)', topic)\n if not match:\n return normalize(topic), Non...
def x(key): words = key.split('.') first2words = words[:2] lastword = words[-1] namewords = words[2:-1] namephrase = '.'.join(namewords) if namephrase.startswith("'") and namephrase.endswith("'"): namephrase = namephrase[1:-1] return first2words + [namephrase] + [lastword]
key2elements
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(key):\n words = key.split('.')\n first2words = words[:2]\n lastword = words[-1]\n namewords = words[2:-1]\n namephrase = '.'.join(namewords)\n ...
def x(idf, dct): for key in list(dct.keys()): if key.startswith('idf.'): idftag, objkey, objname, field = key2elements(key) if objname == '': try: idfobj = idf.idfobjects[objkey.upper()][0] except IndexError as e: idfobj = idf.newidfobject(objkey.upper()) else: idfobj = idf.getobject(objkey.upper(), objname) if idfobj == None: idfobj = idf.newidfobject(objkey.upper(), Name=objname) idfobj[field] = dct[key]
updateidf
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(idf, dct):\n for key in list(dct.keys()):\n if key.startswith('idf.'):\n idftag, objkey, objname, field = key2elements(key)\n i...
def x(fan_tot_eff, pascal, m3s): inh2o = pascal2inh2o(pascal) cfm = m3s2cfm(m3s) return cfm * inh2o * 1.0 / (6356.0 * fan_tot_eff)
fan_bhp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fan_tot_eff, pascal, m3s):\n inh2o = pascal2inh2o(pascal)\n cfm = m3s2cfm(m3s)\n return cfm * inh2o * 1.0 / (6356.0 * fan_tot_eff)\n", "role": "us...
def x(bhp, cfm, fan_tot_eff): inh2o = bhp * 6356.0 * fan_tot_eff / cfm pascal = inh2o2pascal(inh2o) m3s = cfm2m3s(cfm) return pascal, m3s
bhp2pascal
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(bhp, cfm, fan_tot_eff):\n inh2o = bhp * 6356.0 * fan_tot_eff / cfm\n pascal = inh2o2pascal(inh2o)\n m3s = cfm2m3s(cfm)\n return pascal, m3s\n", ...
def x(fan_tot_eff, pascal, m3s): bhp = fan_bhp(fan_tot_eff, pascal, m3s) return bhp2watts(bhp)
fan_watts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fan_tot_eff, pascal, m3s):\n bhp = fan_bhp(fan_tot_eff, pascal, m3s)\n return bhp2watts(bhp)\n", "role": "user" }, { "content": "fan_watts", ...
def x(watts, cfm, fan_tot_eff): bhp = watts2bhp(watts) return bhp2pascal(bhp, cfm, fan_tot_eff)
watts2pascal
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(watts, cfm, fan_tot_eff):\n bhp = watts2bhp(watts)\n return bhp2pascal(bhp, cfm, fan_tot_eff)\n", "role": "user" }, { "content": "watts2pasca...
def x(ddtt): from eppy.bunch_subclass import BadEPFieldError try: fan_tot_eff = ddtt.Fan_Total_Efficiency except BadEPFieldError as e: fan_tot_eff = ddtt.Fan_Efficiency pascal = float(ddtt.Pressure_Rise) if str(ddtt.Maximum_Flow_Rate).lower() == 'autosize': return 'autosize' else: m3s = float(ddtt.Maximum_Flow_Rate) return fan_bhp(fan_tot_eff, pascal, m3s)
fanpower_bhp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ddtt):\n from eppy.bunch_subclass import BadEPFieldError\n try:\n fan_tot_eff = ddtt.Fan_Total_Efficiency\n except BadEPFieldError as e:\n ...
def x(ddtt): from eppy.bunch_subclass import BadEPFieldError try: fan_tot_eff = ddtt.Fan_Total_Efficiency except BadEPFieldError as e: fan_tot_eff = ddtt.Fan_Efficiency pascal = float(ddtt.Pressure_Rise) if str(ddtt.Maximum_Flow_Rate).lower() == 'autosize': return 'autosize' else: m3s = float(ddtt.Maximum_Flow_Rate) return fan_watts(fan_tot_eff, pascal, m3s)
fanpower_watts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ddtt):\n from eppy.bunch_subclass import BadEPFieldError\n try:\n fan_tot_eff = ddtt.Fan_Total_Efficiency\n except BadEPFieldError as e:\n ...
def x(ddtt): if str(ddtt.Maximum_Flow_Rate).lower() == 'autosize': return 'autosize' else: m3s = float(ddtt.Maximum_Flow_Rate) return m3s2cfm(m3s)
fan_maxcfm
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ddtt):\n if str(ddtt.Maximum_Flow_Rate).lower() == 'autosize':\n return 'autosize'\n else:\n m3s = float(ddtt.Maximum_Flow_Rate)\n r...
def x(version=None, iddname=None): try: eplus_exe, eplus_home = paths_from_iddname(iddname) except (AttributeError, TypeError, ValueError): eplus_exe, eplus_home = paths_from_version(version) eplus_weather = os.path.join(eplus_home, 'WeatherData') return eplus_exe, eplus_weather
install_paths
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(version=None, iddname=None):\n try:\n eplus_exe, eplus_home = paths_from_iddname(iddname)\n except (AttributeError, TypeError, ValueError):\n ...
def x(iddname): eplus_home = os.path.abspath(os.path.dirname(iddname)) if platform.system() == 'Windows': eplus_exe = os.path.join(eplus_home, 'energyplus.exe') elif platform.system() == 'Linux': eplus_exe = os.path.join(eplus_home, 'energyplus') else: eplus_exe = os.path.join(eplus_home, 'energyplus') if not os.path.isfile(eplus_exe): raise ValueError return eplus_exe, eplus_home
paths_from_iddname
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(iddname):\n eplus_home = os.path.abspath(os.path.dirname(iddname))\n if platform.system() == 'Windows':\n eplus_exe = os.path.join(eplus_home, 'en...
def x(version): if platform.system() == 'Windows': eplus_home = 'C:/EnergyPlusV{version}'.format(version=version) eplus_exe = os.path.join(eplus_home, 'energyplus.exe') elif platform.system() == 'Linux': eplus_home = '/usr/local/EnergyPlus-{version}'.format(version=version) eplus_exe = os.path.join(eplus_home, 'energyplus') else: eplus_home = '/Applications/EnergyPlus-{version}'.format(version= version) eplus_exe = os.path.join(eplus_home, 'energyplus') return eplus_exe, eplus_home
paths_from_version
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(version):\n if platform.system() == 'Windows':\n eplus_home = 'C:/EnergyPlusV{version}'.format(version=version)\n eplus_exe = os.path.join(epl...
def x(wrapped_func): def x(wrapper_func): wrapper_func.__doc__ = ( 'This method wraps the following method:\n\n' + pydoc.text. document(wrapped_func)) return wrapper_func return decorator
wrapped_help_text
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(wrapped_func):\n\n def x(wrapper_func):\n wrapper_func.__doc__ = (\n 'This method wraps the following method:\\n\\n' + pydoc.text.\n ...
def x(jobs, processors=1): if processors <= 0: processors = max(1, mp.cpu_count() - processors) shutil.rmtree('multi_runs', ignore_errors=True) os.mkdir('multi_runs') prepared_runs = (prepare_run(run_id, run_data) for run_id, run_data in enumerate(jobs)) try: pool = mp.Pool(processors) pool.map(multirunner, prepared_runs) pool.close() except NameError: for job in prepared_runs: multirunner([job]) shutil.rmtree('multi_runs', ignore_errors=True)
runIDFs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(jobs, processors=1):\n if processors <= 0:\n processors = max(1, mp.cpu_count() - processors)\n shutil.rmtree('multi_runs', ignore_errors=True)\n ...
def x(run_id, run_data): idf, kwargs = run_data epw = idf.epw idf_dir = os.path.join('multi_runs', 'idf_%i' % run_id) os.mkdir(idf_dir) idf_path = os.path.join(idf_dir, 'in.idf') idf.saveas(idf_path) return (idf_path, epw), kwargs
prepare_run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(run_id, run_data):\n idf, kwargs = run_data\n epw = idf.epw\n idf_dir = os.path.join('multi_runs', 'idf_%i' % run_id)\n os.mkdir(idf_dir)\n idf_...
def x(idf=None, weather=None, output_directory='', annual=False, design_day =False, idd=None, epmacro=False, expandobjects=False, readvars=False, output_prefix=None, output_suffix=None, version=False, verbose='v', ep_version=None): args = locals().copy() verbose = args.pop('verbose') idf = args.pop('idf') iddname = args.get('idd') if not isinstance(iddname, str): args.pop('idd') try: idf_path = os.path.abspath(idf.idfname) except AttributeError: idf_path = os.path.abspath(idf) ep_version = args.pop('ep_version') if not ep_version: try: ep_version = '-'.join(str(x) for x in idf.idd_version[:3]) except AttributeError: raise AttributeError( 'The ep_version must be set when passing an IDF path. Alternatively, use IDF.run()' ) eplus_exe_path, eplus_weather_path = install_paths(ep_version, iddname) if version: cmd = [eplus_exe_path, '--version'] check_call(cmd) return if os.path.isfile(args['weather']): args['weather'] = os.path.abspath(args['weather']) else: args['weather'] = os.path.join(eplus_weather_path, args['weather']) output_dir = os.path.abspath(args['output_directory']) args['output_directory'] = output_dir cwd = os.getcwd() run_dir = os.path.abspath(tempfile.mkdtemp()) os.chdir(run_dir) cmd = [eplus_exe_path] for arg in args: if args[arg]: if isinstance(args[arg], bool): args[arg] = '' cmd.extend(['--{}'.format(arg.replace('_', '-'))]) if args[arg] != '': cmd.extend([args[arg]]) cmd.extend([idf_path]) try: if verbose == 'v': print('\r\n' + ' '.join(cmd) + '\r\n') check_call(cmd) elif verbose == 'q': check_call(cmd, stdout=open(os.devnull, 'w')) except CalledProcessError: message = parse_error(output_dir) raise EnergyPlusRunError(message) finally: os.chdir(cwd) return 'OK'
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(idf=None, weather=None, output_directory='', annual=False, design_day\n =False, idd=None, epmacro=False, expandobjects=False, readvars=False,\n output_pr...