一、set简介
- set译为集合,是一个内部自动有序且不含重复元素的容器。
- 头文件
#include <set>
using namespace std;
- 常见用途
- 主要作用是自动去重并按升序排序,碰到要去重但不方便直接开数组的情况可以使用set解决。
二、set的定义
set<typename> name;
set<node> name;
set<int> a[100];
三、set容器内元素的访问
#include<stdio.h>
#include<set>
using namespace std;
int main(){
set<int> st;
st.insert(3);
st.insert(-1);
st.insert(2);
for(set<int>::operator it = st.begin(); it != st.end(); it++){
printf("%d", *it);
}
return 0;
}
四、set常用函数
- insert():将x插入到容器中,并自动递增排序去重,时间复杂度O(logn)
- find():find(value)返回set中对应值为value的迭代器,时间复杂度为O(logn)
- erase():删除元素
- 删除单个元素
- st.earse(it),it为所需要删除元素的迭代器。时间复杂度为O(1),可结合find()函数来使用。
- st.earse(value),value为所需删除元素的值。时间复杂度为O(logn)
- 删除一个区间内的所有元素
- st.earse(first,last)可以删除一个区间内的所有元素,其中first为所需要删除区间的其实迭代器,last为所需要删除区间的末尾迭代器的下一个地址,即删除[first, last)。
- 时间复杂度为O(last - first)
- size():获取set内元素的个数,时间复杂度为O(1)
- clear():清空set中的所有元素,复杂度为O(n)
- 示例
#include<stdio.h>
#include<set>
using namespace std;
int main(){
set<int> st;
for(int i=1 ; i<=5; i++)
st.insert(i);
set<int>::iterator it = st.find(2);
st.erase(st.find(2));
st.erase(3);
st.erase(st.find(4), st.end());
printf("%d\n", st.size());
it = st.begin();
printf("%d\n",*it);
st.clear();
printf("%d\n", st.size());
return 0;
}