1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403
|
from collections.abc import Iterable
from numbers import Real
import zlib
import numpy as np
from Orange import data
def _get_variable(dat, variable, expected_type=None, expected_name=""):
"""Get the variable instance from data."""
failed = False
if isinstance(variable, data.Variable):
datvar = getattr(dat, "variable", None)
if datvar is not None and datvar is not variable:
raise ValueError("variable does not match the variable in the data")
elif hasattr(dat, "domain"):
variable = dat.domain[variable]
elif hasattr(dat, "variable"):
variable = dat.variable
else:
failed = True
if failed or (expected_type is not None and not isinstance(variable, expected_type)):
if isinstance(variable, data.Variable):
raise ValueError("expected %s variable not %s" % (expected_name, variable))
else:
raise ValueError("expected %s, not '%s'" % (
expected_type.__name__, type(variable).__name__))
return variable
class Distribution(np.ndarray):
def __array_finalize__(self, obj):
# defined in derived classes,
# pylint: disable=attribute-defined-outside-init
"""See http://docs.scipy.org/doc/numpy/user/basics.subclassing.html"""
if obj is None:
return
self.variable = getattr(obj, 'variable', None)
self.unknowns = getattr(obj, 'unknowns', 0)
def __reduce__(self):
state = super().__reduce__()
newstate = state[2] + (self.variable, self.unknowns)
return state[0], state[1], newstate
def __setstate__(self, state):
# defined in derived classes,
# pylint: disable=attribute-defined-outside-init
super().__setstate__(state[:-2])
self.variable, self.unknowns = state[-2:]
def __eq__(self, other):
return (
np.array_equal(self, other) and
(not hasattr(other, "unknowns") or self.unknowns == other.unknowns)
)
def __ne__(self, other):
return not self == other
def __hash__(self):
return zlib.adler32(self) ^ hash(self.unknowns)
def sample(self, size=None, replace=True):
"""Get a random sample from the distribution.
Parameters
----------
size : Optional[Union[int, Tuple[int, ...]]]
replace : bool
Returns
-------
Union[float, data.Value, np.ndarray]
"""
raise NotImplementedError
def normalize(self):
"""Normalize the distribution to a probability distribution."""
raise NotImplementedError
def min(self):
"""Get the smallest value for the distribution.
If the variable is not ordinal, return None.
"""
raise NotImplementedError
def max(self):
"""Get the largest value for the distribution.
If the variable is not ordinal, return None.
"""
raise NotImplementedError
class Discrete(Distribution):
def __new__(cls, dat, variable=None, unknowns=None):
if isinstance(dat, data.Storage):
if unknowns is not None:
raise TypeError("incompatible arguments (data storage and 'unknowns'")
return cls.from_data(dat, variable)
if variable is not None:
variable = _get_variable(dat, variable)
n = len(variable.values)
else:
n = len(dat)
self = super().__new__(cls, n)
self.variable = variable
if dat is None:
self[:] = 0
self.unknowns = unknowns or 0
else:
self[:] = dat
self.unknowns = unknowns if unknowns is not None else getattr(dat, "unknowns", 0)
return self
@classmethod
def from_data(cls, data, variable):
variable = _get_variable(data, variable)
try:
dist, unknowns = data._compute_distributions([variable])[0]
self = super().__new__(cls, len(dist))
self[:] = dist
self.unknowns = unknowns
except NotImplementedError:
self = super().__new__(cls, len(variable.values))
self[:] = np.zeros(len(variable.values))
self.unknowns = 0
if data.has_weights():
for inst, w in zip(data, data.W):
val = inst[variable]
if not np.isnan(val):
self[int(val)] += w
else:
self.unknowns += w
else:
for inst in data:
val = inst[variable]
if val == val:
self[int(val)] += 1
else:
self.unknowns += 1
self.variable = variable
return self
@property
def array_with_unknowns(self):
"""
This property returns a distribution array with unknowns added
at the end
Returns
-------
np.array
Array with appended unknowns at the end of the row.
"""
return np.append(np.array(self), self.unknowns)
def __getitem__(self, index):
if isinstance(index, str):
index = self.variable.to_val(index)
return super().__getitem__(index)
def __setitem__(self, index, value):
if isinstance(index, str):
index = self.variable.to_val(index)
super().__setitem__(index, value)
def __add__(self, other):
s = super().__add__(other)
s.unknowns = self.unknowns + getattr(other, "unknowns", 0)
return s
def __iadd__(self, other):
super().__iadd__(other)
self.unknowns += getattr(other, "unknowns", 0)
return self
def __sub__(self, other):
s = super().__sub__(other)
s.unknowns = self.unknowns - getattr(other, "unknowns", 0)
return s
def __isub__(self, other):
super().__isub__(other)
self.unknowns -= getattr(other, "unknowns", 0)
return self
def __mul__(self, other):
s = super().__mul__(other)
if isinstance(other, Real):
s.unknowns = self.unknowns / other
return s
def __imul__(self, other):
super().__imul__(other)
if isinstance(other, Real):
self.unknowns *= other
return self
def __div__(self, other):
s = super().__mul__(other)
if isinstance(other, Real):
s.unknowns = self.unknowns / other
return s
def __idiv__(self, other):
super().__imul__(other)
if isinstance(other, Real):
self.unknowns /= other
return self
def normalize(self):
t = np.sum(self)
if t > 1e-6:
self[:] /= t
self.unknowns /= t
elif self.shape[0]:
self[:] = 1 / self.shape[0]
def modus(self):
val = np.argmax(self)
return data.Value(self.variable, val) if self.variable is not None else val
def sample(self, size=None, replace=True):
value_indices = np.random.choice(range(len(self)), size, replace, self.normalize())
if isinstance(value_indices, Iterable):
to_value = np.vectorize(lambda idx: data.Value(self.variable, idx))
return to_value(value_indices)
return data.Value(self.variable, value_indices)
def min(self):
return None
def max(self):
return None
def sum(self, *args, **kwargs):
res = super().sum(*args, **kwargs)
res.unknowns = self.unknowns
return res
class Continuous(Distribution):
def __new__(cls, dat, variable=None, unknowns=None):
if isinstance(dat, data.Storage):
if unknowns is not None:
raise TypeError("incompatible arguments (data storage and 'unknowns'")
return cls.from_data(variable, dat)
if isinstance(dat, int):
self = super().__new__(cls, (2, dat))
self[:] = 0
self.unknowns = unknowns or 0
else:
if not isinstance(dat, np.ndarray):
dat = np.asarray(dat)
self = super().__new__(cls, dat.shape)
self[:] = dat
self.unknowns = (unknowns if unknowns is not None else getattr(dat, "unknowns", 0))
self.variable = variable
return self
@classmethod
def from_data(cls, variable, data):
variable = _get_variable(data, variable)
try:
dist, unknowns = data._compute_distributions([variable])[0]
except NotImplementedError:
col = data[:, variable]
dtype = col.dtype
if data.has_weights():
if not "float" in dtype.name and "float" in col.dtype.name:
dtype = col.dtype.name
dist = np.empty((2, len(col)), dtype=dtype)
dist[0, :] = col
dist[1, :] = data.W
else:
dist = np.ones((2, len(col)), dtype=dtype)
dist[0, :] = col
dist.sort(axis=0)
dist = np.array(_orange.valuecount(dist))
unknowns = len(col) - dist.shape[1]
self = super().__new__(cls, dist.shape)
self[:] = dist
self.unknowns = unknowns
self.variable = variable
return self
def normalize(self):
t = np.sum(self[1, :])
if t > 1e-6:
self[1, :] /= t
self.unknowns /= t
elif self.shape[1]:
self[1, :] = 1 / self.shape[1]
def modus(self):
val = np.argmax(self[1, :])
return self[0, val]
def min(self):
return self[0, 0]
def max(self):
return self[0, -1]
def sample(self, size=None, replace=True):
normalized = Continuous(self, self.variable, self.unknowns)
normalized.normalize()
return np.random.choice(self[0, :], size, replace, normalized[1, :])
def mean(self):
if len(self[0]) == 0:
return np.nan
return np.average(np.asarray(self[0]), weights=np.asarray(self[1]))
def variance(self):
if len(self[0]) == 0:
return np.nan
mean = self.mean()
return np.dot((self[0] - mean) ** 2, self[1]) / np.sum(self[1])
def standard_deviation(self):
return np.sqrt(self.variance())
def class_distribution(data):
"""Get the distribution of the class variable(s)."""
if data.domain.class_var:
return get_distribution(data, data.domain.class_var)
elif data.domain.class_vars:
return [get_distribution(data, cls) for cls in data.domain.class_vars]
else:
raise ValueError("domain has no class attribute")
def get_distribution(dat, variable, unknowns=None):
"""Get the distribution of the given variable."""
variable = _get_variable(dat, variable)
if variable.is_discrete:
return Discrete(dat, variable, unknowns)
elif variable.is_continuous:
return Continuous(dat, variable, unknowns)
else:
raise TypeError("cannot compute distribution of '%s'" % type(variable).__name__)
def get_distributions(dat, skipDiscrete=False, skipContinuous=False):
"""Get the distributions of all variables in the data."""
vars = dat.domain.variables
if skipDiscrete:
if skipContinuous:
return []
columns = [i for i, var in enumerate(vars) if var.is_continuous]
elif skipContinuous:
columns = [i for i, var in enumerate(vars) if var.is_discrete]
else:
columns = None
try:
dist_unks = dat._compute_distributions(columns)
if columns is None:
columns = np.arange(len(vars))
distributions = []
for col, (dist, unks) in zip(columns, dist_unks):
distributions.append(get_distribution(dist, vars[col], unks))
except NotImplementedError:
if columns is None:
columns = np.arange(len(vars))
distributions = [get_distribution(dat, i) for i in columns]
return distributions
def get_distributions_for_columns(data, columns):
"""Compute the distributions for columns.
Parameters
----------
data : data.Table
List of column indices into the `data.domain` (indices can be
:class:`int` or instances of `Orange.data.Variable`)
"""
domain = data.domain
# Normailze the columns to int indices
columns = [col if isinstance(col, int) else domain.index(col) for col in columns]
try:
# Try the optimized code path (query the table|storage directly).
dist_unks = data._compute_distributions(columns)
except NotImplementedError:
# Use default slow(er) implementation.
return [get_distribution(data, i) for i in columns]
else:
# dist_unkn is a list of (values, unknowns)
return [get_distribution(dist, domain[col], unknown)
for col, (dist, unknown) in zip(columns, dist_unks)]
|