struct in class

132,621

Solution 1

I declared class B inside class A, how do I access it?

Just because you declare your struct B inside class A does not mean that an instance of class A automatically has the properties of struct B as members, nor does it mean that it automatically has an instance of struct B as a member.

There is no true relation between the two classes (A and B), besides scoping.


struct A { 
  struct B { 
    int v;
  };  

  B inner_object;
};

int
main (int argc, char *argv[]) {
  A object;
    object.inner_object.v = 123;
}

Solution 2

It's not clear what you're actually trying to achieve, but here are two alternatives:

class E
{
public:
    struct X
    {
        int v;
    };

    // 1. (a) Instantiate an 'X' within 'E':
    X x;
};

int main()
{
    // 1. (b) Modify the 'x' within an 'E':
    E e;
    e.x.v = 9;

    // 2. Instantiate an 'X' outside 'E':
    E::X x;
    x.v = 10;
}

Solution 3

Your E class doesn't have a member of type struct X, you've just defined a nested struct X in there (i.e. you've defined a new type).

Try:

#include <iostream>

class E
{
    public: 
    struct X { int v; };
    X x; // an instance of `struct X`
};

int main(){

    E object;
    object.x.v = 1;

    return 0;
}

Solution 4

You should define the struct out of the class like this:

#include <iostream>
using namespace std;
struct X
{
        int v;
};
class E
{
public: 
      X var;
};

int main(){

E object;
object.var.v=10; 

return 0;
}
Share:
132,621
Wizard
Author by

Wizard

Updated on October 04, 2020

Comments

  • Wizard
    Wizard over 3 years

    I have struct in class and not know how to call variables from struct, please help ;)

    #include <iostream>
    using namespace std;
    
    class E
    {
    public: 
        struct X
        {
            int v;
        };
    };
    
    int main(){
    
    E object;
    object.v=10; //not work 
    
    return 0;
    }
    
  • Wizard
    Wizard over 12 years
    1 more question, how to use variables from struct in class functions(methods) ?
  • Mat
    Mat over 12 years
    Just like any other member x.v or this->x.v.