std::swap()
swap() 是一个标准库函数,它交换任意两个对象的值 b/w。在 C11 中,它已移至 <utility> 标题下。下面是 swap() 的语法细节。
用法:
void swap (T& a, T& b);
参数: T& a, T& b
哪些是要交换的对象
返回类型: void
- 它什么都不返回。
用法:交换两个对象的黑白值
例子:
1) 交换两个 内置 数据类型
在下面的例子中,我们看到如何使用 std::swap() 函数交换两个整数。
#include <bits/stdc++.h>
using namespace std;
int main()
{
int a = 10, b = 20;
cout << "Before swapping:\n";
cout << "a:" << a << ", b:" << b << endl;
//swap now
swap(a, b);
cout << "After swapping:\n";
cout << "a:" << a << ", b:" << b << endl;
return 0;
}
输出:
Before swapping: a:10, b:20 After swapping: a:20, b:10
2) 交换两个用户定义的对象
在下面的例子中,我们看到如何使用 std::swap() 函数交换两个用户定义的对象。在这里,我们定义了一个学生类,因为我们看到了 swap 如何在它们之间交换内容。
#include <bits/stdc++.h>
using namespace std;
class student {
public:
int roll;
string name;
int marks;
student()
{
roll = -1;
name = "";
marks = 0;
}
student(int r, string s, int m)
{
roll = r;
name = s;
marks = m;
}
};
void print(student t)
{
cout << "Roll:" << t.roll << endl;
cout << "Name:" << t.name << endl;
cout << "Marks:" << t.marks << endl;
}
int main()
{
student a(1, "Alice", 80);
student b(2, "Bob", 85);
cout << "Before swapping:\n";
cout << "Student a:\n";
print(a);
cout << "Student b:\n";
print(b);
//swap now
swap(a, b);
cout << "After swapping:\n";
cout << "Student a:\n";
print(a);
cout << "Student b:\n";
print(b);
return 0;
}
输出:
Before swapping: Student a: Roll:1 Name:Alice Marks:80 Student b: Roll:2 Name:Bob Marks:85 After swapping: Student a: Roll:2 Name:Bob Marks:85 Student b: Roll:1 Name:Alice Marks:80
3)两个向量(容器)之间的交换
在下面的例子中,我们将看到如何交换两个向量的内容。以同样的方式,我们可以交换任何容器的 be/w 对象。
#include <bits/stdc++.h>
using namespace std;
void print(vector<int> a)
{
for (auto it:a) {
cout << it << " ";
}
cout << endl;
}
int main()
{
vector<int> a{ 10, 20, 30, 40 };
vector<int> b{ 1, 2, 3, 4, 5, 6, 7 };
cout << "Before swapping:\n";
cout << "Vector a:\n";
print(a);
cout << "Vector b:\n";
print(b);
//swap now
swap(a, b);
cout << "After swapping:\n";
cout << "Vector a:\n";
print(a);
cout << "Vector b:\n";
print(b);
return 0;
}
输出:
Before swapping: Vector a: 10 20 30 40 Vector b: 1 2 3 4 5 6 7 After swapping: Vector a: 1 2 3 4 5 6 7 Vector b: 10 20 30 40
相关用法
- C++ std::swap_ranges用法及代码示例
- C++ std::string::push_back()用法及代码示例
- C++ std::string::insert()用法及代码示例
- C++ std::string::data()用法及代码示例
- C++ std::string::compare()用法及代码示例
- C++ std::search用法及代码示例
- C++ std::stof用法及代码示例
- C++ std::string::append()用法及代码示例
- C++ std::string::assign()用法及代码示例
- C++ std::string::find_last_not_of用法及代码示例
- C++ std::string::resize()用法及代码示例
- C++ std::stable_partition用法及代码示例
- C++ std::string::rfind用法及代码示例
- C++ std::set_difference用法及代码示例
- C++ std::strncmp()用法及代码示例
- C++ std::sort()用法及代码示例
- C++ std::stol()、std::stoll()用法及代码示例
- C++ std::search_n用法及代码示例
- C++ std::set_intersection用法及代码示例
- C++ std::set_union用法及代码示例
注:本文由纯净天空筛选整理自 std::swap() function with example in C++ STL。非经特殊声明,原始代码版权归原作者所有,本译文未经允许或授权,请勿转载或复制。