source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, other):
other = SortedIndex(other, copy=False)
assume_unique = self.is_unique and other.is_unique
loc = np.in1d(self, other, assume_unique=assume_unique)
loc_other = np.in1d(other, self, assume_unique=assume_unique)
return loc, loc_other
| locate_intersection | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n other = SortedIndex(other, copy=False)\n assume_unique = self.is_unique and other.is_unique\n loc = np.in1d(self, other, assume_unique=assume_unique)\n loc_other = np.in1d(other, self, assume_unique=assume_unique)\n return loc, loc_other\n",
"role": "user"
},
{
"content": "locate_intersection",
"role": "assistant"
}
] |
def x(self, keys, strict=True):
keys = SortedIndex(keys, copy=False)
loc, found = self.locate_intersection(keys)
if strict and np.any(~found):
raise KeyError(keys[~found])
return loc
| locate_keys | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, keys, strict=True):\n keys = SortedIndex(keys, copy=False)\n loc, found = self.locate_intersection(keys)\n if strict and np.any(~found):\n raise KeyError(keys[~found])\n return loc\n",
"role": "user"
},
{
"content": "locate_keys",
"role": "assistant"
}
] |
def x(self, other):
loc = self.locate_keys(other, strict=False)
return self.compress(loc, axis=0)
| intersect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n loc = self.locate_keys(other, strict=False)\n return self.compress(loc, axis=0)\n",
"role": "user"
},
{
"content": "intersect",
"role": "assistant"
}
] |
def x(self, start=None, stop=None):
if start is None:
start_index = 0
else:
start_index = bisect.bisect_left(self, start)
if stop is None:
stop_index = len(self)
else:
stop_index = bisect.bisect_right(self, stop)
if stop_index - start_index == 0:
raise KeyError(start, stop)
loc = slice(start_index, stop_index)
return loc
| locate_range | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start=None, stop=None):\n if start is None:\n start_index = 0\n else:\n start_index = bisect.bisect_left(self, start)\n if stop is None:\n stop_index = len(self)\n else:\n stop_index = bisect.bisect_right(self, stop)\n if stop_index - start_index == 0:\n raise KeyError(start, stop)\n loc = slice(start_index, stop_index)\n return loc\n",
"role": "user"
},
{
"content": "locate_range",
"role": "assistant"
}
] |
def x(self, start=None, stop=None):
try:
loc = self.locate_range(start=start, stop=stop)
except KeyError:
return self.values[0:0]
else:
return self[loc]
| intersect_range | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start=None, stop=None):\n try:\n loc = self.locate_range(start=start, stop=stop)\n except KeyError:\n return self.values[0:0]\n else:\n return self[loc]\n",
"role": "user"
},
{
"content": "intersect_range",
"role": "assistant"
}
] |
def x(self, starts, stops):
starts = asarray_ndim(starts, 1)
stops = asarray_ndim(stops, 1)
check_dim0_aligned(starts, stops)
start_indices = np.searchsorted(self, starts)
stop_indices = np.searchsorted(self, stops, side='right')
loc_ranges = start_indices < stop_indices
loc = np.zeros(self.shape, dtype=np.bool)
for i, j in zip(start_indices[loc_ranges], stop_indices[loc_ranges]):
loc[i:j] = True
return loc, loc_ranges
| locate_intersection_ranges | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, starts, stops):\n starts = asarray_ndim(starts, 1)\n stops = asarray_ndim(stops, 1)\n check_dim0_aligned(starts, stops)\n start_indices = np.searchsorted(self, starts)\n stop_indices = np.searchsorted(self, stops, side='right')\n loc_ranges = start_indices < stop_indices\n loc = np.zeros(self.shape, dtype=np.bool)\n for i, j in zip(start_indices[loc_ranges], stop_indices[loc_ranges]):\n loc[i:j] = True\n return loc, loc_ranges\n",
"role": "user"
},
{
"content": "locate_intersection_ranges",
"role": "assistant"
}
] |
def x(self, starts, stops, strict=True):
loc, found = self.locate_intersection_ranges(starts, stops)
if strict and np.any(~found):
raise KeyError(starts[~found], stops[~found])
return loc
| locate_ranges | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, starts, stops, strict=True):\n loc, found = self.locate_intersection_ranges(starts, stops)\n if strict and np.any(~found):\n raise KeyError(starts[~found], stops[~found])\n return loc\n",
"role": "user"
},
{
"content": "locate_ranges",
"role": "assistant"
}
] |
def x(self, starts, stops):
loc = self.locate_ranges(starts, stops, strict=False)
return self.compress(loc, axis=0)
| intersect_ranges | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, starts, stops):\n loc = self.locate_ranges(starts, stops, strict=False)\n return self.compress(loc, axis=0)\n",
"role": "user"
},
{
"content": "intersect_ranges",
"role": "assistant"
}
] |
def x(self, other):
other = UniqueIndex(other)
assume_unique = True
loc = np.in1d(self, other, assume_unique=assume_unique)
loc_other = np.in1d(other, self, assume_unique=assume_unique)
return loc, loc_other
| locate_intersection | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n other = UniqueIndex(other)\n assume_unique = True\n loc = np.in1d(self, other, assume_unique=assume_unique)\n loc_other = np.in1d(other, self, assume_unique=assume_unique)\n return loc, loc_other\n",
"role": "user"
},
{
"content": "locate_intersection",
"role": "assistant"
}
] |
def x(self, keys, strict=True):
keys = UniqueIndex(keys)
loc, found = self.locate_intersection(keys)
if strict and np.any(~found):
raise KeyError(keys[~found])
return loc
| locate_keys | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, keys, strict=True):\n keys = UniqueIndex(keys)\n loc, found = self.locate_intersection(keys)\n if strict and np.any(~found):\n raise KeyError(keys[~found])\n return loc\n",
"role": "user"
},
{
"content": "locate_keys",
"role": "assistant"
}
] |
def x(self, k1, k2=None):
loc1 = self.l1.locate_key(k1)
if k2 is None:
return loc1
if isinstance(loc1, slice):
offset = loc1.start
try:
loc2 = SortedIndex(self.l2[loc1], copy=False).locate_key(k2)
except KeyError:
raise KeyError(k1, k2)
else:
if isinstance(loc2, slice):
loc = slice(offset + loc2.start, offset + loc2.stop)
else:
loc = offset + loc2
else:
v = self.l2[loc1]
if v == k2:
loc = loc1
else:
raise KeyError(k1, k2)
return loc
| locate_key | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, k1, k2=None):\n loc1 = self.l1.locate_key(k1)\n if k2 is None:\n return loc1\n if isinstance(loc1, slice):\n offset = loc1.start\n try:\n loc2 = SortedIndex(self.l2[loc1], copy=False).locate_key(k2)\n except KeyError:\n raise KeyError(k1, k2)\n else:\n if isinstance(loc2, slice):\n loc = slice(offset + loc2.start, offset + loc2.stop)\n else:\n loc = offset + loc2\n else:\n v = self.l2[loc1]\n if v == k2:\n loc = loc1\n else:\n raise KeyError(k1, k2)\n return loc\n",
"role": "user"
},
{
"content": "locate_key",
"role": "assistant"
}
] |
def x(self, key, start=None, stop=None):
loc1 = self.l1.locate_key(key)
if start is None and stop is None:
loc = loc1
elif isinstance(loc1, slice):
offset = loc1.start
idx = SortedIndex(self.l2[loc1], copy=False)
try:
loc2 = idx.locate_range(start, stop)
except KeyError:
raise KeyError(key, start, stop)
else:
loc = slice(offset + loc2.start, offset + loc2.stop)
else:
v = self.l2[loc1]
if start <= v <= stop:
loc = loc1
else:
raise KeyError(key, start, stop)
if not isinstance(loc, slice):
loc = slice(loc, loc + 1)
return loc
| locate_range | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, start=None, stop=None):\n loc1 = self.l1.locate_key(key)\n if start is None and stop is None:\n loc = loc1\n elif isinstance(loc1, slice):\n offset = loc1.start\n idx = SortedIndex(self.l2[loc1], copy=False)\n try:\n loc2 = idx.locate_range(start, stop)\n except KeyError:\n raise KeyError(key, start, stop)\n else:\n loc = slice(offset + loc2.start, offset + loc2.stop)\n else:\n v = self.l2[loc1]\n if start <= v <= stop:\n loc = loc1\n else:\n raise KeyError(key, start, stop)\n if not isinstance(loc, slice):\n loc = slice(loc, loc + 1)\n return loc\n",
"role": "user"
},
{
"content": "locate_range",
"role": "assistant"
}
] |
def x(self, chrom, pos=None):
if pos is None:
if chrom in self.chrom_ranges:
return self.chrom_ranges[chrom]
else:
loc_chrom = np.nonzero(self.chrom == chrom)[0]
if len(loc_chrom) == 0:
raise KeyError(chrom)
slice_chrom = slice(min(loc_chrom), max(loc_chrom) + 1)
self.chrom_ranges[chrom] = slice_chrom
return slice_chrom
else:
slice_chrom = self.locate_key(chrom)
pos_chrom = SortedIndex(self.pos[slice_chrom])
try:
idx_within_chrom = pos_chrom.locate_key(pos)
except KeyError:
raise KeyError(chrom, pos)
if isinstance(idx_within_chrom, slice):
return slice(slice_chrom.start + idx_within_chrom.start,
slice_chrom.start + idx_within_chrom.stop)
else:
return slice_chrom.start + idx_within_chrom
| locate_key | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, chrom, pos=None):\n if pos is None:\n if chrom in self.chrom_ranges:\n return self.chrom_ranges[chrom]\n else:\n loc_chrom = np.nonzero(self.chrom == chrom)[0]\n if len(loc_chrom) == 0:\n raise KeyError(chrom)\n slice_chrom = slice(min(loc_chrom), max(loc_chrom) + 1)\n self.chrom_ranges[chrom] = slice_chrom\n return slice_chrom\n else:\n slice_chrom = self.locate_key(chrom)\n pos_chrom = SortedIndex(self.pos[slice_chrom])\n try:\n idx_within_chrom = pos_chrom.locate_key(pos)\n except KeyError:\n raise KeyError(chrom, pos)\n if isinstance(idx_within_chrom, slice):\n return slice(slice_chrom.start + idx_within_chrom.start, \n slice_chrom.start + idx_within_chrom.stop)\n else:\n return slice_chrom.start + idx_within_chrom\n",
"role": "user"
},
{
"content": "locate_key",
"role": "assistant"
}
] |
def x(self, chrom, start=None, stop=None):
slice_chrom = self.locate_key(chrom)
if start is None and stop is None:
return slice_chrom
else:
pos_chrom = SortedIndex(self.pos[slice_chrom])
try:
slice_within_chrom = pos_chrom.locate_range(start, stop)
except KeyError:
raise KeyError(chrom, start, stop)
loc = slice(slice_chrom.start + slice_within_chrom.start,
slice_chrom.start + slice_within_chrom.stop)
return loc
| locate_range | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, chrom, start=None, stop=None):\n slice_chrom = self.locate_key(chrom)\n if start is None and stop is None:\n return slice_chrom\n else:\n pos_chrom = SortedIndex(self.pos[slice_chrom])\n try:\n slice_within_chrom = pos_chrom.locate_range(start, stop)\n except KeyError:\n raise KeyError(chrom, start, stop)\n loc = slice(slice_chrom.start + slice_within_chrom.start, \n slice_chrom.start + slice_within_chrom.stop)\n return loc\n",
"role": "user"
},
{
"content": "locate_range",
"role": "assistant"
}
] |
def x(self, index):
if index is None:
pass
elif isinstance(index, str):
index = SortedIndex(self[index], copy=False)
elif isinstance(index, (tuple, list)) and len(index) == 2:
index = SortedMultiIndex(self[index[0]], self[index[1]], copy=False)
else:
raise ValueError(
'invalid index argument, expected string or pair of strings, found %s'
% repr(index))
self.index = index
| set_index | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index):\n if index is None:\n pass\n elif isinstance(index, str):\n index = SortedIndex(self[index], copy=False)\n elif isinstance(index, (tuple, list)) and len(index) == 2:\n index = SortedMultiIndex(self[index[0]], self[index[1]], copy=False)\n else:\n raise ValueError(\n 'invalid index argument, expected string or pair of strings, found %s'\n % repr(index))\n self.index = index\n",
"role": "user"
},
{
"content": "set_index",
"role": "assistant"
}
] |
def x(self, chrom=None, position=None):
if self.index is None:
raise ValueError('no index has been set')
if isinstance(self.index, SortedIndex):
loc = self.index.locate_key(position)
else:
loc = self.index.locate_key(chrom, position)
return self[loc]
| query_position | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, chrom=None, position=None):\n if self.index is None:\n raise ValueError('no index has been set')\n if isinstance(self.index, SortedIndex):\n loc = self.index.locate_key(position)\n else:\n loc = self.index.locate_key(chrom, position)\n return self[loc]\n",
"role": "user"
},
{
"content": "query_position",
"role": "assistant"
}
] |
def x(self, chrom=None, start=None, stop=None):
if self.index is None:
raise ValueError('no index has been set')
if isinstance(self.index, SortedIndex):
loc = self.index.locate_range(start, stop)
else:
loc = self.index.locate_range(chrom, start, stop)
return self[loc]
| query_region | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, chrom=None, start=None, stop=None):\n if self.index is None:\n raise ValueError('no index has been set')\n if isinstance(self.index, SortedIndex):\n loc = self.index.locate_range(start, stop)\n else:\n loc = self.index.locate_range(chrom, start, stop)\n return self[loc]\n",
"role": "user"
},
{
"content": "query_region",
"role": "assistant"
}
] |
def x(self, path, rename=None, number=None, description=None, fill=None,
write_header=True):
write_vcf(path, callset=self, rename=rename, number=number, description
=description, fill=fill, write_header=write_header)
| to_vcf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, rename=None, number=None, description=None, fill=None,\n write_header=True):\n write_vcf(path, callset=self, rename=rename, number=number, description\n =description, fill=fill, write_header=write_header)\n",
"role": "user"
},
{
"content": "to_vcf",
"role": "assistant"
}
] |
def x(self, size, start_name='start', stop_name='end'):
m = np.zeros(size, dtype=bool)
for start, stop in self[[start_name, stop_name]]:
m[start - 1:stop] = True
return m
| to_mask | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, size, start_name='start', stop_name='end'):\n m = np.zeros(size, dtype=bool)\n for start, stop in self[[start_name, stop_name]]:\n m[start - 1:stop] = True\n return m\n",
"role": "user"
},
{
"content": "to_mask",
"role": "assistant"
}
] |
def x(path, attributes=None, region=None, score_fill=-1, phase_fill=-1,
attributes_fill='.', dtype=None):
a = gff3_to_recarray(path, attributes=attributes, region=region,
score_fill=score_fill, phase_fill=phase_fill, attributes_fill=
attributes_fill, dtype=dtype)
if a is None:
return None
else:
return FeatureTable(a, copy=False)
| from_gff3 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, attributes=None, region=None, score_fill=-1, phase_fill=-1,\n attributes_fill='.', dtype=None):\n a = gff3_to_recarray(path, attributes=attributes, region=region,\n score_fill=score_fill, phase_fill=phase_fill, attributes_fill=\n attributes_fill, dtype=dtype)\n if a is None:\n return None\n else:\n return FeatureTable(a, copy=False)\n",
"role": "user"
},
{
"content": "from_gff3",
"role": "assistant"
}
] |
def x(x, metric, chunked=False, blen=None):
import scipy.spatial
if not hasattr(x, 'ndim'):
x = np.asarray(x)
if x.ndim < 2:
raise ValueError('array with at least 2 dimensions expected')
if x.ndim == 2:
def x(b):
t = b.T
return scipy.spatial.distance.pdist(t, metric=metric)
else:
def x(b):
return pdist(b, metric=metric)
if chunked:
blen = get_blen_array(x, blen)
dist = None
for i in range(0, x.shape[0], blen):
j = min(x.shape[0], i + blen)
block = x[i:j]
if dist is None:
dist = f(block)
else:
dist += f(block)
else:
dist = f(x)
return dist
| pairwise_distance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, metric, chunked=False, blen=None):\n import scipy.spatial\n if not hasattr(x, 'ndim'):\n x = np.asarray(x)\n if x.ndim < 2:\n raise ValueError('array with at least 2 dimensions expected')\n if x.ndim == 2:\n\n def x(b):\n t = b.T\n return scipy.spatial.distance.pdist(t, metric=metric)\n else:\n\n def x(b):\n return pdist(b, metric=metric)\n if chunked:\n blen = get_blen_array(x, blen)\n dist = None\n for i in range(0, x.shape[0], blen):\n j = min(x.shape[0], i + blen)\n block = x[i:j]\n if dist is None:\n dist = f(block)\n else:\n dist += f(block)\n else:\n dist = f(x)\n return dist\n",
"role": "user"
},
{
"content": "pairwise_distance",
"role": "assistant"
}
] |
def x(x, metric):
if isinstance(metric, str):
import scipy.spatial
if hasattr(scipy.spatial.distance, metric):
metric = getattr(scipy.spatial.distance, metric)
else:
raise ValueError('metric name not found')
m = x.shape[1]
dist = list()
for i, j in itertools.combinations(range(m), 2):
a = x[:, i, ...]
b = x[:, j, ...]
d = metric(a, b)
dist.append(d)
return np.array(dist)
| pdist | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, metric):\n if isinstance(metric, str):\n import scipy.spatial\n if hasattr(scipy.spatial.distance, metric):\n metric = getattr(scipy.spatial.distance, metric)\n else:\n raise ValueError('metric name not found')\n m = x.shape[1]\n dist = list()\n for i, j in itertools.combinations(range(m), 2):\n a = x[:, i, ...]\n b = x[:, j, ...]\n d = metric(a, b)\n dist.append(d)\n return np.array(dist)\n",
"role": "user"
},
{
"content": "pdist",
"role": "assistant"
}
] |
def x(pos, gac, start=None, stop=None, is_accessible=None):
if not isinstance(pos, SortedIndex):
pos = SortedIndex(pos, copy=False)
gac = asarray_ndim(gac, 3)
gan = np.sum(gac, axis=2)
m = gac.shape[1]
dist = list()
for i, j in itertools.combinations(range(m), 2):
ac1 = gac[:, i, ...]
an1 = gan[:, i]
ac2 = gac[:, j, ...]
an2 = gan[:, j]
d = sequence_divergence(pos, ac1, ac2, an1=an1, an2=an2, start=
start, stop=stop, is_accessible=is_accessible)
dist.append(d)
return np.array(dist)
| pairwise_dxy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pos, gac, start=None, stop=None, is_accessible=None):\n if not isinstance(pos, SortedIndex):\n pos = SortedIndex(pos, copy=False)\n gac = asarray_ndim(gac, 3)\n gan = np.sum(gac, axis=2)\n m = gac.shape[1]\n dist = list()\n for i, j in itertools.combinations(range(m), 2):\n ac1 = gac[:, i, ...]\n an1 = gan[:, i]\n ac2 = gac[:, j, ...]\n an2 = gan[:, j]\n d = sequence_divergence(pos, ac1, ac2, an1=an1, an2=an2, start=\n start, stop=stop, is_accessible=is_accessible)\n dist.append(d)\n return np.array(dist)\n",
"role": "user"
},
{
"content": "pairwise_dxy",
"role": "assistant"
}
] |
def x(dist):
import scipy.linalg
dist = ensure_square(dist)
e_matrix = dist ** 2 / -2
row_means = np.mean(e_matrix, axis=1, keepdims=True)
col_means = np.mean(e_matrix, axis=0, keepdims=True)
matrix_mean = np.mean(e_matrix)
f_matrix = e_matrix - row_means - col_means + matrix_mean
eigvals, eigvecs = scipy.linalg.eigh(f_matrix)
close_to_zero = np.isclose(eigvals, 0)
eigvals[close_to_zero] = 0
idxs = eigvals.argsort()[::-1]
eigvals = eigvals[idxs]
eigvecs = eigvecs[:, idxs]
keep = eigvals >= 0
eigvecs = eigvecs[:, keep]
eigvals = eigvals[keep]
coords = eigvecs * np.sqrt(eigvals)
explained_ratio = eigvals / eigvals.sum()
return coords, explained_ratio
| pcoa | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dist):\n import scipy.linalg\n dist = ensure_square(dist)\n e_matrix = dist ** 2 / -2\n row_means = np.mean(e_matrix, axis=1, keepdims=True)\n col_means = np.mean(e_matrix, axis=0, keepdims=True)\n matrix_mean = np.mean(e_matrix)\n f_matrix = e_matrix - row_means - col_means + matrix_mean\n eigvals, eigvecs = scipy.linalg.eigh(f_matrix)\n close_to_zero = np.isclose(eigvals, 0)\n eigvals[close_to_zero] = 0\n idxs = eigvals.argsort()[::-1]\n eigvals = eigvals[idxs]\n eigvecs = eigvecs[:, idxs]\n keep = eigvals >= 0\n eigvecs = eigvecs[:, keep]\n eigvals = eigvals[keep]\n coords = eigvecs * np.sqrt(eigvals)\n explained_ratio = eigvals / eigvals.sum()\n return coords, explained_ratio\n",
"role": "user"
},
{
"content": "pcoa",
"role": "assistant"
}
] |
def x(i, j, n):
if i == j or i >= n or j >= n or i < 0 or j < 0:
raise ValueError('invalid coordinates: %s, %s' % (i, j))
i, j = sorted([i, j])
x = i * (2 * n - i - 1) / 2
ix = x + j - i - 1
return int(ix)
| condensed_coords | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(i, j, n):\n if i == j or i >= n or j >= n or i < 0 or j < 0:\n raise ValueError('invalid coordinates: %s, %s' % (i, j))\n i, j = sorted([i, j])\n x = i * (2 * n - i - 1) / 2\n ix = x + j - i - 1\n return int(ix)\n",
"role": "user"
},
{
"content": "condensed_coords",
"role": "assistant"
}
] |
def x(pop, n):
return [condensed_coords(i, j, n) for i, j in itertools.combinations(
sorted(pop), 2)]
| condensed_coords_within | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pop, n):\n return [condensed_coords(i, j, n) for i, j in itertools.combinations(\n sorted(pop), 2)]\n",
"role": "user"
},
{
"content": "condensed_coords_within",
"role": "assistant"
}
] |
def x(pop1, pop2, n):
return [condensed_coords(i, j, n) for i, j in itertools.product(sorted(
pop1), sorted(pop2))]
| condensed_coords_between | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pop1, pop2, n):\n return [condensed_coords(i, j, n) for i, j in itertools.product(sorted(\n pop1), sorted(pop2))]\n",
"role": "user"
},
{
"content": "condensed_coords_between",
"role": "assistant"
}
] |
def x(dist, labels=None, colorbar=True, ax=None, imshow_kwargs=None):
import matplotlib.pyplot as plt
dist_square = ensure_square(dist)
if ax is None:
x = plt.rcParams['figure.figsize'][0]
fig, ax = plt.subplots(figsize=(x, x))
fig.tight_layout()
if imshow_kwargs is None:
imshow_kwargs = dict()
imshow_kwargs.setdefault('interpolation', 'none')
imshow_kwargs.setdefault('cmap', 'jet')
imshow_kwargs.setdefault('vmin', np.min(dist))
imshow_kwargs.setdefault('vmax', np.max(dist))
im = ax.imshow(dist_square, **imshow_kwargs)
if labels:
ax.set_xticks(range(len(labels)))
ax.set_yticks(range(len(labels)))
ax.set_xticklabels(labels, rotation=90)
ax.set_yticklabels(labels, rotation=0)
else:
ax.set_xticks([])
ax.set_yticks([])
if colorbar:
plt.gcf().colorbar(im, shrink=0.5)
return ax
| plot_pairwise_distance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dist, labels=None, colorbar=True, ax=None, imshow_kwargs=None):\n import matplotlib.pyplot as plt\n dist_square = ensure_square(dist)\n if ax is None:\n x = plt.rcParams['figure.figsize'][0]\n fig, ax = plt.subplots(figsize=(x, x))\n fig.tight_layout()\n if imshow_kwargs is None:\n imshow_kwargs = dict()\n imshow_kwargs.setdefault('interpolation', 'none')\n imshow_kwargs.setdefault('cmap', 'jet')\n imshow_kwargs.setdefault('vmin', np.min(dist))\n imshow_kwargs.setdefault('vmax', np.max(dist))\n im = ax.imshow(dist_square, **imshow_kwargs)\n if labels:\n ax.set_xticks(range(len(labels)))\n ax.set_yticks(range(len(labels)))\n ax.set_xticklabels(labels, rotation=90)\n ax.set_yticklabels(labels, rotation=0)\n else:\n ax.set_xticks([])\n ax.set_yticks([])\n if colorbar:\n plt.gcf().colorbar(im, shrink=0.5)\n return ax\n",
"role": "user"
},
{
"content": "plot_pairwise_distance",
"role": "assistant"
}
] |
def x(values, statistic):
if isinstance(values, tuple):
n = len(values[0])
masked_values = [np.ma.asarray(v) for v in values]
for m in masked_values:
assert m.ndim == 1, 'only 1D arrays supported'
assert m.shape[0] == n, 'input arrays not of equal length'
m.mask = np.zeros(m.shape, dtype=bool)
else:
n = len(values)
masked_values = np.ma.asarray(values)
assert masked_values.ndim == 1, 'only 1D arrays supported'
masked_values.mask = np.zeros(masked_values.shape, dtype=bool)
vj = list()
for i in range(n):
if isinstance(values, tuple):
for m in masked_values:
m.mask[i] = True
x = statistic(*masked_values)
for m in masked_values:
m.mask[i] = False
else:
masked_values.mask[i] = True
x = statistic(masked_values)
masked_values.mask[i] = False
vj.append(x)
vj = np.array(vj)
m = vj.mean()
sv = (n - 1) / n * np.sum((vj - m) ** 2)
se = np.sqrt(sv)
return m, se, vj
| jackknife | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(values, statistic):\n if isinstance(values, tuple):\n n = len(values[0])\n masked_values = [np.ma.asarray(v) for v in values]\n for m in masked_values:\n assert m.ndim == 1, 'only 1D arrays supported'\n assert m.shape[0] == n, 'input arrays not of equal length'\n m.mask = np.zeros(m.shape, dtype=bool)\n else:\n n = len(values)\n masked_values = np.ma.asarray(values)\n assert masked_values.ndim == 1, 'only 1D arrays supported'\n masked_values.mask = np.zeros(masked_values.shape, dtype=bool)\n vj = list()\n for i in range(n):\n if isinstance(values, tuple):\n for m in masked_values:\n m.mask[i] = True\n x = statistic(*masked_values)\n for m in masked_values:\n m.mask[i] = False\n else:\n masked_values.mask[i] = True\n x = statistic(masked_values)\n masked_values.mask[i] = False\n vj.append(x)\n vj = np.array(vj)\n m = vj.mean()\n sv = (n - 1) / n * np.sum((vj - m) ** 2)\n se = np.sqrt(sv)\n return m, se, vj\n",
"role": "user"
},
{
"content": "jackknife",
"role": "assistant"
}
] |
def x(pos, step=None, ax=None, start=None, stop=None, flip=False,
line_kwargs=None):
import matplotlib.pyplot as plt
pos = SortedIndex(pos, copy=False)
if ax is None:
x = plt.rcParams['figure.figsize'][0]
y = x / 7
fig, ax = plt.subplots(figsize=(x, y))
fig.tight_layout()
if start is None:
start = np.min(pos)
if stop is None:
stop = np.max(pos)
loc = pos.locate_range(start, stop)
pos = pos[loc]
if step is None:
step = len(pos) // 100
ax.set_xlim(start, stop)
if line_kwargs is None:
line_kwargs = dict()
n_variants = len(pos)
for i, p in enumerate(pos[::step]):
xfrom = p
xto = start + i * step / n_variants * (stop - start)
line = plt.Line2D([xfrom, xto], [0, 1], **line_kwargs)
ax.add_line(line)
if flip:
ax.invert_yaxis()
ax.xaxis.tick_top()
else:
ax.xaxis.tick_bottom()
ax.set_yticks([])
ax.xaxis.set_tick_params(direction='out')
for spine in ('left', 'right'):
ax.spines[spine].set_visible(False)
return ax
| plot_variant_locator | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pos, step=None, ax=None, start=None, stop=None, flip=False,\n line_kwargs=None):\n import matplotlib.pyplot as plt\n pos = SortedIndex(pos, copy=False)\n if ax is None:\n x = plt.rcParams['figure.figsize'][0]\n y = x / 7\n fig, ax = plt.subplots(figsize=(x, y))\n fig.tight_layout()\n if start is None:\n start = np.min(pos)\n if stop is None:\n stop = np.max(pos)\n loc = pos.locate_range(start, stop)\n pos = pos[loc]\n if step is None:\n step = len(pos) // 100\n ax.set_xlim(start, stop)\n if line_kwargs is None:\n line_kwargs = dict()\n n_variants = len(pos)\n for i, p in enumerate(pos[::step]):\n xfrom = p\n xto = start + i * step / n_variants * (stop - start)\n line = plt.Line2D([xfrom, xto], [0, 1], **line_kwargs)\n ax.add_line(line)\n if flip:\n ax.invert_yaxis()\n ax.xaxis.tick_top()\n else:\n ax.xaxis.tick_bottom()\n ax.set_yticks([])\n ax.xaxis.set_tick_params(direction='out')\n for spine in ('left', 'right'):\n ax.spines[spine].set_visible(False)\n return ax\n",
"role": "user"
},
{
"content": "plot_variant_locator",
"role": "assistant"
}
] |
def x(x, states, pos=None):
x = asarray_ndim(x, 1)
check_integer_dtype(x)
x = memoryview_safe(x)
switch_points, transitions, _ = state_transitions(x, states)
items = [('lstate', transitions[:, 0]), ('rstate', transitions[:, 1]),
('lidx', switch_points[:, 0]), ('ridx', switch_points[:, 1])]
if pos is not None:
pos = asarray_ndim(pos, 1)
check_dim0_aligned(x, pos)
check_integer_dtype(pos)
switch_positions = np.take(pos, switch_points)
switch_positions[0, 0] = -1
switch_positions[-1, 1] = -1
items += [('lpos', switch_positions[:, 0]), ('rpos',
switch_positions[:, 1])]
import pandas
return pandas.DataFrame.from_dict(OrderedDict(items))
| tabulate_state_transitions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, states, pos=None):\n x = asarray_ndim(x, 1)\n check_integer_dtype(x)\n x = memoryview_safe(x)\n switch_points, transitions, _ = state_transitions(x, states)\n items = [('lstate', transitions[:, 0]), ('rstate', transitions[:, 1]),\n ('lidx', switch_points[:, 0]), ('ridx', switch_points[:, 1])]\n if pos is not None:\n pos = asarray_ndim(pos, 1)\n check_dim0_aligned(x, pos)\n check_integer_dtype(pos)\n switch_positions = np.take(pos, switch_points)\n switch_positions[0, 0] = -1\n switch_positions[-1, 1] = -1\n items += [('lpos', switch_positions[:, 0]), ('rpos',\n switch_positions[:, 1])]\n import pandas\n return pandas.DataFrame.from_dict(OrderedDict(items))\n",
"role": "user"
},
{
"content": "tabulate_state_transitions",
"role": "assistant"
}
] |
def x(x, states, pos=None):
x = asarray_ndim(x, 1)
check_integer_dtype(x)
x = memoryview_safe(x)
switch_points, transitions, observations = state_transitions(x, states)
t = transitions[1:, 0]
o = observations[1:]
s1 = switch_points[:-1]
s2 = switch_points[1:]
is_marginal = (s1[:, 0] < 0) | (s2[:, 1] < 0)
size_min = s2[:, 0] - s1[:, 1] + 1
size_max = s2[:, 1] - s1[:, 0] - 1
size_max[is_marginal] = -1
items = [('state', t), ('support', o), ('start_lidx', s1[:, 0]), (
'start_ridx', s1[:, 1]), ('stop_lidx', s2[:, 0]), ('stop_ridx', s2[
:, 1]), ('size_min', size_min), ('size_max', size_max), (
'is_marginal', is_marginal)]
if pos is not None:
pos = asarray_ndim(pos, 1)
check_dim0_aligned(x, pos)
check_integer_dtype(pos)
switch_positions = np.take(pos, switch_points)
switch_positions[0, 0] = -1
switch_positions[-1, 1] = -1
p1 = switch_positions[:-1]
p2 = switch_positions[1:]
length_min = p2[:, 0] - p1[:, 1] + 1
length_max = p2[:, 1] - p1[:, 0] - 1
length_max[is_marginal] = -1
items += [('start_lpos', p1[:, 0]), ('start_rpos', p1[:, 1]), (
'stop_lpos', p2[:, 0]), ('stop_rpos', p2[:, 1]), ('length_min',
length_min), ('length_max', length_max)]
import pandas
return pandas.DataFrame.from_dict(OrderedDict(items))
| tabulate_state_blocks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, states, pos=None):\n x = asarray_ndim(x, 1)\n check_integer_dtype(x)\n x = memoryview_safe(x)\n switch_points, transitions, observations = state_transitions(x, states)\n t = transitions[1:, 0]\n o = observations[1:]\n s1 = switch_points[:-1]\n s2 = switch_points[1:]\n is_marginal = (s1[:, 0] < 0) | (s2[:, 1] < 0)\n size_min = s2[:, 0] - s1[:, 1] + 1\n size_max = s2[:, 1] - s1[:, 0] - 1\n size_max[is_marginal] = -1\n items = [('state', t), ('support', o), ('start_lidx', s1[:, 0]), (\n 'start_ridx', s1[:, 1]), ('stop_lidx', s2[:, 0]), ('stop_ridx', s2[\n :, 1]), ('size_min', size_min), ('size_max', size_max), (\n 'is_marginal', is_marginal)]\n if pos is not None:\n pos = asarray_ndim(pos, 1)\n check_dim0_aligned(x, pos)\n check_integer_dtype(pos)\n switch_positions = np.take(pos, switch_points)\n switch_positions[0, 0] = -1\n switch_positions[-1, 1] = -1\n p1 = switch_positions[:-1]\n p2 = switch_positions[1:]\n length_min = p2[:, 0] - p1[:, 1] + 1\n length_max = p2[:, 1] - p1[:, 0] - 1\n length_max[is_marginal] = -1\n items += [('start_lpos', p1[:, 0]), ('start_rpos', p1[:, 1]), (\n 'stop_lpos', p2[:, 0]), ('stop_rpos', p2[:, 1]), ('length_min',\n length_min), ('length_max', length_max)]\n import pandas\n return pandas.DataFrame.from_dict(OrderedDict(items))\n",
"role": "user"
},
{
"content": "tabulate_state_blocks",
"role": "assistant"
}
] |
def x(path, callset, rename=None, number=None, description=None, fill=None,
write_header=True):
names, callset = normalize_callset(callset)
with open(path, 'w') as vcf_file:
if write_header:
write_vcf_header(vcf_file, names, callset=callset, rename=
rename, number=number, description=description)
write_vcf_data(vcf_file, names, callset=callset, rename=rename,
fill=fill)
| write_vcf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, callset, rename=None, number=None, description=None, fill=None,\n write_header=True):\n names, callset = normalize_callset(callset)\n with open(path, 'w') as vcf_file:\n if write_header:\n write_vcf_header(vcf_file, names, callset=callset, rename=\n rename, number=number, description=description)\n write_vcf_data(vcf_file, names, callset=callset, rename=rename,\n fill=fill)\n",
"role": "user"
},
{
"content": "write_vcf",
"role": "assistant"
}
] |
def x(a, *ndims, **kwargs):
allow_none = kwargs.pop('allow_none', False)
kwargs.setdefault('copy', False)
if a is None and allow_none:
return None
a = np.array(a, **kwargs)
if a.ndim not in ndims:
if len(ndims) > 1:
expect_str = 'one of %s' % str(ndims)
else:
expect_str = '%s' % ndims[0]
raise TypeError('bad number of dimensions: expected %s; found %s' %
(expect_str, a.ndim))
return a
| asarray_ndim | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, *ndims, **kwargs):\n allow_none = kwargs.pop('allow_none', False)\n kwargs.setdefault('copy', False)\n if a is None and allow_none:\n return None\n a = np.array(a, **kwargs)\n if a.ndim not in ndims:\n if len(ndims) > 1:\n expect_str = 'one of %s' % str(ndims)\n else:\n expect_str = '%s' % ndims[0]\n raise TypeError('bad number of dimensions: expected %s; found %s' %\n (expect_str, a.ndim))\n return a\n",
"role": "user"
},
{
"content": "asarray_ndim",
"role": "assistant"
}
] |
def x(filepath=None, parent=None, group=None, names=None, typed=False,
hashed_key=False, **h5dcreate_kwargs):
if filepath is None:
import tempfile
filepath = tempfile.mktemp(prefix='scikit_allel_', suffix='.h5')
atexit.register(os.remove, filepath)
h5dcreate_kwargs.setdefault('chunks', True)
def x(user_function):
if group is None:
container = user_function.__name__
else:
container = group
def x(*args, **kwargs):
no_cache = kwargs.pop('no_cache', False)
key = _make_key(args, kwargs, typed)
if hashed_key:
key = str(hash(key))
else:
key = str(key).replace('/', '__slash__')
return _hdf5_cache_act(filepath, parent, container, key, names,
no_cache, user_function, args, kwargs, h5dcreate_kwargs)
wrapper.cache_filepath = filepath
return update_wrapper(wrapper, user_function)
return decorator
| hdf5_cache | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filepath=None, parent=None, group=None, names=None, typed=False,\n hashed_key=False, **h5dcreate_kwargs):\n if filepath is None:\n import tempfile\n filepath = tempfile.mktemp(prefix='scikit_allel_', suffix='.h5')\n atexit.register(os.remove, filepath)\n h5dcreate_kwargs.setdefault('chunks', True)\n\n def x(user_function):\n if group is None:\n container = user_function.__name__\n else:\n container = group\n\n def x(*args, **kwargs):\n no_cache = kwargs.pop('no_cache', False)\n key = _make_key(args, kwargs, typed)\n if hashed_key:\n key = str(hash(key))\n else:\n key = str(key).replace('/', '__slash__')\n return _hdf5_cache_act(filepath, parent, container, key, names,\n no_cache, user_function, args, kwargs, h5dcreate_kwargs)\n wrapper.cache_filepath = filepath\n return update_wrapper(wrapper, user_function)\n return decorator\n",
"role": "user"
},
{
"content": "hdf5_cache",
"role": "assistant"
}
] |
def x(gn, n_components=10, copy=True, scaler='patterson', ploidy=2):
model = GenotypePCA(n_components, copy=copy, scaler=scaler, ploidy=ploidy)
coords = model.fit_transform(gn)
return coords, model
| pca | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(gn, n_components=10, copy=True, scaler='patterson', ploidy=2):\n model = GenotypePCA(n_components, copy=copy, scaler=scaler, ploidy=ploidy)\n coords = model.fit_transform(gn)\n return coords, model\n",
"role": "user"
},
{
"content": "pca",
"role": "assistant"
}
] |
def x(gn, n_components=10, copy=True, iterated_power=3, random_state=None,
scaler='patterson', ploidy=2):
model = GenotypeRandomizedPCA(n_components, copy=copy, iterated_power=
iterated_power, random_state=random_state, scaler=scaler, ploidy=ploidy
)
coords = model.fit_transform(gn)
return coords, model
| randomized_pca | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(gn, n_components=10, copy=True, iterated_power=3, random_state=None,\n scaler='patterson', ploidy=2):\n model = GenotypeRandomizedPCA(n_components, copy=copy, iterated_power=\n iterated_power, random_state=random_state, scaler=scaler, ploidy=ploidy\n )\n coords = model.fit_transform(gn)\n return coords, model\n",
"role": "user"
},
{
"content": "randomized_pca",
"role": "assistant"
}
] |
def x(ac):
ac = asarray_ndim(ac, 2)
assert ac.shape[1] == 2, 'only biallelic variants supported'
an = ac.sum(axis=1)
x = ac[:, 0] * ac[:, 1] / (an * (an - 1))
return x
| h_hat | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ac):\n ac = asarray_ndim(ac, 2)\n assert ac.shape[1] == 2, 'only biallelic variants supported'\n an = ac.sum(axis=1)\n x = ac[:, 0] * ac[:, 1] / (an * (an - 1))\n return x\n",
"role": "user"
},
{
"content": "h_hat",
"role": "assistant"
}
] |
def x(aca, acb):
aca = AlleleCountsArray(aca, copy=False)
assert aca.shape[1] == 2, 'only biallelic variants supported'
acb = AlleleCountsArray(acb, copy=False)
assert acb.shape[1] == 2, 'only biallelic variants supported'
check_dim0_aligned(aca, acb)
sa = aca.sum(axis=1)
sb = acb.sum(axis=1)
ha = h_hat(aca)
hb = h_hat(acb)
a = aca.to_frequencies()[:, 1]
b = acb.to_frequencies()[:, 1]
x = (a - b) ** 2 - ha / sa - hb / sb
return x
| patterson_f2 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(aca, acb):\n aca = AlleleCountsArray(aca, copy=False)\n assert aca.shape[1] == 2, 'only biallelic variants supported'\n acb = AlleleCountsArray(acb, copy=False)\n assert acb.shape[1] == 2, 'only biallelic variants supported'\n check_dim0_aligned(aca, acb)\n sa = aca.sum(axis=1)\n sb = acb.sum(axis=1)\n ha = h_hat(aca)\n hb = h_hat(acb)\n a = aca.to_frequencies()[:, 1]\n b = acb.to_frequencies()[:, 1]\n x = (a - b) ** 2 - ha / sa - hb / sb\n return x\n",
"role": "user"
},
{
"content": "patterson_f2",
"role": "assistant"
}
] |
def x(acc, aca, acb):
aca = AlleleCountsArray(aca, copy=False)
assert aca.shape[1] == 2, 'only biallelic variants supported'
acb = AlleleCountsArray(acb, copy=False)
assert acb.shape[1] == 2, 'only biallelic variants supported'
acc = AlleleCountsArray(acc, copy=False)
assert acc.shape[1] == 2, 'only biallelic variants supported'
check_dim0_aligned(aca, acb, acc)
sc = acc.sum(axis=1)
hc = h_hat(acc)
a = aca.to_frequencies()[:, 1]
b = acb.to_frequencies()[:, 1]
c = acc.to_frequencies()[:, 1]
T = (c - a) * (c - b) - hc / sc
B = 2 * hc
return T, B
| patterson_f3 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(acc, aca, acb):\n aca = AlleleCountsArray(aca, copy=False)\n assert aca.shape[1] == 2, 'only biallelic variants supported'\n acb = AlleleCountsArray(acb, copy=False)\n assert acb.shape[1] == 2, 'only biallelic variants supported'\n acc = AlleleCountsArray(acc, copy=False)\n assert acc.shape[1] == 2, 'only biallelic variants supported'\n check_dim0_aligned(aca, acb, acc)\n sc = acc.sum(axis=1)\n hc = h_hat(acc)\n a = aca.to_frequencies()[:, 1]\n b = acb.to_frequencies()[:, 1]\n c = acc.to_frequencies()[:, 1]\n T = (c - a) * (c - b) - hc / sc\n B = 2 * hc\n return T, B\n",
"role": "user"
},
{
"content": "patterson_f3",
"role": "assistant"
}
] |
def x(aca, acb, acc, acd):
aca = AlleleCountsArray(aca, copy=False)
assert aca.shape[1] == 2, 'only biallelic variants supported'
acb = AlleleCountsArray(acb, copy=False)
assert acb.shape[1] == 2, 'only biallelic variants supported'
acc = AlleleCountsArray(acc, copy=False)
assert acc.shape[1] == 2, 'only biallelic variants supported'
acd = AlleleCountsArray(acd, copy=False)
assert acd.shape[1] == 2, 'only biallelic variants supported'
check_dim0_aligned(aca, acb, acc, acd)
a = aca.to_frequencies()[:, 1]
b = acb.to_frequencies()[:, 1]
c = acc.to_frequencies()[:, 1]
d = acd.to_frequencies()[:, 1]
num = (a - b) * (c - d)
den = (a + b - 2 * a * b) * (c + d - 2 * c * d)
return num, den
| patterson_d | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(aca, acb, acc, acd):\n aca = AlleleCountsArray(aca, copy=False)\n assert aca.shape[1] == 2, 'only biallelic variants supported'\n acb = AlleleCountsArray(acb, copy=False)\n assert acb.shape[1] == 2, 'only biallelic variants supported'\n acc = AlleleCountsArray(acc, copy=False)\n assert acc.shape[1] == 2, 'only biallelic variants supported'\n acd = AlleleCountsArray(acd, copy=False)\n assert acd.shape[1] == 2, 'only biallelic variants supported'\n check_dim0_aligned(aca, acb, acc, acd)\n a = aca.to_frequencies()[:, 1]\n b = acb.to_frequencies()[:, 1]\n c = acc.to_frequencies()[:, 1]\n d = acd.to_frequencies()[:, 1]\n num = (a - b) * (c - d)\n den = (a + b - 2 * a * b) * (c + d - 2 * c * d)\n return num, den\n",
"role": "user"
},
{
"content": "patterson_d",
"role": "assistant"
}
] |
def x(acc, aca, acb, size, start=0, stop=None, step=None, normed=True):
T, B = patterson_f3(acc, aca, acb)
if normed:
T_bsum = moving_statistic(T, statistic=np.nansum, size=size, start=
start, stop=stop, step=step)
B_bsum = moving_statistic(B, statistic=np.nansum, size=size, start=
start, stop=stop, step=step)
f3 = T_bsum / B_bsum
else:
f3 = moving_statistic(T, statistic=np.nanmean, size=size, start=
start, stop=stop, step=step)
return f3
| moving_patterson_f3 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(acc, aca, acb, size, start=0, stop=None, step=None, normed=True):\n T, B = patterson_f3(acc, aca, acb)\n if normed:\n T_bsum = moving_statistic(T, statistic=np.nansum, size=size, start=\n start, stop=stop, step=step)\n B_bsum = moving_statistic(B, statistic=np.nansum, size=size, start=\n start, stop=stop, step=step)\n f3 = T_bsum / B_bsum\n else:\n f3 = moving_statistic(T, statistic=np.nanmean, size=size, start=\n start, stop=stop, step=step)\n return f3\n",
"role": "user"
},
{
"content": "moving_patterson_f3",
"role": "assistant"
}
] |
def x(aca, acb, acc, acd, size, start=0, stop=None, step=None):
num, den = patterson_d(aca, acb, acc, acd)
num_sum = moving_statistic(num, statistic=np.nansum, size=size, start=
start, stop=stop, step=step)
den_sum = moving_statistic(den, statistic=np.nansum, size=size, start=
start, stop=stop, step=step)
d = num_sum / den_sum
return d
| moving_patterson_d | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(aca, acb, acc, acd, size, start=0, stop=None, step=None):\n num, den = patterson_d(aca, acb, acc, acd)\n num_sum = moving_statistic(num, statistic=np.nansum, size=size, start=\n start, stop=stop, step=step)\n den_sum = moving_statistic(den, statistic=np.nansum, size=size, start=\n start, stop=stop, step=step)\n d = num_sum / den_sum\n return d\n",
"role": "user"
},
{
"content": "moving_patterson_d",
"role": "assistant"
}
] |
def x(acc, aca, acb, blen, normed=True):
T, B = patterson_f3(acc, aca, acb)
if normed:
f3 = np.nansum(T) / np.nansum(B)
else:
f3 = np.nanmean(T)
if normed:
T_bsum = moving_statistic(T, statistic=np.nansum, size=blen)
B_bsum = moving_statistic(B, statistic=np.nansum, size=blen)
vb = T_bsum / B_bsum
_, se, vj = jackknife((T_bsum, B_bsum), statistic=lambda t, b: np.
sum(t) / np.sum(b))
else:
vb = moving_statistic(T, statistic=np.nanmean, size=blen)
_, se, vj = jackknife(vb, statistic=np.mean)
z = f3 / se
return f3, se, z, vb, vj
| average_patterson_f3 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(acc, aca, acb, blen, normed=True):\n T, B = patterson_f3(acc, aca, acb)\n if normed:\n f3 = np.nansum(T) / np.nansum(B)\n else:\n f3 = np.nanmean(T)\n if normed:\n T_bsum = moving_statistic(T, statistic=np.nansum, size=blen)\n B_bsum = moving_statistic(B, statistic=np.nansum, size=blen)\n vb = T_bsum / B_bsum\n _, se, vj = jackknife((T_bsum, B_bsum), statistic=lambda t, b: np.\n sum(t) / np.sum(b))\n else:\n vb = moving_statistic(T, statistic=np.nanmean, size=blen)\n _, se, vj = jackknife(vb, statistic=np.mean)\n z = f3 / se\n return f3, se, z, vb, vj\n",
"role": "user"
},
{
"content": "average_patterson_f3",
"role": "assistant"
}
] |
def x(aca, acb, acc, acd, blen):
num, den = patterson_d(aca, acb, acc, acd)
d_avg = np.nansum(num) / np.nansum(den)
num_bsum = moving_statistic(num, statistic=np.nansum, size=blen)
den_bsum = moving_statistic(den, statistic=np.nansum, size=blen)
vb = num_bsum / den_bsum
_, se, vj = jackknife((num_bsum, den_bsum), statistic=lambda n, d: np.
sum(n) / np.sum(d))
z = d_avg / se
return d_avg, se, z, vb, vj
| average_patterson_d | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(aca, acb, acc, acd, blen):\n num, den = patterson_d(aca, acb, acc, acd)\n d_avg = np.nansum(num) / np.nansum(den)\n num_bsum = moving_statistic(num, statistic=np.nansum, size=blen)\n den_bsum = moving_statistic(den, statistic=np.nansum, size=blen)\n vb = num_bsum / den_bsum\n _, se, vj = jackknife((num_bsum, den_bsum), statistic=lambda n, d: np.\n sum(n) / np.sum(d))\n z = d_avg / se\n return d_avg, se, z, vb, vj\n",
"role": "user"
},
{
"content": "average_patterson_d",
"role": "assistant"
}
] |
def x(data, chunks=None):
if chunks is None:
if hasattr(data, 'chunklen') and hasattr(data, 'shape'):
return (data.chunklen,) + data.shape[1:]
elif hasattr(data, 'chunks') and hasattr(data, 'shape') and len(data
.chunks) == len(data.shape):
return data.chunks
else:
row = np.asarray(data[0])
chunklen = max(1, 2 ** 22 // row.nbytes)
if row.shape:
chunks = (chunklen,) + row.shape
else:
chunks = chunklen,
return chunks
else:
return chunks
| get_chunks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, chunks=None):\n if chunks is None:\n if hasattr(data, 'chunklen') and hasattr(data, 'shape'):\n return (data.chunklen,) + data.shape[1:]\n elif hasattr(data, 'chunks') and hasattr(data, 'shape') and len(data\n .chunks) == len(data.shape):\n return data.chunks\n else:\n row = np.asarray(data[0])\n chunklen = max(1, 2 ** 22 // row.nbytes)\n if row.shape:\n chunks = (chunklen,) + row.shape\n else:\n chunks = chunklen,\n return chunks\n else:\n return chunks\n",
"role": "user"
},
{
"content": "get_chunks",
"role": "assistant"
}
] |
def x(path, attributes=None, region=None, score_fill=-1, phase_fill=-1,
attributes_fill='.', tabix='tabix'):
if attributes is not None:
attributes = list(attributes)
if isinstance(attributes_fill, (list, tuple)):
if len(attributes) != len(attributes_fill):
raise ValueError('number of fills does not match attributes')
else:
attributes_fill = [attributes_fill] * len(attributes)
if region is not None:
cmd = [tabix, path, region]
buffer = subprocess.Popen(cmd, stdout=subprocess.PIPE).stdout
elif path.endswith('.gz') or path.endswith('.bgz'):
buffer = gzip.open(path, mode='rb')
else:
buffer = open(path, mode='rb')
try:
for line in buffer:
if line[0] == b'>':
return
if line[0] == b'#':
continue
vals = line.split(b'\t')
if len(vals) == 9:
(fseqid, fsource, ftype, fstart, fend, fscore, fstrand,
fphase, fattrs) = vals
fstart = int(fstart)
fend = int(fend)
if fscore == b'.':
fscore = score_fill
else:
fscore = float(fscore)
if fphase == b'.':
fphase = phase_fill
else:
fphase = int(fphase)
if not PY2:
fseqid = str(fseqid, 'ascii')
fsource = str(fsource, 'ascii')
ftype = str(ftype, 'ascii')
fstrand = str(fstrand, 'ascii')
fattrs = str(fattrs, 'ascii')
rec = (fseqid, fsource, ftype, fstart, fend, fscore,
fstrand, fphase)
if attributes is not None:
dattrs = gff3_parse_attributes(fattrs)
vattrs = tuple(dattrs.get(k, f) for k, f in zip(
attributes, attributes_fill))
rec += vattrs
yield rec
finally:
buffer.close()
| iter_gff3 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, attributes=None, region=None, score_fill=-1, phase_fill=-1,\n attributes_fill='.', tabix='tabix'):\n if attributes is not None:\n attributes = list(attributes)\n if isinstance(attributes_fill, (list, tuple)):\n if len(attributes) != len(attributes_fill):\n raise ValueError('number of fills does not match attributes')\n else:\n attributes_fill = [attributes_fill] * len(attributes)\n if region is not None:\n cmd = [tabix, path, region]\n buffer = subprocess.Popen(cmd, stdout=subprocess.PIPE).stdout\n elif path.endswith('.gz') or path.endswith('.bgz'):\n buffer = gzip.open(path, mode='rb')\n else:\n buffer = open(path, mode='rb')\n try:\n for line in buffer:\n if line[0] == b'>':\n return\n if line[0] == b'#':\n continue\n vals = line.split(b'\\t')\n if len(vals) == 9:\n (fseqid, fsource, ftype, fstart, fend, fscore, fstrand,\n fphase, fattrs) = vals\n fstart = int(fstart)\n fend = int(fend)\n if fscore == b'.':\n fscore = score_fill\n else:\n fscore = float(fscore)\n if fphase == b'.':\n fphase = phase_fill\n else:\n fphase = int(fphase)\n if not PY2:\n fseqid = str(fseqid, 'ascii')\n fsource = str(fsource, 'ascii')\n ftype = str(ftype, 'ascii')\n fstrand = str(fstrand, 'ascii')\n fattrs = str(fattrs, 'ascii')\n rec = (fseqid, fsource, ftype, fstart, fend, fscore,\n fstrand, fphase)\n if attributes is not None:\n dattrs = gff3_parse_attributes(fattrs)\n vattrs = tuple(dattrs.get(k, f) for k, f in zip(\n attributes, attributes_fill))\n rec += vattrs\n yield rec\n finally:\n buffer.close()\n",
"role": "user"
},
{
"content": "iter_gff3",
"role": "assistant"
}
] |
def x(path, attributes=None, region=None, score_fill=-1, phase_fill=-1,
attributes_fill='.', tabix='tabix', dtype=None):
recs = list(iter_gff3(path, attributes=attributes, region=region,
score_fill=score_fill, phase_fill=phase_fill, attributes_fill=
attributes_fill, tabix=tabix))
if not recs:
return None
if dtype is None:
dtype = [('seqid', object), ('source', object), ('type', object), (
'start', int), ('end', int), ('score', float), ('strand',
object), ('phase', int)]
if attributes:
for n in attributes:
dtype.append((n, object))
a = np.rec.fromrecords(recs, dtype=dtype)
return a
| gff3_to_recarray | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, attributes=None, region=None, score_fill=-1, phase_fill=-1,\n attributes_fill='.', tabix='tabix', dtype=None):\n recs = list(iter_gff3(path, attributes=attributes, region=region,\n score_fill=score_fill, phase_fill=phase_fill, attributes_fill=\n attributes_fill, tabix=tabix))\n if not recs:\n return None\n if dtype is None:\n dtype = [('seqid', object), ('source', object), ('type', object), (\n 'start', int), ('end', int), ('score', float), ('strand',\n object), ('phase', int)]\n if attributes:\n for n in attributes:\n dtype.append((n, object))\n a = np.rec.fromrecords(recs, dtype=dtype)\n return a\n",
"role": "user"
},
{
"content": "gff3_to_recarray",
"role": "assistant"
}
] |
def x(path, attributes=None, region=None, score_fill=-1, phase_fill=-1,
attributes_fill='.', tabix='tabix', **kwargs):
import pandas
recs = list(iter_gff3(path, attributes=attributes, region=region,
score_fill=score_fill, phase_fill=phase_fill, attributes_fill=
attributes_fill, tabix=tabix))
columns = ['seqid', 'source', 'type', 'start', 'end', 'score', 'strand',
'phase']
if attributes:
columns += list(attributes)
df = pandas.DataFrame.from_records(recs, columns=columns, **kwargs)
return df
| gff3_to_dataframe | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, attributes=None, region=None, score_fill=-1, phase_fill=-1,\n attributes_fill='.', tabix='tabix', **kwargs):\n import pandas\n recs = list(iter_gff3(path, attributes=attributes, region=region,\n score_fill=score_fill, phase_fill=phase_fill, attributes_fill=\n attributes_fill, tabix=tabix))\n columns = ['seqid', 'source', 'type', 'start', 'end', 'score', 'strand',\n 'phase']\n if attributes:\n columns += list(attributes)\n df = pandas.DataFrame.from_records(recs, columns=columns, **kwargs)\n return df\n",
"role": "user"
},
{
"content": "gff3_to_dataframe",
"role": "assistant"
}
] |
def x(h, truncate=False):
h = HaplotypeArray(np.asarray(h), copy=False)
if h.min() < 0:
raise NotImplementedError('missing calls are not supported')
n_variants = h.n_variants
n_haplotypes = h.n_haplotypes
n_pairs = n_haplotypes * (n_haplotypes - 1) // 2
spl = pairwise_shared_prefix_lengths(memoryview_safe(np.asarray(h)))
minlength = None if truncate else n_variants + 1
b = np.bincount(spl, minlength=minlength)
c = np.cumsum(b[::-1])[:-1]
ehh = (c / n_pairs)[::-1]
return ehh
| ehh_decay | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(h, truncate=False):\n h = HaplotypeArray(np.asarray(h), copy=False)\n if h.min() < 0:\n raise NotImplementedError('missing calls are not supported')\n n_variants = h.n_variants\n n_haplotypes = h.n_haplotypes\n n_pairs = n_haplotypes * (n_haplotypes - 1) // 2\n spl = pairwise_shared_prefix_lengths(memoryview_safe(np.asarray(h)))\n minlength = None if truncate else n_variants + 1\n b = np.bincount(spl, minlength=minlength)\n c = np.cumsum(b[::-1])[:-1]\n ehh = (c / n_pairs)[::-1]\n return ehh\n",
"role": "user"
},
{
"content": "ehh_decay",
"role": "assistant"
}
] |
def x(h):
h = HaplotypeArray(np.asarray(h), copy=False)
if h.max() > 1:
raise NotImplementedError('only biallelic variants are supported')
if h.min() < 0:
raise NotImplementedError('missing calls are not supported')
indices = h.prefix_argsort()
h = np.take(h, indices, axis=1)
painting = paint_shared_prefixes(memoryview_safe(np.asarray(h)))
return painting, indices
| voight_painting | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(h):\n h = HaplotypeArray(np.asarray(h), copy=False)\n if h.max() > 1:\n raise NotImplementedError('only biallelic variants are supported')\n if h.min() < 0:\n raise NotImplementedError('missing calls are not supported')\n indices = h.prefix_argsort()\n h = np.take(h, indices, axis=1)\n painting = paint_shared_prefixes(memoryview_safe(np.asarray(h)))\n return painting, indices\n",
"role": "user"
},
{
"content": "voight_painting",
"role": "assistant"
}
] |
def x(painting, palette='colorblind', flank='right', ax=None, height_factor
=0.01):
import seaborn as sns
from matplotlib.colors import ListedColormap
import matplotlib.pyplot as plt
if flank == 'left':
painting = painting[::-1]
n_colors = painting.max()
palette = sns.color_palette(palette, n_colors)
cmap = ListedColormap(['white'] + palette)
if ax is None:
w = plt.rcParams['figure.figsize'][0]
h = height_factor * painting.shape[1]
fig, ax = plt.subplots(figsize=(w, h))
sns.despine(ax=ax, bottom=True, left=True)
ax.pcolormesh(painting.T, cmap=cmap)
ax.set_xticks([])
ax.set_yticks([])
ax.set_xlim(0, painting.shape[0])
ax.set_ylim(0, painting.shape[1])
return ax
| plot_voight_painting | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(painting, palette='colorblind', flank='right', ax=None, height_factor\n =0.01):\n import seaborn as sns\n from matplotlib.colors import ListedColormap\n import matplotlib.pyplot as plt\n if flank == 'left':\n painting = painting[::-1]\n n_colors = painting.max()\n palette = sns.color_palette(palette, n_colors)\n cmap = ListedColormap(['white'] + palette)\n if ax is None:\n w = plt.rcParams['figure.figsize'][0]\n h = height_factor * painting.shape[1]\n fig, ax = plt.subplots(figsize=(w, h))\n sns.despine(ax=ax, bottom=True, left=True)\n ax.pcolormesh(painting.T, cmap=cmap)\n ax.set_xticks([])\n ax.set_yticks([])\n ax.set_xlim(0, painting.shape[0])\n ax.set_ylim(0, painting.shape[1])\n return ax\n",
"role": "user"
},
{
"content": "plot_voight_painting",
"role": "assistant"
}
] |
def x(h, index=None, palette='colorblind', height_factor=0.01, fig=None):
import matplotlib.pyplot as plt
from matplotlib.gridspec import GridSpec
import seaborn as sns
h = asarray_ndim(h, 2)
if index is None:
index = h.shape[0] // 2
hl = h[:index + 1][::-1]
hr = h[index:]
pl, il = voight_painting(hl)
pr, ir = voight_painting(hr)
el = ehh_decay(hl, truncate=False)
er = ehh_decay(hr, truncate=False)
h_ehh = plt.rcParams['figure.figsize'][1] // 3
h_painting = height_factor * h.shape[1]
if fig is None:
w = plt.rcParams['figure.figsize'][0]
h = h_ehh + h_painting
fig = plt.figure(figsize=(w, h))
gs = GridSpec(2, 2, width_ratios=[hl.shape[0], hr.shape[0]],
height_ratios=[h_painting, h_ehh])
ax = fig.add_subplot(gs[0, 0])
sns.despine(ax=ax, left=True, bottom=True)
plot_voight_painting(pl, palette=palette, flank='left', ax=ax)
ax = fig.add_subplot(gs[0, 1])
sns.despine(ax=ax, left=True, bottom=True)
plot_voight_painting(pr, palette=palette, flank='right', ax=ax)
ax = fig.add_subplot(gs[1, 0])
sns.despine(ax=ax, offset=3)
x = np.arange(el.shape[0])
y = el
ax.fill_between(x, 0, y)
ax.set_ylim(0, 1)
ax.set_yticks([0, 1])
ax.set_ylabel('EHH')
ax.invert_xaxis()
ax = fig.add_subplot(gs[1, 1])
sns.despine(ax=ax, left=True, right=False, offset=3)
ax.yaxis.tick_right()
ax.set_ylim(0, 1)
ax.set_yticks([0, 1])
x = np.arange(er.shape[0])
y = er
ax.fill_between(x, 0, y)
fig.tight_layout()
return fig
| fig_voight_painting | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(h, index=None, palette='colorblind', height_factor=0.01, fig=None):\n import matplotlib.pyplot as plt\n from matplotlib.gridspec import GridSpec\n import seaborn as sns\n h = asarray_ndim(h, 2)\n if index is None:\n index = h.shape[0] // 2\n hl = h[:index + 1][::-1]\n hr = h[index:]\n pl, il = voight_painting(hl)\n pr, ir = voight_painting(hr)\n el = ehh_decay(hl, truncate=False)\n er = ehh_decay(hr, truncate=False)\n h_ehh = plt.rcParams['figure.figsize'][1] // 3\n h_painting = height_factor * h.shape[1]\n if fig is None:\n w = plt.rcParams['figure.figsize'][0]\n h = h_ehh + h_painting\n fig = plt.figure(figsize=(w, h))\n gs = GridSpec(2, 2, width_ratios=[hl.shape[0], hr.shape[0]],\n height_ratios=[h_painting, h_ehh])\n ax = fig.add_subplot(gs[0, 0])\n sns.despine(ax=ax, left=True, bottom=True)\n plot_voight_painting(pl, palette=palette, flank='left', ax=ax)\n ax = fig.add_subplot(gs[0, 1])\n sns.despine(ax=ax, left=True, bottom=True)\n plot_voight_painting(pr, palette=palette, flank='right', ax=ax)\n ax = fig.add_subplot(gs[1, 0])\n sns.despine(ax=ax, offset=3)\n x = np.arange(el.shape[0])\n y = el\n ax.fill_between(x, 0, y)\n ax.set_ylim(0, 1)\n ax.set_yticks([0, 1])\n ax.set_ylabel('EHH')\n ax.invert_xaxis()\n ax = fig.add_subplot(gs[1, 1])\n sns.despine(ax=ax, left=True, right=False, offset=3)\n ax.yaxis.tick_right()\n ax.set_ylim(0, 1)\n ax.set_yticks([0, 1])\n x = np.arange(er.shape[0])\n y = er\n ax.fill_between(x, 0, y)\n fig.tight_layout()\n return fig\n",
"role": "user"
},
{
"content": "fig_voight_painting",
"role": "assistant"
}
] |
def x(pos, map_pos, gap_scale, max_gap, is_accessible):
if map_pos is None:
map_pos = pos
else:
map_pos = asarray_ndim(map_pos, 1)
check_dim0_aligned(pos, map_pos)
physical_gaps = np.diff(pos)
gaps = np.diff(map_pos).astype('f8')
if is_accessible is not None:
is_accessible = asarray_ndim(is_accessible, 1)
assert is_accessible.shape[0] > pos[-1
], 'accessibility array too short'
accessible_gaps = np.zeros_like(physical_gaps)
for i in range(1, len(pos)):
n_access = np.count_nonzero(is_accessible[pos[i - 1] - 1:pos[i] -
1])
accessible_gaps[i - 1] = n_access
scaling = accessible_gaps / physical_gaps
gaps = gaps * scaling
elif gap_scale is not None and gap_scale > 0:
scaling = np.ones(gaps.shape, dtype='f8')
loc_scale = physical_gaps > gap_scale
scaling[loc_scale] = gap_scale / physical_gaps[loc_scale]
gaps = gaps * scaling
if max_gap is not None and max_gap > 0:
gaps[physical_gaps > max_gap] = -1
return gaps
| compute_ihh_gaps | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pos, map_pos, gap_scale, max_gap, is_accessible):\n if map_pos is None:\n map_pos = pos\n else:\n map_pos = asarray_ndim(map_pos, 1)\n check_dim0_aligned(pos, map_pos)\n physical_gaps = np.diff(pos)\n gaps = np.diff(map_pos).astype('f8')\n if is_accessible is not None:\n is_accessible = asarray_ndim(is_accessible, 1)\n assert is_accessible.shape[0] > pos[-1\n ], 'accessibility array too short'\n accessible_gaps = np.zeros_like(physical_gaps)\n for i in range(1, len(pos)):\n n_access = np.count_nonzero(is_accessible[pos[i - 1] - 1:pos[i] -\n 1])\n accessible_gaps[i - 1] = n_access\n scaling = accessible_gaps / physical_gaps\n gaps = gaps * scaling\n elif gap_scale is not None and gap_scale > 0:\n scaling = np.ones(gaps.shape, dtype='f8')\n loc_scale = physical_gaps > gap_scale\n scaling[loc_scale] = gap_scale / physical_gaps[loc_scale]\n gaps = gaps * scaling\n if max_gap is not None and max_gap > 0:\n gaps[physical_gaps > max_gap] = -1\n return gaps\n",
"role": "user"
},
{
"content": "compute_ihh_gaps",
"role": "assistant"
}
] |
def x(h, pos, map_pos=None, min_ehh=0.05, min_maf=0.05, include_edges=False,
gap_scale=20000, max_gap=200000, is_accessible=None, use_threads=True):
h = asarray_ndim(h, 2)
check_integer_dtype(h)
pos = asarray_ndim(pos, 1)
check_dim0_aligned(h, pos)
h = memoryview_safe(h)
pos = memoryview_safe(pos)
gaps = compute_ihh_gaps(pos, map_pos, gap_scale, max_gap, is_accessible)
kwargs = dict(min_ehh=min_ehh, min_maf=min_maf, include_edges=include_edges
)
if use_threads and multiprocessing.cpu_count() > 1:
pool = ThreadPool(2)
result_fwd = pool.apply_async(ihh01_scan, (h, gaps), kwargs)
result_rev = pool.apply_async(ihh01_scan, (h[::-1], gaps[::-1]), kwargs
)
pool.close()
pool.join()
ihh0_fwd, ihh1_fwd = result_fwd.get()
ihh0_rev, ihh1_rev = result_rev.get()
pool.terminate()
else:
ihh0_fwd, ihh1_fwd = ihh01_scan(h, gaps, **kwargs)
ihh0_rev, ihh1_rev = ihh01_scan(h[::-1], gaps[::-1], **kwargs)
ihh0_rev = ihh0_rev[::-1]
ihh1_rev = ihh1_rev[::-1]
ihh0 = ihh0_fwd + ihh0_rev
ihh1 = ihh1_fwd + ihh1_rev
score = np.log(ihh1 / ihh0)
return score
| ihs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(h, pos, map_pos=None, min_ehh=0.05, min_maf=0.05, include_edges=False,\n gap_scale=20000, max_gap=200000, is_accessible=None, use_threads=True):\n h = asarray_ndim(h, 2)\n check_integer_dtype(h)\n pos = asarray_ndim(pos, 1)\n check_dim0_aligned(h, pos)\n h = memoryview_safe(h)\n pos = memoryview_safe(pos)\n gaps = compute_ihh_gaps(pos, map_pos, gap_scale, max_gap, is_accessible)\n kwargs = dict(min_ehh=min_ehh, min_maf=min_maf, include_edges=include_edges\n )\n if use_threads and multiprocessing.cpu_count() > 1:\n pool = ThreadPool(2)\n result_fwd = pool.apply_async(ihh01_scan, (h, gaps), kwargs)\n result_rev = pool.apply_async(ihh01_scan, (h[::-1], gaps[::-1]), kwargs\n )\n pool.close()\n pool.join()\n ihh0_fwd, ihh1_fwd = result_fwd.get()\n ihh0_rev, ihh1_rev = result_rev.get()\n pool.terminate()\n else:\n ihh0_fwd, ihh1_fwd = ihh01_scan(h, gaps, **kwargs)\n ihh0_rev, ihh1_rev = ihh01_scan(h[::-1], gaps[::-1], **kwargs)\n ihh0_rev = ihh0_rev[::-1]\n ihh1_rev = ihh1_rev[::-1]\n ihh0 = ihh0_fwd + ihh0_rev\n ihh1 = ihh1_fwd + ihh1_rev\n score = np.log(ihh1 / ihh0)\n return score\n",
"role": "user"
},
{
"content": "ihs",
"role": "assistant"
}
] |
def x(h1, h2, pos, map_pos=None, min_ehh=0.05, include_edges=False,
gap_scale=20000, max_gap=200000, is_accessible=None, use_threads=True):
h1 = asarray_ndim(h1, 2)
check_integer_dtype(h1)
h2 = asarray_ndim(h2, 2)
check_integer_dtype(h2)
pos = asarray_ndim(pos, 1)
check_dim0_aligned(h1, h2, pos)
h1 = memoryview_safe(h1)
h2 = memoryview_safe(h2)
pos = memoryview_safe(pos)
gaps = compute_ihh_gaps(pos, map_pos, gap_scale, max_gap, is_accessible)
kwargs = dict(min_ehh=min_ehh, include_edges=include_edges)
if use_threads and multiprocessing.cpu_count() > 1:
pool = ThreadPool(min(4, multiprocessing.cpu_count()))
res1_fwd = pool.apply_async(ihh_scan, (h1, gaps), kwargs)
res2_fwd = pool.apply_async(ihh_scan, (h2, gaps), kwargs)
res1_rev = pool.apply_async(ihh_scan, (h1[::-1], gaps[::-1]), kwargs)
res2_rev = pool.apply_async(ihh_scan, (h2[::-1], gaps[::-1]), kwargs)
pool.close()
pool.join()
ihh1_fwd = res1_fwd.get()
ihh2_fwd = res2_fwd.get()
ihh1_rev = res1_rev.get()
ihh2_rev = res2_rev.get()
pool.terminate()
else:
ihh1_fwd = ihh_scan(h1, gaps, **kwargs)
ihh2_fwd = ihh_scan(h2, gaps, **kwargs)
ihh1_rev = ihh_scan(h1[::-1], gaps[::-1], **kwargs)
ihh2_rev = ihh_scan(h2[::-1], gaps[::-1], **kwargs)
ihh1_rev = ihh1_rev[::-1]
ihh2_rev = ihh2_rev[::-1]
ihh1 = ihh1_fwd + ihh1_rev
ihh2 = ihh2_fwd + ihh2_rev
score = np.log(ihh1 / ihh2)
return score
| xpehh | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(h1, h2, pos, map_pos=None, min_ehh=0.05, include_edges=False,\n gap_scale=20000, max_gap=200000, is_accessible=None, use_threads=True):\n h1 = asarray_ndim(h1, 2)\n check_integer_dtype(h1)\n h2 = asarray_ndim(h2, 2)\n check_integer_dtype(h2)\n pos = asarray_ndim(pos, 1)\n check_dim0_aligned(h1, h2, pos)\n h1 = memoryview_safe(h1)\n h2 = memoryview_safe(h2)\n pos = memoryview_safe(pos)\n gaps = compute_ihh_gaps(pos, map_pos, gap_scale, max_gap, is_accessible)\n kwargs = dict(min_ehh=min_ehh, include_edges=include_edges)\n if use_threads and multiprocessing.cpu_count() > 1:\n pool = ThreadPool(min(4, multiprocessing.cpu_count()))\n res1_fwd = pool.apply_async(ihh_scan, (h1, gaps), kwargs)\n res2_fwd = pool.apply_async(ihh_scan, (h2, gaps), kwargs)\n res1_rev = pool.apply_async(ihh_scan, (h1[::-1], gaps[::-1]), kwargs)\n res2_rev = pool.apply_async(ihh_scan, (h2[::-1], gaps[::-1]), kwargs)\n pool.close()\n pool.join()\n ihh1_fwd = res1_fwd.get()\n ihh2_fwd = res2_fwd.get()\n ihh1_rev = res1_rev.get()\n ihh2_rev = res2_rev.get()\n pool.terminate()\n else:\n ihh1_fwd = ihh_scan(h1, gaps, **kwargs)\n ihh2_fwd = ihh_scan(h2, gaps, **kwargs)\n ihh1_rev = ihh_scan(h1[::-1], gaps[::-1], **kwargs)\n ihh2_rev = ihh_scan(h2[::-1], gaps[::-1], **kwargs)\n ihh1_rev = ihh1_rev[::-1]\n ihh2_rev = ihh2_rev[::-1]\n ihh1 = ihh1_fwd + ihh1_rev\n ihh2 = ihh2_fwd + ihh2_rev\n score = np.log(ihh1 / ihh2)\n return score\n",
"role": "user"
},
{
"content": "xpehh",
"role": "assistant"
}
] |
def x(h, use_threads=True):
h = asarray_ndim(h, 2)
check_integer_dtype(h)
h = memoryview_safe(h)
if use_threads and multiprocessing.cpu_count() > 1:
pool = ThreadPool(2)
result_fwd = pool.apply_async(nsl01_scan, args=(h,))
result_rev = pool.apply_async(nsl01_scan, args=(h[::-1],))
pool.close()
pool.join()
nsl0_fwd, nsl1_fwd = result_fwd.get()
nsl0_rev, nsl1_rev = result_rev.get()
else:
nsl0_fwd, nsl1_fwd = nsl01_scan(h)
nsl0_rev, nsl1_rev = nsl01_scan(h[::-1])
nsl0_rev = nsl0_rev[::-1]
nsl1_rev = nsl1_rev[::-1]
nsl0 = nsl0_fwd + nsl0_rev
nsl1 = nsl1_fwd + nsl1_rev
score = np.log(nsl1 / nsl0)
return score
| nsl | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(h, use_threads=True):\n h = asarray_ndim(h, 2)\n check_integer_dtype(h)\n h = memoryview_safe(h)\n if use_threads and multiprocessing.cpu_count() > 1:\n pool = ThreadPool(2)\n result_fwd = pool.apply_async(nsl01_scan, args=(h,))\n result_rev = pool.apply_async(nsl01_scan, args=(h[::-1],))\n pool.close()\n pool.join()\n nsl0_fwd, nsl1_fwd = result_fwd.get()\n nsl0_rev, nsl1_rev = result_rev.get()\n else:\n nsl0_fwd, nsl1_fwd = nsl01_scan(h)\n nsl0_rev, nsl1_rev = nsl01_scan(h[::-1])\n nsl0_rev = nsl0_rev[::-1]\n nsl1_rev = nsl1_rev[::-1]\n nsl0 = nsl0_fwd + nsl0_rev\n nsl1 = nsl1_fwd + nsl1_rev\n score = np.log(nsl1 / nsl0)\n return score\n",
"role": "user"
},
{
"content": "nsl",
"role": "assistant"
}
] |
def x(h1, h2, use_threads=True):
h1 = asarray_ndim(h1, 2)
check_integer_dtype(h1)
h2 = asarray_ndim(h2, 2)
check_integer_dtype(h2)
check_dim0_aligned(h1, h2)
h1 = memoryview_safe(h1)
h2 = memoryview_safe(h2)
if use_threads and multiprocessing.cpu_count() > 1:
pool = ThreadPool(min(4, multiprocessing.cpu_count()))
res1_fwd = pool.apply_async(nsl_scan, args=(h1,))
res2_fwd = pool.apply_async(nsl_scan, args=(h2,))
res1_rev = pool.apply_async(nsl_scan, args=(h1[::-1],))
res2_rev = pool.apply_async(nsl_scan, args=(h2[::-1],))
pool.close()
pool.join()
nsl1_fwd = res1_fwd.get()
nsl2_fwd = res2_fwd.get()
nsl1_rev = res1_rev.get()
nsl2_rev = res2_rev.get()
pool.terminate()
else:
nsl1_fwd = nsl_scan(h1)
nsl2_fwd = nsl_scan(h2)
nsl1_rev = nsl_scan(h1[::-1])
nsl2_rev = nsl_scan(h2[::-1])
nsl1_rev = nsl1_rev[::-1]
nsl2_rev = nsl2_rev[::-1]
nsl1 = nsl1_fwd + nsl1_rev
nsl2 = nsl2_fwd + nsl2_rev
score = np.log(nsl1 / nsl2)
return score
| xpnsl | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(h1, h2, use_threads=True):\n h1 = asarray_ndim(h1, 2)\n check_integer_dtype(h1)\n h2 = asarray_ndim(h2, 2)\n check_integer_dtype(h2)\n check_dim0_aligned(h1, h2)\n h1 = memoryview_safe(h1)\n h2 = memoryview_safe(h2)\n if use_threads and multiprocessing.cpu_count() > 1:\n pool = ThreadPool(min(4, multiprocessing.cpu_count()))\n res1_fwd = pool.apply_async(nsl_scan, args=(h1,))\n res2_fwd = pool.apply_async(nsl_scan, args=(h2,))\n res1_rev = pool.apply_async(nsl_scan, args=(h1[::-1],))\n res2_rev = pool.apply_async(nsl_scan, args=(h2[::-1],))\n pool.close()\n pool.join()\n nsl1_fwd = res1_fwd.get()\n nsl2_fwd = res2_fwd.get()\n nsl1_rev = res1_rev.get()\n nsl2_rev = res2_rev.get()\n pool.terminate()\n else:\n nsl1_fwd = nsl_scan(h1)\n nsl2_fwd = nsl_scan(h2)\n nsl1_rev = nsl_scan(h1[::-1])\n nsl2_rev = nsl_scan(h2[::-1])\n nsl1_rev = nsl1_rev[::-1]\n nsl2_rev = nsl2_rev[::-1]\n nsl1 = nsl1_fwd + nsl1_rev\n nsl2 = nsl2_fwd + nsl2_rev\n score = np.log(nsl1 / nsl2)\n return score\n",
"role": "user"
},
{
"content": "xpnsl",
"role": "assistant"
}
] |
def x(h):
h = HaplotypeArray(h, copy=False)
n = h.n_haplotypes
f = h.distinct_frequencies()
hd = (1 - np.sum(f ** 2)) * n / (n - 1)
return hd
| haplotype_diversity | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(h):\n h = HaplotypeArray(h, copy=False)\n n = h.n_haplotypes\n f = h.distinct_frequencies()\n hd = (1 - np.sum(f ** 2)) * n / (n - 1)\n return hd\n",
"role": "user"
},
{
"content": "haplotype_diversity",
"role": "assistant"
}
] |
def x(h, size, start=0, stop=None, step=None):
hd = moving_statistic(values=h, statistic=haplotype_diversity, size=
size, start=start, stop=stop, step=step)
return hd
| moving_haplotype_diversity | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(h, size, start=0, stop=None, step=None):\n hd = moving_statistic(values=h, statistic=haplotype_diversity, size=\n size, start=start, stop=stop, step=step)\n return hd\n",
"role": "user"
},
{
"content": "moving_haplotype_diversity",
"role": "assistant"
}
] |
def x(h):
h = HaplotypeArray(h, copy=False)
f = h.distinct_frequencies()
h1 = np.sum(f ** 2)
h12 = np.sum(f[:2]) ** 2 + np.sum(f[2:] ** 2)
h123 = np.sum(f[:3]) ** 2 + np.sum(f[3:] ** 2)
h2 = h1 - f[0] ** 2
h2_h1 = h2 / h1
return h1, h12, h123, h2_h1
| garud_h | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(h):\n h = HaplotypeArray(h, copy=False)\n f = h.distinct_frequencies()\n h1 = np.sum(f ** 2)\n h12 = np.sum(f[:2]) ** 2 + np.sum(f[2:] ** 2)\n h123 = np.sum(f[:3]) ** 2 + np.sum(f[3:] ** 2)\n h2 = h1 - f[0] ** 2\n h2_h1 = h2 / h1\n return h1, h12, h123, h2_h1\n",
"role": "user"
},
{
"content": "garud_h",
"role": "assistant"
}
] |
def x(h, size, start=0, stop=None, step=None):
gh = moving_statistic(values=h, statistic=garud_h, size=size, start=
start, stop=stop, step=step)
h1 = gh[:, 0]
h12 = gh[:, 1]
h123 = gh[:, 2]
h2_h1 = gh[:, 3]
return h1, h12, h123, h2_h1
| moving_garud_h | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(h, size, start=0, stop=None, step=None):\n gh = moving_statistic(values=h, statistic=garud_h, size=size, start=\n start, stop=stop, step=step)\n h1 = gh[:, 0]\n h12 = gh[:, 1]\n h123 = gh[:, 2]\n h2_h1 = gh[:, 3]\n return h1, h12, h123, h2_h1\n",
"role": "user"
},
{
"content": "moving_garud_h",
"role": "assistant"
}
] |
def x(h, palette='Paired', singleton_color='w', ax=None):
import matplotlib.pyplot as plt
import seaborn as sns
h = HaplotypeArray(h, copy=False)
if ax is None:
width = plt.rcParams['figure.figsize'][0]
height = width / 10
fig, ax = plt.subplots(figsize=(width, height))
sns.despine(ax=ax, left=True)
hc = h.distinct_counts()
n_colors = np.count_nonzero(hc > 1)
palette = sns.color_palette(palette, n_colors)
x1 = 0
for i, c in enumerate(hc):
x2 = x1 + c
if c > 1:
color = palette[i]
else:
color = singleton_color
ax.axvspan(x1, x2, color=color)
x1 = x2
ax.set_xlim(0, h.shape[1])
ax.set_yticks([])
return ax
| plot_haplotype_frequencies | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(h, palette='Paired', singleton_color='w', ax=None):\n import matplotlib.pyplot as plt\n import seaborn as sns\n h = HaplotypeArray(h, copy=False)\n if ax is None:\n width = plt.rcParams['figure.figsize'][0]\n height = width / 10\n fig, ax = plt.subplots(figsize=(width, height))\n sns.despine(ax=ax, left=True)\n hc = h.distinct_counts()\n n_colors = np.count_nonzero(hc > 1)\n palette = sns.color_palette(palette, n_colors)\n x1 = 0\n for i, c in enumerate(hc):\n x2 = x1 + c\n if c > 1:\n color = palette[i]\n else:\n color = singleton_color\n ax.axvspan(x1, x2, color=color)\n x1 = x2\n ax.set_xlim(0, h.shape[1])\n ax.set_yticks([])\n return ax\n",
"role": "user"
},
{
"content": "plot_haplotype_frequencies",
"role": "assistant"
}
] |
def x(h, size, start=0, stop=None):
windows = np.asarray(list(index_windows(h, size=size, start=start, stop
=stop, step=None)))
hr = np.zeros((windows.shape[0], h.shape[1]), dtype='i4')
for i, (window_start, window_stop) in enumerate(windows):
hw = h[window_start:window_stop]
hc = hw.distinct_counts()
hc.sort()
hc = hc[::-1]
cp = 0
for j, c in enumerate(hc):
if c > 1:
hr[i, cp:cp + c] = j + 1
cp += c
return hr
| moving_hfs_rank | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(h, size, start=0, stop=None):\n windows = np.asarray(list(index_windows(h, size=size, start=start, stop\n =stop, step=None)))\n hr = np.zeros((windows.shape[0], h.shape[1]), dtype='i4')\n for i, (window_start, window_stop) in enumerate(windows):\n hw = h[window_start:window_stop]\n hc = hw.distinct_counts()\n hc.sort()\n hc = hc[::-1]\n cp = 0\n for j, c in enumerate(hc):\n if c > 1:\n hr[i, cp:cp + c] = j + 1\n cp += c\n return hr\n",
"role": "user"
},
{
"content": "moving_hfs_rank",
"role": "assistant"
}
] |
def x(pos, h, size, start=0, stop=None, n=None, palette='Paired',
singleton_color='w', ax=None):
import matplotlib as mpl
import matplotlib.pyplot as plt
import seaborn as sns
if ax is None:
fig, ax = plt.subplots()
hr = moving_hfs_rank(h, size=size, start=start, stop=stop)
if n:
hr[hr > n] = 0
windows = moving_statistic(pos, statistic=lambda v: (v[0], v[-1]), size
=size, start=start, stop=stop)
colors = [singleton_color] + sns.color_palette(palette, n_colors=hr.max())
cmap = mpl.colors.ListedColormap(colors)
x = np.append(windows[:, 0], windows[-1, -1])
y = np.arange(h.shape[1] + 1)
ax.pcolormesh(x, y, hr.T, cmap=cmap)
ax.set_xlim(windows[0, 0], windows[-1, -1])
ax.set_ylim(0, h.shape[1])
ax.set_ylabel('haplotype count')
ax.set_xlabel('position (bp)')
return ax
| plot_moving_haplotype_frequencies | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pos, h, size, start=0, stop=None, n=None, palette='Paired',\n singleton_color='w', ax=None):\n import matplotlib as mpl\n import matplotlib.pyplot as plt\n import seaborn as sns\n if ax is None:\n fig, ax = plt.subplots()\n hr = moving_hfs_rank(h, size=size, start=start, stop=stop)\n if n:\n hr[hr > n] = 0\n windows = moving_statistic(pos, statistic=lambda v: (v[0], v[-1]), size\n =size, start=start, stop=stop)\n colors = [singleton_color] + sns.color_palette(palette, n_colors=hr.max())\n cmap = mpl.colors.ListedColormap(colors)\n x = np.append(windows[:, 0], windows[-1, -1])\n y = np.arange(h.shape[1] + 1)\n ax.pcolormesh(x, y, hr.T, cmap=cmap)\n ax.set_xlim(windows[0, 0], windows[-1, -1])\n ax.set_ylim(0, h.shape[1])\n ax.set_ylabel('haplotype count')\n ax.set_xlabel('position (bp)')\n return ax\n",
"role": "user"
},
{
"content": "plot_moving_haplotype_frequencies",
"role": "assistant"
}
] |
def x(ac1, ac2, size, start=0, stop=None, step=None):
d1 = moving_tajima_d(ac1, size=size, start=start, stop=stop, step=step)
d2 = moving_tajima_d(ac2, size=size, start=start, stop=stop, step=step)
delta = d1 - d2
delta_z = (delta - np.mean(delta)) / np.std(delta)
return delta_z
| moving_delta_tajima_d | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ac1, ac2, size, start=0, stop=None, step=None):\n d1 = moving_tajima_d(ac1, size=size, start=start, stop=stop, step=step)\n d2 = moving_tajima_d(ac2, size=size, start=start, stop=stop, step=step)\n delta = d1 - d2\n delta_z = (delta - np.mean(delta)) / np.std(delta)\n return delta_z\n",
"role": "user"
},
{
"content": "moving_delta_tajima_d",
"role": "assistant"
}
] |
def x(x, n):
y = np.array(x).flatten()
y.sort()
bins = [y[0]]
step = len(y) // n
for i in range(step, len(y), step):
v = y[i]
if v > bins[-1]:
bins.append(v)
bins[-1] = y[-1]
return np.array(bins)
| make_similar_sized_bins | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, n):\n y = np.array(x).flatten()\n y.sort()\n bins = [y[0]]\n step = len(y) // n\n for i in range(step, len(y), step):\n v = y[i]\n if v > bins[-1]:\n bins.append(v)\n bins[-1] = y[-1]\n return np.array(bins)\n",
"role": "user"
},
{
"content": "make_similar_sized_bins",
"role": "assistant"
}
] |
def x(score):
score = asarray_ndim(score, 1)
return (score - np.nanmean(score)) / np.nanstd(score)
| standardize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(score):\n score = asarray_ndim(score, 1)\n return (score - np.nanmean(score)) / np.nanstd(score)\n",
"role": "user"
},
{
"content": "standardize",
"role": "assistant"
}
] |
def x(score, aac, bins=None, n_bins=None, diagnostics=True):
from scipy.stats import binned_statistic
score = asarray_ndim(score, 1)
aac = asarray_ndim(aac, 1)
check_dim0_aligned(score, aac)
nonan = ~np.isnan(score)
score_nonan = score[nonan]
aac_nonan = aac[nonan]
if bins is None:
if n_bins is None:
n_bins = np.max(aac) // 2
bins = make_similar_sized_bins(aac_nonan, n_bins)
else:
bins = asarray_ndim(bins, 1)
mean_score, _, _ = binned_statistic(aac_nonan, score_nonan, statistic=
np.mean, bins=bins)
std_score, _, _ = binned_statistic(aac_nonan, score_nonan, statistic=np
.std, bins=bins)
if diagnostics:
import matplotlib.pyplot as plt
x = (bins[:-1] + bins[1:]) / 2
plt.figure()
plt.fill_between(x, mean_score - std_score, mean_score + std_score,
alpha=0.5, label='std')
plt.plot(x, mean_score, marker='o', label='mean')
plt.grid(axis='y')
plt.xlabel('Alternate allele count')
plt.ylabel('Unstandardized score')
plt.title('Standardization diagnostics')
plt.legend()
score_standardized = np.empty_like(score)
for i in range(len(bins) - 1):
x1 = bins[i]
x2 = bins[i + 1]
if i == 0:
loc = aac < x2
elif i == len(bins) - 2:
loc = aac >= x1
else:
loc = (aac >= x1) & (aac < x2)
m = mean_score[i]
s = std_score[i]
score_standardized[loc] = (score[loc] - m) / s
return score_standardized, bins
| standardize_by_allele_count | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(score, aac, bins=None, n_bins=None, diagnostics=True):\n from scipy.stats import binned_statistic\n score = asarray_ndim(score, 1)\n aac = asarray_ndim(aac, 1)\n check_dim0_aligned(score, aac)\n nonan = ~np.isnan(score)\n score_nonan = score[nonan]\n aac_nonan = aac[nonan]\n if bins is None:\n if n_bins is None:\n n_bins = np.max(aac) // 2\n bins = make_similar_sized_bins(aac_nonan, n_bins)\n else:\n bins = asarray_ndim(bins, 1)\n mean_score, _, _ = binned_statistic(aac_nonan, score_nonan, statistic=\n np.mean, bins=bins)\n std_score, _, _ = binned_statistic(aac_nonan, score_nonan, statistic=np\n .std, bins=bins)\n if diagnostics:\n import matplotlib.pyplot as plt\n x = (bins[:-1] + bins[1:]) / 2\n plt.figure()\n plt.fill_between(x, mean_score - std_score, mean_score + std_score,\n alpha=0.5, label='std')\n plt.plot(x, mean_score, marker='o', label='mean')\n plt.grid(axis='y')\n plt.xlabel('Alternate allele count')\n plt.ylabel('Unstandardized score')\n plt.title('Standardization diagnostics')\n plt.legend()\n score_standardized = np.empty_like(score)\n for i in range(len(bins) - 1):\n x1 = bins[i]\n x2 = bins[i + 1]\n if i == 0:\n loc = aac < x2\n elif i == len(bins) - 2:\n loc = aac >= x1\n else:\n loc = (aac >= x1) & (aac < x2)\n m = mean_score[i]\n s = std_score[i]\n score_standardized[loc] = (score[loc] - m) / s\n return score_standardized, bins\n",
"role": "user"
},
{
"content": "standardize_by_allele_count",
"role": "assistant"
}
] |
def x(ac1, ac2, ac3, window_size, window_start=0, window_stop=None,
window_step=None, normed=True):
ac1 = AlleleCountsArray(ac1)
ac2 = AlleleCountsArray(ac2)
ac3 = AlleleCountsArray(ac3)
check_dim0_aligned(ac1, ac2, ac3)
fst12 = moving_hudson_fst(ac1, ac2, size=window_size, start=
window_start, stop=window_stop, step=window_step)
fst13 = moving_hudson_fst(ac1, ac3, size=window_size, start=
window_start, stop=window_stop, step=window_step)
fst23 = moving_hudson_fst(ac2, ac3, size=window_size, start=
window_start, stop=window_stop, step=window_step)
for x in (fst12, fst13, fst23):
np.clip(x, a_min=0, a_max=0.99999, out=x)
t12 = -np.log(1 - fst12)
t13 = -np.log(1 - fst13)
t23 = -np.log(1 - fst23)
ret = (t12 + t13 - t23) / 2
if normed:
norm = 1 + (t12 + t13 + t23) / 2
ret = ret / norm
return ret
| pbs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ac1, ac2, ac3, window_size, window_start=0, window_stop=None,\n window_step=None, normed=True):\n ac1 = AlleleCountsArray(ac1)\n ac2 = AlleleCountsArray(ac2)\n ac3 = AlleleCountsArray(ac3)\n check_dim0_aligned(ac1, ac2, ac3)\n fst12 = moving_hudson_fst(ac1, ac2, size=window_size, start=\n window_start, stop=window_stop, step=window_step)\n fst13 = moving_hudson_fst(ac1, ac3, size=window_size, start=\n window_start, stop=window_stop, step=window_step)\n fst23 = moving_hudson_fst(ac2, ac3, size=window_size, start=\n window_start, stop=window_stop, step=window_step)\n for x in (fst12, fst13, fst23):\n np.clip(x, a_min=0, a_max=0.99999, out=x)\n t12 = -np.log(1 - fst12)\n t13 = -np.log(1 - fst13)\n t23 = -np.log(1 - fst23)\n ret = (t12 + t13 - t23) / 2\n if normed:\n norm = 1 + (t12 + t13 + t23) / 2\n ret = ret / norm\n return ret\n",
"role": "user"
},
{
"content": "pbs",
"role": "assistant"
}
] |
def x(values, statistic, size, start=0, stop=None, step=None, **kwargs):
windows = index_windows(values, size, start, stop, step)
out = np.array([statistic(values[i:j], **kwargs) for i, j in windows])
return out
| moving_statistic | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(values, statistic, size, start=0, stop=None, step=None, **kwargs):\n windows = index_windows(values, size, start, stop, step)\n out = np.array([statistic(values[i:j], **kwargs) for i, j in windows])\n return out\n",
"role": "user"
},
{
"content": "moving_statistic",
"role": "assistant"
}
] |
def x(values, size, start, stop, step):
if stop is None:
stop = len(values)
if step is None:
step = size
for window_start in range(start, stop, step):
window_stop = window_start + size
if window_stop > stop:
return
yield window_start, window_stop
| index_windows | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(values, size, start, stop, step):\n if stop is None:\n stop = len(values)\n if step is None:\n step = size\n for window_start in range(start, stop, step):\n window_stop = window_start + size\n if window_stop > stop:\n return\n yield window_start, window_stop\n",
"role": "user"
},
{
"content": "index_windows",
"role": "assistant"
}
] |
def x(pos, size, start, stop, step):
last = False
if start is None:
start = pos[0]
if stop is None:
stop = pos[-1]
if step is None:
step = size
windows = []
for window_start in range(start, stop, step):
window_stop = window_start + size
if window_stop >= stop:
window_stop = stop
last = True
else:
window_stop -= 1
windows.append([window_start, window_stop])
if last:
break
return np.asarray(windows)
| position_windows | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pos, size, start, stop, step):\n last = False\n if start is None:\n start = pos[0]\n if stop is None:\n stop = pos[-1]\n if step is None:\n step = size\n windows = []\n for window_start in range(start, stop, step):\n window_stop = window_start + size\n if window_stop >= stop:\n window_stop = stop\n last = True\n else:\n window_stop -= 1\n windows.append([window_start, window_stop])\n if last:\n break\n return np.asarray(windows)\n",
"role": "user"
},
{
"content": "position_windows",
"role": "assistant"
}
] |
def x(pos, windows):
start_locs = np.searchsorted(pos, windows[:, 0])
stop_locs = np.searchsorted(pos, windows[:, 1], side='right')
locs = np.column_stack((start_locs, stop_locs))
return locs
| window_locations | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pos, windows):\n start_locs = np.searchsorted(pos, windows[:, 0])\n stop_locs = np.searchsorted(pos, windows[:, 1], side='right')\n locs = np.column_stack((start_locs, stop_locs))\n return locs\n",
"role": "user"
},
{
"content": "window_locations",
"role": "assistant"
}
] |
def x(pos, size=None, start=None, stop=None, step=None, windows=None):
if not isinstance(pos, SortedIndex):
pos = SortedIndex(pos, copy=False)
if windows is None:
windows = position_windows(pos, size, start, stop, step)
else:
windows = asarray_ndim(windows, 2)
locs = window_locations(pos, windows)
counts = np.diff(locs, axis=1).reshape(-1)
return counts, windows
| windowed_count | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pos, size=None, start=None, stop=None, step=None, windows=None):\n if not isinstance(pos, SortedIndex):\n pos = SortedIndex(pos, copy=False)\n if windows is None:\n windows = position_windows(pos, size, start, stop, step)\n else:\n windows = asarray_ndim(windows, 2)\n locs = window_locations(pos, windows)\n counts = np.diff(locs, axis=1).reshape(-1)\n return counts, windows\n",
"role": "user"
},
{
"content": "windowed_count",
"role": "assistant"
}
] |
def x(pos, values, statistic, size=None, start=None, stop=None, step=None,
windows=None, fill=np.nan):
if not isinstance(pos, SortedIndex):
pos = SortedIndex(pos, copy=False)
if isinstance(values, tuple):
check_equal_length(pos, *values)
else:
check_equal_length(pos, values)
if windows is None:
windows = position_windows(pos, size, start, stop, step)
else:
windows = asarray_ndim(windows, 2)
locs = window_locations(pos, windows)
out = []
counts = []
for start_idx, stop_idx in locs:
n = stop_idx - start_idx
if n == 0:
s = fill
elif isinstance(values, tuple):
wv = [v[start_idx:stop_idx] for v in values]
s = statistic(*wv)
else:
wv = values[start_idx:stop_idx]
s = statistic(wv)
out.append(s)
counts.append(n)
return np.asarray(out), windows, np.asarray(counts)
| windowed_statistic | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pos, values, statistic, size=None, start=None, stop=None, step=None,\n windows=None, fill=np.nan):\n if not isinstance(pos, SortedIndex):\n pos = SortedIndex(pos, copy=False)\n if isinstance(values, tuple):\n check_equal_length(pos, *values)\n else:\n check_equal_length(pos, values)\n if windows is None:\n windows = position_windows(pos, size, start, stop, step)\n else:\n windows = asarray_ndim(windows, 2)\n locs = window_locations(pos, windows)\n out = []\n counts = []\n for start_idx, stop_idx in locs:\n n = stop_idx - start_idx\n if n == 0:\n s = fill\n elif isinstance(values, tuple):\n wv = [v[start_idx:stop_idx] for v in values]\n s = statistic(*wv)\n else:\n wv = values[start_idx:stop_idx]\n s = statistic(wv)\n out.append(s)\n counts.append(n)\n return np.asarray(out), windows, np.asarray(counts)\n",
"role": "user"
},
{
"content": "windowed_statistic",
"role": "assistant"
}
] |
def x(x, windows, is_accessible=None, fill=np.nan):
if is_accessible is None:
n_bases = np.diff(windows, axis=1).reshape(-1) + 1
else:
n_bases = np.array([np.count_nonzero(is_accessible[i - 1:j]) for i,
j in windows])
if x.ndim == 1:
pass
elif x.ndim == 2:
n_bases = n_bases[:, None]
else:
raise NotImplementedError('only arrays of 1 or 2 dimensions supported')
with ignore_invalid():
y = np.where(n_bases > 0, x / n_bases, fill)
if n_bases.ndim > 1:
n_bases = n_bases.reshape(-1)
return y, n_bases
| per_base | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, windows, is_accessible=None, fill=np.nan):\n if is_accessible is None:\n n_bases = np.diff(windows, axis=1).reshape(-1) + 1\n else:\n n_bases = np.array([np.count_nonzero(is_accessible[i - 1:j]) for i,\n j in windows])\n if x.ndim == 1:\n pass\n elif x.ndim == 2:\n n_bases = n_bases[:, None]\n else:\n raise NotImplementedError('only arrays of 1 or 2 dimensions supported')\n with ignore_invalid():\n y = np.where(n_bases > 0, x / n_bases, fill)\n if n_bases.ndim > 1:\n n_bases = n_bases.reshape(-1)\n return y, n_bases\n",
"role": "user"
},
{
"content": "per_base",
"role": "assistant"
}
] |
def x(is_accessible, size, start=0, stop=None, step=None):
pos_accessible, = np.nonzero(is_accessible)
pos_accessible += 1
if start:
pos_accessible = pos_accessible[pos_accessible >= start]
if stop:
pos_accessible = pos_accessible[pos_accessible <= stop]
windows = moving_statistic(pos_accessible, lambda v: [v[0], v[-1]],
size=size, step=step)
return windows
| equally_accessible_windows | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(is_accessible, size, start=0, stop=None, step=None):\n pos_accessible, = np.nonzero(is_accessible)\n pos_accessible += 1\n if start:\n pos_accessible = pos_accessible[pos_accessible >= start]\n if stop:\n pos_accessible = pos_accessible[pos_accessible <= stop]\n windows = moving_statistic(pos_accessible, lambda v: [v[0], v[-1]],\n size=size, step=step)\n return windows\n",
"role": "user"
},
{
"content": "equally_accessible_windows",
"role": "assistant"
}
] |
def x(context, obj):
if context['user'].has_perm('attachments.add_attachment'):
return {'form': AttachmentForm(), 'form_url': add_url_for_obj(obj),
'next': context.request.build_absolute_uri()}
else:
return {'form': None}
| attachment_form | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context, obj):\n if context['user'].has_perm('attachments.add_attachment'):\n return {'form': AttachmentForm(), 'form_url': add_url_for_obj(obj),\n 'next': context.request.build_absolute_uri()}\n else:\n return {'form': None}\n",
"role": "user"
},
{
"content": "attachment_form",
"role": "assistant"
}
] |
def x(context, attachment):
if context['user'].has_perm('attachments.delete_foreign_attachments'
) or context['user'] == attachment.creator and context['user'
].has_perm('attachments.delete_attachment'):
return {'next': context.request.build_absolute_uri(), 'delete_url':
reverse('attachments:delete', kwargs={'attachment_pk':
attachment.pk})}
return {'delete_url': None}
| attachment_delete_link | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context, attachment):\n if context['user'].has_perm('attachments.delete_foreign_attachments'\n ) or context['user'] == attachment.creator and context['user'\n ].has_perm('attachments.delete_attachment'):\n return {'next': context.request.build_absolute_uri(), 'delete_url':\n reverse('attachments:delete', kwargs={'attachment_pk':\n attachment.pk})}\n return {'delete_url': None}\n",
"role": "user"
},
{
"content": "attachment_delete_link",
"role": "assistant"
}
] |
def x(instance, filename):
return 'attachments/{app}_{model}/{pk}/{filename}'.format(app=instance.
content_object._meta.app_label, model=instance.content_object._meta
.object_name.lower(), pk=instance.content_object.pk, filename=filename)
| attachment_upload | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(instance, filename):\n return 'attachments/{app}_{model}/{pk}/{filename}'.format(app=instance.\n content_object._meta.app_label, model=instance.content_object._meta\n .object_name.lower(), pk=instance.content_object.pk, filename=filename)\n",
"role": "user"
},
{
"content": "attachment_upload",
"role": "assistant"
}
] |
def x(self, blocking=True, output_file=None, enable_scroll=False):
if output_file is None:
if enable_scroll:
axpos = plt.axes([0.12, 0.1, 0.625, 0.03])
spos = Slider(axpos, 'Scroll', 10, len(self.pyfile.lines))
def x(val):
pos = spos.val
self.ax.axis([0, 1, pos, pos - 10])
self.fig.canvas.draw_idle()
spos.on_changed(update)
plt.show(block=blocking)
else:
plt.savefig(output_file)
| show_heatmap | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, blocking=True, output_file=None, enable_scroll=False):\n if output_file is None:\n if enable_scroll:\n axpos = plt.axes([0.12, 0.1, 0.625, 0.03])\n spos = Slider(axpos, 'Scroll', 10, len(self.pyfile.lines))\n\n def x(val):\n pos = spos.val\n self.ax.axis([0, 1, pos, pos - 10])\n self.fig.canvas.draw_idle()\n spos.on_changed(update)\n plt.show(block=blocking)\n else:\n plt.savefig(output_file)\n",
"role": "user"
},
{
"content": "show_heatmap",
"role": "assistant"
}
] |
def x(self):
self.line_profiler = pprofile.Profile()
self.line_profiler.runfile(open(self.pyfile.path, 'r'), {}, self.pyfile
.path)
| profile_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.line_profiler = pprofile.Profile()\n self.line_profiler.runfile(open(self.pyfile.path, 'r'), {}, self.pyfile\n .path)\n",
"role": "user"
},
{
"content": "profile_file",
"role": "assistant"
}
] |
def x(self):
if self.line_profiler is None:
return {}
return self.line_profiler.file_dict[self.pyfile.path][0].line_dict
| get_line_profile_data | [
{
"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.line_profiler is None:\n return {}\n return self.line_profiler.file_dict[self.pyfile.path][0].line_dict\n",
"role": "user"
},
{
"content": "get_line_profile_data",
"role": "assistant"
}
] |
def x(self):
with open(self.pyfile.path, 'r') as file_to_read:
for line in file_to_read:
self.pyfile.lines.append(' ' + line.strip('\n'))
self.pyfile.length = len(self.pyfile.lines)
line_profiles = self.__get_line_profile_data()
arr = []
for line_num in range(1, self.pyfile.length + 1):
if line_num in line_profiles:
line_times = [ltime for _, ltime in line_profiles[line_num].
values()]
arr.append([sum(line_times)])
else:
arr.append([0.0])
self.pyfile.data = np.array(arr)
| fetch_heatmap_data_from_profile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n with open(self.pyfile.path, 'r') as file_to_read:\n for line in file_to_read:\n self.pyfile.lines.append(' ' + line.strip('\\n'))\n self.pyfile.length = len(self.pyfile.lines)\n line_profiles = self.__get_line_profile_data()\n arr = []\n for line_num in range(1, self.pyfile.length + 1):\n if line_num in line_profiles:\n line_times = [ltime for _, ltime in line_profiles[line_num].\n values()]\n arr.append([sum(line_times)])\n else:\n arr.append([0.0])\n self.pyfile.data = np.array(arr)\n",
"role": "user"
},
{
"content": "fetch_heatmap_data_from_profile",
"role": "assistant"
}
] |
def x(self):
height = len(self.pyfile.lines) / 3
width = max(map(lambda x: len(x), self.pyfile.lines)) / 8
self.fig, self.ax = plt.subplots(figsize=(width, height))
plt.subplots_adjust(bottom=0.2)
heatmap = self.ax.pcolor(self.pyfile.data, cmap='OrRd')
self.ax.xaxis.set_visible(False)
row_labels = range(1, self.pyfile.length + 1)
self.ax.set_yticklabels(row_labels, minor=False)
self.ax.set_yticks(np.arange(self.pyfile.data.shape[0]) + 0.5, minor=False)
self.ax.invert_yaxis()
plt.ylabel('Line Number')
max_time_spent_on_a_line = max(self.pyfile.data)
for i, line in enumerate(self.pyfile.lines):
if self.pyfile.data[i] >= 0.7 * max_time_spent_on_a_line:
color = 1.0, 1.0, 1.0
else:
color = 0.0, 0.0, 0.0
plt.text(0.0, i + 0.5, line, ha='left', va='center', color=color,
clip_on=True)
cbar = plt.colorbar(heatmap)
cbar.set_label('# of seconds')
| create_heatmap_plot | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n height = len(self.pyfile.lines) / 3\n width = max(map(lambda x: len(x), self.pyfile.lines)) / 8\n self.fig, self.ax = plt.subplots(figsize=(width, height))\n plt.subplots_adjust(bottom=0.2)\n heatmap = self.ax.pcolor(self.pyfile.data, cmap='OrRd')\n self.ax.xaxis.set_visible(False)\n row_labels = range(1, self.pyfile.length + 1)\n self.ax.set_yticklabels(row_labels, minor=False)\n self.ax.set_yticks(np.arange(self.pyfile.data.shape[0]) + 0.5, minor=False)\n self.ax.invert_yaxis()\n plt.ylabel('Line Number')\n max_time_spent_on_a_line = max(self.pyfile.data)\n for i, line in enumerate(self.pyfile.lines):\n if self.pyfile.data[i] >= 0.7 * max_time_spent_on_a_line:\n color = 1.0, 1.0, 1.0\n else:\n color = 0.0, 0.0, 0.0\n plt.text(0.0, i + 0.5, line, ha='left', va='center', color=color,\n clip_on=True)\n cbar = plt.colorbar(heatmap)\n cbar.set_label('# of seconds')\n",
"role": "user"
},
{
"content": "create_heatmap_plot",
"role": "assistant"
}
] |
def x():
parser = argparse.ArgumentParser()
parser.add_argument('-o', '--out', help='Output file', default=None)
parser.add_argument('pyfile', help='Python file to be profiled',
default=None)
arguments = parser.parse_args()
if arguments.pyfile is not None:
pyheat = PyHeat(arguments.pyfile)
pyheat.create_heatmap()
pyheat.show_heatmap(output_file=arguments.out, enable_scroll=True)
pyheat.close_heatmap()
else:
parser.print_help()
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n parser = argparse.ArgumentParser()\n parser.add_argument('-o', '--out', help='Output file', default=None)\n parser.add_argument('pyfile', help='Python file to be profiled',\n default=None)\n arguments = parser.parse_args()\n if arguments.pyfile is not None:\n pyheat = PyHeat(arguments.pyfile)\n pyheat.create_heatmap()\n pyheat.show_heatmap(output_file=arguments.out, enable_scroll=True)\n pyheat.close_heatmap()\n else:\n parser.print_help()\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(self, ndigits=0):
if ndigits is None:
ndigits = 0
return self.__class__(amount=self.amount.quantize(Decimal('1e' + str(-
ndigits))), currency=self.currency)
| round | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ndigits=0):\n if ndigits is None:\n ndigits = 0\n return self.__class__(amount=self.amount.quantize(Decimal('1e' + str(-\n ndigits))), currency=self.currency)\n",
"role": "user"
},
{
"content": "round",
"role": "assistant"
}
] |
def x():
sys.path.insert(0, os.getcwd())
logging.basicConfig(level=logging.INFO, handlers=[logging.StreamHandler()])
parser = argparse.ArgumentParser(description='Manage Application',
add_help=False)
parser.add_argument('app', metavar='app', type=str, help=
'Application module path')
parser.add_argument('--config', type=str, help='Path to configuration.')
parser.add_argument('--version', action='version', version=__version__)
args_, subargs_ = parser.parse_known_args(sys.argv[1:])
if args_.config:
os.environ[CONFIGURATION_ENVIRON_VARIABLE] = args_.config
from gunicorn.util import import_app
app_uri = args_.app
if ':' not in app_uri:
app_uri += ':app'
try:
app = import_app(app_uri)
app.uri = app_uri
app.logger.info('Application is loaded: %s' % app.name)
except Exception as exc:
logging.exception(exc)
raise sys.exit(1)
app.manage(*subargs_, prog='muffin %s' % args_.app)
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n sys.path.insert(0, os.getcwd())\n logging.basicConfig(level=logging.INFO, handlers=[logging.StreamHandler()])\n parser = argparse.ArgumentParser(description='Manage Application',\n add_help=False)\n parser.add_argument('app', metavar='app', type=str, help=\n 'Application module path')\n parser.add_argument('--config', type=str, help='Path to configuration.')\n parser.add_argument('--version', action='version', version=__version__)\n args_, subargs_ = parser.parse_known_args(sys.argv[1:])\n if args_.config:\n os.environ[CONFIGURATION_ENVIRON_VARIABLE] = args_.config\n from gunicorn.util import import_app\n app_uri = args_.app\n if ':' not in app_uri:\n app_uri += ':app'\n try:\n app = import_app(app_uri)\n app.uri = app_uri\n app.logger.info('Application is loaded: %s' % app.name)\n except Exception as exc:\n logging.exception(exc)\n raise sys.exit(1)\n app.manage(*subargs_, prog='muffin %s' % args_.app)\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(self, init=False):
def x(func):
header = '\n'.join([s for s in (func.__doc__ or '').split('\n') if
not s.strip().startswith(':')])
parser = self.parsers.add_parser(func.__name__, description=header)
args, vargs, kw, defs, kwargs, kwdefs, anns = inspect.getfullargspec(
func)
defs = defs or []
kwargs_ = dict(zip(args[-len(defs):], defs))
docs = dict(PARAM_RE.findall(func.__doc__ or ''))
def x(name, *, value=..., **opts):
argname = name.replace('_', '-').lower()
arghelp = docs.get(vargs, '')
if value is ...:
return parser.add_argument(argname, help=arghelp, **opts)
if isinstance(value, bool):
if value:
return parser.add_argument('--no-' + argname, dest=name,
action='store_false', help='Disable %s' % (arghelp or
name).lower())
return parser.add_argument('--' + argname, dest=name,
action='store_true', help='Enable %s' % (arghelp or
name).lower())
if isinstance(value, list):
return parser.add_argument('--' + argname, action='append',
default=value, help=arghelp)
return parser.add_argument('--' + argname, type=anns.get(name,
type(value)), default=value, help=arghelp + ' [%s]' % repr(
value))
if vargs:
process_arg('*', nargs='*', metavar=vargs)
for name, value in (kwdefs or {}).items():
process_arg(name, value=value)
for name in args:
process_arg(name, value=kwargs_.get(name, ...))
self.handlers[func.__name__] = func
func.parser = parser
return func
if callable(init):
init.__init__ = True
return wrapper(init)
def x(func):
func.__init__ = bool(init)
return wrapper(func)
return decorator
| command | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, init=False):\n\n def x(func):\n header = '\\n'.join([s for s in (func.__doc__ or '').split('\\n') if \n not s.strip().startswith(':')])\n parser = self.parsers.add_parser(func.__name__, description=header)\n args, vargs, kw, defs, kwargs, kwdefs, anns = inspect.getfullargspec(\n func)\n defs = defs or []\n kwargs_ = dict(zip(args[-len(defs):], defs))\n docs = dict(PARAM_RE.findall(func.__doc__ or ''))\n\n def x(name, *, value=..., **opts):\n argname = name.replace('_', '-').lower()\n arghelp = docs.get(vargs, '')\n if value is ...:\n return parser.add_argument(argname, help=arghelp, **opts)\n if isinstance(value, bool):\n if value:\n return parser.add_argument('--no-' + argname, dest=name,\n action='store_false', help='Disable %s' % (arghelp or\n name).lower())\n return parser.add_argument('--' + argname, dest=name,\n action='store_true', help='Enable %s' % (arghelp or\n name).lower())\n if isinstance(value, list):\n return parser.add_argument('--' + argname, action='append',\n default=value, help=arghelp)\n return parser.add_argument('--' + argname, type=anns.get(name,\n type(value)), default=value, help=arghelp + ' [%s]' % repr(\n value))\n if vargs:\n process_arg('*', nargs='*', metavar=vargs)\n for name, value in (kwdefs or {}).items():\n process_arg(name, value=value)\n for name in args:\n process_arg(name, value=kwargs_.get(name, ...))\n self.handlers[func.__name__] = func\n func.parser = parser\n return func\n if callable(init):\n init.__init__ = True\n return wrapper(init)\n\n def x(func):\n func.__init__ = bool(init)\n return wrapper(func)\n return decorator\n",
"role": "user"
},
{
"content": "command",
"role": "assistant"
}
] |
def x(app, handler, *paths, methods=None, router=None, name=None):
if router is None:
router = app.router
handler = to_coroutine(handler)
resources = []
for path in paths:
if isinstance(path, type) and issubclass(path, BaseException):
app._error_handlers[path] = handler
continue
name = str(name or '')
rname, rnum = name, 2
while rname in router:
rname = '%s%d' % (name, rnum)
rnum += 1
path = parse(path)
if isinstance(path, RETYPE):
resource = RawReResource(path, name=rname)
router.register_resource(resource)
else:
resource = router.add_resource(path, name=rname)
for method in (methods or [METH_ANY]):
method = method.upper()
resource.add_route(method, handler)
resources.append(resource)
return resources
| routes_register | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app, handler, *paths, methods=None, router=None, name=None):\n if router is None:\n router = app.router\n handler = to_coroutine(handler)\n resources = []\n for path in paths:\n if isinstance(path, type) and issubclass(path, BaseException):\n app._error_handlers[path] = handler\n continue\n name = str(name or '')\n rname, rnum = name, 2\n while rname in router:\n rname = '%s%d' % (name, rnum)\n rnum += 1\n path = parse(path)\n if isinstance(path, RETYPE):\n resource = RawReResource(path, name=rname)\n router.register_resource(resource)\n else:\n resource = router.add_resource(path, name=rname)\n for method in (methods or [METH_ANY]):\n method = method.upper()\n resource.add_route(method, handler)\n resources.append(resource)\n return resources\n",
"role": "user"
},
{
"content": "routes_register",
"role": "assistant"
}
] |
def x(path):
parsed = re.sre_parse.parse(path)
for case, _ in parsed:
if case not in (re.sre_parse.LITERAL, re.sre_parse.ANY):
break
else:
return path
path = path.strip('^$')
def x(match):
[part] = match.groups()
match = DYNR_RE.match(part)
params = match.groupdict()
return '(?P<%s>%s)' % (params['var'], params['re'] or '[^{}/]+')
return re.compile('^%s$' % DYNS_RE.sub(parse_, path))
| parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n parsed = re.sre_parse.parse(path)\n for case, _ in parsed:\n if case not in (re.sre_parse.LITERAL, re.sre_parse.ANY):\n break\n else:\n return path\n path = path.strip('^$')\n\n def x(match):\n [part] = match.groups()\n match = DYNR_RE.match(part)\n params = match.groupdict()\n return '(?P<%s>%s)' % (params['var'], params['re'] or '[^{}/]+')\n return re.compile('^%s$' % DYNS_RE.sub(parse_, path))\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(self, *subgroups, **groups):
parsed = re.sre_parse.parse(self._pattern.pattern)
subgroups = {n: str(v) for n, v in enumerate(subgroups, 1)}
groups_ = dict(parsed.pattern.groupdict)
subgroups.update({groups_[k0]: str(v0) for k0, v0 in groups.items() if
k0 in groups_})
path = ''.join(str(val) for val in Traverser(parsed, subgroups))
return URL.build(path=path, encoded=True)
| url_for | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *subgroups, **groups):\n parsed = re.sre_parse.parse(self._pattern.pattern)\n subgroups = {n: str(v) for n, v in enumerate(subgroups, 1)}\n groups_ = dict(parsed.pattern.groupdict)\n subgroups.update({groups_[k0]: str(v0) for k0, v0 in groups.items() if \n k0 in groups_})\n path = ''.join(str(val) for val in Traverser(parsed, subgroups))\n return URL.build(path=path, encoded=True)\n",
"role": "user"
},
{
"content": "url_for",
"role": "assistant"
}
] |
def x(self, value):
value = negate = chr(value)
while value == negate:
value = choice(self.literals)
yield value
| state_not_literal | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n value = negate = chr(value)\n while value == negate:\n value = choice(self.literals)\n yield value\n",
"role": "user"
},
{
"content": "state_not_literal",
"role": "assistant"
}
] |
def x(self, value):
min_, max_, value = value
value = [val for val in Traverser(value, self.groups)]
if not min_ and max_:
for val in value:
if isinstance(val, required):
min_ = 1
break
for val in (value * min_):
yield val
| state_max_repeat | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n min_, max_, value = value\n value = [val for val in Traverser(value, self.groups)]\n if not min_ and max_:\n for val in value:\n if isinstance(val, required):\n min_ = 1\n break\n for val in (value * min_):\n yield val\n",
"role": "user"
},
{
"content": "state_max_repeat",
"role": "assistant"
}
] |
def x(self, value):
value = [val for val in Traverser(value, self.groups)]
if not value or not value[0]:
for val in (self.literals - set(value)):
return (yield val)
yield value[0]
| state_in | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n value = [val for val in Traverser(value, self.groups)]\n if not value or not value[0]:\n for val in (self.literals - set(value)):\n return (yield val)\n yield value[0]\n",
"role": "user"
},
{
"content": "state_in",
"role": "assistant"
}
] |
def x(value):
if value == re.sre_parse.CATEGORY_DIGIT:
return (yield '0')
if value == re.sre_parse.CATEGORY_WORD:
return (yield 'x')
| state_category | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value):\n if value == re.sre_parse.CATEGORY_DIGIT:\n return (yield '0')\n if value == re.sre_parse.CATEGORY_WORD:\n return (yield 'x')\n",
"role": "user"
},
{
"content": "state_category",
"role": "assistant"
}
] |
def x(self, value):
num, *_, parsed = value
if num in self.groups:
return (yield required(self.groups[num]))
yield from Traverser(parsed, groups=self.groups)
| state_subpattern | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n num, *_, parsed = value\n if num in self.groups:\n return (yield required(self.groups[num]))\n yield from Traverser(parsed, groups=self.groups)\n",
"role": "user"
},
{
"content": "state_subpattern",
"role": "assistant"
}
] |
def x(secret, value, digestmod='sha256', encoding='utf-8'):
if isinstance(secret, str):
secret = secret.encode(encoding)
if isinstance(value, str):
value = value.encode(encoding)
if isinstance(digestmod, str):
digestmod = getattr(hashlib, digestmod, hashlib.sha1)
hm = hmac.new(secret, digestmod=digestmod)
hm.update(value)
return hm.hexdigest()
| create_signature | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(secret, value, digestmod='sha256', encoding='utf-8'):\n if isinstance(secret, str):\n secret = secret.encode(encoding)\n if isinstance(value, str):\n value = value.encode(encoding)\n if isinstance(digestmod, str):\n digestmod = getattr(hashlib, digestmod, hashlib.sha1)\n hm = hmac.new(secret, digestmod=digestmod)\n hm.update(value)\n return hm.hexdigest()\n",
"role": "user"
},
{
"content": "create_signature",
"role": "assistant"
}
] |
def x(signature, *args, **kwargs):
return hmac.compare_digest(signature, create_signature(*args, **kwargs))
| check_signature | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(signature, *args, **kwargs):\n return hmac.compare_digest(signature, create_signature(*args, **kwargs))\n",
"role": "user"
},
{
"content": "check_signature",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.