当我尝试使用void print函数时,我收到错误“Member Reference base type'Mtrix(Vector&,Vector&)不是结构或联合”。该程序应该从用户接收值并将它们存储在数据数组中然后它采用向量a和向量b并进行向量乘法以打印矩阵A.
#include <iostream>
using namespace std;
const int rows=3;
const int columns=3;
const int elements=3;
class Vector{
private:
double data[elements];
public:
Vector();
void read();
double get_element(int);
};
Vector::Vector(){
int i=0;
while(i<elements){data[i++]=0;}
}
Vector a;
Vector b;
Vector c;
Vector d;
void Vector::read(){
int j=0;
cout<<"Enter "<<elements<<" elements of vector a"<<endl;
while(j<elements){cin>>data[j++];}
}
double Vector:: get_element(int n){
while(n<elements)
return data[n];
}
class Matrix {
private:
double data [rows*columns];
public:
Matrix(Vector &, Vector &);
void add (const Matrix &);
void mult (double);
double trace();
double norm();
void print ();
};
Matrix::Matrix(Vector &, Vector &){
int d,f;
for (d=0; d<(rows); d++){
for (f=0; f<columns;f++){
data[d*f]=a.get_element(d)*b.get_element(f);
}
}
}
Matrix A (Vector &a, Vector &b);
Matrix B (Vector &c, Vector &d);
void Matrix::print(){
cout.precision(3);
for (int i=0; i<rows; i++) {
cout << endl;
for (int j=0; j<columns; j++) {
cout << " " << data[i*j];
}
//This is printing Matrix A.
}
}
int main(){
a.read();
b.read();
c.read();
d.read();
A.print();
//The error occurs here.
return 0;
}
答案 0 :(得分:0)
如果您尝试将A和B定义为全局变量,请更改
Matrix A (Vector &a, Vector &b);
Matrix B (Vector &c, Vector &d);
到Matrix A (a, b);
Matrix B (c, d);
答案 1 :(得分:0)
A和B是函数名称。这些函数被声明为
Matrix A (Vector &a, Vector &b);
Matrix B (Vector &c, Vector &d);
在这些声明中,a和b被视为函数参数。
所以在这个陈述中
A.print();
编译器将A作为函数名进行处理。
我认为你的意思是
Matrix A (a, b);
Matrix B (c, d);
编辑:以下是对你的评论的回答。
Class Vector具有默认构造函数
Vector::Vector(){
int i=0;
while(i<elements){data[i++]=0;}
}
如果数据成员数据为零,则设置所有元素。
您使用默认构造函数
创建了Vector类型的对象 Vector a;
Vector b;
Vector c;
Vector d;
之后,您使用这些向量创建了Matrix类型的对象A和B.
Matrix A (a, b);
Matrix B (c, d);
所以对象包含零。
您应该删除这些定义并写入主
int main()
{
Vector a, b, c, d;
a.read();
b.read();
c.read();
d.read();
Matrix A( a, b );
Matrix B( c, d );
A.print();
return 0;
}
顺便说一下构造函数
Matrix::Matrix(Vector &, Vector &){
int d,f;
for (d=0; d<(rows); d++){
for (f=0; f<columns;f++){
data[d*f]=a.get_element(d)*b.get_element(f);
}
}
无效。它有两个参数,但它们不在构造函数的主体中使用。局部变量d和f也未初始化。