stl swap函数
C ++ STL vector :: swap()函数 (C++ STL vector::swap() function)
vector::swap() function is used to swap/exchange the content of two vectors with the same type, their sizes may differ.
vector :: swap()函数用于交换/交换相同类型的两个向量的内容,它们的大小可能不同。
The contents of vector1 are exchanged with the content of vector2. Vectors must be of the same type i.e. either both of them are of type int, string, long, etc.
vector1的内容与vector2的内容交换。 向量必须具有相同的类型,即两个向量均为int,string,long等类型。
This is not necessary that both of the vectors must have the same size i.e. size of both the vectors may differ from each other.
两个矢量必须具有相同的大小是不必要的,即,两个矢量的大小可以彼此不同。
Note: Both the containers/vectors are modified after the call of this function.
注意:调用此函数后,两个容器/向量均被修改。
Syntax of vector::swap() function
vector :: swap()函数的语法
vector1.swap(vector2);
Parameter(s): vector2 – another vector with that we have to swap the content of first vector vector1.
参数: vector2 –与另一个向量我们必须交换第一个向量vector1的内容。
Return value: void – it returns nothing.
返回值: void –不返回任何内容。
Time Complexity: O(1) i.e constant order
时间复杂度:O(1),即恒定阶数
Example:
例:
Input:
vector<int> vector1{ 1, 2, 3, 4, 5 };
vector<int> vector2{ 6, 7, 8, 9, 10 };
Function call:
vector1.swap(vector2);
Output:
Vector1: 1 2 3 4 5
Vector2: 6 7 8 9 10
After swapping...
Vector1: 6 7 8 9 10
Vector2: 1 2 3 4 5
C ++程序演示vector :: swap()函数的示例 (C++ program to demonstrate example of vector::swap() function)
#include <iostream>
#include <vector>
using namespace std;
int main()
{
vector<int> vector1{ 1, 2, 3, 4, 5 };
vector<int> vector2{ 6, 7, 8, 9, 10 };
// Before Swapping vector-1 and vector-2
cout << "Vector 1" << endl;
for (auto i : vector1)
cout << i << " ";
cout << "\n";
cout << "Vector 2" << endl;
for (auto i : vector2)
cout << i << " ";
cout << "\n";
// Swapping vector-1 and vector-2
vector1.swap(vector2);
// After swapping vector-1 and vector-2
cout << "Vector 1" << endl;
for (auto i : vector1)
cout << i << " ";
cout << "\n";
cout << "Vector 2" << endl;
for (auto i : vector2)
cout << i << " ";
return 0;
}
Output
输出量
Vector 1
1 2 3 4 5
Vector 2
6 7 8 9 10
Vector 1
6 7 8 9 10
Vector 2
1 2 3 4 5
翻译自: https://www.includehelp.com/stl/vector-swap-method-with-example.aspx
stl swap函数