本文主要是介绍sizeof和strlen的区别,数组和指针的区别,希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!
sizeof和strlen的区别:
1.sizeof是个关键字,因此,sizeof后面是变量名时可以不加括号,而strlen是个函数,必须加括号
2.sizeof是判断参数所占的内存大小,参数可以是类型,函数,而strlen有点像计数器,从某个内存地址开始计数,碰到"\0"时结束计数,参数只能是char *
3.sizeof编译时确定,strlen时运行时确定
4.在调用函数中,数组名作为形参的,会被编译器当成指向数组首地址的指针,因此作为sizeof的参数时等价于计算指针的大小,作为strlen()的参数时意义未改变
--测试sizeof关键字特性
#include <iostream>
using namespace std;void main(void)
{int a;char c[10];char *p;cout<<<span style="color:#ff0000;">sizeof a</span><<endl;cout<<sizeof c<<endl;cout<<sizeof p<<endl;
}
测试结果
--测函数作为sizeof参数
#include <iostream>
using namespace std;int fun_int();
char fun_char();
float fun_float();
double fun_double();
char *fun_cp();
double *fun_cd();
void *fun_cvoid();
void fun_void();void main(void)
{cout<<sizeof(fun_int())<<endl; //等价于sizeof(int)cout<<sizeof(fun_char())<<endl; //等价于sizeof(char)cout<<sizeof(fun_float())<<endl; //等价于sizeof(float)cout<<sizeof(fun_double())<<endl; //等价于sizeof(double)cout<<sizeof(fun_cp())<<endl; //等价于sizeof(指针)cout<<sizeof(fun_cd())<<endl; //等价于sizeof(指针)cout<<sizeof(fun_cvoid())<<endl; //等价于sizeof(指针)cout<<sizeof(fun_void())<<endl; //编译器错误
}
由编译结果可知,当函数作为sizeof的参数时,实际上是用函数的返回值作为sizeof的参数,因此函数必须有返回值
--不用库函数实现strlen()函数
size_t mystrlen(const char *str)
{size_t i = 0;while(str[i]!='\0')i++;return i;
}
#include <iostream>
using namespace std;void fun(char *str)
{cout<<endl<<"fun"<<endl;cout<<"sizeof(str)="<<sizeof(str)<<endl;cout<<"strlen(str)"<<strlen(str)<<endl;
}
void main(void)
{char str[10];cout<<"sizeof(str)="<<sizeof(str)<<endl;cout<<"strlen(str)"<<strlen(str)<<endl;fun(str);}
运行结果:
结果中显示,当数组作为参数传递给函数时,sizeof 计算出来的值是指针的值,而不再是指针所指向的内存空间大小的值。但是是不是有点奇怪?str明明是10个字节,strlen(str)怎么就变成15个字节了?
通过调试查看内存:
结果显而易见了,因为没有初始化数组,因此数组内部为乱码,当执行strlen(str)时,strlen()从地址0x0019FF34开始计数,一直计数到0x0019FF40,读取到00('\0')时才结束,因此算出了大小15个字节,由此可见
初始化特别重要,可以避免不必要的错误!
前面的介绍中有提到数组和指针作为参数时对sizeof和strlen()的影响,但是还不够全面,由于strlen的参数只能是char *类型,因此测试的数字也只能是char []的数组,下面详细介绍数组和指针的区别:
数组和指针的区别:
1.定义时,当等号右边为字符串时,数组是是分配在非常量区,指针指向的字符串被分配在在常量区(只读),因此数组可通过下标更改其值,指针不可更改!
2.占用的空间大小不同,数组占用所申请的内存大小,指针为4个字节(假定计算机的寻址大小为32位)
#include <iostream>
using namespace std;void main(void)
{static char sc[]="hello";static char *sp="hello";char c[] = "hello";char *p="hello";sc[0]='a'; //可更改sp[0]='a'; //运行时报错c[0]='a'; //可更改p[0]='a'; //运行时报错
}
这篇关于sizeof和strlen的区别,数组和指针的区别的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!