1. Home
  2. Tutorials
  3. C/C++
  4. C++ STL
Yolinux.com Tutorial

C++ STL (Standard Template Library) Tutorial and Examples

C++ STL Tutorial Contents:
STL Description:

The Standard Template Libraries (STL's) are a set of C++ template classes to provide common programming data structures and functions such as doubly linked lists (list), paired arrays (map), expandable arrays (vector), large string storage and manipulation (rope), etc. The STL library is available from the STL home page. This is also your best detailed reference for all of the STL class functions available.

Also see our C++ Templates tutorial

STL can be categorized into the following groupings:

  • Container classes:
    • Sequences:
    • Associative Containers:
      • set (duplicate data not allowed in set), multiset (duplication allowed): Collection of ordered data in a balanced binary tree structure. Fast search.
      • map (unique keys), multimap (duplicate keys allowed): Associative key-value pair held in balanced binary tree structure.
    • Container adapters:
      • stack LIFO
      • queue FIFO
      • priority_queue returns element with highest priority.
    • String:
      • string: Character strings and manipulation
      • rope: String storage and manipulation
    • bitset: Contains a more intuitive method of storing and manipulating bits.
  • Operations/Utilities:
    • iterator: (examples in this tutorial) STL class to represent position in an STL container. An iterator is declared to be associated with a single container class type.
    • algorithm: Routines to find, count, sort, search, ... elements in container classes
    • auto_ptr: Class to manage memory pointers and avoid memory leaks.

Also see the YoLinux.com GDB tutorial on dereferencing STL containers.

STL vector:

vector: Dynamic array of variables, struct or objects. Insert data at the end.

Simple example of storing STL strings in a vector. This example shows three methods of accessing the data within the vector:

01#include <iostream>
02#include <vector>
03#include <string>
04 
05using namespace std;
06 
07main()
08{
09   vector<string> SS;
10 
11   SS.push_back("The number is 10");
12   SS.push_back("The number is 20");
13   SS.push_back("The number is 30");
14 
15   cout << "Loop by index:" << endl;
16 
17   int ii;
18   for(ii=0; ii < SS.size(); ii++)
19   {
20      cout << SS[ii] << endl;
21   }
22 
23   cout << endl << "Constant Iterator:" << endl;
24 
25   vector<string>::const_iterator cii;
26   for(cii=SS.begin(); cii!=SS.end(); cii++)
27   {
28      cout << *cii << endl;
29   }
30 
31   cout << endl << "Reverse Iterator:" << endl;
32 
33   vector<string>::reverse_iterator rii;
34   for(rii=SS.rbegin(); rii!=SS.rend(); ++rii)
35   {
36      cout << *rii << endl;
37   }
38 
39   cout << endl << "Sample Output:" << endl;
40 
41   cout << SS.size() << endl;
42   cout << SS[2] << endl;
43 
44   swap(SS[0], SS[2]);
45   cout << SS[2] << endl;
46}

Compile: g++ exampleVector.cpp

Run: ./a.out

Output:

Loop by index:
The number is 10
The number is 20
The number is 30

Constant Iterator:
The number is 10
The number is 20
The number is 30

Reverse Iterator:
The number is 30
The number is 20
The number is 10

Sample Output:
3
The number is 30
The number is 10

[Potential Pitfall]: Note that the iterator is compared to the end of the vector with "!=". Do not use "<" as this is not a valid comparison and may or may not work. The use of "!=" will always work.


Two / Three / Multi Dimensioned arrays using vector:

A two dimensional array is a vector of vectors. The vector contructor can initialize the length of the array and set the initial value.

Example of a vector of vectors to represent a two dimensional array:
01#include <iostream>
02#include <vector>
03 
04using namespace std;
05 
06main()
07{
08   // Declare size of two dimensional array and initialize.
09   vector< vector<int> > vI2Matrix(3, vector<int>(2,0));   
10 
11   vI2Matrix[0][0] = 0;
12   vI2Matrix[0][1] = 1;
13   vI2Matrix[1][0] = 10;
14   vI2Matrix[1][1] = 11;
15   vI2Matrix[2][0] = 20;
16   vI2Matrix[2][1] = 21;
17 
18   cout << "Loop by index:" << endl;
19 
20   int ii, jj;
21   for(ii=0; ii < 3; ii++)
22   {
23      for(jj=0; jj < 2; jj++)
24      {
25         cout << vI2Matrix[ii][jj] << endl;
26      }
27   }
28}

Compile: g++ exampleVector2.cpp

Run: ./a.out

Loop by index:
0
1
10
11
20
21
      


A three dimensional vector would be declared as:

01#include <iostream>
02#include <vector>
03 
04using namespace std;
05 
06main()
07{
08                               // Vector length of 3 initialized to 0
09   vector<int> vI1Matrix(3,0);
10 
11                               // Vector length of 4 initialized to hold another
12                               // vector vI1Matrix which has been initialized to 0
13   vector< vector<int> > vI2Matrix(4, vI1Matrix);
14 
15                               // Vector of length 5 containing two dimensional vectors
16   vector< vector< vector<int> > > vI3Matrix(5, vI2Matrix);
17 
18   ...

or declare all in one statement:

01#include <iostream>
02#include <vector>
03 
04using namespace std;
05 
06main()
07{
08   vector< vector< vector<int> > > vI3Matrix(2, vector< vector<int> > (3, vector<int>(4,0)) );
09 
10   for(int kk=0; kk<4; kk++)
11   {
12      for(int jj=0; jj<3; jj++)
13      {
14         for(int ii=0; ii<2; ii++)
15         {
16            cout << vI3Matrix[ii][jj][kk] << endl;
17         }
18      }
19   }
20}


Using an iterator:

Example of iterators used with a two dimensional vector.
01#include <iostream>
02#include <vector>
03 
04using namespace std;
05 
06main()
07{
08   vector< vector<int> > vI2Matrix;    // Declare two dimensional array
09   vector<int> A, B;
10   vector< vector<int> >::iterator iter_ii;
11   vector<int>::iterator                 iter_jj;
12 
13   A.push_back(10);
14   A.push_back(20);
15   A.push_back(30);
16   B.push_back(100);
17   B.push_back(200);
18   B.push_back(300);
19 
20   vI2Matrix.push_back(A);
21   vI2Matrix.push_back(B);
22 
23   cout << endl << "Using Iterator:" << endl;
24 
25   for(iter_ii=vI2Matrix.begin(); iter_ii!=vI2Matrix.end(); iter_ii++)
26   {
27      for(iter_jj=(*iter_ii).begin(); iter_jj!=(*iter_ii).end(); iter_jj++)
28      {
29         cout << *iter_jj << endl;
30      }
31   }
32}

Compile: g++ exampleVector2.cpp

Run: ./a.out

Using Iterator:
10
20
30
100
200
300
      

[Potential Pitfall]: Note that "end()" points to a position after the last element and thus can NOT be used to point to the last element.

iter_jj = SS.end();
cout << *iter_jj << endl;

This will result in a "Segmentation fault" error.

Vector member functions:

Constructor/Declaration:

Method/operator Description
vector<T> v; Vector declaration of data type "T".
vector<T> v(size_type n); Declaration of vector containing type "T" and of size "n" (quantity).
vector<T> v(size_type n,const T& t); Declaration of vector containing type "T", of size "n" (quantity) containing value "t".
Declaration: vector(size_type n, const T& t)
vector<T> v(begin_iterator,end_iterator); Copy of Vector of data type "T" and range begin_iterator to end_iterator.
Declaration: template vector(InputIterator, InputIterator)

Size methods/operators:

Method/operator Description
empty() Returns bool (true/false). True if empty.
Declaration: bool empty() const
size() Number of elements of vector.
Declaration: size_type size() const
resize(n, t=T()) Adjust by adding or deleting elements of vector so that its size is "n".
Declaration: void resize(n, t = T())
capacity() Max number of elements of vector before reallocation.
Declaration: size_type capacity() const
reserve(size_t n) Max number of elements of vector set to "n" before reallocation.
Declaration: void reserve(size_t)
max_size() Max number of elements of vector possible.
Declaration: size_type max_size() const
Note: size_type is an unsigned integer.

Other methods/operators:

Method/operator Description
erase()
clear()
Erase all elements of vector.
Declaration: void clear()
erase(iterator)
erase(begin_iterator,end_iterator)
Erase element of vector. Returns iterator to next element.
Erase element range of vector. Returns iterator to next element.
Declarations:
  • iterator erase(iterator pos)
  • iterator erase(iterator first, iterator last)
=
Example: X=Y()
Assign/copy entire contents of one vector into another.
Declaration: vector& operator=(const vector&)
< Comparison of one vector to another.
Declaration: bool operator<(const vector&, const vector&)
== Returns bool. True if every element is equal.
Declaration: bool operator==(const vector&, const vector&)
at(index)
v[index]
Element of vector. Left and Right value assignment: v.at(i)=e; and e=v.at(i);
Declaration: reference operator[](size_type n)
front()
v[0]
First element of vector. (Left and Right value assignment.)
Declaration: reference front()
back() Last element of vector. (Left and Right value assignment.)
Declaration: reference back()
push_back(const T& value) Add element to end of vector.
Declaration: void push_back(const T&)
pop_back() Remove element from end of vector.
Declaration: void pop_back()
assign(size_type n,const T& t) Assign first n elements a value "t".
assign(begin_iterator,end_iterator) Replace data in range defined by iterators.
Declaration:
insert(iterator, const T& t) Insert at element "iterator", element of value "t".
Declaration: iterator insert(iterator pos, const T& x)
insert(iterator pos, size_type n, const T& x) Starting before element "pos", insert first n elements of value "x".
Declaration: void insert(iterator pos, size_type n, const T& x)
insert(iterator pos, begin_iterator,end_iterator) Starting before element "pos", insert range begin_iterator to end_iterator.
Declaration: void insert(iterator pos, InputIterator f, InputIterator l)
swap(vector& v2) Swap contents of two vectors.
Declaration: void swap(vector&)

Iterator methods/operators:

Method/operator Description
begin() Return iterator to first element of vector.
Declaration: const_iterator begin() const
end() Return iterator to end of vector (not last element of vector but past last element)
Declaration: const_iterator end() const
rbegin() Return iterator to first element of vector (reverse order).
Declaration: const_reverse_iterator rbegin() const
rend() Return iterator to end of vector (not last element but past last element) (reverse order).
Declaration: const_reverse_iterator rend() const
++ Increment iterator.
-- Decrement iterator.


Vector Links:

STL list:

list: Linked list of variables, struct or objects. Insert/remove anywhere.

Two examples are given:

  1. The first STL list example is using a native data type (int)
  2. The second for a list of objects (class instances)
They are used to show a simple example and a more complex real world application.

1) Storing native data types:

Lets start with a simple example of a program using STL for a linked list to store integers:

01// Standard Template Library example
02 
03#include <iostream>
04#include <list>
05using namespace std;
06 
07// Simple example uses type int
08 
09main()
10{
11   list<int> L;
12   L.push_back(0);              // Insert a new element at the end
13   L.push_front(0);             // Insert a new element at the beginning
14   L.insert(++L.begin(),2);     // Insert "2" before position of first argument
15                                // (Place before second argument)
16   L.push_back(5);
17   L.push_back(6);
18 
19   list<int>::iterator i;
20 
21   for(i=L.begin(); i != L.end(); ++i) cout << *i << " ";
22   cout << endl;
23   return 0;
24}

Compile: g++ example1.cpp

Run: ./a.out

Output: 0 2 0 5 6

[Potential Pitfall]: In Red Hat Linux versions 7.x one could omit the "using namespace std;" statement. Use of this statement is good programming practice and is required in Red Hat 8.0 and later.

[Potential Pitfall]: Red Hat 8.0 and later requires the reference to "#include <iostream>". Red Hat versions 7.x used "#include <iostream.h>".

2) Storing objects:

The following example stores a class object in a doubly linked list. In order for a class to be stored in an STL container, it must have a default constructor, the class must be assignable, less than comparable and equality comparable.

Since we are storing class objects and we are not using defined built-in C++ types we have therefore included the following:

  • To make this example more complete, a copy constructor has been included although the compiler will generate a member-wise one automatically if needed. This has the same functionality as the assignment operator (=).
  • The assignment (=) operator must be specified so that sort routines can assign a new order to the members of the list.
  • The "less than" (<) operator must be specified so that sort routines can determine if one class instance is "less than" another.
  • The "equals to" (==) operator must be specified so that sort routines can determine if one class instance is "equals to" another.

001// Standard Template Library example using a class.
002 
003#include <iostream>
004#include <list>
005using namespace std;
006 
007// The List STL template requires overloading operators =, == and <.
008 
009class AAA
010{
011   friend ostream &operator<<(ostream &, const AAA &);
012 
013   public:
014      int x;
015      int y;
016      float z;
017 
018      AAA();
019      AAA(const AAA &);
020      ~AAA(){};
021      AAA &operator=(const AAA &rhs);
022      int operator==(const AAA &rhs) const;
023      int operator<(const AAA &rhs) const;
024};
025 
026AAA::AAA()   // Constructor
027{
028   x = 0;
029   y = 0;
030   z = 0;
031}
032 
033AAA::AAA(const AAA &copyin)   // Copy constructor to handle pass by value.
034{                            
035   x = copyin.x;
036   y = copyin.y;
037   z = copyin.z;
038}
039 
040ostream &operator<<(ostream &output, const AAA &aaa)
041{
042   output << aaa.x << ' ' << aaa.y << ' ' << aaa.z << endl;
043   return output;
044}
045 
046AAA& AAA::operator=(const AAA &rhs)
047{
048   this->x = rhs.x;
049   this->y = rhs.y;
050   this->z = rhs.z;
051   return *this;
052}
053 
054int AAA::operator==(const AAA &rhs) const
055{
056   if( this->x != rhs.x) return 0;
057   if( this->y != rhs.y) return 0;
058   if( this->z != rhs.z) return 0;
059   return 1;
060}
061 
062// This function is required for built-in STL list functions like sort
063int AAA::operator<(const AAA &rhs) const
064{
065   if( this->x == rhs.x && this->y == rhs.y && this->z < rhs.z) return 1;
066   if( this->x == rhs.x && this->y < rhs.y) return 1;
067   if( this->x < rhs.x ) return 1;
068   return 0;
069}
070 
071main()
072{
073   list<AAA> L;
074   AAA Ablob ;
075 
076   Ablob.x=7;
077   Ablob.y=2;
078   Ablob.z=4.2355;
079   L.push_back(Ablob);  // Insert a new element at the end
080 
081   Ablob.x=5;
082   L.push_back(Ablob);  // Object passed by value. Uses default member-wise
083                        // copy constructor
084   Ablob.z=3.2355;
085   L.push_back(Ablob);
086 
087   Ablob.x=3;
088   Ablob.y=7;
089   Ablob.z=7.2355;
090   L.push_back(Ablob);
091 
092   list<AAA>::iterator i;
093 
094   cout << "Print x: " << endl;
095   for(i=L.begin(); i != L.end(); ++i) cout << (*i).x << " "; // print member
096   cout << endl << endl;     
097 
098   cout << "Print x, y, z: " << endl;
099   for(i=L.begin(); i != L.end(); ++i) cout << *i; // print with overloaded operator
100   cout << endl;
101 
102   cout << "Sorted: " << endl;
103   L.sort();
104   for(i=L.begin(); i != L.end(); ++i) cout << *i; // print with overloaded operator
105   cout << endl;
106 
107   cout << "Iterate in Reverse: " << endl;
108   list<AAA>::reverse_iterator ri;
109   for(ri=L.rbegin(); ri != L.rend(); ++ri) cout << *ri; // print with overloaded operator
110   cout << endl;
111 
112   cout << "Remove where x=5: " << endl;
113   for(i=L.begin(); i != L.end(); )       // Don't increment iterator here
114       if( (*i).x == 5 ) i = L.erase(i);  // Returns iterator to the next item in the list
115       else ++i;                          // Increment iterator here
116   for(i=L.begin(); i != L.end(); ++i) cout << *i; // print with overloaded operator
117   cout << endl;
118 
119   return 0;
120}

Output:

Print x:
7 5 5 3 

Print x, y, z:
7 2 4.2355
5 2 4.2355
5 2 3.2355
3 7 7.2355

Sorted: 
3 7 7.2355
5 2 3.2355
5 2 4.2355
7 2 4.2355

Iterate in Reverse: 
7 2 4.2355
5 2 4.2355
5 2 3.2355
3 7 7.2355

Remove where x=5: 
3 7 7.2355
7 2 4.2355


List Links:

STL vector vs list function comparison:
Functionvectorlistdeques
constructoryesyesyes
destructoryesyesyes
empty()yesyesyes
size()yesyesyes
max_size()yesyesyes
resize()yesyesyes
capacity()yesnono
reserve()yesnono
erase()yesyesyes
clear()yesyesyes
operator=yesyesyes
operator<yesyesno
operator==yesyesno
operator[]yesnoyes
at()yesnoyes
front()yesyesyes
back()yesyesyes
push_back()yesyesyes
pop_back()yesyesyes
assign()yesyesyes
insert()yesyesyes
swap()yesyesyes
push_front()noyesyes
pop_front()noyesyes
merge()noyesno
remove()noyesno
remove_if()noyesno
reverse()noyesno
sort()noyesno
splice()noyesno
unique()noyesno

Links/Information:

Software and Documentation Available From:

stl book graphic Books:

stl book cover The C++ Standard Library: A Tutorial and Reference
Nicolai M. Josuttis
ISBN #0201379260, Addison Wesley Longman

This book is the only book I have seen which covers string classes as implemented by current Linux distributions. It also offers a fairly complete coverage of the C++ Standard Template Library (STL). Good reference book.

Amazon.com
stl book cover STL for C++ programmers
Leen Ammeraal
ISBN #0 471 97181 2, John Wiley & Sons Ltd.

Short book which teaches C++ Standard Template Library (STL) by example. Not as great as a reference but is the best at introducing all the concepts necessary to grasp STL completely and good if you want to learn STL quickly. This book is easy to read and follow.

Amazon.com
stl book cover Data Structures with C++ Using STL
William Ford, Willaim Topp
ISBN #0130858501, Prentice Hall
Amazon.com
stl book cover STL Tutorial and Reference Guide: C++ Programming with the Standard Template Library
David R. Musser, Gillmer J. Derge, Atul Saini
ISBN #0201379236, Addison-Wesley Publications
Amazon.com
stl book cover The C++ Templates: The complete guide.
David Vandevoorde, Nicolai Josuttis
ISBN #0201734842, Addison Wesley Pub Co.

Covers complex use of C++ Templates.

Amazon.com
stl book cover C++ How to Program
by Harvey M. Deitel, Paul J. Deitel
ISBN #0131857576, Prentice Hall

Fifth edition. The first edition of this book (and Professor Sheely at UTA) taught me to program C++. It is complete and covers all the nuances of the C++ language. It also has good code examples. Good for both learning and reference.

Amazon.com