计算字符串长度—sizeof 与 strlen 的区别

sizeof:计算数组长度,返回的是变量声明后所占的内存数,不是实际长度,此外sizeof不是函数,仅仅是一个操作符,该类型保证能容纳实现所建立的最大对象的字节大小

strlen:计算字符串的有效长度(不包括'\0')

以下是strlen函数实现代码:我们根据sizeof、strlen的区别,来分析计算出主函数输出的值。

#include
#include
#include

//计算字符串的有效长度,不包含'\0'
int Mystrlen(const char *str)
{
    assert(str != NULL);
    int count = 0;
    while(*str != '\0')
    {
        count++;
        str++;
    }

    return count;
}

int main()
{
    char str1[100] = "abcde";
    char str2[] = "abcde";
    char *str3 = "abcde";
    char str4[100] = "abcde\0ijk\n";
    char str5[] = "abcde\0ijk\n";
    char *str6 = "abcde\0ijk\n";
    printf("%d,%d\n",sizeof(str1),strlen(str1));      //字符串str1的长度是100,所以sizeof为100,字符串str1的有效长度是从遇到'\0'计算停止,所以strlen为5
    printf("%d,%d\n",sizeof(str2),strlen(str2));     //str[ ]的默认长度为字符串的长度,则sizeof为6,strlen不包括'\0',则strlen为5
    printf("%d,%d\n",sizeof(str3),strlen(str3));    // *str3不是字符串,是字符指针,所以在win32平台下,sizeof为4,   strlen为5  
    printf("%d,%d\n",sizeof(str4),strlen(str4));   // 字符串str4的长度是100,所以sizeof为100,字符串str1的有效长度是从遇到'\0'计算停止,所以strlen为5 
    printf("%d,%d\n",sizeof(str5),strlen(str5));  //str[ ]的默认长度为字符串的长度(包括'\0'),则sizeof为11,字符串str1的有效长是从遇到'\0'计算停止,所以strlen为5
    printf("%d,%d\n",sizeof(str6),strlen(str6));  //*str6不是字符串,是字符指针,所以在win32平台下,sizeof为4,字符串str1的有效长度是从遇到'\0'计算停止,所以strlen为5

}

 

你可能感兴趣的:(计算字符串长度—sizeof 与 strlen 的区别)