source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(path, sequences, names, mode='w', width=80):
if isinstance(sequences, np.ndarray):
sequences = [sequences]
names = [names]
if len(sequences) != len(names):
raise ValueError('must provide the same number of sequences and names')
for sequence in sequences:
if sequence.dtype != np.dtype('S1'):
raise ValueError('expected S1 dtype, found %r' % sequence.dtype)
mode = 'ab' if 'a' in mode else 'wb'
with open(path, mode=mode) as fasta:
for name, sequence in zip(names, sequences):
if isinstance(name, text_type):
name = name.encode('ascii')
header = b'>' + name + b'\n'
fasta.write(header)
for i in range(0, sequence.size, width):
line = sequence[i:i + width].tostring() + b'\n'
fasta.write(line)
| write_fasta | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, sequences, names, mode='w', width=80):\n if isinstance(sequences, np.ndarray):\n sequences = [sequences]\n names = [names]\n if len(sequences) != len(names):\n raise ValueError('must provide the same number of sequences and names')\n for sequence in sequences:\n if sequence.dtype != np.dtype('S1'):\n raise ValueError('expected S1 dtype, found %r' % sequence.dtype)\n mode = 'ab' if 'a' in mode else 'wb'\n with open(path, mode=mode) as fasta:\n for name, sequence in zip(names, sequences):\n if isinstance(name, text_type):\n name = name.encode('ascii')\n header = b'>' + name + b'\\n'\n fasta.write(header)\n for i in range(0, sequence.size, width):\n line = sequence[i:i + width].tostring() + b'\\n'\n fasta.write(line)\n",
"role": "user"
},
{
"content": "write_fasta",
"role": "assistant"
}
] |
def x(g, fill=np.nan):
if not hasattr(g, 'count_het') or not hasattr(g, 'count_called'):
g = GenotypeArray(g, copy=False)
n_het = np.asarray(g.count_het(axis=1))
n_called = np.asarray(g.count_called(axis=1))
with ignore_invalid():
ho = np.where(n_called > 0, n_het / n_called, fill)
return ho
| heterozygosity_observed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(g, fill=np.nan):\n if not hasattr(g, 'count_het') or not hasattr(g, 'count_called'):\n g = GenotypeArray(g, copy=False)\n n_het = np.asarray(g.count_het(axis=1))\n n_called = np.asarray(g.count_called(axis=1))\n with ignore_invalid():\n ho = np.where(n_called > 0, n_het / n_called, fill)\n return ho\n",
"role": "user"
},
{
"content": "heterozygosity_observed",
"role": "assistant"
}
] |
def x(af, ploidy, fill=np.nan):
af = asarray_ndim(af, 2)
out = 1 - np.sum(np.power(af, ploidy), axis=1)
af_sum = np.sum(af, axis=1)
with ignore_invalid():
out[(af_sum < 1) | np.isnan(af_sum)] = fill
return out
| heterozygosity_expected | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(af, ploidy, fill=np.nan):\n af = asarray_ndim(af, 2)\n out = 1 - np.sum(np.power(af, ploidy), axis=1)\n af_sum = np.sum(af, axis=1)\n with ignore_invalid():\n out[(af_sum < 1) | np.isnan(af_sum)] = fill\n return out\n",
"role": "user"
},
{
"content": "heterozygosity_expected",
"role": "assistant"
}
] |
def x(g, fill=np.nan):
if not hasattr(g, 'count_het') or not hasattr(g, 'count_called'):
g = GenotypeArray(g, copy=False)
ho = heterozygosity_observed(g)
af = g.count_alleles().to_frequencies()
he = heterozygosity_expected(af, ploidy=g.shape[-1], fill=0)
with ignore_invalid():
f = np.where(he > 0, 1 - ho / he, fill)
return f
| inbreeding_coefficient | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(g, fill=np.nan):\n if not hasattr(g, 'count_het') or not hasattr(g, 'count_called'):\n g = GenotypeArray(g, copy=False)\n ho = heterozygosity_observed(g)\n af = g.count_alleles().to_frequencies()\n he = heterozygosity_expected(af, ploidy=g.shape[-1], fill=0)\n with ignore_invalid():\n f = np.where(he > 0, 1 - ho / he, fill)\n return f\n",
"role": "user"
},
{
"content": "inbreeding_coefficient",
"role": "assistant"
}
] |
def x(parent_genotypes, progeny_genotypes):
parent_genotypes = GenotypeArray(parent_genotypes)
progeny_genotypes = GenotypeArray(progeny_genotypes)
check_ploidy(parent_genotypes.ploidy, 2)
check_ploidy(progeny_genotypes.ploidy, 2)
max_allele = max(parent_genotypes.max(), progeny_genotypes.max())
parent_gc = parent_genotypes.to_allele_counts(max_allele=max_allele,
dtype='i1')
progeny_gc = progeny_genotypes.to_allele_counts(max_allele=max_allele,
dtype='i1')
max_progeny_gc = parent_gc.clip(max=1).sum(axis=1)
max_progeny_gc = max_progeny_gc[:, np.newaxis, :]
me = (progeny_gc - max_progeny_gc).clip(min=0).sum(axis=2)
p1_gc = parent_gc[:, 0, np.newaxis, :]
p2_gc = parent_gc[:, 1, np.newaxis, :]
is_shared_allele = (p1_gc > 0) & (p2_gc > 0)
no_shared_alleles = ~np.any(is_shared_allele, axis=2)
me[no_shared_alleles & (np.all(progeny_gc == p1_gc, axis=2) | np.all(
progeny_gc == p2_gc, axis=2))] = 1
me[np.any(parent_genotypes.is_missing(), axis=1)] = 0
return me
| mendel_errors | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parent_genotypes, progeny_genotypes):\n parent_genotypes = GenotypeArray(parent_genotypes)\n progeny_genotypes = GenotypeArray(progeny_genotypes)\n check_ploidy(parent_genotypes.ploidy, 2)\n check_ploidy(progeny_genotypes.ploidy, 2)\n max_allele = max(parent_genotypes.max(), progeny_genotypes.max())\n parent_gc = parent_genotypes.to_allele_counts(max_allele=max_allele,\n dtype='i1')\n progeny_gc = progeny_genotypes.to_allele_counts(max_allele=max_allele,\n dtype='i1')\n max_progeny_gc = parent_gc.clip(max=1).sum(axis=1)\n max_progeny_gc = max_progeny_gc[:, np.newaxis, :]\n me = (progeny_gc - max_progeny_gc).clip(min=0).sum(axis=2)\n p1_gc = parent_gc[:, 0, np.newaxis, :]\n p2_gc = parent_gc[:, 1, np.newaxis, :]\n is_shared_allele = (p1_gc > 0) & (p2_gc > 0)\n no_shared_alleles = ~np.any(is_shared_allele, axis=2)\n me[no_shared_alleles & (np.all(progeny_gc == p1_gc, axis=2) | np.all(\n progeny_gc == p2_gc, axis=2))] = 1\n me[np.any(parent_genotypes.is_missing(), axis=1)] = 0\n return me\n",
"role": "user"
},
{
"content": "mendel_errors",
"role": "assistant"
}
] |
def x(parent_haplotypes, progeny_haplotypes):
parent_haplotypes = HaplotypeArray(parent_haplotypes)
progeny_haplotypes = HaplotypeArray(progeny_haplotypes)
if parent_haplotypes.n_haplotypes != 2:
raise ValueError('exactly two parental haplotypes should be provided')
parent1 = parent_haplotypes[:, 0, np.newaxis]
parent2 = parent_haplotypes[:, 1, np.newaxis]
progeny_is_missing = progeny_haplotypes < 0
parent_is_missing = np.any(parent_haplotypes < 0, axis=1)
parent_is_missing_bc = parent_is_missing[:, np.newaxis]
parent_diplotype = GenotypeArray(parent_haplotypes[:, np.newaxis, :])
parent_is_hom_ref = parent_diplotype.is_hom_ref()
parent_is_het = parent_diplotype.is_het()
parent_is_hom_alt = parent_diplotype.is_hom_alt()
is_callable = ~progeny_is_missing & ~parent_is_missing_bc
is_callable_seg = is_callable & parent_is_het
inherit_parent1 = is_callable_seg & (progeny_haplotypes == parent1)
inherit_parent2 = is_callable_seg & (progeny_haplotypes == parent2)
nonseg_ref = is_callable & parent_is_hom_ref & (progeny_haplotypes ==
parent1)
nonseg_alt = is_callable & parent_is_hom_alt & (progeny_haplotypes ==
parent1)
nonparental = is_callable & (progeny_haplotypes != parent1) & (
progeny_haplotypes != parent2)
painting = np.zeros(progeny_haplotypes.shape, dtype='u1')
painting[inherit_parent1] = INHERIT_PARENT1
painting[inherit_parent2] = INHERIT_PARENT2
painting[nonseg_ref] = INHERIT_NONSEG_REF
painting[nonseg_alt] = INHERIT_NONSEG_ALT
painting[nonparental] = INHERIT_NONPARENTAL
painting[parent_is_missing] = INHERIT_PARENT_MISSING
painting[progeny_is_missing] = INHERIT_MISSING
return painting
| paint_transmission | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parent_haplotypes, progeny_haplotypes):\n parent_haplotypes = HaplotypeArray(parent_haplotypes)\n progeny_haplotypes = HaplotypeArray(progeny_haplotypes)\n if parent_haplotypes.n_haplotypes != 2:\n raise ValueError('exactly two parental haplotypes should be provided')\n parent1 = parent_haplotypes[:, 0, np.newaxis]\n parent2 = parent_haplotypes[:, 1, np.newaxis]\n progeny_is_missing = progeny_haplotypes < 0\n parent_is_missing = np.any(parent_haplotypes < 0, axis=1)\n parent_is_missing_bc = parent_is_missing[:, np.newaxis]\n parent_diplotype = GenotypeArray(parent_haplotypes[:, np.newaxis, :])\n parent_is_hom_ref = parent_diplotype.is_hom_ref()\n parent_is_het = parent_diplotype.is_het()\n parent_is_hom_alt = parent_diplotype.is_hom_alt()\n is_callable = ~progeny_is_missing & ~parent_is_missing_bc\n is_callable_seg = is_callable & parent_is_het\n inherit_parent1 = is_callable_seg & (progeny_haplotypes == parent1)\n inherit_parent2 = is_callable_seg & (progeny_haplotypes == parent2)\n nonseg_ref = is_callable & parent_is_hom_ref & (progeny_haplotypes ==\n parent1)\n nonseg_alt = is_callable & parent_is_hom_alt & (progeny_haplotypes ==\n parent1)\n nonparental = is_callable & (progeny_haplotypes != parent1) & (\n progeny_haplotypes != parent2)\n painting = np.zeros(progeny_haplotypes.shape, dtype='u1')\n painting[inherit_parent1] = INHERIT_PARENT1\n painting[inherit_parent2] = INHERIT_PARENT2\n painting[nonseg_ref] = INHERIT_NONSEG_REF\n painting[nonseg_alt] = INHERIT_NONSEG_ALT\n painting[nonparental] = INHERIT_NONPARENTAL\n painting[parent_is_missing] = INHERIT_PARENT_MISSING\n painting[progeny_is_missing] = INHERIT_MISSING\n return painting\n",
"role": "user"
},
{
"content": "paint_transmission",
"role": "assistant"
}
] |
def x(g):
g = GenotypeArray(g, dtype='i1', copy=True)
check_ploidy(g.ploidy, 2)
check_min_samples(g.n_samples, 3)
is_phased = _opt_phase_progeny_by_transmission(g.values)
g.is_phased = np.asarray(is_phased).view(bool)
return g
| phase_progeny_by_transmission | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(g):\n g = GenotypeArray(g, dtype='i1', copy=True)\n check_ploidy(g.ploidy, 2)\n check_min_samples(g.n_samples, 3)\n is_phased = _opt_phase_progeny_by_transmission(g.values)\n g.is_phased = np.asarray(is_phased).view(bool)\n return g\n",
"role": "user"
},
{
"content": "phase_progeny_by_transmission",
"role": "assistant"
}
] |
def x(g, window_size):
check_type(g, GenotypeArray)
check_dtype(g.values, 'i1')
check_ploidy(g.ploidy, 2)
if g.is_phased is None:
raise ValueError(
'genotype array must first have progeny phased by transmission')
check_min_samples(g.n_samples, 3)
g._values = memoryview_safe(g.values)
g._is_phased = memoryview_safe(g.is_phased)
_opt_phase_parents_by_transmission(g.values, g.is_phased.view('u1'),
window_size)
return g
| phase_parents_by_transmission | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(g, window_size):\n check_type(g, GenotypeArray)\n check_dtype(g.values, 'i1')\n check_ploidy(g.ploidy, 2)\n if g.is_phased is None:\n raise ValueError(\n 'genotype array must first have progeny phased by transmission')\n check_min_samples(g.n_samples, 3)\n g._values = memoryview_safe(g.values)\n g._is_phased = memoryview_safe(g.is_phased)\n _opt_phase_parents_by_transmission(g.values, g.is_phased.view('u1'),\n window_size)\n return g\n",
"role": "user"
},
{
"content": "phase_parents_by_transmission",
"role": "assistant"
}
] |
def x(g, window_size, copy=True):
g = np.asarray(g, dtype='i1')
g = GenotypeArray(g, copy=copy)
g._values = memoryview_safe(g.values)
check_ploidy(g.ploidy, 2)
check_min_samples(g.n_samples, 3)
is_phased = _opt_phase_progeny_by_transmission(g.values)
g.is_phased = np.asarray(is_phased).view(bool)
_opt_phase_parents_by_transmission(g.values, is_phased, window_size)
return g
| phase_by_transmission | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(g, window_size, copy=True):\n g = np.asarray(g, dtype='i1')\n g = GenotypeArray(g, copy=copy)\n g._values = memoryview_safe(g.values)\n check_ploidy(g.ploidy, 2)\n check_min_samples(g.n_samples, 3)\n is_phased = _opt_phase_progeny_by_transmission(g.values)\n g.is_phased = np.asarray(is_phased).view(bool)\n _opt_phase_parents_by_transmission(g.values, is_phased, window_size)\n return g\n",
"role": "user"
},
{
"content": "phase_by_transmission",
"role": "assistant"
}
] |
def x(data, blen=None):
if blen is None:
if hasattr(data, 'chunklen'):
return data.chunklen
elif hasattr(data, 'chunks') and hasattr(data, 'shape') and hasattr(
data.chunks, '__len__') and hasattr(data.shape, '__len__') and len(
data.chunks) == len(data.shape):
return data.chunks[0]
else:
row = np.asarray(data[0])
return max(1, 2 ** 20 // row.nbytes)
else:
return blen
| get_blen_array | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, blen=None):\n if blen is None:\n if hasattr(data, 'chunklen'):\n return data.chunklen\n elif hasattr(data, 'chunks') and hasattr(data, 'shape') and hasattr(\n data.chunks, '__len__') and hasattr(data.shape, '__len__') and len(\n data.chunks) == len(data.shape):\n return data.chunks[0]\n else:\n row = np.asarray(data[0])\n return max(1, 2 ** 20 // row.nbytes)\n else:\n return blen\n",
"role": "user"
},
{
"content": "get_blen_array",
"role": "assistant"
}
] |
def x(**kwargs):
fn = tempfile.mktemp()
kwargs['mode'] = 'w'
kwargs['driver'] = 'core'
kwargs['backing_store'] = False
h5f = h5py.File(fn, **kwargs)
return h5f
| h5fmem | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(**kwargs):\n fn = tempfile.mktemp()\n kwargs['mode'] = 'w'\n kwargs['driver'] = 'core'\n kwargs['backing_store'] = False\n h5f = h5py.File(fn, **kwargs)\n return h5f\n",
"role": "user"
},
{
"content": "h5fmem",
"role": "assistant"
}
] |
def x(**kwargs):
suffix = kwargs.pop('suffix', '.h5')
prefix = kwargs.pop('prefix', 'scikit_allel_')
tempdir = kwargs.pop('dir', None)
fn = tempfile.mktemp(suffix=suffix, prefix=prefix, dir=tempdir)
atexit.register(os.remove, fn)
kwargs['mode'] = 'w'
h5f = h5py.File(fn, **kwargs)
return h5f
| h5ftmp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(**kwargs):\n suffix = kwargs.pop('suffix', '.h5')\n prefix = kwargs.pop('prefix', 'scikit_allel_')\n tempdir = kwargs.pop('dir', None)\n fn = tempfile.mktemp(suffix=suffix, prefix=prefix, dir=tempdir)\n atexit.register(os.remove, fn)\n kwargs['mode'] = 'w'\n h5f = h5py.File(fn, **kwargs)\n return h5f\n",
"role": "user"
},
{
"content": "h5ftmp",
"role": "assistant"
}
] |
def x(data, arr, start=0, stop=None, offset=0, blen=None):
blen = _util.get_blen_array(data, blen)
if stop is None:
stop = len(data)
else:
stop = min(stop, len(data))
length = stop - start
if length < 0:
raise ValueError('invalid stop/start')
for bi in range(start, stop, blen):
bj = min(bi + blen, stop)
bl = bj - bi
arr[offset:offset + bl] = data[bi:bj]
offset += bl
| store | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, arr, start=0, stop=None, offset=0, blen=None):\n blen = _util.get_blen_array(data, blen)\n if stop is None:\n stop = len(data)\n else:\n stop = min(stop, len(data))\n length = stop - start\n if length < 0:\n raise ValueError('invalid stop/start')\n for bi in range(start, stop, blen):\n bj = min(bi + blen, stop)\n bl = bj - bi\n arr[offset:offset + bl] = data[bi:bj]\n offset += bl\n",
"role": "user"
},
{
"content": "store",
"role": "assistant"
}
] |
def x(data, start=0, stop=None, blen=None, storage=None, create='array', **
kwargs):
storage = _util.get_storage(storage)
blen = _util.get_blen_array(data, blen)
if stop is None:
stop = len(data)
else:
stop = min(stop, len(data))
length = stop - start
if length < 0:
raise ValueError('invalid stop/start')
out = None
for i in range(start, stop, blen):
j = min(i + blen, stop)
block = data[i:j]
if out is None:
out = getattr(storage, create)(block, expectedlen=length, **kwargs)
else:
out.append(block)
return out
| copy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, start=0, stop=None, blen=None, storage=None, create='array', **\n kwargs):\n storage = _util.get_storage(storage)\n blen = _util.get_blen_array(data, blen)\n if stop is None:\n stop = len(data)\n else:\n stop = min(stop, len(data))\n length = stop - start\n if length < 0:\n raise ValueError('invalid stop/start')\n out = None\n for i in range(start, stop, blen):\n j = min(i + blen, stop)\n block = data[i:j]\n if out is None:\n out = getattr(storage, create)(block, expectedlen=length, **kwargs)\n else:\n out.append(block)\n return out\n",
"role": "user"
},
{
"content": "copy",
"role": "assistant"
}
] |
def x(tbl, start=0, stop=None, blen=None, storage=None, create='table', **
kwargs):
names, columns = _util.check_table_like(tbl)
storage = _util.get_storage(storage)
blen = _util.get_blen_table(tbl, blen)
if stop is None:
stop = len(columns[0])
else:
stop = min(stop, len(columns[0]))
length = stop - start
if length < 0:
raise ValueError('invalid stop/start')
out = None
for i in range(start, stop, blen):
j = min(i + blen, stop)
res = [c[i:j] for c in columns]
if out is None:
out = getattr(storage, create)(res, names=names, expectedlen=
length, **kwargs)
else:
out.append(res)
return out
| copy_table | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tbl, start=0, stop=None, blen=None, storage=None, create='table', **\n kwargs):\n names, columns = _util.check_table_like(tbl)\n storage = _util.get_storage(storage)\n blen = _util.get_blen_table(tbl, blen)\n if stop is None:\n stop = len(columns[0])\n else:\n stop = min(stop, len(columns[0]))\n length = stop - start\n if length < 0:\n raise ValueError('invalid stop/start')\n out = None\n for i in range(start, stop, blen):\n j = min(i + blen, stop)\n res = [c[i:j] for c in columns]\n if out is None:\n out = getattr(storage, create)(res, names=names, expectedlen=\n length, **kwargs)\n else:\n out.append(res)\n return out\n",
"role": "user"
},
{
"content": "copy_table",
"role": "assistant"
}
] |
def x(data, f, blen=None, storage=None, create='array', **kwargs):
storage = _util.get_storage(storage)
if isinstance(data, tuple):
blen = max(_util.get_blen_array(d, blen) for d in data)
else:
blen = _util.get_blen_array(data, blen)
if isinstance(data, tuple):
_util.check_equal_length(*data)
length = len(data[0])
else:
length = len(data)
out = None
for i in range(0, length, blen):
j = min(i + blen, length)
if isinstance(data, tuple):
blocks = [d[i:j] for d in data]
else:
blocks = [data[i:j]]
res = f(*blocks)
if out is None:
out = getattr(storage, create)(res, expectedlen=length, **kwargs)
else:
out.append(res)
return out
| map_blocks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, f, blen=None, storage=None, create='array', **kwargs):\n storage = _util.get_storage(storage)\n if isinstance(data, tuple):\n blen = max(_util.get_blen_array(d, blen) for d in data)\n else:\n blen = _util.get_blen_array(data, blen)\n if isinstance(data, tuple):\n _util.check_equal_length(*data)\n length = len(data[0])\n else:\n length = len(data)\n out = None\n for i in range(0, length, blen):\n j = min(i + blen, length)\n if isinstance(data, tuple):\n blocks = [d[i:j] for d in data]\n else:\n blocks = [data[i:j]]\n res = f(*blocks)\n if out is None:\n out = getattr(storage, create)(res, expectedlen=length, **kwargs)\n else:\n out.append(res)\n return out\n",
"role": "user"
},
{
"content": "map_blocks",
"role": "assistant"
}
] |
def x(data, reducer, block_reducer, mapper=None, axis=None, blen=None,
storage=None, create='array', **kwargs):
storage = _util.get_storage(storage)
blen = _util.get_blen_array(data, blen)
length = len(data)
if isinstance(axis, int):
axis = axis,
kwarg_out = kwargs.pop('out', None)
if kwarg_out is not None:
raise ValueError('keyword argument "out" is not supported')
if axis is None or 0 in axis:
out = None
for i in range(0, length, blen):
j = min(i + blen, length)
block = data[i:j]
if mapper:
block = mapper(block)
res = reducer(block, axis=axis)
if out is None:
out = res
else:
out = block_reducer(out, res)
if np.isscalar(out):
return out
elif len(out.shape) == 0:
return out[()]
else:
return getattr(storage, create)(out, **kwargs)
else:
out = None
for i in range(0, length, blen):
j = min(i + blen, length)
block = data[i:j]
if mapper:
block = mapper(block)
r = reducer(block, axis=axis)
if out is None:
out = getattr(storage, create)(r, expectedlen=length, **kwargs)
else:
out.append(r)
return out
| reduce_axis | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, reducer, block_reducer, mapper=None, axis=None, blen=None,\n storage=None, create='array', **kwargs):\n storage = _util.get_storage(storage)\n blen = _util.get_blen_array(data, blen)\n length = len(data)\n if isinstance(axis, int):\n axis = axis,\n kwarg_out = kwargs.pop('out', None)\n if kwarg_out is not None:\n raise ValueError('keyword argument \"out\" is not supported')\n if axis is None or 0 in axis:\n out = None\n for i in range(0, length, blen):\n j = min(i + blen, length)\n block = data[i:j]\n if mapper:\n block = mapper(block)\n res = reducer(block, axis=axis)\n if out is None:\n out = res\n else:\n out = block_reducer(out, res)\n if np.isscalar(out):\n return out\n elif len(out.shape) == 0:\n return out[()]\n else:\n return getattr(storage, create)(out, **kwargs)\n else:\n out = None\n for i in range(0, length, blen):\n j = min(i + blen, length)\n block = data[i:j]\n if mapper:\n block = mapper(block)\n r = reducer(block, axis=axis)\n if out is None:\n out = getattr(storage, create)(r, expectedlen=length, **kwargs)\n else:\n out.append(r)\n return out\n",
"role": "user"
},
{
"content": "reduce_axis",
"role": "assistant"
}
] |
def x(data, axis=None, mapper=None, blen=None, storage=None, create='array',
**kwargs):
return reduce_axis(data, axis=axis, reducer=np.amax, block_reducer=np.
maximum, mapper=mapper, blen=blen, storage=storage, create=create,
**kwargs)
| amax | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, axis=None, mapper=None, blen=None, storage=None, create='array',\n **kwargs):\n return reduce_axis(data, axis=axis, reducer=np.amax, block_reducer=np.\n maximum, mapper=mapper, blen=blen, storage=storage, create=create,\n **kwargs)\n",
"role": "user"
},
{
"content": "amax",
"role": "assistant"
}
] |
def x(data, axis=None, mapper=None, blen=None, storage=None, create='array',
**kwargs):
return reduce_axis(data, axis=axis, reducer=np.amin, block_reducer=np.
minimum, mapper=mapper, blen=blen, storage=storage, create=create,
**kwargs)
| amin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, axis=None, mapper=None, blen=None, storage=None, create='array',\n **kwargs):\n return reduce_axis(data, axis=axis, reducer=np.amin, block_reducer=np.\n minimum, mapper=mapper, blen=blen, storage=storage, create=create,\n **kwargs)\n",
"role": "user"
},
{
"content": "amin",
"role": "assistant"
}
] |
def x(data, axis=None, mapper=None, blen=None, storage=None, create='array',
**kwargs):
return reduce_axis(data, axis=axis, reducer=np.sum, block_reducer=np.
add, mapper=mapper, blen=blen, storage=storage, create=create, **kwargs
)
| asum | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, axis=None, mapper=None, blen=None, storage=None, create='array',\n **kwargs):\n return reduce_axis(data, axis=axis, reducer=np.sum, block_reducer=np.\n add, mapper=mapper, blen=blen, storage=storage, create=create, **kwargs\n )\n",
"role": "user"
},
{
"content": "asum",
"role": "assistant"
}
] |
def x(data, mapper=None, blen=None, storage=None, create='array', **kwargs):
return reduce_axis(data, reducer=np.count_nonzero, block_reducer=np.add,
mapper=mapper, blen=blen, storage=storage, create=create, **kwargs)
| count_nonzero | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, mapper=None, blen=None, storage=None, create='array', **kwargs):\n return reduce_axis(data, reducer=np.count_nonzero, block_reducer=np.add,\n mapper=mapper, blen=blen, storage=storage, create=create, **kwargs)\n",
"role": "user"
},
{
"content": "count_nonzero",
"role": "assistant"
}
] |
def x(condition, data, axis=0, out=None, blen=None, storage=None, create=
'array', **kwargs):
if out is not None:
raise NotImplementedError('out argument is not supported')
storage = _util.get_storage(storage)
blen = _util.get_blen_array(data, blen)
length = len(data)
nnz = count_nonzero(condition)
if axis == 0:
_util.check_equal_length(data, condition)
out = None
for i in range(0, length, blen):
j = min(i + blen, length)
bcond = np.asarray(condition[i:j])
if np.any(bcond):
block = np.asarray(data[i:j])
res = np.compress(bcond, block, axis=0)
if out is None:
out = getattr(storage, create)(res, expectedlen=nnz, **
kwargs)
else:
out.append(res)
return out
elif axis == 1:
out = None
condition = np.asanyarray(condition)
for i in range(0, length, blen):
j = min(i + blen, length)
block = np.asarray(data[i:j])
res = np.compress(condition, block, axis=1)
if out is None:
out = getattr(storage, create)(res, expectedlen=length, **
kwargs)
else:
out.append(res)
return out
else:
raise NotImplementedError('axis not supported: %s' % axis)
| compress | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(condition, data, axis=0, out=None, blen=None, storage=None, create=\n 'array', **kwargs):\n if out is not None:\n raise NotImplementedError('out argument is not supported')\n storage = _util.get_storage(storage)\n blen = _util.get_blen_array(data, blen)\n length = len(data)\n nnz = count_nonzero(condition)\n if axis == 0:\n _util.check_equal_length(data, condition)\n out = None\n for i in range(0, length, blen):\n j = min(i + blen, length)\n bcond = np.asarray(condition[i:j])\n if np.any(bcond):\n block = np.asarray(data[i:j])\n res = np.compress(bcond, block, axis=0)\n if out is None:\n out = getattr(storage, create)(res, expectedlen=nnz, **\n kwargs)\n else:\n out.append(res)\n return out\n elif axis == 1:\n out = None\n condition = np.asanyarray(condition)\n for i in range(0, length, blen):\n j = min(i + blen, length)\n block = np.asarray(data[i:j])\n res = np.compress(condition, block, axis=1)\n if out is None:\n out = getattr(storage, create)(res, expectedlen=length, **\n kwargs)\n else:\n out.append(res)\n return out\n else:\n raise NotImplementedError('axis not supported: %s' % axis)\n",
"role": "user"
},
{
"content": "compress",
"role": "assistant"
}
] |
def x(data, indices, axis=0, out=None, mode='raise', blen=None, storage=
None, create='array', **kwargs):
if out is not None:
raise NotImplementedError('out argument is not supported')
length = len(data)
if axis == 0:
indices = np.asanyarray(indices)
if np.any(indices[1:] <= indices[:-1]):
raise NotImplementedError('indices must be strictly increasing')
condition = np.zeros((length,), dtype=bool)
condition[indices] = True
return compress(condition, data, axis=0, blen=blen, storage=storage,
create=create, **kwargs)
elif axis == 1:
storage = _util.get_storage(storage)
blen = _util.get_blen_array(data, blen)
out = None
for i in range(0, length, blen):
j = min(i + blen, length)
block = data[i:j]
res = np.take(block, indices, axis=1, mode=mode)
if out is None:
out = getattr(storage, create)(res, expectedlen=length, **
kwargs)
else:
out.append(res)
return out
else:
raise NotImplementedError('axis not supported: %s' % axis)
| take | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, indices, axis=0, out=None, mode='raise', blen=None, storage=\n None, create='array', **kwargs):\n if out is not None:\n raise NotImplementedError('out argument is not supported')\n length = len(data)\n if axis == 0:\n indices = np.asanyarray(indices)\n if np.any(indices[1:] <= indices[:-1]):\n raise NotImplementedError('indices must be strictly increasing')\n condition = np.zeros((length,), dtype=bool)\n condition[indices] = True\n return compress(condition, data, axis=0, blen=blen, storage=storage,\n create=create, **kwargs)\n elif axis == 1:\n storage = _util.get_storage(storage)\n blen = _util.get_blen_array(data, blen)\n out = None\n for i in range(0, length, blen):\n j = min(i + blen, length)\n block = data[i:j]\n res = np.take(block, indices, axis=1, mode=mode)\n if out is None:\n out = getattr(storage, create)(res, expectedlen=length, **\n kwargs)\n else:\n out.append(res)\n return out\n else:\n raise NotImplementedError('axis not supported: %s' % axis)\n",
"role": "user"
},
{
"content": "take",
"role": "assistant"
}
] |
def x(condition, tbl, axis=None, out=None, blen=None, storage=None, create=
'table', **kwargs):
if axis is not None and axis != 0:
raise NotImplementedError('only axis 0 is supported')
if out is not None:
raise NotImplementedError('out argument is not supported')
storage = _util.get_storage(storage)
names, columns = _util.check_table_like(tbl)
blen = _util.get_blen_table(tbl, blen)
_util.check_equal_length(columns[0], condition)
length = len(columns[0])
nnz = count_nonzero(condition)
out = None
for i in range(0, length, blen):
j = min(i + blen, length)
bcond = condition[i:j]
if np.any(bcond):
bcolumns = [c[i:j] for c in columns]
res = [np.compress(bcond, c, axis=0) for c in bcolumns]
if out is None:
out = getattr(storage, create)(res, names=names,
expectedlen=nnz, **kwargs)
else:
out.append(res)
return out
| compress_table | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(condition, tbl, axis=None, out=None, blen=None, storage=None, create=\n 'table', **kwargs):\n if axis is not None and axis != 0:\n raise NotImplementedError('only axis 0 is supported')\n if out is not None:\n raise NotImplementedError('out argument is not supported')\n storage = _util.get_storage(storage)\n names, columns = _util.check_table_like(tbl)\n blen = _util.get_blen_table(tbl, blen)\n _util.check_equal_length(columns[0], condition)\n length = len(columns[0])\n nnz = count_nonzero(condition)\n out = None\n for i in range(0, length, blen):\n j = min(i + blen, length)\n bcond = condition[i:j]\n if np.any(bcond):\n bcolumns = [c[i:j] for c in columns]\n res = [np.compress(bcond, c, axis=0) for c in bcolumns]\n if out is None:\n out = getattr(storage, create)(res, names=names,\n expectedlen=nnz, **kwargs)\n else:\n out.append(res)\n return out\n",
"role": "user"
},
{
"content": "compress_table",
"role": "assistant"
}
] |
def x(tbl, indices, axis=None, out=None, mode='raise', blen=None, storage=
None, create='table', **kwargs):
if axis is not None and axis != 0:
raise NotImplementedError('only axis 0 is supported')
if out is not None:
raise NotImplementedError('out argument is not supported')
if mode is not None and mode != 'raise':
raise NotImplementedError('only mode=raise is supported')
names, columns = _util.check_table_like(tbl)
length = len(columns[0])
indices = np.asanyarray(indices)
if np.any(indices[1:] <= indices[:-1]):
raise NotImplementedError('indices must be strictly increasing')
condition = np.zeros((length,), dtype=bool)
condition[indices] = True
return compress_table(condition, tbl, blen=blen, storage=storage,
create=create, **kwargs)
| take_table | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tbl, indices, axis=None, out=None, mode='raise', blen=None, storage=\n None, create='table', **kwargs):\n if axis is not None and axis != 0:\n raise NotImplementedError('only axis 0 is supported')\n if out is not None:\n raise NotImplementedError('out argument is not supported')\n if mode is not None and mode != 'raise':\n raise NotImplementedError('only mode=raise is supported')\n names, columns = _util.check_table_like(tbl)\n length = len(columns[0])\n indices = np.asanyarray(indices)\n if np.any(indices[1:] <= indices[:-1]):\n raise NotImplementedError('indices must be strictly increasing')\n condition = np.zeros((length,), dtype=bool)\n condition[indices] = True\n return compress_table(condition, tbl, blen=blen, storage=storage,\n create=create, **kwargs)\n",
"role": "user"
},
{
"content": "take_table",
"role": "assistant"
}
] |
def x(data, sel0=None, sel1=None, blen=None, storage=None, create='array',
**kwargs):
storage = _util.get_storage(storage)
blen = _util.get_blen_array(data, blen)
length = len(data)
if sel0 is not None:
sel0 = np.asanyarray(sel0)
if sel1 is not None:
sel1 = np.asanyarray(sel1)
if sel0 is not None and sel0.dtype.kind != 'b':
tmp = np.zeros(length, dtype=bool)
tmp[sel0] = True
sel0 = tmp
if sel1 is not None and sel1.dtype.kind == 'b':
sel1, = np.nonzero(sel1)
if sel0 is None and sel1 is None:
return copy(data, blen=blen, storage=storage, create=create, **kwargs)
elif sel1 is None:
return compress(sel0, data, axis=0, blen=blen, storage=storage,
create=create, **kwargs)
elif sel0 is None:
return take(data, sel1, axis=1, blen=blen, storage=storage, create=
create, **kwargs)
sel0_nnz = count_nonzero(sel0)
out = None
for i in range(0, length, blen):
j = min(i + blen, length)
bsel0 = sel0[i:j]
if np.any(bsel0):
block = data[i:j]
res = _numpy_subset(block, bsel0, sel1)
if out is None:
out = getattr(storage, create)(res, expectedlen=sel0_nnz,
**kwargs)
else:
out.append(res)
return out
| subset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, sel0=None, sel1=None, blen=None, storage=None, create='array',\n **kwargs):\n storage = _util.get_storage(storage)\n blen = _util.get_blen_array(data, blen)\n length = len(data)\n if sel0 is not None:\n sel0 = np.asanyarray(sel0)\n if sel1 is not None:\n sel1 = np.asanyarray(sel1)\n if sel0 is not None and sel0.dtype.kind != 'b':\n tmp = np.zeros(length, dtype=bool)\n tmp[sel0] = True\n sel0 = tmp\n if sel1 is not None and sel1.dtype.kind == 'b':\n sel1, = np.nonzero(sel1)\n if sel0 is None and sel1 is None:\n return copy(data, blen=blen, storage=storage, create=create, **kwargs)\n elif sel1 is None:\n return compress(sel0, data, axis=0, blen=blen, storage=storage,\n create=create, **kwargs)\n elif sel0 is None:\n return take(data, sel1, axis=1, blen=blen, storage=storage, create=\n create, **kwargs)\n sel0_nnz = count_nonzero(sel0)\n out = None\n for i in range(0, length, blen):\n j = min(i + blen, length)\n bsel0 = sel0[i:j]\n if np.any(bsel0):\n block = data[i:j]\n res = _numpy_subset(block, bsel0, sel1)\n if out is None:\n out = getattr(storage, create)(res, expectedlen=sel0_nnz,\n **kwargs)\n else:\n out.append(res)\n return out\n",
"role": "user"
},
{
"content": "subset",
"role": "assistant"
}
] |
def x(tup, blen=None, storage=None, create='table', **kwargs):
storage = _util.get_storage(storage)
if not isinstance(tup, (tuple, list)):
raise ValueError('expected tuple or list, found %r' % tup)
if len(tup) < 2:
raise ValueError('expected two or more tables to stack')
expectedlen = sum(len(t) for t in tup)
out = None
tnames = None
for tdata in tup:
tblen = _util.get_blen_table(tdata, blen)
tnames, tcolumns = _util.check_table_like(tdata, names=tnames)
tlen = len(tcolumns[0])
for i in range(0, tlen, tblen):
j = min(i + tblen, tlen)
bcolumns = [c[i:j] for c in tcolumns]
if out is None:
out = getattr(storage, create)(bcolumns, names=tnames,
expectedlen=expectedlen, **kwargs)
else:
out.append(bcolumns)
return out
| concatenate_table | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tup, blen=None, storage=None, create='table', **kwargs):\n storage = _util.get_storage(storage)\n if not isinstance(tup, (tuple, list)):\n raise ValueError('expected tuple or list, found %r' % tup)\n if len(tup) < 2:\n raise ValueError('expected two or more tables to stack')\n expectedlen = sum(len(t) for t in tup)\n out = None\n tnames = None\n for tdata in tup:\n tblen = _util.get_blen_table(tdata, blen)\n tnames, tcolumns = _util.check_table_like(tdata, names=tnames)\n tlen = len(tcolumns[0])\n for i in range(0, tlen, tblen):\n j = min(i + tblen, tlen)\n bcolumns = [c[i:j] for c in tcolumns]\n if out is None:\n out = getattr(storage, create)(bcolumns, names=tnames,\n expectedlen=expectedlen, **kwargs)\n else:\n out.append(bcolumns)\n return out\n",
"role": "user"
},
{
"content": "concatenate_table",
"role": "assistant"
}
] |
def x(tup, axis=0, blen=None, storage=None, create='array', **kwargs):
storage = _util.get_storage(storage)
if not isinstance(tup, (tuple, list)):
raise ValueError('expected tuple or list, found %r' % tup)
if len(tup) < 2:
raise ValueError('expected two or more arrays')
if axis == 0:
expectedlen = sum(len(a) for a in tup)
out = None
for a in tup:
ablen = _util.get_blen_array(a, blen)
for i in range(0, len(a), ablen):
j = min(i + ablen, len(a))
block = a[i:j]
if out is None:
out = getattr(storage, create)(block, expectedlen=
expectedlen, **kwargs)
else:
out.append(block)
else:
def x(*blocks):
return np.concatenate(blocks, axis=axis)
out = map_blocks(tup, f, blen=blen, storage=storage, create=create,
**kwargs)
return out
| concatenate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tup, axis=0, blen=None, storage=None, create='array', **kwargs):\n storage = _util.get_storage(storage)\n if not isinstance(tup, (tuple, list)):\n raise ValueError('expected tuple or list, found %r' % tup)\n if len(tup) < 2:\n raise ValueError('expected two or more arrays')\n if axis == 0:\n expectedlen = sum(len(a) for a in tup)\n out = None\n for a in tup:\n ablen = _util.get_blen_array(a, blen)\n for i in range(0, len(a), ablen):\n j = min(i + ablen, len(a))\n block = a[i:j]\n if out is None:\n out = getattr(storage, create)(block, expectedlen=\n expectedlen, **kwargs)\n else:\n out.append(block)\n else:\n\n def x(*blocks):\n return np.concatenate(blocks, axis=axis)\n out = map_blocks(tup, f, blen=blen, storage=storage, create=create,\n **kwargs)\n return out\n",
"role": "user"
},
{
"content": "concatenate",
"role": "assistant"
}
] |
def x(data, op, other, blen=None, storage=None, create='array', **kwargs):
if hasattr(other, 'shape') and len(other.shape) == 0:
other = other[()]
if np.isscalar(other):
def x(block):
return op(block, other)
return map_blocks(data, f, blen=blen, storage=storage, create=
create, **kwargs)
elif len(data) == len(other):
def x(a, b):
return op(a, b)
return map_blocks((data, other), f, blen=blen, storage=storage,
create=create, **kwargs)
else:
raise NotImplementedError('argument type not supported')
| binary_op | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, op, other, blen=None, storage=None, create='array', **kwargs):\n if hasattr(other, 'shape') and len(other.shape) == 0:\n other = other[()]\n if np.isscalar(other):\n\n def x(block):\n return op(block, other)\n return map_blocks(data, f, blen=blen, storage=storage, create=\n create, **kwargs)\n elif len(data) == len(other):\n\n def x(a, b):\n return op(a, b)\n return map_blocks((data, other), f, blen=blen, storage=storage,\n create=create, **kwargs)\n else:\n raise NotImplementedError('argument type not supported')\n",
"role": "user"
},
{
"content": "binary_op",
"role": "assistant"
}
] |
def x(tbl, expression, vm='python', blen=None, storage=None, create='array',
vm_kwargs=None, **kwargs):
storage = _util.get_storage(storage)
names, columns = _util.check_table_like(tbl)
length = len(columns[0])
if vm_kwargs is None:
vm_kwargs = dict()
if vm == 'numexpr':
import numexpr
evaluate = numexpr.evaluate
elif vm == 'python':
def x(expr, local_dict=None, **kw):
return eval(expr, dict(), local_dict)
else:
raise ValueError('expected vm either "numexpr" or "python"')
variables = _get_expression_variables(expression, vm)
required_columns = {v: columns[names.index(v)] for v in variables}
blen = _util.get_blen_table(required_columns, blen=blen)
out = None
for i in range(0, length, blen):
j = min(i + blen, length)
blocals = {v: c[i:j] for v, c in required_columns.items()}
res = evaluate(expression, local_dict=blocals, **vm_kwargs)
if out is None:
out = getattr(storage, create)(res, expectedlen=length, **kwargs)
else:
out.append(res)
return out
| eval_table | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tbl, expression, vm='python', blen=None, storage=None, create='array',\n vm_kwargs=None, **kwargs):\n storage = _util.get_storage(storage)\n names, columns = _util.check_table_like(tbl)\n length = len(columns[0])\n if vm_kwargs is None:\n vm_kwargs = dict()\n if vm == 'numexpr':\n import numexpr\n evaluate = numexpr.evaluate\n elif vm == 'python':\n\n def x(expr, local_dict=None, **kw):\n return eval(expr, dict(), local_dict)\n else:\n raise ValueError('expected vm either \"numexpr\" or \"python\"')\n variables = _get_expression_variables(expression, vm)\n required_columns = {v: columns[names.index(v)] for v in variables}\n blen = _util.get_blen_table(required_columns, blen=blen)\n out = None\n for i in range(0, length, blen):\n j = min(i + blen, length)\n blocals = {v: c[i:j] for v, c in required_columns.items()}\n res = evaluate(expression, local_dict=blocals, **vm_kwargs)\n if out is None:\n out = getattr(storage, create)(res, expectedlen=length, **kwargs)\n else:\n out.append(res)\n return out\n",
"role": "user"
},
{
"content": "eval_table",
"role": "assistant"
}
] |
def x(ref, alt, alleles, dtype='i1'):
ref = asarray_ndim(ref, 1)
alt = asarray_ndim(alt, 1, 2)
alleles = asarray_ndim(alleles, 1, 2)
check_dim0_aligned(ref, alt, alleles)
ref = ref[:, None]
if alt.ndim == 1:
alt = alt[:, None]
if alleles.ndim == 1:
alleles = alleles[:, None]
source_alleles = np.append(ref, alt, axis=1)
out = np.empty(source_alleles.shape, dtype=dtype)
out.fill(-1)
for ai in range(source_alleles.shape[1]):
match = source_alleles[:, ai, None] == alleles
match_i, match_j = match.nonzero()
out[match_i, ai] = match_j
return out
| create_allele_mapping | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ref, alt, alleles, dtype='i1'):\n ref = asarray_ndim(ref, 1)\n alt = asarray_ndim(alt, 1, 2)\n alleles = asarray_ndim(alleles, 1, 2)\n check_dim0_aligned(ref, alt, alleles)\n ref = ref[:, None]\n if alt.ndim == 1:\n alt = alt[:, None]\n if alleles.ndim == 1:\n alleles = alleles[:, None]\n source_alleles = np.append(ref, alt, axis=1)\n out = np.empty(source_alleles.shape, dtype=dtype)\n out.fill(-1)\n for ai in range(source_alleles.shape[1]):\n match = source_alleles[:, ai, None] == alleles\n match_i, match_j = match.nonzero()\n out[match_i, ai] = match_j\n return out\n",
"role": "user"
},
{
"content": "create_allele_mapping",
"role": "assistant"
}
] |
def x(ac1, ac2):
ac1 = asarray_ndim(ac1, 2)
ac2 = asarray_ndim(ac2, 2)
check_dim0_aligned(ac1, ac2)
ac1, ac2 = ensure_dim1_aligned(ac1, ac2)
pac = np.dstack([ac1, ac2])
pan = np.sum(pac, axis=1)
npa = np.sum(pac > 0, axis=2)
non_missing = np.all(pan > 0, axis=1)
no_shared_alleles = np.all(npa <= 1, axis=1)
return non_missing & no_shared_alleles
| locate_fixed_differences | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ac1, ac2):\n ac1 = asarray_ndim(ac1, 2)\n ac2 = asarray_ndim(ac2, 2)\n check_dim0_aligned(ac1, ac2)\n ac1, ac2 = ensure_dim1_aligned(ac1, ac2)\n pac = np.dstack([ac1, ac2])\n pan = np.sum(pac, axis=1)\n npa = np.sum(pac > 0, axis=2)\n non_missing = np.all(pan > 0, axis=1)\n no_shared_alleles = np.all(npa <= 1, axis=1)\n return non_missing & no_shared_alleles\n",
"role": "user"
},
{
"content": "locate_fixed_differences",
"role": "assistant"
}
] |
def x(*acs):
acs = [asarray_ndim(ac, 2) for ac in acs]
check_dim0_aligned(*acs)
acs = ensure_dim1_aligned(*acs)
pac = np.dstack(acs)
npa = np.sum(pac > 0, axis=2)
loc_pa = npa == 1
return loc_pa
| locate_private_alleles | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*acs):\n acs = [asarray_ndim(ac, 2) for ac in acs]\n check_dim0_aligned(*acs)\n acs = ensure_dim1_aligned(*acs)\n pac = np.dstack(acs)\n npa = np.sum(pac > 0, axis=2)\n loc_pa = npa == 1\n return loc_pa\n",
"role": "user"
},
{
"content": "locate_private_alleles",
"role": "assistant"
}
] |
def x(g, subpops, max_allele=None, blen=None):
if not hasattr(g, 'shape') or not hasattr(g, 'ndim'):
g = GenotypeArray(g, copy=False)
if g.ndim != 3:
raise ValueError('g must have three dimensions')
if g.shape[2] != 2:
raise NotImplementedError('only diploid genotypes are supported')
if max_allele is None:
max_allele = g.max()
blen = get_blen_array(g, blen)
n_variants = g.shape[0]
shape = n_variants, max_allele + 1
a = np.zeros(shape, dtype='f8')
b = np.zeros(shape, dtype='f8')
c = np.zeros(shape, dtype='f8')
for i in range(0, n_variants, blen):
j = min(n_variants, i + blen)
gb = g[i:j]
ab, bb, cb = _weir_cockerham_fst(gb, subpops, max_allele)
a[i:j] = ab
b[i:j] = bb
c[i:j] = cb
return a, b, c
| weir_cockerham_fst | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(g, subpops, max_allele=None, blen=None):\n if not hasattr(g, 'shape') or not hasattr(g, 'ndim'):\n g = GenotypeArray(g, copy=False)\n if g.ndim != 3:\n raise ValueError('g must have three dimensions')\n if g.shape[2] != 2:\n raise NotImplementedError('only diploid genotypes are supported')\n if max_allele is None:\n max_allele = g.max()\n blen = get_blen_array(g, blen)\n n_variants = g.shape[0]\n shape = n_variants, max_allele + 1\n a = np.zeros(shape, dtype='f8')\n b = np.zeros(shape, dtype='f8')\n c = np.zeros(shape, dtype='f8')\n for i in range(0, n_variants, blen):\n j = min(n_variants, i + blen)\n gb = g[i:j]\n ab, bb, cb = _weir_cockerham_fst(gb, subpops, max_allele)\n a[i:j] = ab\n b[i:j] = bb\n c[i:j] = cb\n return a, b, c\n",
"role": "user"
},
{
"content": "weir_cockerham_fst",
"role": "assistant"
}
] |
def x(ac1, ac2, fill=np.nan):
ac1 = asarray_ndim(ac1, 2)
ac2 = asarray_ndim(ac2, 2)
check_dim0_aligned(ac1, ac2)
ac1, ac2 = ensure_dim1_aligned(ac1, ac2)
an1 = np.sum(ac1, axis=1)
an2 = np.sum(ac2, axis=1)
within = (mean_pairwise_difference(ac1, an1, fill=fill) +
mean_pairwise_difference(ac2, an2, fill=fill)) / 2
between = mean_pairwise_difference_between(ac1, ac2, an1, an2, fill=fill)
num = between - within
den = between
return num, den
| hudson_fst | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ac1, ac2, fill=np.nan):\n ac1 = asarray_ndim(ac1, 2)\n ac2 = asarray_ndim(ac2, 2)\n check_dim0_aligned(ac1, ac2)\n ac1, ac2 = ensure_dim1_aligned(ac1, ac2)\n an1 = np.sum(ac1, axis=1)\n an2 = np.sum(ac2, axis=1)\n within = (mean_pairwise_difference(ac1, an1, fill=fill) +\n mean_pairwise_difference(ac2, an2, fill=fill)) / 2\n between = mean_pairwise_difference_between(ac1, ac2, an1, an2, fill=fill)\n num = between - within\n den = between\n return num, den\n",
"role": "user"
},
{
"content": "hudson_fst",
"role": "assistant"
}
] |
def x(aca, acb):
from allel.stats.admixture import patterson_f2, h_hat
num = patterson_f2(aca, acb)
den = num + h_hat(aca) + h_hat(acb)
return num, den
| patterson_fst | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(aca, acb):\n from allel.stats.admixture import patterson_f2, h_hat\n num = patterson_f2(aca, acb)\n den = num + h_hat(aca) + h_hat(acb)\n return num, den\n",
"role": "user"
},
{
"content": "patterson_fst",
"role": "assistant"
}
] |
def x(pos, g, subpops, size=None, start=None, stop=None, step=None, windows
=None, fill=np.nan, max_allele=None):
a, b, c = weir_cockerham_fst(g, subpops, max_allele=max_allele)
def x(wa, wb, wc):
return np.nansum(wa) / (np.nansum(wa) + np.nansum(wb) + np.nansum(wc))
fst, windows, counts = windowed_statistic(pos, values=(a, b, c),
statistic=average_fst, size=size, start=start, stop=stop, step=step,
windows=windows, fill=fill)
return fst, windows, counts
| windowed_weir_cockerham_fst | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pos, g, subpops, size=None, start=None, stop=None, step=None, windows\n =None, fill=np.nan, max_allele=None):\n a, b, c = weir_cockerham_fst(g, subpops, max_allele=max_allele)\n\n def x(wa, wb, wc):\n return np.nansum(wa) / (np.nansum(wa) + np.nansum(wb) + np.nansum(wc))\n fst, windows, counts = windowed_statistic(pos, values=(a, b, c),\n statistic=average_fst, size=size, start=start, stop=stop, step=step,\n windows=windows, fill=fill)\n return fst, windows, counts\n",
"role": "user"
},
{
"content": "windowed_weir_cockerham_fst",
"role": "assistant"
}
] |
def x(pos, ac1, ac2, size=None, start=None, stop=None, step=None, windows=
None, fill=np.nan):
num, den = hudson_fst(ac1, ac2)
def x(wn, wd):
return np.nansum(wn) / np.nansum(wd)
fst, windows, counts = windowed_statistic(pos, values=(num, den),
statistic=average_fst, size=size, start=start, stop=stop, step=step,
windows=windows, fill=fill)
return fst, windows, counts
| windowed_hudson_fst | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pos, ac1, ac2, size=None, start=None, stop=None, step=None, windows=\n None, fill=np.nan):\n num, den = hudson_fst(ac1, ac2)\n\n def x(wn, wd):\n return np.nansum(wn) / np.nansum(wd)\n fst, windows, counts = windowed_statistic(pos, values=(num, den),\n statistic=average_fst, size=size, start=start, stop=stop, step=step,\n windows=windows, fill=fill)\n return fst, windows, counts\n",
"role": "user"
},
{
"content": "windowed_hudson_fst",
"role": "assistant"
}
] |
def x(g, subpops, size, start=0, stop=None, step=None, max_allele=None):
a, b, c = weir_cockerham_fst(g, subpops, max_allele=max_allele)
num = moving_statistic(a, statistic=np.nansum, size=size, start=start,
stop=stop, step=step)
den = moving_statistic(a + b + c, statistic=np.nansum, size=size, start
=start, stop=stop, step=step)
fst = num / den
return fst
| moving_weir_cockerham_fst | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(g, subpops, size, start=0, stop=None, step=None, max_allele=None):\n a, b, c = weir_cockerham_fst(g, subpops, max_allele=max_allele)\n num = moving_statistic(a, statistic=np.nansum, size=size, start=start,\n stop=stop, step=step)\n den = moving_statistic(a + b + c, statistic=np.nansum, size=size, start\n =start, stop=stop, step=step)\n fst = num / den\n return fst\n",
"role": "user"
},
{
"content": "moving_weir_cockerham_fst",
"role": "assistant"
}
] |
def x(ac1, ac2, size, start=0, stop=None, step=None):
num, den = hudson_fst(ac1, ac2, fill=np.nan)
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)
fst = num_sum / den_sum
return fst
| moving_hudson_fst | [
{
"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 num, den = hudson_fst(ac1, ac2, fill=np.nan)\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 fst = num_sum / den_sum\n return fst\n",
"role": "user"
},
{
"content": "moving_hudson_fst",
"role": "assistant"
}
] |
def x(ac1, ac2, size, start=0, stop=None, step=None):
num, den = patterson_fst(ac1, ac2)
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)
fst = num_sum / den_sum
return fst
| moving_patterson_fst | [
{
"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 num, den = patterson_fst(ac1, ac2)\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 fst = num_sum / den_sum\n return fst\n",
"role": "user"
},
{
"content": "moving_patterson_fst",
"role": "assistant"
}
] |
def x(g, subpops, blen, max_allele=None):
a, b, c = weir_cockerham_fst(g, subpops, max_allele=max_allele)
a_sum = np.nansum(a)
b_sum = np.nansum(b)
c_sum = np.nansum(c)
fst = a_sum / (a_sum + b_sum + c_sum)
num_bsum = moving_statistic(a, statistic=np.nansum, size=blen)
den_bsum = moving_statistic(a + b + c, 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))
return fst, se, vb, vj
| average_weir_cockerham_fst | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(g, subpops, blen, max_allele=None):\n a, b, c = weir_cockerham_fst(g, subpops, max_allele=max_allele)\n a_sum = np.nansum(a)\n b_sum = np.nansum(b)\n c_sum = np.nansum(c)\n fst = a_sum / (a_sum + b_sum + c_sum)\n num_bsum = moving_statistic(a, statistic=np.nansum, size=blen)\n den_bsum = moving_statistic(a + b + c, 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 return fst, se, vb, vj\n",
"role": "user"
},
{
"content": "average_weir_cockerham_fst",
"role": "assistant"
}
] |
def x(ac1, ac2, blen):
num, den = hudson_fst(ac1, ac2, fill=np.nan)
fst = 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))
return fst, se, vb, vj
| average_hudson_fst | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ac1, ac2, blen):\n num, den = hudson_fst(ac1, ac2, fill=np.nan)\n fst = 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 return fst, se, vb, vj\n",
"role": "user"
},
{
"content": "average_hudson_fst",
"role": "assistant"
}
] |
def x(ac1, ac2, blen):
num, den = patterson_fst(ac1, ac2)
fst = 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))
return fst, se, vb, vj
| average_patterson_fst | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ac1, ac2, blen):\n num, den = patterson_fst(ac1, ac2)\n fst = 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 return fst, se, vb, vj\n",
"role": "user"
},
{
"content": "average_patterson_fst",
"role": "assistant"
}
] |
def x(gn):
gn = asarray_ndim(gn, 2, dtype='i1')
gn = memoryview_safe(gn)
r = gn_pairwise_corrcoef_int8(gn)
if r.size == 1:
r = r[0]
return r
| rogers_huff_r | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(gn):\n gn = asarray_ndim(gn, 2, dtype='i1')\n gn = memoryview_safe(gn)\n r = gn_pairwise_corrcoef_int8(gn)\n if r.size == 1:\n r = r[0]\n return r\n",
"role": "user"
},
{
"content": "rogers_huff_r",
"role": "assistant"
}
] |
def x(gna, gnb):
gna = asarray_ndim(gna, 2, dtype='i1')
gnb = asarray_ndim(gnb, 2, dtype='i1')
gna = memoryview_safe(gna)
gnb = memoryview_safe(gnb)
r = gn_pairwise2_corrcoef_int8(gna, gnb)
if r.size == 1:
r = r[0, 0]
return r
| rogers_huff_r_between | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(gna, gnb):\n gna = asarray_ndim(gna, 2, dtype='i1')\n gnb = asarray_ndim(gnb, 2, dtype='i1')\n gna = memoryview_safe(gna)\n gnb = memoryview_safe(gnb)\n r = gn_pairwise2_corrcoef_int8(gna, gnb)\n if r.size == 1:\n r = r[0, 0]\n return r\n",
"role": "user"
},
{
"content": "rogers_huff_r_between",
"role": "assistant"
}
] |
def x(gn, size=100, step=20, threshold=0.1, blen=None):
if not hasattr(gn, 'shape') or not hasattr(gn, 'dtype'):
gn = np.asarray(gn, dtype='i1')
if gn.ndim != 2:
raise ValueError('gn must have two dimensions')
loc = np.ones(gn.shape[0], dtype='u1')
blen = get_blen_array(gn, blen)
blen = max(blen, 10 * size)
n_variants = gn.shape[0]
for i in range(0, n_variants, blen):
j = min(n_variants, i + blen + size)
gnb = np.asarray(gn[i:j], dtype='i1')
gnb = memoryview_safe(gnb)
locb = loc[i:j]
gn_locate_unlinked_int8(gnb, locb, size, step, threshold)
return loc.astype('b1')
| locate_unlinked | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(gn, size=100, step=20, threshold=0.1, blen=None):\n if not hasattr(gn, 'shape') or not hasattr(gn, 'dtype'):\n gn = np.asarray(gn, dtype='i1')\n if gn.ndim != 2:\n raise ValueError('gn must have two dimensions')\n loc = np.ones(gn.shape[0], dtype='u1')\n blen = get_blen_array(gn, blen)\n blen = max(blen, 10 * size)\n n_variants = gn.shape[0]\n for i in range(0, n_variants, blen):\n j = min(n_variants, i + blen + size)\n gnb = np.asarray(gn[i:j], dtype='i1')\n gnb = memoryview_safe(gnb)\n locb = loc[i:j]\n gn_locate_unlinked_int8(gnb, locb, size, step, threshold)\n return loc.astype('b1')\n",
"role": "user"
},
{
"content": "locate_unlinked",
"role": "assistant"
}
] |
def x(pos, gn, size=None, start=None, stop=None, step=None, windows=None,
fill=np.nan, percentile=50):
if isinstance(percentile, (list, tuple)):
fill = [fill for _ in percentile]
def x(gnw):
r_squared = rogers_huff_r(gnw) ** 2
return [np.percentile(r_squared, p) for p in percentile]
else:
def x(gnw):
r_squared = rogers_huff_r(gnw) ** 2
return np.percentile(r_squared, percentile)
return windowed_statistic(pos, gn, statistic, size, start=start, stop=
stop, step=step, windows=windows, fill=fill)
| windowed_r_squared | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pos, gn, size=None, start=None, stop=None, step=None, windows=None,\n fill=np.nan, percentile=50):\n if isinstance(percentile, (list, tuple)):\n fill = [fill for _ in percentile]\n\n def x(gnw):\n r_squared = rogers_huff_r(gnw) ** 2\n return [np.percentile(r_squared, p) for p in percentile]\n else:\n\n def x(gnw):\n r_squared = rogers_huff_r(gnw) ** 2\n return np.percentile(r_squared, percentile)\n return windowed_statistic(pos, gn, statistic, size, start=start, stop=\n stop, step=step, windows=windows, fill=fill)\n",
"role": "user"
},
{
"content": "windowed_r_squared",
"role": "assistant"
}
] |
def x(m, colorbar=True, ax=None, imshow_kwargs=None):
import matplotlib.pyplot as plt
m_square = ensure_square(m)
m_square = np.tril(m_square)[::-1, :]
if ax is None:
x = m_square.shape[0] / plt.rcParams['figure.dpi']
x = max(x, plt.rcParams['figure.figsize'][0])
fig, ax = plt.subplots(figsize=(x, x))
fig.tight_layout(pad=0)
if imshow_kwargs is None:
imshow_kwargs = dict()
imshow_kwargs.setdefault('interpolation', 'none')
imshow_kwargs.setdefault('cmap', 'Greys')
imshow_kwargs.setdefault('vmin', 0)
imshow_kwargs.setdefault('vmax', 1)
im = ax.imshow(m_square, **imshow_kwargs)
ax.set_xticks([])
ax.set_yticks([])
for s in ('bottom', 'right'):
ax.spines[s].set_visible(False)
if colorbar:
plt.gcf().colorbar(im, shrink=0.5, pad=0)
return ax
| plot_pairwise_ld | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(m, colorbar=True, ax=None, imshow_kwargs=None):\n import matplotlib.pyplot as plt\n m_square = ensure_square(m)\n m_square = np.tril(m_square)[::-1, :]\n if ax is None:\n x = m_square.shape[0] / plt.rcParams['figure.dpi']\n x = max(x, plt.rcParams['figure.figsize'][0])\n fig, ax = plt.subplots(figsize=(x, x))\n fig.tight_layout(pad=0)\n if imshow_kwargs is None:\n imshow_kwargs = dict()\n imshow_kwargs.setdefault('interpolation', 'none')\n imshow_kwargs.setdefault('cmap', 'Greys')\n imshow_kwargs.setdefault('vmin', 0)\n imshow_kwargs.setdefault('vmax', 1)\n im = ax.imshow(m_square, **imshow_kwargs)\n ax.set_xticks([])\n ax.set_yticks([])\n for s in ('bottom', 'right'):\n ax.spines[s].set_visible(False)\n if colorbar:\n plt.gcf().colorbar(im, shrink=0.5, pad=0)\n return ax\n",
"role": "user"
},
{
"content": "plot_pairwise_ld",
"role": "assistant"
}
] |
def x(a, parent, name, **kwargs):
import h5py
h5f = None
if isinstance(parent, str):
h5f = h5py.File(parent, mode='a')
parent = h5f
try:
kwargs.setdefault('chunks', True)
kwargs.setdefault('dtype', a.dtype)
kwargs.setdefault('compression', 'gzip')
h5d = parent.require_dataset(name, shape=a.shape, **kwargs)
h5d[...] = a
return h5d
finally:
if h5f is not None:
h5f.close()
| array_to_hdf5 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, parent, name, **kwargs):\n import h5py\n h5f = None\n if isinstance(parent, str):\n h5f = h5py.File(parent, mode='a')\n parent = h5f\n try:\n kwargs.setdefault('chunks', True)\n kwargs.setdefault('dtype', a.dtype)\n kwargs.setdefault('compression', 'gzip')\n h5d = parent.require_dataset(name, shape=a.shape, **kwargs)\n h5d[...] = a\n return h5d\n finally:\n if h5f is not None:\n h5f.close()\n",
"role": "user"
},
{
"content": "array_to_hdf5",
"role": "assistant"
}
] |
def x(*args, **kwargs):
import h5py
h5f = None
if len(args) == 1:
group = args[0]
elif len(args) == 2:
file_path, node_path = args
h5f = h5py.File(file_path, mode='r')
try:
group = h5f[node_path]
except Exception as e:
h5f.close()
raise e
else:
raise ValueError(
'bad arguments; expected group or (file_path, node_path), found %s'
% repr(args))
try:
if not isinstance(group, h5py.Group):
raise ValueError('expected group, found %r' % group)
available_dataset_names = [n for n in group.keys() if isinstance(
group[n], h5py.Dataset)]
names = kwargs.pop('names', available_dataset_names)
names = [str(n) for n in names]
for n in names:
if n not in set(group.keys()):
raise ValueError('name not found: %s' % n)
if not isinstance(group[n], h5py.Dataset):
raise ValueError('name does not refer to a dataset: %s, %r' %
(n, group[n]))
datasets = [group[n] for n in names]
length = datasets[0].shape[0]
for d in datasets[1:]:
if d.shape[0] != length:
raise ValueError('datasets must be of equal length')
start = kwargs.pop('start', 0)
stop = kwargs.pop('stop', length)
condition = kwargs.pop('condition', None)
condition = asarray_ndim(condition, 1, allow_none=True)
if condition is not None and condition.size != length:
raise ValueError(
'length of condition does not match length of datasets')
dtype = [(n, d.dtype, d.shape[1:]) for n, d in zip(names, datasets)]
ra = np.empty(length, dtype=dtype)
for n, d in zip(names, datasets):
a = d[start:stop]
if condition is not None:
a = np.compress(condition[start:stop], a, axis=0)
ra[n] = a
return ra
finally:
if h5f is not None:
h5f.close()
| recarray_from_hdf5_group | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kwargs):\n import h5py\n h5f = None\n if len(args) == 1:\n group = args[0]\n elif len(args) == 2:\n file_path, node_path = args\n h5f = h5py.File(file_path, mode='r')\n try:\n group = h5f[node_path]\n except Exception as e:\n h5f.close()\n raise e\n else:\n raise ValueError(\n 'bad arguments; expected group or (file_path, node_path), found %s'\n % repr(args))\n try:\n if not isinstance(group, h5py.Group):\n raise ValueError('expected group, found %r' % group)\n available_dataset_names = [n for n in group.keys() if isinstance(\n group[n], h5py.Dataset)]\n names = kwargs.pop('names', available_dataset_names)\n names = [str(n) for n in names]\n for n in names:\n if n not in set(group.keys()):\n raise ValueError('name not found: %s' % n)\n if not isinstance(group[n], h5py.Dataset):\n raise ValueError('name does not refer to a dataset: %s, %r' %\n (n, group[n]))\n datasets = [group[n] for n in names]\n length = datasets[0].shape[0]\n for d in datasets[1:]:\n if d.shape[0] != length:\n raise ValueError('datasets must be of equal length')\n start = kwargs.pop('start', 0)\n stop = kwargs.pop('stop', length)\n condition = kwargs.pop('condition', None)\n condition = asarray_ndim(condition, 1, allow_none=True)\n if condition is not None and condition.size != length:\n raise ValueError(\n 'length of condition does not match length of datasets')\n dtype = [(n, d.dtype, d.shape[1:]) for n, d in zip(names, datasets)]\n ra = np.empty(length, dtype=dtype)\n for n, d in zip(names, datasets):\n a = d[start:stop]\n if condition is not None:\n a = np.compress(condition[start:stop], a, axis=0)\n ra[n] = a\n return ra\n finally:\n if h5f is not None:\n h5f.close()\n",
"role": "user"
},
{
"content": "recarray_from_hdf5_group",
"role": "assistant"
}
] |
def x(ra, parent, name, **kwargs):
import h5py
h5f = None
if isinstance(parent, str):
h5f = h5py.File(parent, mode='a')
parent = h5f
try:
h5g = parent.require_group(name)
for n in ra.dtype.names:
array_to_hdf5(ra[n], h5g, n, **kwargs)
return h5g
finally:
if h5f is not None:
h5f.close()
| recarray_to_hdf5_group | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ra, parent, name, **kwargs):\n import h5py\n h5f = None\n if isinstance(parent, str):\n h5f = h5py.File(parent, mode='a')\n parent = h5f\n try:\n h5g = parent.require_group(name)\n for n in ra.dtype.names:\n array_to_hdf5(ra[n], h5g, n, **kwargs)\n return h5g\n finally:\n if h5f is not None:\n h5f.close()\n",
"role": "user"
},
{
"content": "recarray_to_hdf5_group",
"role": "assistant"
}
] |
def x(data, sel0, sel1):
data = np.asarray(data)
if data.ndim < 2:
raise ValueError('data must have 2 or more dimensions')
sel0 = asarray_ndim(sel0, 1, allow_none=True)
sel1 = asarray_ndim(sel1, 1, allow_none=True)
if sel0 is not None and sel0.dtype.kind == 'b':
sel0, = np.nonzero(sel0)
if sel1 is not None and sel1.dtype.kind == 'b':
sel1, = np.nonzero(sel1)
if sel0 is not None and sel1 is not None:
sel0 = sel0[:, np.newaxis]
if sel0 is None:
sel0 = _total_slice
if sel1 is None:
sel1 = _total_slice
return data[sel0, sel1]
| subset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, sel0, sel1):\n data = np.asarray(data)\n if data.ndim < 2:\n raise ValueError('data must have 2 or more dimensions')\n sel0 = asarray_ndim(sel0, 1, allow_none=True)\n sel1 = asarray_ndim(sel1, 1, allow_none=True)\n if sel0 is not None and sel0.dtype.kind == 'b':\n sel0, = np.nonzero(sel0)\n if sel1 is not None and sel1.dtype.kind == 'b':\n sel1, = np.nonzero(sel1)\n if sel0 is not None and sel1 is not None:\n sel0 = sel0[:, np.newaxis]\n if sel0 is None:\n sel0 = _total_slice\n if sel1 is None:\n sel1 = _total_slice\n return data[sel0, sel1]\n",
"role": "user"
},
{
"content": "subset",
"role": "assistant"
}
] |
def x(self, expression, vm='python'):
if vm == 'numexpr':
import numexpr as ne
return ne.evaluate(expression, local_dict=self)
else:
if PY2:
m = {k: self[k] for k in self.dtype.names}
else:
m = self
return eval(expression, dict(), m)
| eval | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, expression, vm='python'):\n if vm == 'numexpr':\n import numexpr as ne\n return ne.evaluate(expression, local_dict=self)\n else:\n if PY2:\n m = {k: self[k] for k in self.dtype.names}\n else:\n m = self\n return eval(expression, dict(), m)\n",
"role": "user"
},
{
"content": "eval",
"role": "assistant"
}
] |
def x(self, expression, vm='python'):
condition = self.eval(expression, vm=vm)
return self.compress(condition)
| query | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, expression, vm='python'):\n condition = self.eval(expression, vm=vm)\n return self.compress(condition)\n",
"role": "user"
},
{
"content": "query",
"role": "assistant"
}
] |
def x(self, others):
if not isinstance(others, (list, tuple)):
others = others,
tup = (self.values,) + tuple(o.values for o in others)
out = np.concatenate(tup, axis=0)
out = type(self)(out)
return out
| concatenate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, others):\n if not isinstance(others, (list, tuple)):\n others = others,\n tup = (self.values,) + tuple(o.values for o in others)\n out = np.concatenate(tup, axis=0)\n out = type(self)(out)\n return out\n",
"role": "user"
},
{
"content": "concatenate",
"role": "assistant"
}
] |
def x(self, value=-1, copy=True):
if self.mask is None:
raise ValueError('no mask is set')
data = np.array(self.values, copy=copy)
data[self.mask, ...] = value
if copy:
out = type(self)(data)
out.is_phased = self.is_phased
else:
out = self
out.mask = None
return out
| fill_masked | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value=-1, copy=True):\n if self.mask is None:\n raise ValueError('no mask is set')\n data = np.array(self.values, copy=copy)\n data[self.mask, ...] = value\n if copy:\n out = type(self)(data)\n out.is_phased = self.is_phased\n else:\n out = self\n out.mask = None\n return out\n",
"role": "user"
},
{
"content": "fill_masked",
"role": "assistant"
}
] |
def x(self):
out = np.all(self.values >= 0, axis=-1)
if self.mask is not None:
out &= ~self.mask
return out
| is_called | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n out = np.all(self.values >= 0, axis=-1)\n if self.mask is not None:\n out &= ~self.mask\n return out\n",
"role": "user"
},
{
"content": "is_called",
"role": "assistant"
}
] |
def x(self):
out = np.any(self.values < 0, axis=-1)
if self.mask is not None:
out |= self.mask
return out
| is_missing | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n out = np.any(self.values < 0, axis=-1)\n if self.mask is not None:\n out |= self.mask\n return out\n",
"role": "user"
},
{
"content": "is_missing",
"role": "assistant"
}
] |
def x(self, allele=None):
if allele is None:
allele1 = self.values[..., 0, np.newaxis]
other_alleles = self.values[..., 1:]
tmp = (allele1 >= 0) & (allele1 == other_alleles)
out = np.all(tmp, axis=-1)
else:
out = np.all(self.values == allele, axis=-1)
if self.mask is not None:
out &= ~self.mask
return out
| is_hom | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, allele=None):\n if allele is None:\n allele1 = self.values[..., 0, np.newaxis]\n other_alleles = self.values[..., 1:]\n tmp = (allele1 >= 0) & (allele1 == other_alleles)\n out = np.all(tmp, axis=-1)\n else:\n out = np.all(self.values == allele, axis=-1)\n if self.mask is not None:\n out &= ~self.mask\n return out\n",
"role": "user"
},
{
"content": "is_hom",
"role": "assistant"
}
] |
def x(self):
allele1 = self.values[..., 0, np.newaxis]
other_alleles = self.values[..., 1:]
tmp = (allele1 > 0) & (allele1 == other_alleles)
out = np.all(tmp, axis=-1)
if self.mask is not None:
out &= ~self.mask
return out
| is_hom_alt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n allele1 = self.values[..., 0, np.newaxis]\n other_alleles = self.values[..., 1:]\n tmp = (allele1 > 0) & (allele1 == other_alleles)\n out = np.all(tmp, axis=-1)\n if self.mask is not None:\n out &= ~self.mask\n return out\n",
"role": "user"
},
{
"content": "is_hom_alt",
"role": "assistant"
}
] |
def x(self, allele=None):
allele1 = self.values[..., 0, np.newaxis]
other_alleles = self.values[..., 1:]
out = np.all(self.values >= 0, axis=-1) & np.any(allele1 !=
other_alleles, axis=-1)
if allele is not None:
out &= np.any(self.values == allele, axis=-1)
if self.mask is not None:
out &= ~self.mask
return out
| is_het | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, allele=None):\n allele1 = self.values[..., 0, np.newaxis]\n other_alleles = self.values[..., 1:]\n out = np.all(self.values >= 0, axis=-1) & np.any(allele1 !=\n other_alleles, axis=-1)\n if allele is not None:\n out &= np.any(self.values == allele, axis=-1)\n if self.mask is not None:\n out &= ~self.mask\n return out\n",
"role": "user"
},
{
"content": "is_het",
"role": "assistant"
}
] |
def x(self, call):
if not len(call) == self.shape[-1]:
raise ValueError('invalid call ploidy: %s', repr(call))
if self.ndim == 2:
call = np.asarray(call)[np.newaxis, :]
else:
call = np.asarray(call)[np.newaxis, np.newaxis, :]
out = np.all(self.values == call, axis=-1)
if self.mask is not None:
out &= ~self.mask
return out
| is_call | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, call):\n if not len(call) == self.shape[-1]:\n raise ValueError('invalid call ploidy: %s', repr(call))\n if self.ndim == 2:\n call = np.asarray(call)[np.newaxis, :]\n else:\n call = np.asarray(call)[np.newaxis, np.newaxis, :]\n out = np.all(self.values == call, axis=-1)\n if self.mask is not None:\n out &= ~self.mask\n return out\n",
"role": "user"
},
{
"content": "is_call",
"role": "assistant"
}
] |
def x(self, axis=None):
b = self.is_called()
return np.sum(b, axis=axis)
| count_called | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, axis=None):\n b = self.is_called()\n return np.sum(b, axis=axis)\n",
"role": "user"
},
{
"content": "count_called",
"role": "assistant"
}
] |
def x(self, axis=None):
b = self.is_missing()
return np.sum(b, axis=axis)
| count_missing | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, axis=None):\n b = self.is_missing()\n return np.sum(b, axis=axis)\n",
"role": "user"
},
{
"content": "count_missing",
"role": "assistant"
}
] |
def x(self, allele=None, axis=None):
b = self.is_hom(allele=allele)
return np.sum(b, axis=axis)
| count_hom | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, allele=None, axis=None):\n b = self.is_hom(allele=allele)\n return np.sum(b, axis=axis)\n",
"role": "user"
},
{
"content": "count_hom",
"role": "assistant"
}
] |
def x(self, axis=None):
b = self.is_hom_ref()
return np.sum(b, axis=axis)
| count_hom_ref | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, axis=None):\n b = self.is_hom_ref()\n return np.sum(b, axis=axis)\n",
"role": "user"
},
{
"content": "count_hom_ref",
"role": "assistant"
}
] |
def x(self, axis=None):
b = self.is_hom_alt()
return np.sum(b, axis=axis)
| count_hom_alt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, axis=None):\n b = self.is_hom_alt()\n return np.sum(b, axis=axis)\n",
"role": "user"
},
{
"content": "count_hom_alt",
"role": "assistant"
}
] |
def x(self, allele=None, axis=None):
b = self.is_het(allele=allele)
return np.sum(b, axis=axis)
| count_het | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, allele=None, axis=None):\n b = self.is_het(allele=allele)\n return np.sum(b, axis=axis)\n",
"role": "user"
},
{
"content": "count_het",
"role": "assistant"
}
] |
def x(self, call, axis=None):
b = self.is_call(call=call)
return np.sum(b, axis=axis)
| count_call | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, call, axis=None):\n b = self.is_call(call=call)\n return np.sum(b, axis=axis)\n",
"role": "user"
},
{
"content": "count_call",
"role": "assistant"
}
] |
def x(self, fill=0, dtype='i1'):
out = np.empty(self.shape[:-1], dtype=dtype)
np.sum(self.values == 0, axis=-1, out=out)
if fill != 0:
m = self.is_missing()
out[m] = fill
if self.mask is not None:
out[self.mask] = fill
return out
| to_n_ref | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fill=0, dtype='i1'):\n out = np.empty(self.shape[:-1], dtype=dtype)\n np.sum(self.values == 0, axis=-1, out=out)\n if fill != 0:\n m = self.is_missing()\n out[m] = fill\n if self.mask is not None:\n out[self.mask] = fill\n return out\n",
"role": "user"
},
{
"content": "to_n_ref",
"role": "assistant"
}
] |
def x(self, max_allele=None, dtype='u1'):
if max_allele is None:
max_allele = self.max()
alleles = list(range(max_allele + 1))
outshape = self.shape[:-1] + (len(alleles),)
out = np.zeros(outshape, dtype=dtype)
for allele in alleles:
allele_match = self.values == allele
if self.mask is not None:
allele_match &= ~self.mask[..., np.newaxis]
np.sum(allele_match, axis=-1, out=out[..., allele])
if self.ndim == 2:
out = GenotypeAlleleCountsVector(out)
elif self.ndim == 3:
out = GenotypeAlleleCountsArray(out)
return out
| to_allele_counts | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, max_allele=None, dtype='u1'):\n if max_allele is None:\n max_allele = self.max()\n alleles = list(range(max_allele + 1))\n outshape = self.shape[:-1] + (len(alleles),)\n out = np.zeros(outshape, dtype=dtype)\n for allele in alleles:\n allele_match = self.values == allele\n if self.mask is not None:\n allele_match &= ~self.mask[..., np.newaxis]\n np.sum(allele_match, axis=-1, out=out[..., allele])\n if self.ndim == 2:\n out = GenotypeAlleleCountsVector(out)\n elif self.ndim == 3:\n out = GenotypeAlleleCountsArray(out)\n return out\n",
"role": "user"
},
{
"content": "to_allele_counts",
"role": "assistant"
}
] |
def x(self, max_allele=None):
if max_allele is None:
max_allele = np.max(self)
if max_allele <= 0:
max_allele = 1
nchar = int(np.floor(np.log10(max_allele))) + 1
a = self.astype((np.string_, nchar)).view(np.chararray)
a[self < 0] = b'.'
if self.mask is not None:
a[self.mask] = b'.'
if self.is_phased is None:
sep = b'/'
else:
sep = np.empty(self.shape[:-1], dtype='S1').view(np.chararray)
sep[self.is_phased] = b'|'
sep[~self.is_phased] = b'/'
gt = a[..., 0]
for i in range(1, self.ploidy):
gt = gt + sep + a[..., i]
return gt
| to_gt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, max_allele=None):\n if max_allele is None:\n max_allele = np.max(self)\n if max_allele <= 0:\n max_allele = 1\n nchar = int(np.floor(np.log10(max_allele))) + 1\n a = self.astype((np.string_, nchar)).view(np.chararray)\n a[self < 0] = b'.'\n if self.mask is not None:\n a[self.mask] = b'.'\n if self.is_phased is None:\n sep = b'/'\n else:\n sep = np.empty(self.shape[:-1], dtype='S1').view(np.chararray)\n sep[self.is_phased] = b'|'\n sep[~self.is_phased] = b'/'\n gt = a[..., 0]\n for i in range(1, self.ploidy):\n gt = gt + sep + a[..., i]\n return gt\n",
"role": "user"
},
{
"content": "to_gt",
"role": "assistant"
}
] |
def x(self, mapping, copy=True):
h = self.to_haplotypes()
hm = h.map_alleles(mapping, copy=copy)
if self.ndim == 2:
gm = GenotypeVector(hm)
else:
gm = hm.to_genotypes(ploidy=self.ploidy)
return gm
| map_alleles | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mapping, copy=True):\n h = self.to_haplotypes()\n hm = h.map_alleles(mapping, copy=copy)\n if self.ndim == 2:\n gm = GenotypeVector(hm)\n else:\n gm = hm.to_genotypes(ploidy=self.ploidy)\n return gm\n",
"role": "user"
},
{
"content": "map_alleles",
"role": "assistant"
}
] |
def x(self, boundscheck=True):
check_ploidy(self.ploidy, 2)
if boundscheck:
amx = self.max()
if amx > 14:
raise ValueError('max allele for packing is 14, found %s' % amx)
amn = self.min()
if amn < -1:
raise ValueError('min allele for packing is -1, found %s' % amn)
values = memoryview_safe(self.values)
packed = genotype_array_pack_diploid(values)
return packed
| to_packed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, boundscheck=True):\n check_ploidy(self.ploidy, 2)\n if boundscheck:\n amx = self.max()\n if amx > 14:\n raise ValueError('max allele for packing is 14, found %s' % amx)\n amn = self.min()\n if amn < -1:\n raise ValueError('min allele for packing is -1, found %s' % amn)\n values = memoryview_safe(self.values)\n packed = genotype_array_pack_diploid(values)\n return packed\n",
"role": "user"
},
{
"content": "to_packed",
"role": "assistant"
}
] |
def x(cls, packed):
packed = np.asarray(packed)
check_ndim(packed, 2)
check_dtype(packed, 'u1')
packed = memoryview_safe(packed)
data = genotype_array_unpack_diploid(packed)
return cls(data)
| from_packed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, packed):\n packed = np.asarray(packed)\n check_ndim(packed, 2)\n check_dtype(packed, 'u1')\n packed = memoryview_safe(packed)\n data = genotype_array_unpack_diploid(packed)\n return cls(data)\n",
"role": "user"
},
{
"content": "from_packed",
"role": "assistant"
}
] |
def x(self, format='csr', **kwargs):
h = self.to_haplotypes()
m = h.to_sparse(format=format, **kwargs)
return m
| to_sparse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, format='csr', **kwargs):\n h = self.to_haplotypes()\n m = h.to_sparse(format=format, **kwargs)\n return m\n",
"role": "user"
},
{
"content": "to_sparse",
"role": "assistant"
}
] |
def x(m, ploidy, order=None, out=None):
h = HaplotypeArray.from_sparse(m, order=order, out=out)
g = h.to_genotypes(ploidy=ploidy)
return g
| from_sparse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(m, ploidy, order=None, out=None):\n h = HaplotypeArray.from_sparse(m, order=order, out=out)\n g = h.to_genotypes(ploidy=ploidy)\n return g\n",
"role": "user"
},
{
"content": "from_sparse",
"role": "assistant"
}
] |
def x(self):
index_range = np.arange(0, self.ploidy, dtype='u1')
indices = np.random.choice(index_range, size=self.n_calls, replace=True)
choices = self.reshape(-1, self.ploidy).T
data = np.choose(indices, choices)
data = data.reshape((self.n_variants, self.n_samples))
h = HaplotypeArray(data, copy=False)
return h
| haploidify_samples | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n index_range = np.arange(0, self.ploidy, dtype='u1')\n indices = np.random.choice(index_range, size=self.n_calls, replace=True)\n choices = self.reshape(-1, self.ploidy).T\n data = np.choose(indices, choices)\n data = data.reshape((self.n_variants, self.n_samples))\n h = HaplotypeArray(data, copy=False)\n return h\n",
"role": "user"
},
{
"content": "haploidify_samples",
"role": "assistant"
}
] |
def x(self, max_allele=None, subpop=None):
subpop = _normalize_subpop_arg(subpop, self.shape[1])
if max_allele is None:
max_allele = self.max()
values = memoryview_safe(self.values)
mask = memoryview_safe(self.mask).view(dtype='u1'
) if self.mask is not None else None
if subpop is None and mask is None:
ac = genotype_array_count_alleles(values, max_allele)
elif subpop is None:
ac = genotype_array_count_alleles_masked(values, mask, max_allele)
elif mask is None:
ac = genotype_array_count_alleles_subpop(values, max_allele, subpop)
else:
ac = genotype_array_count_alleles_subpop_masked(values, mask,
max_allele, subpop)
return AlleleCountsArray(ac, copy=False)
| count_alleles | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, max_allele=None, subpop=None):\n subpop = _normalize_subpop_arg(subpop, self.shape[1])\n if max_allele is None:\n max_allele = self.max()\n values = memoryview_safe(self.values)\n mask = memoryview_safe(self.mask).view(dtype='u1'\n ) if self.mask is not None else None\n if subpop is None and mask is None:\n ac = genotype_array_count_alleles(values, max_allele)\n elif subpop is None:\n ac = genotype_array_count_alleles_masked(values, mask, max_allele)\n elif mask is None:\n ac = genotype_array_count_alleles_subpop(values, max_allele, subpop)\n else:\n ac = genotype_array_count_alleles_subpop_masked(values, mask,\n max_allele, subpop)\n return AlleleCountsArray(ac, copy=False)\n",
"role": "user"
},
{
"content": "count_alleles",
"role": "assistant"
}
] |
def x(self, subpops, max_allele=None):
if max_allele is None:
max_allele = self.max()
out = {name: self.count_alleles(max_allele=max_allele, subpop=subpop) for
name, subpop in subpops.items()}
return out
| count_alleles_subpops | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subpops, max_allele=None):\n if max_allele is None:\n max_allele = self.max()\n out = {name: self.count_alleles(max_allele=max_allele, subpop=subpop) for\n name, subpop in subpops.items()}\n return out\n",
"role": "user"
},
{
"content": "count_alleles_subpops",
"role": "assistant"
}
] |
def x(self, condition, axis=0, out=None):
return compress_haplotype_array(self, condition, axis=axis, cls=type(
self), compress=np.compress, out=out)
| compress | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, condition, axis=0, out=None):\n return compress_haplotype_array(self, condition, axis=axis, cls=type(\n self), compress=np.compress, out=out)\n",
"role": "user"
},
{
"content": "compress",
"role": "assistant"
}
] |
def x(self, indices, axis=0, out=None, mode='raise'):
return take_haplotype_array(self, indices, axis=axis, cls=type(self),
take=np.take, out=out, mode=mode)
| take | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, indices, axis=0, out=None, mode='raise'):\n return take_haplotype_array(self, indices, axis=axis, cls=type(self),\n take=np.take, out=out, mode=mode)\n",
"role": "user"
},
{
"content": "take",
"role": "assistant"
}
] |
def x(self, sel0=None, sel1=None):
return subset_haplotype_array(self, sel0, sel1, cls=type(self), subset=
subset)
| subset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sel0=None, sel1=None):\n return subset_haplotype_array(self, sel0, sel1, cls=type(self), subset=\n subset)\n",
"role": "user"
},
{
"content": "subset",
"role": "assistant"
}
] |
def x(self, others, axis=0):
return concatenate_haplotype_array(self, others, axis=axis, cls=type(
self), concatenate=np.concatenate)
| concatenate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, others, axis=0):\n return concatenate_haplotype_array(self, others, axis=axis, cls=type(\n self), concatenate=np.concatenate)\n",
"role": "user"
},
{
"content": "concatenate",
"role": "assistant"
}
] |
def x(self, ploidy, copy=False):
if self.shape[1] % ploidy > 0:
raise ValueError('incompatible ploidy')
newshape = self.shape[0], -1, ploidy
data = self.reshape(newshape)
g = GenotypeArray(data, copy=copy)
return g
| to_genotypes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ploidy, copy=False):\n if self.shape[1] % ploidy > 0:\n raise ValueError('incompatible ploidy')\n newshape = self.shape[0], -1, ploidy\n data = self.reshape(newshape)\n g = GenotypeArray(data, copy=copy)\n return g\n",
"role": "user"
},
{
"content": "to_genotypes",
"role": "assistant"
}
] |
def x(self, format='csr', **kwargs):
import scipy.sparse
f = {'bsr': scipy.sparse.bsr_matrix, 'coo': scipy.sparse.coo_matrix,
'csc': scipy.sparse.csc_matrix, 'csr': scipy.sparse.csr_matrix,
'dia': scipy.sparse.dia_matrix, 'dok': scipy.sparse.dok_matrix,
'lil': scipy.sparse.lil_matrix}
if format not in f:
raise ValueError('invalid format: %r' % format)
m = f[format](self, **kwargs)
return m
| to_sparse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, format='csr', **kwargs):\n import scipy.sparse\n f = {'bsr': scipy.sparse.bsr_matrix, 'coo': scipy.sparse.coo_matrix,\n 'csc': scipy.sparse.csc_matrix, 'csr': scipy.sparse.csr_matrix,\n 'dia': scipy.sparse.dia_matrix, 'dok': scipy.sparse.dok_matrix,\n 'lil': scipy.sparse.lil_matrix}\n if format not in f:\n raise ValueError('invalid format: %r' % format)\n m = f[format](self, **kwargs)\n return m\n",
"role": "user"
},
{
"content": "to_sparse",
"role": "assistant"
}
] |
def x(m, order=None, out=None):
import scipy.sparse
if not scipy.sparse.isspmatrix(m):
raise ValueError('not a sparse matrix: %r' % m)
data = m.toarray(order=order, out=out)
h = HaplotypeArray(data)
return h
| from_sparse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(m, order=None, out=None):\n import scipy.sparse\n if not scipy.sparse.isspmatrix(m):\n raise ValueError('not a sparse matrix: %r' % m)\n data = m.toarray(order=order, out=out)\n h = HaplotypeArray(data)\n return h\n",
"role": "user"
},
{
"content": "from_sparse",
"role": "assistant"
}
] |
def x(self, max_allele=None, subpop=None):
subpop = _normalize_subpop_arg(subpop, self.shape[1])
if max_allele is None:
max_allele = self.max()
values = memoryview_safe(self.values)
if subpop is None:
ac = haplotype_array_count_alleles(values, max_allele)
else:
ac = haplotype_array_count_alleles_subpop(values, max_allele, subpop)
return AlleleCountsArray(ac, copy=False)
| count_alleles | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, max_allele=None, subpop=None):\n subpop = _normalize_subpop_arg(subpop, self.shape[1])\n if max_allele is None:\n max_allele = self.max()\n values = memoryview_safe(self.values)\n if subpop is None:\n ac = haplotype_array_count_alleles(values, max_allele)\n else:\n ac = haplotype_array_count_alleles_subpop(values, max_allele, subpop)\n return AlleleCountsArray(ac, copy=False)\n",
"role": "user"
},
{
"content": "count_alleles",
"role": "assistant"
}
] |
def x(self, mapping, copy=True):
mapping = asarray_ndim(mapping, 2)
check_dim0_aligned(self, mapping)
mapping = np.asarray(mapping, dtype=self.dtype)
mapping = memoryview_safe(mapping)
values = memoryview_safe(self.values)
data = haplotype_array_map_alleles(values, mapping, copy=copy)
return HaplotypeArray(data, copy=False)
| map_alleles | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mapping, copy=True):\n mapping = asarray_ndim(mapping, 2)\n check_dim0_aligned(self, mapping)\n mapping = np.asarray(mapping, dtype=self.dtype)\n mapping = memoryview_safe(mapping)\n values = memoryview_safe(self.values)\n data = haplotype_array_map_alleles(values, mapping, copy=copy)\n return HaplotypeArray(data, copy=False)\n",
"role": "user"
},
{
"content": "map_alleles",
"role": "assistant"
}
] |
def x(self):
d = collections.defaultdict(set)
for i in range(self.shape[1]):
k = hash(self.values[:, i].tobytes())
d[k].add(i)
return sorted(d.values(), key=len, reverse=True)
| distinct | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n d = collections.defaultdict(set)\n for i in range(self.shape[1]):\n k = hash(self.values[:, i].tobytes())\n d[k].add(i)\n return sorted(d.values(), key=len, reverse=True)\n",
"role": "user"
},
{
"content": "distinct",
"role": "assistant"
}
] |
def x(self):
k = [hash(self.values[:, i].tobytes()) for i in range(self.shape[1])]
counts = sorted(collections.Counter(k).values(), reverse=True)
return np.asarray(counts)
| distinct_counts | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n k = [hash(self.values[:, i].tobytes()) for i in range(self.shape[1])]\n counts = sorted(collections.Counter(k).values(), reverse=True)\n return np.asarray(counts)\n",
"role": "user"
},
{
"content": "distinct_counts",
"role": "assistant"
}
] |
def x(self):
c = self.distinct_counts()
n = self.shape[1]
return c / n
| distinct_frequencies | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n c = self.distinct_counts()\n n = self.shape[1]\n return c / n\n",
"role": "user"
},
{
"content": "distinct_frequencies",
"role": "assistant"
}
] |
def x(self, fill=np.nan):
an = np.sum(self, axis=1)[:, None]
with ignore_invalid():
af = np.where(an > 0, self / an, fill)
return af
| to_frequencies | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fill=np.nan):\n an = np.sum(self, axis=1)[:, None]\n with ignore_invalid():\n af = np.where(an > 0, self / an, fill)\n return af\n",
"role": "user"
},
{
"content": "to_frequencies",
"role": "assistant"
}
] |
def x(self):
out = np.empty(self.shape[0], dtype='i1')
out.fill(-1)
for i in range(self.shape[1]):
d = self.values[:, i] > 0
out[d] = i
return out
| max_allele | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n out = np.empty(self.shape[0], dtype='i1')\n out.fill(-1)\n for i in range(self.shape[1]):\n d = self.values[:, i] > 0\n out[d] = i\n return out\n",
"role": "user"
},
{
"content": "max_allele",
"role": "assistant"
}
] |
def x(self, allele=None):
if allele is None:
return self.allelism() <= 1
else:
return (self.allelism() == 1) & (self.values[:, allele] > 0)
| is_non_segregating | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, allele=None):\n if allele is None:\n return self.allelism() <= 1\n else:\n return (self.allelism() == 1) & (self.values[:, allele] > 0)\n",
"role": "user"
},
{
"content": "is_non_segregating",
"role": "assistant"
}
] |
def x(self, min_mac=None):
loc = self.is_biallelic() & (self.max_allele() == 1)
if min_mac is not None:
loc = loc & (self.values[:, :2].min(axis=1) >= min_mac)
return loc
| is_biallelic_01 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, min_mac=None):\n loc = self.is_biallelic() & (self.max_allele() == 1)\n if min_mac is not None:\n loc = loc & (self.values[:, :2].min(axis=1) >= min_mac)\n return loc\n",
"role": "user"
},
{
"content": "is_biallelic_01",
"role": "assistant"
}
] |
def x(self, mapping, max_allele=None):
mapping = asarray_ndim(mapping, 2, dtype=self.dtype)
check_dim0_aligned(self, mapping)
check_dim1_aligned(self, mapping)
out = allele_counts_array_map_alleles(self.values, mapping, max_allele)
return type(self)(out)
| map_alleles | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mapping, max_allele=None):\n mapping = asarray_ndim(mapping, 2, dtype=self.dtype)\n check_dim0_aligned(self, mapping)\n check_dim1_aligned(self, mapping)\n out = allele_counts_array_map_alleles(self.values, mapping, max_allele)\n return type(self)(out)\n",
"role": "user"
},
{
"content": "map_alleles",
"role": "assistant"
}
] |
def x(self):
if self._is_unique is None:
t = self.values[:-1] == self.values[1:]
self._is_unique = ~np.any(t)
return self._is_unique
| is_unique | [
{
"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._is_unique is None:\n t = self.values[:-1] == self.values[1:]\n self._is_unique = ~np.any(t)\n return self._is_unique\n",
"role": "user"
},
{
"content": "is_unique",
"role": "assistant"
}
] |
def x(self, key):
left = bisect.bisect_left(self, key)
right = bisect.bisect_right(self, key)
diff = right - left
if diff == 0:
raise KeyError(key)
elif diff == 1:
return left
else:
return slice(left, right)
| locate_key | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key):\n left = bisect.bisect_left(self, key)\n right = bisect.bisect_right(self, key)\n diff = right - left\n if diff == 0:\n raise KeyError(key)\n elif diff == 1:\n return left\n else:\n return slice(left, right)\n",
"role": "user"
},
{
"content": "locate_key",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.