我定义了两个简单的类。第一类(A)包含指向第二类(B)的对象的指针(b_ptr),其包含int成员(i)。我创建了第一个类的对象,并且只是尝试返回指针对象中包含的int。
起初我甚至无法编译代码,但随后我移动了int A::returnInt()
定义,使其位于class B
定义之后。我现在能够编译,但是当我打电话给returnInt()
时,我得到一个巨大的数字(每次运行都会改变)。
非常感谢任何帮助!
// HelloWorld.cpp : main project file.
#include "stdafx.h";
using namespace System;
#include <iostream>
#include <string>
#include <vector>
using namespace std;
using std::vector;
using std::cout;
using std::endl;
using std::string;
class B;
class A {
public:
A() = default;
B* b_ptr;
int returnInt();
};
class B {
public:
B() : i(1){};
A a;
int i;
};
int A::returnInt() { return (b_ptr->i); };
int main()
{
A myClass;
cout << myClass.returnInt() << endl;
}
答案 0 :(得分:2)
您可以使用以下方法解决问题:
#include <iostream>
using namespace std;
struct B
{
B() : i(1){}
int i;
};
struct A
{
A(B& b) : b_ptr(&b) {}
int returnInt() { return b_ptr->i; }
private:
A() = delete;
B* b_ptr;
};
int main()
{
B b;
A myClass(b);
cout << myClass.returnInt() << endl;
return 0;
}