本题要求编写函数,将输入字符串t中从第m个字符开始的全部字符复制到字符串s中。 函数接口定义: void strmcpy( char *t, int m, char *s ); 函数strmcpy将输入字符串char *t中从第m个字符开始的全部字符复制到字符串char *s中。若m超过输入字符串的长度,则结果字符串应为空串。
时间: 2023-06-13 12:02:29 浏览: 115
数据结构-c语言-带main函数-串2-串复制-根据标准库函数strcpy ()和定义求串复制函数的两种方法。
实现代码如下:
```c
#include <stdio.h>
#include <string.h>
void strmcpy(char *t, int m, char *s) {
int len = strlen(t);
if (m > len) { // m超过输入字符串的长度
s[0] = '\0'; // 结果字符串为空串
return;
}
strcpy(s, t + m - 1); // 复制字符串
}
int main() {
char t[100], s[100];
int m;
printf("请输入字符串t和起始位置m:\n");
scanf("%s %d", t, &m);
strmcpy(t, m, s);
printf("结果字符串s为:%s\n", s);
return 0;
}
```
输入样例:
```
请输入字符串t和起始位置m:
hello world
3
```
输出样例:
```
结果字符串s为:llo world
```
阅读全文