如何重载加法,减法和乘法运算符,以便我们可以对不同或相同大小的两个向量进行加,减和乘?例如,如果向量是不同的大小,我们必须能够根据最小的向量大小来加,减或乘两个向量吗?
我已经创建了一个允许你修改不同向量的函数,但是现在我正在努力使运算符超载,并且不知道从哪里开始。我将粘贴下面的代码。有任何想法吗?
def __add__(self, y):
self.vector = []
for j in range(len(self.vector)):
self.vector.append(self.vector[j] + y.self.vector[j])
return Vec[self.vector]
答案 0 :(得分:22)
你是define the __add__
, __sub__
, and __mul__
类的方法,就是这样。每个方法都将两个对象(+
/ -
/ *
的操作数)作为参数,并期望返回计算结果。
答案 1 :(得分:6)
docs有答案。基本上,当您添加或多个等时,会有一些函数被调用,例如__add__
是正常的添加函数。
答案 2 :(得分:5)
在这个问题上接受的答案没有错,但是我添加了一些快速的片段来说明如何使用它。 (请注意,你也可以#34;重载"处理多种类型的方法。)
int main(){
int n,ind=0, count=0, mmax=0;
char bin[100];
cin >> n;
while(n){
if(n%2==0) {
bin[ind]='0';
n = n / 2;
ind = ind + 1;
}
else if(n%2==1) {
bin[ind]='1';
n = n / 2;
ind = ind + 1;
}
}
for(int i=0; i<=(ind-1); i++){
if(bin[i] == '1' && bin[i+1] == '1'){
count++;
if(mmax < count)
mmax = count;
}
else
count=0;
}
cout << mmax + 1 << endl;
return 0;
}
"""Return the difference of another Transaction object, or another
class object that also has the `val` property."""
class Transaction(object):
def __init__(self, val):
self.val = val
def __sub__(self, other):
return self.val - other.val
buy = Transaction(10.00)
sell = Transaction(7.00)
print(buy - sell)
# 3.0
"""Return a Transaction object with `val` as the difference of this
Transaction.val property and another object with a `val` property."""
class Transaction(object):
def __init__(self, val):
self.val = val
def __sub__(self, other):
return Transaction(self.val - other.val)
buy = Transaction(20.00)
sell = Transaction(5.00)
result = buy - sell
print(result.val)
# 15