Python Language
隠し機能
サーチ…
演算子のオーバーロード
Pythonのすべてがオブジェクトです。各オブジェクトには、他のオブジェクトとやりとりするために使用する特殊な内部メソッドがあります。一般に、これらのメソッドは__action__
命名規則に従います。集合的に、これはPythonデータモデルと呼ばれます。
これらの方法のいずれかをオーバーロードすることができます。これはPythonの演算子オーバーロードでよく使用されます。以下は、Pythonのデータモデルを使用した演算子のオーバーロードの例です。 Vector
クラスは、2つの変数の単純なベクトルを作成します。演算子のオーバーロードを使用して2つのベクトルの数学演算に適切なサポートを追加します。
class Vector(object):
def __init__(self, x, y):
self.x = x
self.y = y
def __add__(self, v):
# Addition with another vector.
return Vector(self.x + v.x, self.y + v.y)
def __sub__(self, v):
# Subtraction with another vector.
return Vector(self.x - v.x, self.y - v.y)
def __mul__(self, s):
# Multiplication with a scalar.
return Vector(self.x * s, self.y * s)
def __div__(self, s):
# Division with a scalar.
float_s = float(s)
return Vector(self.x / float_s, self.y / float_s)
def __floordiv__(self, s):
# Division with a scalar (value floored).
return Vector(self.x // s, self.y // s)
def __repr__(self):
# Print friendly representation of Vector class. Else, it would
# show up like, <__main__.Vector instance at 0x01DDDDC8>.
return '<Vector (%f, %f)>' % (self.x, self.y, )
a = Vector(3, 5)
b = Vector(2, 7)
print a + b # Output: <Vector (5.000000, 12.000000)>
print b - a # Output: <Vector (-1.000000, 2.000000)>
print b * 1.3 # Output: <Vector (2.600000, 9.100000)>
print a // 17 # Output: <Vector (0.000000, 0.000000)>
print a / 17 # Output: <Vector (0.176471, 0.294118)>
上の例は、基本的な数値演算子のオーバーロードを示しています。包括的なリストはここで見つけることができます 。
Modified text is an extract of the original Stack Overflow Documentation
ライセンスを受けた CC BY-SA 3.0
所属していない Stack Overflow