淺析c與c++中struct的差別。本站提示廣大學習愛好者:(淺析c與c++中struct的差別)文章只能為提供參考,不一定能成為您想要的結果。以下是淺析c與c++中struct的差別正文
這裡有兩種情形下的差別。
(1)C的struct與C++的class的差別。
(2)C++中的struct和class的差別。
在第一種情形下,struct與class有著異常顯著的差別。C是一種進程化的說話,struct只是作為一種龐雜數據類型界說,struct中只能界說成員變量,不克不及界說成員函數(在純潔的C說話中,struct不克不及界說成員函數,只能界說變量)。例以下面的C代碼片段:
struct Point
{
int x; // 正當
int y; // 正當
void print()
{
printf("Point print\n"); //編譯毛病
};
}9 ;
這裡第7行會湧現編譯毛病,提醒以下的毛病新聞:“函數不克不及作為Point構造體的成員”。是以年夜家看到在第一種情形下struct只是一種數據類型,不克不及應用面向對象編程。
如今來看第二種情形。起首請看上面的代碼:
#include <iostream>
using namespace std;
class CPoint
{
int x; //默許為private
int y; //默許為private
void print() //默許為private
{
cout << "CPoint: (" << x << ", " << y << ")" << endl;
}
public:
CPoint(int x, int y) //結構函數,指定為public
{
this->x = x;
this->y = y;
}
void print1() //public
{
cout << "CPoint: (" << x << ", " << y << ")" << endl;
}
};
struct SPoint
{
int x; //默許為public
int y; //默許為public
void print() //默許為public
{
cout << "SPoint: (" << x << ", " << y << ")" << endl;
}
SPoint(int x, int y) //結構函數,默許為public
{
this->x = x;
this->y = y;
}
private:
void print1() //private類型的成員函數
{
cout << "SPoint: (" << x << ", " << y << ")" << endl;
}
};
int main(void)
{
CPoint cpt(1, 2); //挪用CPoint帶參數的結構函數
SPoint spt(3, 4); //挪用SPoint帶參數的結構函數
cout << cpt.x << " " << cpt.y << endl; //編譯毛病
cpt.print(); //編譯毛病
cpt.print1(); //正當
spt.print(); //正當
spt.print1(); //編譯毛病
cout << spt.x << " " << spt.y << endl; //正當
return 0;
}
在下面的法式裡,struct還有結構函數和成員函數,其實它還具有class的其他特征,例如繼續、虛函數等。是以C++中的struct擴大了C的struct功效。那它們有甚麼分歧呢?
main函數內的編譯毛病全體是由於拜訪private成員而發生的。是以我們可以看到class中默許的成員拜訪權限是private的,而struct中則是public的。在類的繼續方法上,struct和class又有甚麼差別?請看上面的法式:
#include <iostream>
using namespace std;
class CBase
{
public:
void print() //public成員函數
{
cout << "CBase: print()..." << endl;
}
};
class CDerived1 : CBase //默許private繼續
{
};
class CDerived2 : public Cbase //指定public繼續
{
};
struct SDerived1 : Cbase //默許public繼續
{
};
struct SDerived2 : private Cbase //指定public繼續
{
};
int main()
{
CDerived1 cd1;
CDerived2 cd2;
SDerived1 sd1;
SDerived2 sd2;
cd1.print(); //編譯毛病
cd2.print();
sd1.print();
sd2.print(); //編譯毛病
return 0;
}
可以看到,以private方法繼續父類的子類對象不克不及拜訪父類的public成員。class繼續默許是private繼續,而struct繼續默許是public繼續。別的,在C++模板中,類型參數後面可使用class或typename,假如應用struct,則寄義分歧,struct前面跟的是“non-type template parameter”,而class或typename前面跟的是類型參數。
現實上,C++中保存struct的症結字是為了使C++編譯器可以或許兼容C開辟的法式。
謎底:
分以下所示兩種情形。
C的struct與C++的class的差別:struct只是作為一種龐雜數據類型界說,不克不及用於面向對象編程。
C++中的struct和class的差別:關於成員拜訪權限和繼續方法,class中默許的是private的,而struct中則是public的。class還可以用於表現模板類型,struct則不可。