char *fun ( char *s, char *t) { /**********Program**********/ int i=0,count1=0,count2=0; while(s[i]!='\0') { count1++; } i=0; while(t[i]!='\0') { count2++; } if(count1<count2)return t; return s; /********** End **********/ }这串代码比较字符串的长度有问题吗
时间: 2023-06-29 21:10:12 浏览: 100
这段代码比较字符串长度有问题,因为在计算字符串长度时,虽然使用了循环来遍历字符串,但是没有对循环变量 `i` 进行自增操作,导致程序无法终止,会一直死循环下去。
正确的代码应该是这样的:
```
char *fun(char *s, char *t) {
int count1 = 0, count2 = 0;
while (s[count1] != '\0') {
count1++;
}
while (t[count2] != '\0') {
count2++;
}
if (count1 < count2) {
return t;
}
return s;
}
```
这里使用了数组下标来遍历字符串,同时在循环中对计数器变量进行自增操作,避免了死循环的问题。
相关问题
C 【程序设计】 功能:从字符串s中删除指定的字符c. #include <stdio.h>#include <stdlib.h>void fun (char s [] ,char c } /**********Program**********/ /**********}了 End **********/ main () 1 static char str [] ="turbo c and borland c++";char c='a';fun (str,c) ;printf ("str=%s\n",str) ;system ("pause") ;
这个程序的功能是从字符串s中删除指定的字符c。下面是完整的程序代码及注释说明:
```c
#include <stdio.h>
#include <stdlib.h>
void fun(char s[], char c) { // 定义函数fun,接收一个字符串数组和一个字符作为参数
int i, j;
for (i = j = 0; s[i] != '\0'; i++) { // 遍历字符串s中的每一个字符
if (s[i] != c) { // 如果当前字符不等于指定字符c
s[j++] = s[i]; // 将当前字符复制到新的字符串s中
}
}
s[j] = '\0'; // 在新字符串s的末尾添加结束符'\0'
}
int main() {
static char str[] = "turbo c and borland c++"; // 初始化一个字符串
char c = 'a'; // 指定需要删除的字符
fun(str, c); // 调用fun函数,删除字符串中的指定字符
printf("str=%s\n", str); // 输出删除指定字符后的字符串
system("pause");
return 0;
}
```
这个程序首先定义了一个函数`fun`,它接收一个字符串数组和一个字符作为参数。在函数中,使用两个变量`i`和`j`来遍历字符串`s`中的每一个字符,如果当前字符不等于指定字符`c`,则将其复制到新的字符串`s`中。最后在新字符串`s`的末尾添加结束符`\0`。
主函数`main`中定义了一个静态的字符串`str`,并指定需要删除的字符为`'a'`。然后调用`fun`函数,删除字符串中的指定字符,并输出删除指定字符后的字符串。最后使用`system("pause")`语句暂停程序的执行,等待用户按下任意键结束程序。
希望这个程序能够帮到你,如果你还有其他问题,请随时提出。
void fun(char *str) { /**********Program**********/ char ss[81]; int i=0,j=0,count=0; while(str[i]!='\0') { if(str[i]!=' ') { count++; ss[j++]=str[i]; } i++; } while(count--){ str[i++]=ss[i++]; } /********** End **********/ }这串代码删除字符串中的空格有没有问题
这段代码存在问题。在第二个while循环中,当 `count` 减少到 0 时,`str[i++]` 和 `ss[i++]` 都会变成 `\0`,导致后面的字符串无法被正确拼接。此外,`str` 字符串的长度没有变化,超出原有长度的部分可能会被乱写,导致程序崩溃或出现其他问题。
以下是修正后的代码:
```c
void fun(char *str) {
char ss[81];
int i = 0, j = 0, count = 0;
while (str[i] != '\0') {
if (str[i] != ' ') {
count++;
ss[j++] = str[i];
}
i++;
}
ss[j] = '\0'; // 在 ss 数组末尾添加 '\0',使其成为一个以 '\0' 结尾的字符串
j = 0;
while (j <= count) { // 注意这里的条件
str[j] = ss[j];
j++;
}
}
```
修正后的代码在删除空格的同时,将结果存储到了新的数组 `ss` 中,而最后通过 `str` 指针直接修改原始字符串。
阅读全文