c语言去掉字符串数组中的\n
时间: 2024-02-21 07:33:38 浏览: 125
怎么拼接中间有0x00符的字符串(数组)
可以使用字符串处理函数`strtok`和`strcat`实现删除字符串数组中的`\n`。具体步骤如下:
1. 定义一个字符指针`token`,用于保存每个被`\n`分割的子串。
2. 使用`strtok`函数对字符串数组进行分割,每次分割出一个子串,将其赋值给`token`。
3. 使用`strcat`函数将`token`中的字符串拼接到目标字符串中。
4. 重复步骤2和步骤3,直到所有子串都被拼接到目标字符串中。
示例代码如下:
```c
#include <stdio.h>
#include <string.h>
int main() {
char str[] = "hello\nworld\n";
char* token;
char result[100] = "";
token = strtok(str, "\n"); // 分割第一个子串
while(token != NULL) {
strcat(result, token); // 拼接子串到目标字符串
token = strtok(NULL, "\n"); // 分割下一个子串
}
printf("%s", result); // 输出结果
return 0;
}
```
输出结果为:
```
helloworld
```
阅读全文