struct
C ++で継承できますか?
struct
C ++で継承できますか?
回答:
はい、struct
まったく同じであるclass
デフォルトのアクセスがある以外public
のためにstruct
(それはだながらprivate
のためclass
)。
AlexとEvanがすでに述べたこと以外に、C ++構造体はC構造体とは異なることを付け加えておきます。
C ++では、構造体はC ++クラスと同じようにメソッドや継承などを持つことができます。
C ++では、構造体の継承はクラスと同じですが、次の違いがあります。
クラス/構造体から構造体を派生する場合、基本クラス/構造体のデフォルトのアクセス指定子はパブリックです。また、クラスを派生する場合、デフォルトのアクセス指定子はプライベートです。
たとえば、プログラム1はコンパイルエラーで失敗し、プログラム2は正常に動作します。
// Program 1
#include <stdio.h>
class Base {
public:
int x;
};
class Derived : Base { }; // Is equivalent to class Derived : private Base {}
int main()
{
Derived d;
d.x = 20; // Compiler error because inheritance is private
getchar();
return 0;
}
// Program 2
#include <stdio.h>
struct Base {
public:
int x;
};
struct Derived : Base { }; // Is equivalent to struct Derived : public Base {}
int main()
{
Derived d;
d.x = 20; // Works fine because inheritance is public
getchar();
return 0;
}