本文整理汇总了Python中numpy.ma.make_mask_descr函数的典型用法代码示例。如果您正苦于以下问题:Python make_mask_descr函数的具体用法?Python make_mask_descr怎么用?Python make_mask_descr使用的例子?那么恭喜您, 这里精选的函数代码示例或许可以为您提供帮助。
在下文中一共展示了make_mask_descr函数的8个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于我们的系统推荐出更棒的Python代码示例。
示例1: __new__
def __new__(
cls,
shape,
dtype=None,
buf=None,
offset=0,
strides=None,
formats=None,
names=None,
titles=None,
byteorder=None,
aligned=False,
mask=nomask,
hard_mask=False,
fill_value=None,
keep_mask=True,
copy=False,
**options
):
#
self = recarray.__new__(
cls,
shape,
dtype=dtype,
buf=buf,
offset=offset,
strides=strides,
formats=formats,
names=names,
titles=titles,
byteorder=byteorder,
aligned=aligned,
)
#
mdtype = ma.make_mask_descr(self.dtype)
if mask is nomask or not np.size(mask):
if not keep_mask:
self._mask = tuple([False] * len(mdtype))
else:
mask = np.array(mask, copy=copy)
if mask.shape != self.shape:
(nd, nm) = (self.size, mask.size)
if nm == 1:
mask = np.resize(mask, self.shape)
elif nm == nd:
mask = np.reshape(mask, self.shape)
else:
msg = "Mask and data not compatible: data size is %i, " + "mask size is %i."
raise MAError(msg % (nd, nm))
copy = True
if not keep_mask:
self.__setmask__(mask)
self._sharedmask = True
else:
if mask.dtype == mdtype:
_mask = mask
else:
_mask = np.array([tuple([m] * len(mdtype)) for m in mask], dtype=mdtype)
self._mask = _mask
return self
开发者ID:hadesain,项目名称:robothon,代码行数:60,代码来源:mrecords.py
示例2: __array_finalize__
def __array_finalize__(self, obj):
# Make sure we have a _fieldmask by default ..
_mask = getattr(obj, "_mask", None)
if _mask is None:
objmask = getattr(obj, "_mask", nomask)
_dtype = ndarray.__getattribute__(self, "dtype")
if objmask is nomask:
_mask = ma.make_mask_none(self.shape, dtype=_dtype)
else:
mdescr = ma.make_mask_descr(_dtype)
_mask = narray([tuple([m] * len(mdescr)) for m in objmask], dtype=mdescr).view(recarray)
# Update some of the attributes
_dict = self.__dict__
_dict.update(_mask=_mask, _fieldmask=_mask)
self._update_from(obj)
if _dict["_baseclass"] == ndarray:
_dict["_baseclass"] = recarray
return
开发者ID:hadesain,项目名称:robothon,代码行数:18,代码来源:mrecords.py
示例3: view
def view(self, dtype=None, type=None):
"""
Returns a view of the mrecarray.
"""
# OK, basic copy-paste from MaskedArray.view.
if dtype is None:
if type is None:
output = ndarray.view(self)
else:
output = ndarray.view(self, type)
# Here again.
elif type is None:
try:
if issubclass(dtype, ndarray):
output = ndarray.view(self, dtype)
dtype = None
else:
output = ndarray.view(self, dtype)
# OK, there's the change
except TypeError:
dtype = np.dtype(dtype)
# we need to revert to MaskedArray, but keeping the possibility
# of subclasses (eg, TimeSeriesRecords), so we'll force a type
# set to the first parent
if dtype.fields is None:
basetype = self.__class__.__bases__[0]
output = self.__array__().view(dtype, basetype)
output._update_from(self)
else:
output = ndarray.view(self, dtype)
output._fill_value = None
else:
output = ndarray.view(self, dtype, type)
# Update the mask, just like in MaskedArray.view
if (getattr(output, '_mask', nomask) is not nomask):
mdtype = ma.make_mask_descr(output.dtype)
output._mask = self._mask.view(mdtype, ndarray)
output._mask.shape = output.shape
return output
开发者ID:ContinuumIO,项目名称:numpy,代码行数:40,代码来源:mrecords.py
示例4: _vstack
def _vstack(arrays, join_type="inner", col_name_map=None):
"""
Stack Tables vertically (by rows)
A ``join_type`` of 'exact' (default) means that the arrays must all
have exactly the same column names (though the order can vary). If
``join_type`` is 'inner' then the intersection of common columns will
be output. A value of 'outer' means the output will have the union of
all columns, with array values being masked where no common values are
available.
Parameters
----------
arrays : list of Tables
Tables to stack by rows (vertically)
join_type : str
Join type ('inner' | 'exact' | 'outer'), default is 'exact'
col_name_map : empty dict or None
If passed as a dict then it will be updated in-place with the
mapping of output to input column names.
Returns
-------
stacked_table : `~astropy.table.Table` object
New table containing the stacked data from the input tables.
"""
# Store user-provided col_name_map until the end
_col_name_map = col_name_map
# Input validation
if join_type not in ("inner", "exact", "outer"):
raise ValueError("`join_type` arg must be one of 'inner', 'exact' or 'outer'")
# Trivial case of one input array
if len(arrays) == 1:
return arrays[0]
for arr in arrays:
if arr.has_mixin_columns:
raise NotImplementedError("vstack not available for tables with mixin columns")
# Start by assuming an outer match where all names go to output
names = set(itertools.chain(*[arr.colnames for arr in arrays]))
col_name_map = get_col_name_map(arrays, names)
# If require_match is True then the output must have exactly the same
# number of columns as each input array
if join_type == "exact":
for names in six.itervalues(col_name_map):
if any(x is None for x in names):
raise TableMergeError(
"Inconsistent columns in input arrays "
"(use 'inner' or 'outer' join_type to "
"allow non-matching columns)"
)
join_type = "outer"
# For an inner join, keep only columns where all input arrays have that column
if join_type == "inner":
col_name_map = OrderedDict(
(name, in_names) for name, in_names in six.iteritems(col_name_map) if all(x is not None for x in in_names)
)
if len(col_name_map) == 0:
raise TableMergeError("Input arrays have no columns in common")
# If there are any output columns where one or more input arrays are missing
# then the output must be masked. If any input arrays are masked then
# output is masked.
masked = any(getattr(arr, "masked", False) for arr in arrays)
for names in six.itervalues(col_name_map):
if any(x is None for x in names):
masked = True
break
lens = [len(arr) for arr in arrays]
n_rows = sum(lens)
out = _get_out_class(arrays)(masked=masked)
out_descrs = get_descrs(arrays, col_name_map)
for out_descr in out_descrs:
name = out_descr[0]
dtype = out_descr[1:]
if masked:
out[name] = ma.array(data=np.zeros(n_rows, dtype), mask=np.ones(n_rows, ma.make_mask_descr(dtype)))
else:
out[name] = np.empty(n_rows, dtype=dtype)
for out_name, in_names in six.iteritems(col_name_map):
idx0 = 0
for name, array in zip(in_names, arrays):
idx1 = idx0 + len(array)
if name in array.colnames:
out[out_name][idx0:idx1] = array[name]
idx0 = idx1
# If col_name_map supplied as a dict input, then update.
if isinstance(_col_name_map, collections.Mapping):
_col_name_map.update(col_name_map)
return out
开发者ID:jehturner,项目名称:astropy,代码行数:99,代码来源:operations.py
示例5: genfromtxt
def genfromtxt(fname, dtype=float, comments='#', delimiter=None, skiprows=0,
converters=None, missing='', missing_values=None, usecols=None,
names=None, excludelist=None, deletechars=None,
case_sensitive=True, unpack=None, usemask=False, loose=True):
"""
Load data from a text file.
Each line past the first `skiprows` ones is split at the `delimiter`
character, and characters following the `comments` character are discarded.
Parameters
----------
fname : file or string
File or filename to read. If the filename extension is `.gz` or `.bz2`,
the file is first decompressed.
dtype : data-type
Data type of the resulting array. If this is a flexible data-type,
the resulting array will be 1-dimensional, and each row will be
interpreted as an element of the array. In this case, the number
of columns used must match the number of fields in the data-type,
and the names of each field will be set by the corresponding name
of the dtype.
If None, the dtypes will be determined by the contents of each
column, individually.
comments : {string}, optional
The character used to indicate the start of a comment.
All the characters occurring on a line after a comment are discarded
delimiter : {string}, optional
The string used to separate values. By default, any consecutive
whitespace act as delimiter.
skiprows : {int}, optional
Numbers of lines to skip at the beginning of the file.
converters : {None, dictionary}, optional
A dictionary mapping column number to a function that will convert
values in the column to a number. Converters can also be used to
provide a default value for missing data:
``converters = {3: lambda s: float(s or 0)}``.
missing : {string}, optional
A string representing a missing value, irrespective of the column where
it appears (e.g., `'missing'` or `'unused'`).
missing_values : {None, dictionary}, optional
A dictionary mapping a column number to a string indicating whether the
corresponding field should be masked.
usecols : {None, sequence}, optional
Which columns to read, with 0 being the first. For example,
``usecols = (1,4,5)`` will extract the 2nd, 5th and 6th columns.
names : {None, True, string, sequence}, optional
If `names` is True, the field names are read from the first valid line
after the first `skiprows` lines.
If `names` is a sequence or a single-string of comma-separated names,
the names will be used to define the field names in a flexible dtype.
If `names` is None, the names of the dtype fields will be used, if any.
excludelist : {sequence}, optional
A list of names to exclude. This list is appended to the default list
['return','file','print']. Excluded names are appended an underscore:
for example, `file` would become `file_`.
deletechars : {string}, optional
A string combining invalid characters that must be deleted from the names.
case_sensitive : {True, False, 'upper', 'lower'}, optional
If True, field names are case_sensitive.
If False or 'upper', field names are converted to upper case.
If 'lower', field names are converted to lower case.
unpack : {bool}, optional
If True, the returned array is transposed, so that arguments may be
unpacked using ``x, y, z = loadtxt(...)``
usemask : {bool}, optional
If True, returns a masked array.
If False, return a regular standard array.
Returns
-------
out : MaskedArray
Data read from the text file.
Notes
--------
* When spaces are used as delimiters, or when no delimiter has been given
as input, there should not be any missing data between two fields.
* When the variable are named (either by a flexible dtype or with `names`,
there must not be any header in the file (else a :exc:ValueError exception
is raised).
Warnings
--------
* Individual values are not stripped of spaces by default.
When using a custom converter, make sure the function does remove spaces.
See Also
--------
numpy.loadtxt : equivalent function when no data is missing.
"""
#
if usemask:
from numpy.ma import MaskedArray, make_mask_descr
# Check the input dictionary of converters
user_converters = converters or {}
if not isinstance(user_converters, dict):
#.........这里部分代码省略.........
开发者ID:greenday0925,项目名称:distnumpy,代码行数:101,代码来源:io.py
示例6: hstack
def hstack(arrays, join_type='exact', uniq_col_name='{col_name}_{table_name}',
table_names=None, col_name_map=None):
"""
Stack structured arrays by horizontally (by columns)
A ``join_type`` of 'exact' (default) means that the arrays must all
have exactly the same number of rows. If ``join_type`` is 'inner' then
the intersection of rows will be output. A value of 'outer' means
the output will have the union of all rows, with array values being
masked where no common values are available.
Parameters
----------
arrays : List of structured array objects
Structured arrays to stack by columns (horizontally)
join_type : str
Join type ('inner' | 'exact' | 'outer'), default is 'exact'
uniq_col_name : str or None
String generate a unique output column name in case of a conflict.
The default is '{col_name}_{table_name}'.
table_names : list of str or None
Two-element list of table names used when generating unique output
column names. The default is ['1', '2', ..].
Examples
--------
To stack two arrays horizontally (by columns) do::
>>> from astropy.table import np_utils
>>> t1 = np.array([(1, 2),
... (3, 4)], dtype=[(str('a'), 'i4'), (str('b'), 'i4')])
>>> t2 = np.array([(5, 6),
... (7, 8)], dtype=[(str('c'), 'i4'), (str('d'), 'i4')])
>>> np_utils.hstack([t1, t2])
array([(1, 2, 5, 6),
(3, 4, 7, 8)],
dtype=[('a', '<i4'), ('b', '<i4'), ('c', '<i4'), ('d', '<i4')])
"""
# Store user-provided col_name_map until the end
_col_name_map = col_name_map
# Input validation
if join_type not in ('inner', 'exact', 'outer'):
raise ValueError("join_type arg must be either 'inner', 'exact' or 'outer'")
_check_for_sequence_of_structured_arrays(arrays)
if table_names is None:
table_names = ['{0}'.format(ii + 1) for ii in range(len(arrays))]
if len(arrays) != len(table_names):
raise ValueError('Number of arrays must match number of table_names')
# Trivial case of one input arrays
if len(arrays) == 1:
return arrays[0]
col_name_map = get_col_name_map(arrays, [], uniq_col_name, table_names)
# If require_match is True then all input arrays must have the same length
arr_lens = [len(arr) for arr in arrays]
if join_type == 'exact':
if len(set(arr_lens)) > 1:
raise TableMergeError("Inconsistent number of rows in input arrays "
"(use 'inner' or 'outer' join_type to allow "
"non-matching rows)")
join_type = 'outer'
# For an inner join, keep only columns where all input arrays have that column
if join_type == 'inner':
min_arr_len = min(arr_lens)
arrays = [arr[:min_arr_len] for arr in arrays]
arr_lens = [min_arr_len for arr in arrays]
# If there are any output rows where one or more input arrays are missing
# then the output must be masked. If any input arrays are masked then
# output is masked.
masked = (any(isinstance(arr, ma.MaskedArray) for arr in arrays) or
len(set(arr_lens)) > 1)
n_rows = max(arr_lens)
out_descrs = get_descrs(arrays, col_name_map)
if masked:
# Adapted from ma.all_masked() code. Here the array is filled with
# zeros instead of empty. This avoids the bug reported here:
# https://github.com/numpy/numpy/issues/3276
out = ma.masked_array(np.zeros(n_rows, out_descrs),
mask=np.ones(n_rows, ma.make_mask_descr(out_descrs)))
else:
out = np.empty(n_rows, dtype=out_descrs)
for out_name, in_names in six.iteritems(col_name_map):
for name, array, arr_len in zip(in_names, arrays, arr_lens):
if name is not None:
out[out_name][:arr_len] = array[name]
# If col_name_map supplied as a dict input, then update.
if isinstance(_col_name_map, collections.Mapping):
_col_name_map.update(col_name_map)
#.........这里部分代码省略.........
开发者ID:amanzotti,项目名称:astropy,代码行数:101,代码来源:np_utils.py
示例7: vstack
def vstack(arrays, join_type='inner', col_name_map=None):
"""
Stack structured arrays vertically (by rows)
A ``join_type`` of 'exact' (default) means that the arrays must all
have exactly the same column names (though the order can vary). If
``join_type`` is 'inner' then the intersection of common columns will
be output. A value of 'outer' means the output will have the union of
all columns, with array values being masked where no common values are
available.
Parameters
----------
arrays : list of structured arrays
Structured array(s) to stack by rows (vertically)
join_type : str
Join type ('inner' | 'exact' | 'outer'), default is 'exact'
col_name_map : empty dict or None
If passed as a dict then it will be updated in-place with the
mapping of output to input column names.
Examples
--------
To stack two structured arrays by rows do::
>>> from astropy.table import np_utils
>>> t1 = np.array([(1, 2),
... (3, 4)], dtype=[(str('a'), 'i4'), (str('b'), 'i4')])
>>> t2 = np.array([(5, 6),
... (7, 8)], dtype=[(str('a'), 'i4'), (str('b'), 'i4')])
>>> np_utils.vstack([t1, t2])
array([(1, 2),
(3, 4),
(5, 6),
(7, 8)],
dtype=[('a', '<i4'), ('b', '<i4')])
"""
# Store user-provided col_name_map until the end
_col_name_map = col_name_map
# Input validation
if join_type not in ('inner', 'exact', 'outer'):
raise ValueError("`join_type` arg must be one of 'inner', 'exact' or 'outer'")
_check_for_sequence_of_structured_arrays(arrays)
# Trivial case of one input array
if len(arrays) == 1:
return arrays[0]
# Start by assuming an outer match where all names go to output
names = set(chain(*[arr.dtype.names for arr in arrays]))
col_name_map = get_col_name_map(arrays, names)
# If require_match is True then the output must have exactly the same
# number of columns as each input array
if join_type == 'exact':
for names in six.itervalues(col_name_map):
if any(x is None for x in names):
raise TableMergeError('Inconsistent columns in input arrays '
"(use 'inner' or 'outer' join_type to "
"allow non-matching columns)")
join_type = 'outer'
# For an inner join, keep only columns where all input arrays have that column
if join_type == 'inner':
col_name_map = OrderedDict((name, in_names) for name, in_names in six.iteritems(col_name_map)
if all(x is not None for x in in_names))
if len(col_name_map) == 0:
raise TableMergeError('Input arrays have no columns in common')
# If there are any output columns where one or more input arrays are missing
# then the output must be masked. If any input arrays are masked then
# output is masked.
masked = any(isinstance(arr, ma.MaskedArray) for arr in arrays)
for names in six.itervalues(col_name_map):
if any(x is None for x in names):
masked = True
break
lens = [len(arr) for arr in arrays]
n_rows = sum(lens)
out_descrs = get_descrs(arrays, col_name_map)
if masked:
# Make a masked array with all values initially masked. Note
# that setting an array value automatically unmasks it.
# See comment in hstack for heritage of this code.
out = ma.masked_array(np.zeros(n_rows, out_descrs),
mask=np.ones(n_rows, ma.make_mask_descr(out_descrs)))
else:
out = np.empty(n_rows, dtype=out_descrs)
for out_name, in_names in six.iteritems(col_name_map):
idx0 = 0
for name, array in zip(in_names, arrays):
idx1 = idx0 + len(array)
if name in array.dtype.names:
out[out_name][idx0:idx1] = array[name]
#.........这里部分代码省略.........
开发者ID:amanzotti,项目名称:astropy,代码行数:101,代码来源:np_utils.py
示例8:
import numpy as np
import numpy.ma as ma
dtype = np.dtype({'names': ['foo', 'bar'],
'formats': [np.float32, np.int]})
ma.make_mask_descr(dtype)
ma.make_mask_descr(np.float32)
开发者ID:yzozulya,项目名称:numpy_test_examples,代码行数:8,代码来源:numpy.ma.make_mask_descr.py
注:本文中的numpy.ma.make_mask_descr函数示例由纯净天空整理自Github/MSDocs等源码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。 |
请发表评论