首先,我必须说我对Python和编程很新,所以之前可能已经提出过这个问题,但我不知道应该用什么具体的词来寻找这个。
我正在尝试创建一个供个人使用的模块,以更符号的方式使用有理数字。我知道有一些模块可以做到这一点,但我的目标不是使用模块,而是通过制作它来学习。我的问题是,当我编写特定的操作(即2 f 3)时,是否有某种方法让Python实例化一个新的Rational对象,而不是每次我想创建一个新的Rational时都必须编写Rational(2,3)。这是到目前为止的代码:
class Rational:
"""Contains a rational number and the
information to simplify it and operate."""
def __init__(self, a, b):
if type(a) == int and type(b) == int:
self.num = a
self.den = b
self.simplify()
else:
raise TypeError("Both arguments must be int.")
def __repr__(self):
"""Returns the explicit syntax to create
an object with the same attributes."""
return "Rational({}, {})".format(self.num, self.den)
def __str__(self):
"""Returns the fraction as a/b unless the denominator
is 1, in which case it returns only the numerator."""
if self.den != 1:
return str(self.num) + "/" + str(self.den)
else:
return str(self.num)
def __add__(self, other):
"""Rationals can be added to other rationals, int and float."""
if type(other) == float:
return self.to_float() + other
elif type(other) == int:
s = Rational(self.num + other * self.den, self.den)
return s
elif type(other) == Rational:
s = Rational(
self.num * other.den + other.num * self.den,
self.den * other.den)
s.simplify()
return s
else:
return NotImplemented
def simplify(self):
"""Simplifies the fraction and takes the sign to the numerator."""
# If the num is 0 we don't care about the den.
if self.num == 0:
self.den = 1
else:
# Divide num and den by their gcd.
d = gcd(self.num, self.den)
self.num //= d
self.den //= d
# If the den is negative, move the sign to the num.
if self.den > 0:
pass
else:
self.num = -self.num
self.den = -self.den
def to_float(self):
return float(self.num / self.den)
def gcd(a, b):
"""Returns the gcd of two integers."""
while b:
a, b = b, a % b
return abs(a)
除了回答这个问题之外,如果您对我的代码有任何建议,我非常乐意听取您的反馈并学习:)
答案 0 :(得分:0)
不,你不能在python中定义新的运算符。但是,您可以覆盖现有运算符的行为。
python文档有更多详细信息:https://docs.python.org/2/reference/datamodel.html
答案 1 :(得分:0)
因为您想要的是定义一个新的运算符,这也意味着您需要一个新的关键字来实现这一点。但关键词列表必须修复,因为编译器/解释器也不会被您的代码更新。