C++ nested classes, access fathers variables [dupl

2019-04-29 20:33发布

This question already has an answer here:

The title already says a lot,

but basically what i want to do is the following(Example):

I have a class called A, and another class inside a called B, like so:

class A
{
   int a;

   class B
   {
      void test()
      {
         a = 20;
      }
   };
};

As you can see my goal is for class B to have access to class A, as it is a nested class. Not this wont work, because B doesn't have access to A, but how can it get access?

Thank You

5条回答
一纸荒年 Trace。
2楼-- · 2019-04-29 21:04

Classes are types, types don't have data. Instances have data, but an instance of A does not (in your example) contain an instance of B, and the instances of B don't have any knowledge of any instance of A.

查看更多
forever°为你锁心
3楼-- · 2019-04-29 21:13

Despite that you declared class B inside of A, classes A and B are still completely independent. The only difference is that now to refer to B, one must do A::B.

For B to access A's stuff, you should use composition or inheritance. For composition, give B a reference to an object of A, like so:

class B {
public:
  B(const A& aObj) : aRef(aObj) {
    cout << aRef.a << endl;
  }
private:
  const A& aRef;
};

For inheritance, something like this:

class B: public A { // or private, depending on your desires
  B() {
    cout << a << endl;
  }
}
查看更多
戒情不戒烟
4楼-- · 2019-04-29 21:13

C++ nested classes are not like java nested classes, they do not belong to an instance of A but are static. So a doesn't exist at that point

查看更多
闹够了就滚
5楼-- · 2019-04-29 21:14

The inner class is not related to the outer class in C++ as it is in Java. For an instance of A::B to access a member of an A object, it needs to have an instance of A somewhere, just as if B were not a nested class. Instances of A::B do not have any implicit instance of A; you can have many instances of A::B without any instances of A existing at all.

Pass an instance of A to test, and then use it to access the a member:

void test(A& a_instance)
{
  a_instance.a = 20;
}
查看更多
再贱就再见
6楼-- · 2019-04-29 21:27

Choices

  • have B be a child of A instead of contained by A
  • have B's constructor take a ref to the A instance which created it (preferred)

Now, if the variable a is private this still won't help. You will either need an accessor a or a friend relation.

查看更多
登录 后发表回答