freeCodeCamp/guide/english/cplusplus/c-stl-sets/index.md

54 lines
1.2 KiB
Markdown
Raw Normal View History

2018-10-19 09:59:50 +00:00
---
title: C++ STL Sets
---
## Introduction of sets in C++ STL library
2018-10-12 19:37:13 +00:00
Sets are a type of associative containers in which each element has to be unique.The value of the element cannot be modified once it is added to the set, though it is possible to remove and add the modified value of that element. They are implemented using red-black tree.
2018-10-19 09:59:50 +00:00
## Benefits of using sets
2018-10-12 19:37:13 +00:00
1. It stores only unique values.
2. Value of the element identifies itself. The value of an element is also the key used to identify it.
3. Provides a fast lookup (O(log n)) using keys i.e. element itself.
4. There are many inbuilt functions in class defining sets that ease the programming.
Example:
2018-10-19 09:59:50 +00:00
```c++
2018-10-12 19:37:13 +00:00
#include<bits/stdc++.h>
using namespace std;
int main()
{
set <int> s;
s.insert(2); //insert element 2 in set s
s.insert(3);
s.insert(5);
s.insert(2); //inserting same element 2
s.insert(6);
for(auto i:s)
cout<<i<<" ";
cout<<s.size()<<endl; //gives the size of set
2018-10-19 09:59:50 +00:00
2018-10-12 19:37:13 +00:00
s.erase(5); // erasing element 5 from set s
return 0;
}
2018-10-19 09:59:50 +00:00
```
2018-10-12 19:37:13 +00:00
Creating a set object
2018-10-19 09:59:50 +00:00
```c++
2018-10-12 19:37:13 +00:00
set <int> s;
2018-10-19 09:59:50 +00:00
```
2018-10-12 19:37:13 +00:00
Insertion
2018-10-19 09:59:50 +00:00
```c++
2018-10-12 19:37:13 +00:00
s.insert(value_to_be_inserted);
2018-10-19 09:59:50 +00:00
```
2018-10-12 19:37:13 +00:00
Accessing set elements
2018-10-19 09:59:50 +00:00
```c++
2018-10-12 19:37:13 +00:00
set <int>::iterator it;
for(it=s.begin(); it!=s.end(); ++it)
cout<<*it;
2018-10-19 09:59:50 +00:00
```
2018-10-12 19:37:13 +00:00