利用C语言依次取出字符串中所有数字字符,形成新的字符串,并取代原字符串。(例如:原字符串为he2llo 3wo5rld9,去除数字后新字符串为hello wolrd)
时间: 2024-12-10 10:09:41 浏览: 18
在C语言中,我们可以利用指针和循环来实现这个功能。这里可以采用`isdigit()`函数从C标准库`ctype.h`中获取帮助,它用于检查字符是否是十进制数字。下面是一个简单的示例程序:
```c
#include <stdio.h>
#include <ctype.h>
#include <string.h>
void remove_digits(char *str) {
int i = 0;
char new_str[strlen(str)]; // 新字符串长度等于原字符串
for (int j = 0; str[j]; ++j) { // 遍历原字符串
if (!isdigit(str[j])) { // 如果不是数字字符
new_str[i++] = str[j]; // 将非数字字符复制到新字符串
}
}
new_str[i] = '\0'; // 结束字符串
// 替换原字符串
strcpy(str, new_str);
}
int main() {
char input[] = "he2llo 3wo5rld9";
printf("Original string: %s\n", input);
remove_digits(input);
printf("New string without digits: %s\n", input);
return 0;
}
```
运行上述代码,将得到如预期的结果:"Original string: he2llo 3wo5rld9" -> "New string without digits: hello wolrd".
阅读全文