C++ Deque operator=() 使用方法及示例

C++ Deque(双端队列)

C ++ Deque operator =()函数将新内容分配给容器,并替换当前相同类型的内容。双端队列的大小可以相应地修改。

语法

deque& operator(deque& x);

参数

x:这是一个双端队列容器,其内容将被复制到另一个双端队列对象中。

返回值

它返回* this。

实例1

让我们看一个简单的实例

#include <iostream>
#include<deque>
using namespace std;
int main()
{
  deque<int> a={1,2,3,4,5};
  deque<int> b;
  b.operator=(a);
  for(int i=0;i<b.size();i++)
  {
      cout<<b[i];
      cout<<" ";
  }
   return 0;
}

输出:

1 2 3 4 5

在此示例中,operator =()将'a'容器的内容分配给'b'容器。

实例2

让我们看一个简单的示例,当两个双端队列是不同类型的。

#include <iostream>
#include<deque>
using namespace std;
int main()
{
  deque<int> a={10,20,30,40,50};
  deque<char> b;
  b.operator=(a);
  for(int i=0;i<b.size();i++)
  {
      cout<<b[i];
      cout<<" ";
  }
  
   return 0;
}

输出:

error: no matching function for call to 'std::deque<char>::operator=(std::deque<int>&)'

在此示例中,“ a”和“ b”的类型不同。因此,operator =()函数将抛出错误。

C++ Deque(双端队列)