C++ STL 中的 deque_crend
以下是展示 C++ STL 中 Deque crend() 函数功能的任务。
什么是 Deque?
Deque 是双端队列,是一种序列容器,可以在两端进行扩展和收缩操作。队列数据结构只允许用户在尾部插入数据,并在头部删除数据。让我们以公交车站的队列为例,人们只能从队列的尾部加入,而站在头部的人是第一个被移除的人,而在双端队列中,可以在两端插入和删除数据。
deque crend() 函数返回一个 const_reverse_iterator,该迭代器指向 deque 中第一个元素之前的元素,这被认为是反向末尾。
语法
Deque_name.crend( )
返回值
deque_crend() 函数返回 deque 的 const_reverse_iterator。
示例
输入 Deque - 5 4 3 2 1
输出 Deque 反向顺序 - 1 2 3 4 5
输入 Deque - 75 45 33 77 12
输出 Deque 反向顺序 - 12 77 33 45 75
可以遵循的方法
首先,我们声明 deque。
然后,我们打印 deque。
然后,我们使用 crend() 函数。
通过以上方法,我们可以以反向顺序打印 deque。
示例
// C++ code to demonstrate the working of deque crend( ) function #include<iostream.h> #include<deque.h> Using namespace std; int main ( ){ // declaring the deque Deque<int> deque = { 5, 4, 3, 2, 1 }; // print the deque cout<< “ Deque: “; for( auto x = deque.begin( ); x != deque.end( ); ++x) cout<< *x << “ “; // printing deque in reverse order cout<< “ Deque in reverse order:”; for( auto x = deque.crend( ) - 1; x >= deque.begin( ); --x) cout<< “ “ <<*x; return 0; }
输出
如果我们运行以上代码,它将生成以下输出
Input - Deque: 5 4 3 2 1 Output - Deque in reverse order: 1 2 3 4 5
示例
// C++ code to demonstrate the working of crend( ) function #include<iostream.h> #include<deque.h> Using namespace std; int main( ){ deque<char> deque ={ ‘L’ , ‘A’ , ‘P’ , ‘T’ , ‘O’ , ‘P’ }; cout<< “ Deque: “; for( auto x = deque.begin( ); x != deque.end( ); ++x) cout<< *x << “ “; // printing deque in reverse order cout<< “ Deque in reverse order:”; for( auto x = deque.crend( ) - 1; x >= deque.begin( ); --x) cout<< “ “ <<*x; return 0; }
输出
如果我们运行以上代码,它将生成以下输出
Input – Deque: L A P T O P Output – Deque in reverse order: P O T P A L
广告