本文主要是介绍C语言第四十八弹---多种方法模拟实现strlen函数,希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!
使用C语言用多种方法模拟实现strlen函数
方法一:逐个计数法
使用循环,遍历字符串,遇到’\0’截止。
#include <stdio.h>
#include <assert.h>size_t my_strlen(const char* str)
{assert(str);int count = 0;while (*str != '\0'){count++;str++;}return count;
}int main()
{char arr1[20] = "abcdef";size_t ret = my_strlen(arr1);printf("%d", ret);return 0;
}
递归法
思路:设定一个初始条件,当str等于’\0’时,函数进行回归,每进行一次递归,都会加1,所以返回的是1 + 函数。
#include <stdio.h>
#include <assert.h>size_t my_strlen(const char* str)
{assert(str);if (*str == '\0'){return 0;}else{return 1 + my_strlen(str + 1);//不断接近开始结束条件}
}
int main()
{char arr1[20] = "abcdef";size_t ret=my_strlen(arr1);printf("%d", ret);return 0;
}
指针法
思路:利用指针特性,字符串长度等于指针之差,所以使用一个临时值接收字符串首位置,通过循环找到指针尾位置,作差就是字符串长度。
#include <stdio.h>
#include <assert.h>size_t my_strlen(const char* str)
{assert(str);char* tmp = str;while (*str != '\0'){str++;}return str - tmp;
}
int main()
{char arr1[20] = "abcdef";size_t ret=my_strlen(arr1);printf("%d\n", ret);return 0;
}
这篇关于C语言第四十八弹---多种方法模拟实现strlen函数的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!