温馨提示×

c++ 中的 set 如何删除元素

c++
小樊
81
2024-11-29 12:01:44
栏目: 编程语言

在 C++ 中,可以使用 std::set 容器中的 erase() 成员函数来删除指定元素

#include <iostream>
#include <set>

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

    // 查找要删除的元素
    int element_to_remove = 3;
    auto it = my_set.find(element_to_remove);

    if (it != my_set.end()) {
        // 如果找到了元素,则删除它
        my_set.erase(it);
        std::cout << "Element " << element_to_remove << " has been removed from the set." << std::endl;
    } else {
        std::cout << "Element " << element_to_remove << " not found in the set." << std::endl;
    }

    // 输出修改后的集合
    for (const auto& elem : my_set) {
        std::cout << elem << " ";
    }

    return 0;
}

在这个示例中,我们首先创建了一个包含整数的 std::set。然后,我们使用 find() 函数查找要删除的元素。如果找到了该元素,我们使用 erase() 函数将其从集合中删除。最后,我们遍历并输出修改后的集合。

0