溫馨提示×

如何遍歷C++中的set集合

c++
小樊
82
2024-09-13 02:32:51
欄目: 編程語言

在 C++ 中,std::set 是一個(gè)關(guān)聯(lián)容器,它包含一組唯一的對象

#include<iostream>
#include <set>

int main() {
    // 創(chuàng)建并初始化一個(gè) set 集合
    std::set<int> my_set = {1, 2, 3, 4, 5};

    // 使用迭代器遍歷 set 集合
    for (std::set<int>::iterator it = my_set.begin(); it != my_set.end(); ++it) {
        std::cout << *it << " ";
    }

    return 0;
}

輸出:

1 2 3 4 5

從 C++11 開始,你還可以使用基于范圍的 for 循環(huán)(range-based for loop)來遍歷 std::set

#include<iostream>
#include <set>

int main() {
    // 創(chuàng)建并初始化一個(gè) set 集合
    std::set<int> my_set = {1, 2, 3, 4, 5};

    // 使用基于范圍的 for 循環(huán)遍歷 set 集合
    for (const auto &element : my_set) {
        std::cout<< element << " ";
    }

    return 0;
}

輸出:

1 2 3 4 5

這兩種方法都會(huì)按照升序遍歷 std::set 中的元素。

0