实现一个函数,将两个字符串连接起来。 函数接口定义: char *str_cat( char *s, char *t ); 函数str_cat应将字符串t复制到字符串s的末端,并且返回字符串s的首地址,C语言具体实现
时间: 2023-12-03 17:44:07 浏览: 114
数据结构-c语言-带main函数-串2-串连接-根据标准库函数strcat ()和定义求串连接函数的两种方法。
下面是一个简单的 C 语言实现:
```c
#include <stdio.h>
#include <string.h>
char *str_cat(char *s, char *t) {
strcat(s, t);
return s;
}
int main() {
char s[100] = "Hello, ";
char t[] = "world!";
printf("%s\n", str_cat(s, t)); // 输出:Hello, world!
return 0;
}
```
在上面的代码中,我们定义了一个 `str_cat` 函数,它接受两个参数 `s` 和 `t`,分别表示要连接的两个字符串。函数内部使用了 C 语言标准库中的 `strcat` 函数将 `t` 连接到 `s` 的末尾,然后返回 `s` 的指针,即连接后的字符串。
在 `main` 函数中,我们定义了两个字符串 `s` 和 `t`,然后调用 `str_cat` 函数将它们连接起来,并输出结果。
阅读全文