Я пытаюсь получить класс из примитива python, float, с целью печати другой строки repr при распечатке.
Как получить доступ к базовым данным из производного класса, когда я это сделаю?
Вот упрощенный пример того, что я пытаюсь сделать:
class efloat(float):
def __repr__(self):
return "here's my number: %s" % str(WHAT CAN I PUT HERE???)
Хорошо, спасибо, ребята! Я думаю, я понял это сейчас. Вот законченный урок для всех, кому интересно:
import math
class efloat(float):
"""efloat(x) -> floating point number with engineering representation when printed
Convert a string or a number to a floating point number, if possible.
When asked to render itself for printing (via str() or print) it is normalized
to engineering style notation at powers of 10 in multiples of 3
(for micro, milli, kilo, mega, giga, etc.)
"""
def _exponent(self):
if self == 0.0:
ret = 0
else:
ret = math.floor(math.log10(abs(self)))
return ret
def _mantissa(self):
return self/math.pow(10, self._exponent())
def _asEng(self):
shift = self._exponent() % 3
retval = "%3.12ge%+d" % (self._mantissa()*math.pow(10, shift), self._exponent() - shift)
return retval
def __str__(self):
return self._asEng()
def __repr__(self):
return str(self)
def __add__(self, x):
return efloat(float.__add__(self, float(x)))
def __radd__(self, x):
return efloat(float.__add__(self, float(x)))
def __mul__(self, x):
return efloat(float.__mul__(self, float(x)))
def __rmul__(self, x):
return efloat(float.__mul__(self, float(x)))
def __sub__(self, x):
return efloat(float.__sub__(self, float(x)))
def __rsub__(self, x):
return efloat(float.__rsub__(self, float(x)))
def __div__(self, x):
return efloat(float.__div__(self, float(x)))
def __rdiv__(self, x):
return efloat(float.__rdiv__(self, float(x)))
def __truediv__(self, x):
return efloat(float.__truediv__(self, float(x)))
def __rtruediv__(self, x):
return efloat(float.__rtruediv__(self, float(x)))
def __pow__(self, x):
return efloat(float.__pow__(self, float(x)))
def __rpow__(self, x):
return efloat(float.__rpow__(self, float(x)))
def __divmod__(self, x):
return efloat(float.__divmod__(self, float(x)))
def __neg__(self):
return efloat(float.__neg__(self))
def __floordiv__(self, x):
return efloat(float.__floordiv__(self, float(x)))