H. Дроби v0.5

Следующим этапом разработки будет реализация методов сравнения: ><>=<===!=.

Примечание

Будем считать, что пользователь знает о запрете деления на ноль.
Все числа в данной задаче будут положительными.
Все поля и методы, не требуемые в задаче, следует инкапсулировать (называть с использованием ведущих символов нижнего подчёркивания).

Ваше решение должно содержать только классы и функции.
В решении не должно быть вызовов инициализации требуемых классов.

Пример

Ввод

a = Fraction(1, 3)
b = Fraction(1, 2)
print(a > b, a < b, a >= b, a <= b, a == b, a >= b)

Вывод

False True False True False False

Ввод

a = Fraction(1, 3)
b = Fraction(6, 2).reverse()
print(a > b, a < b, a >= b, a <= b, a == b, a >= b)

Вывод

False False True True True True

Решение

Добавляем операции сравнения. Ничего сложного, методы по структуре во многом аналогичны уже написанным.

Посмотреть код

Решение

Python
class Fraction():
    def __init__(self, *args) -> None:
        if isinstance(args[0], str):
            self.__num, self.__den = [int(c) for c in args[0].split('/')]
        else:
            self.__num = args[0]
            self.__den = args[1]
        self.__reduction()

    def __neg__(self) -> 'Fraction':
        return Fraction(-self.__num, self.__den)

    def __add__(self, other) -> 'Fraction':
        denominator = self.denominator() * other.denominator()
        numerator = self.__num * other.__den + other.__num * self.__den
        return Fraction(numerator, denominator)

    def __sub__(self, other) -> 'Fraction':
        denominator = self.denominator() * other.denominator()
        numerator = self.__num * other.__den - other.__num * self.__den
        return Fraction(numerator, denominator)

    def __iadd__(self, other) -> 'Fraction':
        self.__num = self.__num * other.__den + other.__num * self.__den
        self.__den = self.__den * other.__den
        self.__reduction()
        return self

    def __isub__(self, other) -> 'Fraction':
        self.__num = self.__num * other.__den - other.__num * self.__den
        self.__den = self.__den * other.__den
        self.__reduction()
        return self

    def __mul__(self, other) -> 'Fraction':
        denominator = self.__den * other.__den
        numerator = self.__num * other.__num
        return Fraction(numerator, denominator)

    def __truediv__(self, other) -> 'Fraction':
        new = Fraction(self.__num, self.__den)
        return new.__mul__(other.reverse())

    def __imul__(self, other) -> 'Fraction':
        self.__num = self.__num * other.__num
        self.__den = self.__den * other.__den
        self.__reduction()
        return self

    def __itruediv__(self, other) -> 'Fraction':
        return self.__imul__(other.reverse())

    def __gt__(self, other) -> bool:
        return self.__num * other.__den > other.__num * self.__den

    def __lt__(self, other) -> bool:
        return self.__num * other.__den < other.__num * self.__den

    def __ge__(self, other) -> bool:
        return self.__num * other.__den >= other.__num * self.__den

    def __le__(self, other) -> bool:
        return self.__num * other.__den <= other.__num * self.__den

    def __eq__(self, other) -> bool:
        return self.__num * other.__den == other.__num * self.__den

    def __ne__(self, other) -> bool:
        return self.__num * other.__den != other.__num * self.__den

    def __str__(self) -> str:
        return f'{self.__num}/{self.__den}'

    def __repr__(self) -> str:
        return f"Fraction('{self.__num}/{self.__den}')"

    def numerator(self, *args) -> int:
        if len(args):
            self.__num = args[0] * self.__sign()
            self.__reduction()
        return abs(self.__num)

    def __sign(self):
        return -1 if self.__num < 0 else 1

    def __gcd(self, a, b) -> int:
        while b:
            a, b = b, a % b
        return abs(a)

    def __reduction(self) -> tuple:
        __gcd = self.__gcd(self.__num, self.__den)
        self.__num //= __gcd
        self.__den //= __gcd

        if self.__den < 0:
            self.__num = -self.__num
            self.__den = abs(self.__den)
        return self.__num, self.__den

    def denominator(self, *args) -> int:
        if len(args):
            self.__den = args[0]
        self.__reduction()
        return abs(self.__den)

    def reverse(self) -> 'Fraction':
        return Fraction(self.__den, self.__num)
Подписаться
Уведомить о
guest
0 комментариев
Старые
Новые Популярные
Межтекстовые Отзывы
Посмотреть все комментарии