通過new(delete)動態(tài)內(nèi)存分配
class Teacher{
? ?private:
? ?char* name;
? ?public:
? ?Teacher(char* name){
? ? ? this->name = name;
? ? ? cout << "Teacher有參構(gòu)造函數(shù)" << endl;
?}
~Teacher(){
? ? ? cout << "Teacher析構(gòu)函數(shù)" << endl;
}
void setName(char* name){
? ? ? this->name = name;
}
char* getName(){
? ? ? return this->name;
? ? ?}
};
void func(){
? ?//C++
? ?//會調(diào)用構(gòu)造和析構(gòu)函數(shù)
? ?Teacher *t1 = new Teacher("jack");
? ?cout << t1->getName() << endl;
? ?//釋放
? ?delete t1;
? ?//C
? ?//Teacher *t2 = (Teacher*)malloc(sizeof(Teacher));
? ?//t2->setName("jack");
? ?//free(t2);
}
void main(){
? ?func();
? ?//數(shù)組類型
? ?//C
? ?//int *p1 = (int*)malloc(sizeof(int) * 10);
? ?//p1[0] = 9;
? ?//free(p1);
? ?//C++
? ?int *p2 = new int[10];
? ?p2[0] = 2;
? ?//釋放數(shù)組 []
? ?delete[] p2;
? ?system("pause");
}
可以看出槽奕,C++這里越來越像JAVA了
Teacher *t1 = new Teacher("jack"); 來表示在堆內(nèi)存中苹熏,創(chuàng)建一個指針。并且用delete去釋放掉這塊內(nèi)存
static 靜態(tài)屬性和方法
class Teacher{
? ?public:
? ?char* name;
? ?//計數(shù)器
? ?static int total;
? ? public:
? ? Teacher(char* name){
? ? ? ? this->name = name;
? ? ? ? cout << "Teacher有參構(gòu)造函數(shù)" << endl;
}
~Teacher(){
? ? ? cout << "Teacher析構(gòu)函數(shù)" << endl;
}
void setName(char* name){
? ? ?this->name = name;
}
char* getName(){
? ? return this->name;
}
//計數(shù),靜態(tài)函數(shù)
static void count(){
? ? total++;
? ?cout << total << endl;
? }
};
//靜態(tài)屬性初始化賦值
int Teacher::total = 9;
void main(){
Teacher::total++;
cout << Teacher::total << endl;
//直接通過類名訪問
Teacher::count();
//也可以通過對象名訪問
Teacher t1("yuehang");
t1.count();
system("pause");
}
可以看出,可以直接通過類名訪問靜態(tài)變量/靜態(tài)方法
下面說一下友元函數(shù),作用在于,可以通過這個函數(shù),訪問類中定義的私有變量
class A {
? //友元函數(shù)
? ?friend void modify_i(A *p, int a);
? ?private:
? ?int i;
? ?public:
? ?A(int i) {
? ? ? this->i = i;
? ?}
~A() {
cout << "析構(gòu)" << endl;
? ?}
void myprint() {
cout << i << endl;
? ?}
};
//友元函數(shù)的實(shí)現(xiàn)上鞠,在友元函數(shù)中可以訪問私有的屬性
void modify_i(A *p, int a) {
? ?p->i = a;
}
void main() {
? ?A* a = new A(10);
? ?a->myprint();
? ?modify_i(a, 20);
? ?a->myprint();
? ?delete a;
? ?system("pause");
}
如上方法,就可以改變類中的私有變量的值芯丧,并且例子中運(yùn)用到了C++中的動態(tài)內(nèi)存芍阎,以及動態(tài)內(nèi)存的釋放的
下面說下友元類,說白了缨恒,就是友元類可以訪問自己的類成員G聪獭轮听!
class A {
//友元類
friend class B;
private:
int i;
public:
A(int i) {
this->i = i;
}
void myprint() {
cout << i << endl;
}
};
class B {
? ?public:
? ?//B這個友元類可以訪問A類的任何成員
? ?void accessAny() {
? ? ? a.i = 30;
}
private:
? ?A a;
};
首先在A中,申請友元類B岭佳,然后在B中血巍,定義A為私有成員,就可以調(diào)用A成的成員變量了I核妗述寡!