交换两个字符串内容的函数方法c++
时间: 2023-12-16 17:03:42 浏览: 79
可以使用以下代码交换两个字符串的内容:
```c++
#include <iostream>
#include <string>
using namespace std;
void swapString(string& str1, string& str2) {
string temp = str1;
str1 = str2;
str2 = temp;
}
int main() {
string str1 = "hello";
string str2 = "world";
cout << "Before swapping: " << endl;
cout << "str1: " << str1 << endl;
cout << "str2: " << str2 << endl;
swapString(str1, str2);
cout << "After swapping: " << endl;
cout << "str1: " << str1 << endl;
cout << "str2: " << str2 << endl;
return 0;
}
```
运行结果:
```
Before swapping:
str1: hello
str2: world
After swapping:
str1: world
str2: hello
```
在这个例子中,我们定义了一个名为 `swapString` 的函数,该函数接受两个字符串的引用作为参数。函数内部定义了一个 `temp` 字符串,将 `str1` 的值复制给 `temp`,然后将 `str2` 的值赋给 `str1`,最后将 `temp` 的值赋给 `str2`,完成了两个字符串的内容交换。
阅读全文