编写函数len,求一个字符串的长度(c语言)
时间: 2024-05-06 10:16:30 浏览: 194
在C语言中,可以使用标准库函数strlen()来求一个字符串的长度。strlen()函数的定义在<string.h>头文件中。
示例代码如下:
```c
#include <stdio.h>
#include <string.h>
int main()
{
char str[] = "Hello, world!";
int len = strlen(str);
printf("The length of the string is: %d", len);
return 0;
}
```
输出结果为:
```
The length of the string is: 13
```
如果你想自己编写一个求字符串长度的函数,可以参考下面的代码:
```c
#include <stdio.h>
int len(char str[])
{
int i = 0;
while (str[i] != '\0')
{
i++;
}
return i;
}
int main()
{
char str[] = "Hello, world!";
int length = len(str);
printf("The length of the string is: %d", length);
return 0;
}
```
输出结果和前面一样:
```
The length of the string is: 13
```
相关问题
c语言编写函数求一个字符串长度
好的,以下是 C 语言的代码实现:
```c
#include <stdio.h>
int str_len(char s[]) {
int count = 0;
while (s[count] != '\0') {
count++;
}
return count;
}
int main() {
char s[] = "Hello, world!";
int len = str_len(s);
printf("The length of string is: %d\n", len);
return 0;
}
```
其中,`s` 为输入的字符串,`count` 为计数器,通过遍历字符串中的每一个字符,并判断是否为字符串结尾的`\0`字符,每遍历一次计数器自增 1,最后返回计数器的值即为字符串的长度。
在 `main` 函数中,我们定义了一个字符串 `s`,并调用 `str_len` 函数求出其长度,并将结果输出到控制台。
C语言编写函数,求一个字符串的转置字符串
以下是一个 C 语言函数,用于求一个字符串的转置字符串:
```c
#include <string.h>
void reverse_string(char* str) {
size_t len = strlen(str);
size_t i, j;
char temp;
for (i = 0, j = len - 1; i < j; ++i, --j) {
temp = str[i];
str[i] = str[j];
str[j] = temp;
}
}
```
这个函数接受一个指向字符串的指针,并在原字符串上进行操作,将其转置。可以像这样调用函数:
```c
char str[] = "Hello, world!";
reverse_string(str);
printf("%s\n", str); // 输出 "!dlrow ,olleH"
```
阅读全文