C++ unordered_set::cbegin() 函数



C++ std::unordered_set::cbegin() 函数用于返回指向无序集合容器中第一个元素的 const_iterator。如果无序集合为空,则返回的 const_iterator 将等于 end()。

const_iterator 是一种迭代器,它指向元素上的 const 值(如指针),并提供对每个单独元素的访问。const_iterator 不允许修改无序集合容器中可用的指向元素。

语法

以下是 std::unordered_set::cbegin() 函数的语法。

const_iterator cbegin() const noexcept;
or
const_local_iterator cbegin ( size_type n ) const;

参数

  • n - 它表示桶号,必须小于 bucket_count。

返回值

此函数返回一个指向无序集合容器中第一个元素的 const 迭代器。

示例 1

让我们看下面的例子,我们将演示 unordered_set::cbegin() 函数的使用。

#include <iostream>
#include <string>
#include <unordered_set>
using namespace std;

int main () {
   std::unordered_set<std::string> myUset =
      {"100","200","300","400","500","600","700","800"};
   cout<<"Contents of the myUset are: "<<endl;
   for(auto it: myUset)
      cout<<it<<" ";
   cout<<"\nAn iterator of the first is: ";
      auto it = myUset.cbegin();
      cout<<*it;
   return 0;
}

输出

让我们编译并运行以上程序,这将产生以下结果:

Contents of the myUset are: 
700 600 500 800 400 300 200 100 
An iterator of the first is: 700

示例 2

考虑以下示例,我们将使用 cbegin() 函数内部的循环来显示容器中一定范围内的元素。

#include <iostream>
#include <string>
#include <unordered_set>

int main () {
   std::unordered_set<std::string> myUset =
      {"100","200","300","400","500"};
      
   std::cout << "myUset contains:";
   for ( auto it = myUset.cbegin(); it != myUset.cend(); ++it )
      std::cout << " " << *it;
   std::cout << std::endl;
   
   return 0;
}

输出

如果我们运行以上代码,它将生成以下输出:

myUset contains: 500 400 300 200 100

示例 3

在下面的示例中,我们将使用接受 i 作为参数的 cbegin() 函数来返回每个桶的元素。

#include <iostream>
#include <string>
#include <unordered_set>

int main () {
   std::unordered_set<std::string> myUset = {"100", "200", "300", "400", "500"};
      
   std::cout << "myUset's buckets contain:\n";
   for ( unsigned i = 0; i < myUset.bucket_count(); ++i) {
      std::cout << "bucket #" << i << " contains:";
      for ( auto local_it = myUset.cbegin(i); local_it!= myUset.cend(i); ++local_it )
         std::cout << " " << *local_it;
      std::cout << std::endl;
   }
   return 0;
}

输出

以下是以上代码的输出:

myUset's buckets contain:
bucket #0 contains:
bucket #1 contains: 400
bucket #2 contains: 500
bucket #3 contains:
bucket #4 contains: 100
bucket #5 contains:
bucket #6 contains:
bucket #7 contains:
bucket #8 contains:
bucket #9 contains:
bucket #10 contains: 300
bucket #11 contains: 200
bucket #12 contains:

示例 4

以下是示例,我们将使用 cbegin() 函数获取指向第一个元素的 const 迭代器。

#include <iostream>
#include <string>
#include <unordered_set>
using namespace std;

int main () {
   unordered_set<int> myUset = {10, 20, 30, 40, 50};
      
   cout << "Iterator pointing to the first element of the bucket 4 is: ";
   auto it = myUset.cbegin(4);
   cout<<*it<<endl;
   return 0;
}

输出

以上代码的输出如下:

Iterator pointing to the first element of the bucket 4 is: 30
广告