C++中Const和Regular迭代器的对比及其示例
迭代器是类似于指针的对象,它被用来迭代一个序列并操作容器中的元素。使用迭代器的好处是,它可以将代码行数减少到一条语句,因为它们允许我们使用指针作为迭代器来操作STL中的内置数组。迭代器可以是一个常数,也可以是一个非常数/常规迭代器。
常量迭代器
一个常数迭代器指向一个常数类型的元素,这意味着被常数迭代器指向的元素不能被修改。尽管我们仍然可以更新迭代器(即,迭代器可以被递增或递减,但它所指向的元素不能被改变)。它只能用于访问,而不能用于修改。如果我们试图用常量迭代器来修改元素的值,那么它就会产生一个错误。
常规迭代器
正则迭代器或非正则迭代器指向容器内的一个元素,可以用来修改它所指向的元素。正则迭代器在连接算法和容器以及操作存储在容器中的数据方面起着关键作用。正则迭代器最明显的形式是一个指针。指针可以指向数组中的元素,并可以使用增量运算符(++)对它们进行迭代。每个容器类型都有一个特定的常规迭代器类型,用于遍历其元素。
下面是一个C++程序,演示了这两种迭代器工作的区别。
// C++ program to demonstrate a regular and const_iterator
#include <iostream>
#include <iterator>
#include <vector>
using namespace std;
// Function that demonstrate regular
// iterators
void regularIterator(vector<int>& v)
{
// Declare a regular iterator
// to a vector
vector<int>::iterator i;
// Printing the elements of the
// vector v using regular iterator
for (i = v.begin(); i < v.end(); i++) {
// Update elements of vector
*i += 1;
cout << *i << " ";
}
}
// Function that demonstrate const
// iterators
void constIterator(vector<int>& v1)
{
// Declare a const_itearor
// to a vector
vector<int>::const_iterator ci;
// Printing the elements of the
// vector v1 using regular iterator
for (ci = v1.begin(); ci < v1.end(); ci++) {
// Below line will throw an error
// as we are trying to modify the
// element to which const_iterator
// is pointing
//*ci += 1;
cout << *ci << " ";
}
}
// Driver Code
int main()
{
// Declaring vectors
vector<int> v = { 7, 2, 4 };
vector<int> v1 = { 5, 7, 0 };
// Demonstrate Regular iterator
regularIterator(v);
cout << endl;
// Demonstrate Const iterator
constIterator(v1);
return 0;
}
运行结果:
8 3 5
5 7 0