【C语⾔】关于遍历字符串的三种⽅法
写在前⾯的话:
1. 版权声明:本⽂为博主原创⽂章,转载请注明出处!
2. 博主是⼀个⼩菜鸟,并且⾮常玻璃⼼!如果⽂中有什么问题,请友好地指出来,博主查证后会进⾏更正,啾咪~~
3. 每篇⽂章都是博主现阶段的理解,如果理解的更深⼊的话,博主会不定时更新⽂章。
4. 本⽂最后更新时间:2020.7.8
正⽂开始
这⾥介绍C语⾔遍历字符串的三种⽅法。
1. for循环(字符数组)
#include <stdio.h>
#include <string.h>
#define MAX_SIZE 1024
int main()
{
char src[MAX_SIZE] = {0};
int len;
printf("Please input string : ");
gets(src);
len = strlen(src);
printf("string = ");
for (int i = 0; i < len; i++)
{
printf("%c", src[i]);
}
printf("\n");
return 0;
}
运⾏结果:
Please input string : abcdefg123456
string = abcdefg123456
在这⾥我们⾸先利⽤了strlen函数测量字符数组的长度,然后⽤for循环遍历字符串,将输⼊的字符串的内容⼀个字符⼀个字符输出。
2. while循环(字符数组)
#include <stdio.h>
#include <string.h>
#define MAX_SIZE 1024
int main()
{
char src[MAX_SIZE] = {0};
int i = 0;
printf("Please input string : ");
gets(src);
printf("string = ");
while (src[i] != '\0')
{
printf("%c", src[i]);
i++;
}c++中string的用法
printf("\n");
return 0;
}
运⾏结果:
Please input string : congcong123456
string = congcong123456
由于输⼊的字符串的长度是未知的,然⽽遍历字符串的时候需要⽤到循环,所以,当循环次数未知时,最好使⽤while语句。
3. while循环(指针)
#include <stdio.h>
#include <string.h>
#define MAX_SIZE 1024
int main()
{
char src[MAX_SIZE] = {0};
char *temp = src;
printf("Please input string : ");
gets(src);
printf("string = ");
while (*temp != '\0')
{
printf("%c", *temp);
temp++;
}
printf("\n");
return 0;
}
运⾏结果:
Please input string : congcong123
string = congcong123
在这⾥我们⾸先定义了⼀个指针变量,指向数组的⾸地址,那为什么要定义这个指针变量呢?为什么不直接⽤“src++;”呢?
⾸先,我们要知道的是数组名代表了什么:
1. 指针常量
2. 数组⾸元素的地址
既然数组名代表了指针常量,常量怎么可以⾃增呢?所以不可以⽤“src++;”,如果使⽤“src++;”,那么在编译时便会报错“错误:⾃增运算中的左值⽆效”。
以上为遍历字符串的三种⽅法,希望我们以后可以熟练地运⽤这三种⽅法遍历字符串。
版权声明:本站内容均来自互联网,仅供演示用,请勿用于商业和其他非法用途。如果侵犯了您的权益请与我们联系QQ:729038198,我们将在24小时内删除。
发表评论