c语言,在字符串指定n位置插入一个字符怎么写求
时间: 2024-04-30 21:23:02 浏览: 171
数据结构 字符串的插入删除 查找位置
以下是一个在字符串指定n位置插入一个字符的示例代码:
```c
#include <stdio.h>
#include <string.h>
#define MAX_SIZE 100
int main(void) {
char str[MAX_SIZE], ch;
int n;
printf("Enter a string: ");
fgets(str, MAX_SIZE, stdin);
str[strcspn(str, "\n")] = '\0'; // remove newline character
printf("Enter a character to insert: ");
scanf("%c", &ch);
printf("Enter the position to insert: ");
scanf("%d", &n);
if (n >= strlen(str)) { // if n is greater than or equal to string length, append character to string
str[strlen(str)] = ch;
str[strlen(str) + 1] = '\0';
} else { // insert character at position n
for (int i = strlen(str); i >= n; i--) {
str[i + 1] = str[i];
}
str[n] = ch;
}
printf("Modified string: %s\n", str);
return 0;
}
```
该程序首先从用户输入字符串并存储在一个字符数组中。然后,程序要求用户输入要插入的字符和要插入的位置。如果要插入的位置大于或等于字符串长度,则将字符附加到字符串末尾。否则,程序将在指定位置插入字符。这是通过将从指定位置开始的所有字符向右移动一个位置来实现的,然后将字符插入到指定位置。最后,程序打印修改后的字符串。
阅读全文