C++ STL 中的forward_list cbegin()
forward_list::cbegin() 是 C++ STL 中的函数,它返回一个指向 forward_list 第一个元素的常量迭代器。
语法:
forward_list_name.cbegin()
参数: 此函数不接受任何参数。
返回值: 此函数返回一个迭代器,指向 const 内容。由于迭代器并非常量,因此可以增加、减少或修改它,但即使 forward list 是非 const 的,也不能用它修改其内容。如果 forward list 为空,则函数返回的迭代器不会被取消引用。以下程序说明了函数的使用方法:
程序 1:
// CPP program to illustrate
// forward_list::cbegin();
#include <forward_list>
#include <iostream>
using namespace std;
int main()
{
forward_list<int> sample = { 45, 87, 6 };
// 通过对使用 sample.cbegin() 返回的迭代器进行取消引用,获取第一个元素
cout << "sample 的第一个元素:";
cout << *sample.cbegin();
}
输出:
sample 的第一个元素:45
时间复杂度: O(1)
辅助空间: O(1)
程序 2:
#include <forward_list>
#include <iostream>
using namespace std;
int main()
{
forward_list<int> sample = { 7, 4, 9, 15 };
// 显示元素
cout << "sample: ";
for (auto it = sample.cbegin(); it != sample.cend(); it++)
cout << *it << " ";
}
输出:
sample: 7 4 9 15
时间复杂度: O(1)
辅助空间: O(1)