大家晚上好,今天給大家分享的是c++中的構造函數,這段時間可能分享c++、Uboot、linux內核的文章會比較多一點,自己的拖延癥太強了,得改掉這個壞習慣來。每天進步一點點,日積月累你也是專家。
一、構造函數:
1、什么是構造函數?
關于這個構造函數,簡單理解就是在一個類中,有一個函數,它的函數名稱和類名同名,而且這個構造函數沒有返回值類型的說法( Test()這個函數就是構造函數了。):
#include <stdio.h>
class Test:
{
public:
Test()
{
printf("Test()");
}
}
2、構造函數調用:
(1)一般情況下,構造函數在定義時自動被調用(主要作用就是自動去初始化類中的屬性,這個屬性通俗一點來說,就是我們所說的變量。而且這里的自動的意思,就是說當你創建了一個對象后,它就會自動調用構造函數,不用你再去main函數里面寫構造函數了。):
#include <stdio.h>
class Test
{
public:
Test()
{
printf("Test()");
}
};
int main()
{
Test t; // 調用 Test()
return 0;
}
演示結果如下:
root@txp-virtual-machine:/home/txp/c++# ./a.out
Test()
(2)一些特殊情況下,需要手工來調用構造函數(這個在下面帶參數的構造函數里面會有一個案例分析)
二、帶參數的構造函數:
(1)構造函數可以根據需要定義參數。
class Test
{
public:
Test(int v)
{
}
};
(2)一個類中可以存在多個重載的構造函數(什么重載函數,簡單來說,可以同函數名,但是它的傳參類型或者返回類型不同就是重載函數了。)下面來看一個具體帶參構造函數案例:
#include <stdio.h>
class Test
{
private:
int m_value;
public:
Test()
{
printf("Test()");
m_value = 0;
}
Test(int v)
{
printf("Test(int v), v = %d", v);
m_value = v;
}
int getValue()
{
return m_value;
}
};
int main()
{
Test ta[3] = {Test(), Test(1), Test(2)};
for(int i=0; i<3; i++)
{
printf("ta[%d].getValue() = %d", i , ta[i].getValue());
}
Test t = Test(100);
printf("t.getValue() = %d", t.getValue());
return 0;
}
演示結果如下:
root@txp-virtual-machine:/home/txp/c++# ./a.out
Test()
Test(int v), v = 1
Test(int v), v = 2
ta[0].getValue() = 0
ta[1].getValue() = 1
ta[2].getValue() = 2
Test(int v), v = 100
t.getValue() = 100
三、實戰案例:
需求:開發一個數組類解決原生數組的安全性問題:
——提供函數獲取數組長度
——提供函數獲取數組元素
——提供函數設置數組元素
-
可編程邏輯
+關注
關注
7文章
517瀏覽量
44149 -
C++
+關注
關注
22文章
2114瀏覽量
73793
發布評論請先 登錄
相關推薦
評論