温馨提示×

c++ 中的 set 怎获取

c++
小樊
81
2024-11-29 19:00:56
栏目: 编程语言

在 C++ 中,std::set 是一个关联容器,它包含一组唯一的对象

  1. 使用迭代器遍历:
#include <iostream>
#include <set>

int main() {
    std::set<int> my_set = {1, 2, 3, 4, 5};

    for (std::set<int>::iterator it = my_set.begin(); it != my_set.end(); ++it) {
        std::cout << *it << " ";
    }

    return 0;
}
  1. 使用范围循环(C++11 及更高版本):
#include <iostream>
#include <set>

int main() {
    std::set<int> my_set = {1, 2, 3, 4, 5};

    for (const auto &element : my_set) {
        std::cout << element << " ";
    }

    return 0;
}

在这两个示例中,我们首先创建了一个包含整数的 std::set,然后使用迭代器或范围循环遍历并打印集合中的每个元素。请注意,std::set 中的元素默认是按升序排列的。

0