溫馨提示×

溫馨提示×

您好,登錄后才能下訂單哦!

密碼登錄×
登錄注冊×
其他方式登錄
點擊 登錄注冊 即表示同意《億速云用戶服務(wù)條款》

C語言中sizeof函數(shù)的基本使用總結(jié)

發(fā)布時間:2020-09-05 02:17:42 來源:腳本之家 閱讀:220 作者:花火· 欄目:編程語言

前言

C語言中的sizeof是一個很有意思的關(guān)鍵字,經(jīng)常有人用不對,搞不清不是什么。我以前也有用錯的時候,現(xiàn)在寫一寫,也算是提醒一下自己吧。

 sizeof是什么

sizeof是C語言的一種單目操作符,如C語言的其他操作符++、--等,sizeof操作符以字節(jié)形式給出了其操作數(shù)的存儲大小。操作數(shù)可以是一個表達式或括在括號內(nèi)的類型名。這個操作數(shù)不好理解對吧?后面慢慢看就明白了。sizeof的返回值是size_t,在64位機器下,被定義為long unsigned int。

sizeof函數(shù)的結(jié)果:

1.變量:變量所占的字節(jié)數(shù)。

int i = 0;
printf("%d\n", sizeof(i)); //4

2.數(shù)組:數(shù)組所占的字節(jié)數(shù)。

int arr_int1[] = {1,2,3,4,5};
int arr_int2[10] = {1,2,3,4,5};
printf("size_arr1=%d\n",sizeof(arr_int1)); //5*4=20  
printf("size_arr2=%d\n",sizeof(arr_int2)); //10*4=40

3.字符串:其實就是加了'\0'的字符數(shù)組。結(jié)果為字符串字符長度+1。

char str[] = "str";
printf("size_str=%d\n",sizeof(str)); //3+1=4

4.指針:固定長度:4(32位地址環(huán)境)。

特殊說明:數(shù)組作為函數(shù)的入口參數(shù)時,在函數(shù)中對數(shù)組sizeof,獲得的結(jié)果固定為4:因為傳入的參數(shù)是一個指針。

int Get_Size(int arr[]) {
 return sizeof(arr);
}

int main() {
 int arr_int[10] = {1,2,3,4,5};
 printf("size_fun_arr=%d\n",Get_Size(arr_int)); //4
}

5.結(jié)構(gòu)體

1.只含變量的結(jié)構(gòu)體:

結(jié)果是最寬變量所占字節(jié)數(shù)的整數(shù)倍:[4 1 x x x ]

typedef struct test {
 int i;
 char ch;
}test_t;
printf("size_test=%d\n", sizeof(test_t)); //8

幾個寬度較小的變量可以填充在一個寬度范圍內(nèi):[4 2 1 1]

typedef struct test {
 int i;
 short s;
 char ch2;
 char ch3;
}test_t;
printf("size_test=%d\n", sizeof(test_t)); //8

地址對齊:結(jié)構(gòu)體成員的偏移量必須是其自身寬度的整數(shù)倍:[4 1 x 2 1 x x x]

typedef struct test {
 int i;
 char ch2;
 short s;
 char ch3;
}test_t;
printf("size_test=%d\n", sizeof(test_t)); //12

2.含數(shù)組的結(jié)構(gòu)體:包含整個數(shù)組的寬度。數(shù)組寬度上文已詳述。[4*10 2 1 1]

typedef struct test {
 int i[10];
 short s;
 char ch2;
 char ch3;
}test_t;
printf("size_test=%d\n", sizeof(test_t)); //44

3.嵌套結(jié)構(gòu)體的結(jié)構(gòu)體

包含整個內(nèi)部結(jié)構(gòu)體的寬度(即整個展開的內(nèi)部結(jié)構(gòu)體):[4 4 4]

typedef struct son {
 int name;
 int birthday;
 }son_t;
 
typedef struct father {
 son_t s1;
 int wife;
}father_t;

printf("size_struct=%d\n",sizeof(father_t)); //12

地址對齊:被展開的內(nèi)部結(jié)構(gòu)體的 首個成員的偏移量 ,必須是被展開的 內(nèi)部結(jié)構(gòu)體中最寬變量 所占字節(jié)的整數(shù)倍:[2 x x 2 x x 4 4 4]

typedef struct son {
 short age;
 int name;
 int birthday;
 }son_t;
 
typedef struct father {
 short age;
 son_t s1;
 int wife;
}father_t;

printf("size_struct=%d\n",sizeof(father_t)); //20

總結(jié)

以上就是這篇文章的全部內(nèi)容了,希望本文的內(nèi)容對大家的學(xué)習(xí)或者工作具有一定的參考學(xué)習(xí)價值,如果有疑問大家可以留言交流,謝謝大家對億速云的支持。

向AI問一下細節(jié)

免責(zé)聲明:本站發(fā)布的內(nèi)容(圖片、視頻和文字)以原創(chuàng)、轉(zhuǎn)載和分享為主,文章觀點不代表本網(wǎng)站立場,如果涉及侵權(quán)請聯(lián)系站長郵箱:is@yisu.com進行舉報,并提供相關(guān)證據(jù),一經(jīng)查實,將立刻刪除涉嫌侵權(quán)內(nèi)容。

AI