我必须创建一个 Matrix 类,但我遇到了一些重载运算符的问题
我想使用<<
运算符填充矩阵
Matrix<double> u3(2,2);
u3 << 3.3, 4, 3, 6;
template<class T>
Matrix<T> Matrix<T>::operator <<(T in){
//Fill up the matrix, m[0] = 3.3, m[1]=4...
return *this;
}
这个运算符如何重载?
我必须创建一个 Matrix 类,但我遇到了一些重载运算符的问题
我想使用<<
运算符填充矩阵
Matrix<double> u3(2,2);
u3 << 3.3, 4, 3, 6;
template<class T>
Matrix<T> Matrix<T>::operator <<(T in){
//Fill up the matrix, m[0] = 3.3, m[1]=4...
return *this;
}
这个运算符如何重载?
这是一种使用逗号的方法:
#include <iostream>
using namespace std;
struct Matrix {
struct Adder {
Matrix& m;
int index;
Adder(Matrix& m) : m(m), index(1) {}
Adder& operator,(float value) {
m.set(index++, value);
return *this;
}
};
void set(int index, float value) {
// Assign value to position `index` here.
// I'm just printing stuff to show you what would happen...
cout << "Matrix[" << index << "] = " << value << endl;
}
Adder operator<<(float value) {
set(0, value);
return Adder(*this);
}
};
演示:http: //ideone.com/W75LaH
一些解释:
语法matrix << 5, 10, 15, 20
分两步实现:
matrix << 5
首先被评估;它将第一个元素设置为 5 并返回一个Adder
处理进一步插入的临时对象(记住下一个插入的索引)Adder
已重载operator,
,在每个逗号后执行以下插入。像这样的方法会起作用:
#include <iostream>
template <typename T>
class Mat {
public:
T val;
};
template <typename T>
Mat<T>& operator<<(Mat<T>& v, T in) {
std::cout << in << " ";
return v;
}
int main() {
Mat<int> m;
m << 1 << 2 << 3;
}
请注意,我使用的是自由operator<<
函数,并且不要在值之间使用逗号。