當前位置: 首頁>>代碼示例 >>用法及示例精選 >>正文


C++ stack swap()用法及代碼示例


堆棧是一種具有LIFO(後進先出)類型的容器適配器,其中在一端添加了一個新元素,而(頂部)僅從該端刪除了一個元素。

stack::swap()

此函數用於將一個堆棧的內容與另一個相同類型的堆棧交換,但是大小可能會有所不同。

用法:


stackname1.swap(stackname2)

參數:必須與之交換內容的堆棧的名稱。

結果:2個堆棧中的所有元素都被交換。

例子:

contents of the stack from top to bottom are
Input :mystack1 = {4, 3, 2, 1}
         mystack2 = {9, 7 ,5, 3}
         mystack1.swap(mystack2);
Output:mystack1 =  9, 7, 5, 3
         mystack2 =  4, 3, 2, 1

Input :mystack1 = {7, 5, 3, 1}
         mystack2 = {8, 6, 4, 2}
         mystack1.swap(mystack2);
Output:mystack1 =  8, 6, 4, 2
         mystack2 =  7, 5, 3, 1

注意:在堆棧容器中,這些元素以相反的順序打印,因為先打印頂部,然後再移動到其他元素。

// CPP program to illustrate 
// Implementation of swap() function 
#include <stack> 
#include <iostream> 
using namespace std; 
  
int main() 
{ 
        // stack container declaration 
    stack<int> mystack1; 
    stack<int> mystack2; 
      
       // pushing elements into first stack 
    mystack1.push(1); 
    mystack1.push(2); 
    mystack1.push(3); 
    mystack1.push(4); 
      
       // pushing elements into 2nd stack 
    mystack2.push(3); 
    mystack2.push(5); 
    mystack2.push(7); 
    mystack2.push(9); 
  
        // using swap() function to swap elements of stacks 
    mystack1.swap(mystack2); 
  
        // printing the first stack 
    cout<<"mystack1 = "; 
     while (!mystack1.empty()) { 
        cout<<mystack1.top()<<" "; 
        mystack1.pop(); 
    } 
  
        // printing the second stack 
    cout<<endl<<"mystack2 = "; 
    while (!mystack2.empty()) { 
        cout<<mystack2.top()<<" "; 
        mystack2.pop(); 
    } 
    return 0; 
}

輸出:

mystack1 = 9 7 5 3
mystack2 = 4 3 2 1


相關用法


注:本文由純淨天空篩選整理自AyushSaxena大神的英文原創作品 stack swap() in C++ STL。非經特殊聲明,原始代碼版權歸原作者所有,本譯文未經允許或授權,請勿轉載或複製。