C / C ++结构与类

在C ++中,结构和类基本相同。但是有一些细微的差异。这些差异如下所示。

  • 默认情况下,类成员是私有的,但是结构的成员是公共的。让我们看一下这两个代码,以了解不同之处。

示例

#include <iostream>
using namespace std;
class my_class {
   int x = 10;
};
int main() {
   my_class my_ob;
   cout << my_ob.x;
}

输出结果

This program will not be compiled. It will generate compile time error for
the private data member.

示例

#include <iostream>
using namespace std;
struct my_struct {
   int x = 10;
};
int main() {
   my_struct my_ob;
   cout << my_ob.x;
}

输出结果

10
  • 当我们从类或结构派生结构时,该基类的默认访问说明是公共的,但是当我们派生一个类时,默认访问说明是私有的。

示例

#include <iostream>
using namespace std;
class my_base_class {
   public:
   int x = 10;
};
class my_derived_class : my_base_class {
};
int main() {
   my_derived_class d;
   cout << d.x;
}

输出结果

This program will not be compiled. It will generate compile time error that the variable x of the base class is inaccessible

示例

#include <iostream>
using namespace std;
class my_base_class {
   public:
   int x = 10;
};
struct my_derived_struct : my_base_class {
};
int main() {
   my_derived_struct d;
   cout << d.x;
}

输出结果

10