我有以下用C ++编写的代码:
#include<iostream>
#include<vector>
using namespace std;
class cViews {
string viewName;
double minD;
vector<double> dss;
public:
string minInput1, minInput2;
cViews(string);
cViews();
void setName(string s) { viewName = s; }
string getName() { return viewName; }
void setMinI(string m) { minInput1 = m; }
string getMinI() { return minInput1; }
void setMinD(double d) { minD = d; }
double getMinD() { return minD; }
void addD(vector<double> k){ dss = k; }
vector<double> getD(){ return dss; }
};
cViews::cViews(string str) {
viewName = str;
vector<double> dss = vector<double>();
}
cViews::cViews() {
vector<double> dss = vector<double>();
}
class Obj{
string name;
cViews dist;
public:
Obj(string);
void setName(string s) { name = s; }
string getName() { return name; }
void addDist(cViews k){ dist = k; }
cViews getDist(){ return dist; }
};
Obj::Obj(string str) {
name = str;
cViews dist();
}
void changeViewN(cViews *v, string s){
v->setMinI(s);
}
int main(){
Obj o1("Object1");
cViews v3;
cViews v1("View 1");
v1.setMinI("View 2");
v1.setMinD(1);
o1.addDist(v1);
cout << o1.getName() << " " << o1.getDist().getMinI() << endl;
v3 = o1.getDist();
changeViewN(&v3, "Changed");
cout << o1.getName() << " " << o1.getDist().getMinI() << endl;
return 0;
}
输出是:
Object1 View 2
Object1 View 2
这里的问题是我正在尝试更改在另一个对象中创建的对象的值。
输出应为:
Object1 View 2
Object1 Changed
非常感谢任何帮助。谢谢。
答案 0 :(得分:3)
要更改对象而不是副本,您必须使用指针或引用。否则,您只需复制从getDist()
返回的对象,从而无法更改原始对象。
cViews* getDist(){ return &dist; }
...
changeViewN(o1.getDist(), "Changed");
答案 1 :(得分:0)
看来你有几个问题,前几个:
cViews::cViews(string str) {
vector<double> dss = vector<double>();
}
viewName未初始化,dss在函数中声明(这是没有意义的,因为它会在函数返回后立即报废)。
PS。你想改变第二行:
cout << o1.getName() << " " << o1.getDist().getMinI() << endl;
到
cout << o2.getName() << " " << o2.getDist().getMinI() << endl;
你应该真正校对你的代码......