Skip to content
Home C / C++ C++ STL Explained: Containers, Iterators & Algorithms in Practice

C++ STL Explained: Containers, Iterators & Algorithms in Practice

Where developers are forged. · Structured learning · Free forever.
📍 Part of: STL → Topic 1 of 11
Master the C++ Standard Template Library with real-world examples.
⚙️ Intermediate — basic C / C++ knowledge assumed
In this tutorial, you'll learn
Master the C++ Standard Template Library with real-world examples.
  • STL's power comes from separation of concerns: containers own data, iterators navigate it, and algorithms operate on iterator ranges — none of the three needs to know the others' internals.
  • Default to vector for sequences and unordered_map for key-value lookups; only switch to map (sorted), set (unique), or list (mid-sequence mutations) when you have a specific, measurable reason.
  • std::remove and std::remove_if are NOT destructive — they shuffle unwanted elements to the back and return a new logical end; you must call container.erase() on that result to actually free the memory.
✦ Plain-English analogy ✦ Real code with output ✦ Interview questions
Quick Answer

Imagine you're moving into a new house. Instead of building your own shelves, drawers, and filing cabinets from scratch, you go to IKEA and pick exactly what you need — pre-built, tested, and ready to use. The C++ STL is that IKEA for programmers. It gives you pre-built data structures (like shelves for your data) and tools (like algorithms to sort or search that data) so you stop reinventing the wheel on every project and spend your energy on the actual problem you're solving.

Every professional C++ codebase you'll ever work on uses the STL. It's not optional knowledge — it's the vocabulary of the language. When a senior engineer says 'just use an unordered_map here' or 'run a binary search on that sorted vector', they're speaking STL fluently. If you can't keep up, you'll spend interviews and code reviews translating a language everyone else already speaks.

Before STL landed in the C++ standard in 1998, every team reinvented the same tools: linked lists, sorting routines, search utilities. Each version had subtle bugs, slightly different interfaces, and zero interoperability. STL solved this by providing a unified, generic library where a sort algorithm works on any container, and a container works with any algorithm — all without sacrificing the raw performance C++ is known for.

By the end of this article you'll understand the three pillars of the STL — containers, iterators, and algorithms — and how they work together as a system, not in isolation. You'll know when to reach for a vector versus a map versus a set, how iterators act as the glue between containers and algorithms, and you'll have working, readable code patterns you can drop directly into your next project or interview.

The Three Pillars: How Containers, Iterators, and Algorithms Fit Together

Most tutorials teach STL components in isolation — here's vector, here's sort, here's next_permutation — and you're left wondering how they connect. They connect through iterators.

Think of it like a USB standard. Containers are the devices (hard drives, keyboards, phones). Algorithms are the software (your OS, apps). Iterators are the USB cable — a universal connector that lets any device talk to any software without either needing to know the other's internals.

A container owns your data and manages memory. An iterator is a lightweight object that points into a container and knows how to move through it. An algorithm takes two iterators (a begin and an end) and operates on whatever data lives between them. The algorithm doesn't care if it's a vector or a list — it just asks the iterator to advance, dereference, and compare. This separation is the architectural genius of STL.

This design also means you can write your own container or algorithm and plug it into the existing STL ecosystem immediately — as long as you respect the iterator contract. That's the power of generic programming at work.

stl_three_pillars.cpp · CPP
123456789101112131415161718192021222324252627282930313233343536
#include <iostream>
#include <vector>      // Container: contiguous dynamic array
#include <algorithm>   // Algorithms: sort, find, count, etc.
#include <string>

/**
 * io.thecodeforge naming convention applied
 */
int main() {
    // CONTAINER: vector holds our employee names in dynamic memory
    std::vector<std::string> employeeNames = {
        "Priya", "Carlos", "Aisha", "Dmitri", "Mei"
    };

    // ITERATOR: begin() and end() mark the range the algorithm will operate on.
    // std::sort doesn't know or care that this is a vector —
    // it just gets two iterators and works on whatever is between them.
    std::sort(employeeNames.begin(), employeeNames.end());

    std::cout << "Sorted employees:\n";
    // Range-based for loop: syntactic sugar over iterators internally
    for (const std::string& name : employeeNames) {
        std::cout << "  " << name << "\n";
    }

    // ALGORITHM + ITERATOR: find returns an iterator pointing to the result,
    // or end() if not found. Comparing to end() is the idiomatic check.
    auto searchResult = std::find(employeeNames.begin(), employeeNames.end(), "Mei");

    if (searchResult != employeeNames.end()) {
        // Dereference the iterator with * to get the actual value
        std::cout << "\nFound employee: " << *searchResult << "\n";
    }

    return 0;
}
▶ Output
Sorted employees:
Aisha
Carlos
Dmitri
Mei
Priya

Found employee: Mei
🔥The Golden Rule of STL:
An algorithm never touches a container directly — it only talks to iterators. This is why std::sort works on a vector, an array, and a deque without modification. Next time you wonder 'why does every algorithm take begin() and end()?', this is the answer.

Choosing the Right Container: Vector, Map, Set, and Unordered Variants

Picking the wrong container is the most expensive STL mistake you can make — not because your code won't compile, but because it'll be silently slow. The decision tree comes down to three questions: Do I need fast random access? Do I need sorted order? Do I need fast lookup by key?

A vector is a dynamic array. Elements live in contiguous memory, so indexing with [] is O(1) and cache performance is excellent. Use it as your default choice. When you need sorted order with no duplicates, use a set. When you need sorted key-value pairs, use a map. Both use a balanced BST internally — O(log n) for insert and lookup.

The unordered_ variants (unordered_map, unordered_set) use a hash table. Lookup, insert, and delete are O(1) average — but worst case is O(n) if your hash function causes collisions. They also don't maintain any sorted order. If you don't need iteration in sorted order and keys are hashable, unordered_map is almost always faster than map in practice.

The container you choose isn't just a data structure preference — it's a performance decision that compounds over millions of operations.

stl_container_comparison.cpp · CPP
12345678910111213141516171819202122232425262728293031323334353637383940414243444546
#include <iostream>
#include <vector>
#include <map>
#include <unordered_map>
#include <set>
#include <string>

int main() {
    // --- VECTOR: best for ordered sequences you access by index ---
    std::vector<int> temperatures = {72, 68, 75, 71, 69};
    temperatures.push_back(74);  // O(1) amortized — appending is cheap
    std::cout << "Third temperature reading: " << temperatures[2] << "\n";

    // --- SET: unique elements, always sorted, O(log n) insert/lookup ---
    std::set<std::string> uniqueVisitors;
    uniqueVisitors.insert("user_9821");
    uniqueVisitors.insert("user_4453");
    uniqueVisitors.insert("user_9821");  // Duplicate — silently ignored by set
    std::cout << "\nUnique visitor count: " << uniqueVisitors.size() << "\n"; 

    // --- MAP: key-value, sorted by key, O(log n) lookup ---
    std::map<std::string, double> productCatalog;
    productCatalog["SKU-001"] = 29.99;
    productCatalog["SKU-002"] = 49.99;
    productCatalog["SKU-003"] = 9.99;

    std::cout << "\nProduct catalog (sorted by SKU):\n";
    for (const auto& [sku, price] : productCatalog) {  // Structured bindings (C++17)
        std::cout << "  " << sku << " -> $" << price << "\n";
    }

    // --- UNORDERED_MAP: O(1) average lookup, no sorted order ---
    std::unordered_map<std::string, int> wordFrequency;
    std::vector<std::string> words = {"apple", "banana", "apple", "cherry", "banana", "apple"};

    for (const std::string& word : words) {
        wordFrequency[word]++;
    }

    std::cout << "\nWord frequencies:\n";
    for (const auto& [word, count] : wordFrequency) {
        std::cout << "  " << word << ": " << count << "\n";
    }

    return 0;
}
▶ Output
Third temperature reading: 75

Unique visitor count: 2

Product catalog (sorted by SKU):
SKU-001 -> $29.99
SKU-002 -> $49.99
SKU-003 -> $9.99

Word frequencies:
cherry: 1
banana: 2
apple: 3
💡Default Choice Rule:
Start with vector for sequences and unordered_map for key-value lookups. Only switch to map (sorted) or list (frequent middle insertions) when you have a concrete reason. Premature container optimization is as wasteful as premature algorithmic optimization.

STL Algorithms and Lambdas: Where the Real Power Lives

Most C++ developers use containers daily but underuse algorithms — and that's where half the STL's value is locked away. The <algorithm> header contains over 80 ready-to-use functions covering sorting, searching, transforming, partitioning, and more. Each one is battle-tested, optimized, and immediately tells the next developer reading your code exactly what's happening.

A raw for loop that filters elements is ambiguous — is it searching? Transforming? Deleting? Calling std::copy_if communicates intent instantly. This is why experienced engineers prefer algorithms: they're self-documenting at the call site.

The real unlock happened in C++11 with lambdas. Before lambdas, you had to write separate functor structs to customize algorithm behavior — verbose and scattered. Now you pass a lambda inline, right at the call site, and the compiler inlines it. The result is code that's both more expressive and often faster than hand-written loops because the compiler can aggressively optimize a lambda in a way it can't with a general loop body.

The erase-remove idiom is one critical pattern you must know: std::remove doesn't actually remove elements — it shuffles them to the back and returns an iterator to the new end. You then call container.erase() to actually delete them.

stl_algorithms_lambdas.cpp · CPP
123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354
#include <iostream>
#include <vector>
#include <algorithm>
#include <numeric>    
#include <string>

namespace io::thecodeforge {
    struct Employee {
        std::string name;
        int yearsExperience;
        double salary;
    };
}

int main() {
    using io::thecodeforge::Employee;
    std::vector<Employee> team = {
        {"Priya",  8, 95000.0},
        {"Carlos", 2, 62000.0},
        {"Aisha",  5, 78000.0},
        {"Dmitri", 2, 65000.0},
        {"Mei",   11, 110000.0}
    };

    // --- std::sort with a lambda comparator ---
    std::sort(team.begin(), team.end(),
        [](const Employee& a, const Employee& b) {
            return a.salary > b.salary;  
        });

    // --- std::count_if: count senior employees ---
    int seniorCount = std::count_if(team.begin(), team.end(),
        [](const Employee& emp) {
            return emp.yearsExperience > 4;
        });

    // --- ERASE-REMOVE IDIOM ---
    team.erase(
        std::remove_if(team.begin(), team.end(),
            [](const Employee& emp) {
                return emp.yearsExperience < 3;  
            }),
        team.end()  
    );

    // --- std::accumulate: total payroll ---
    double totalSalary = std::accumulate(team.begin(), team.end(), 0.0,
        [](double runningTotal, const Employee& emp) {
            return runningTotal + emp.salary;
        });

    std::cout << "Total payroll after reorg: $" << totalSalary << std::endl;
    return 0;
}
▶ Output
Total payroll after reorg: $283000
⚠ Watch Out: The Erase-Remove Trap
Never call std::remove_if alone and assume elements are gone. It returns an iterator — the elements are still in the vector, just shuffled to the end with undefined values. You must chain .erase() on the result or you'll silently iterate over garbage data. This is one of the most common STL bugs in real codebases.

Iterators Up Close: Random Access, Bidirectional, and Iterator Arithmetic

Iterator categories exist because not all containers are created equal. A vector stores elements contiguously in memory, so you can jump to any position in O(1) — that's a random access iterator. A linked list (std::list) must hop node-to-node, so it only supports moving one step at a time — that's a bidirectional iterator. An input stream can only move forward — that's an input iterator.

This matters because algorithms declare which iterator category they require. std::sort requires random access iterators — that's why you can't sort a std::list directly. std::list provides its own .sort() member function that understands the linked structure.

In practice, you'll use iterators in four patterns: range loops (most common), explicit iteration with ++ and != end(), iterator arithmetic on vectors (it + 3, end() - begin() for size), and reverse iteration with rbegin()/rend(). Knowing all four makes you fluent.

C++11's auto keyword transformed iterator code from verbose type declarations into clean, readable expressions. There's no reason to write std::vector<std::string>::iterator it when auto it says the same thing with less noise.

stl_iterators_in_depth.cpp · CPP
123456789101112131415161718192021222324252627282930313233343536
#include <iostream>
#include <vector>
#include <list>
#include <algorithm>
#include <string>

int main() {
    std::vector<std::string> logEntries = {
        "[INFO]  Server started",
        "[DEBUG] Connection opened",
        "[ERROR] Timeout on port 8080",
        "[INFO]  Retry attempt 1",
        "[ERROR] Retry failed"
    };

    // Pattern: Iterator arithmetic (Random-access only)
    auto thirdEntry = logEntries.begin() + 2;
    
    // Pattern: Finding index via distance
    auto errorIt = std::find_if(logEntries.begin(), logEntries.end(),
        [](const std::string& entry) { return entry.rfind("[ERROR]", 0) == 0; });

    if (errorIt != logEntries.end()) {
        auto errorIndex = std::distance(logEntries.begin(), errorIt);
        std::cout << "First error at index: " << errorIndex << "\n";
    }

    // Pattern: Reverse iteration
    std::cout << "Latest 2 logs (reverse):\n";
    int count = 0;
    for (auto rit = logEntries.rbegin(); rit != logEntries.rend() && count < 2; ++rit, ++count) {
        std::cout << "  " << *rit << "\n";
    }

    return 0;
}
▶ Output
First error at index: 2
Latest 2 logs (reverse):
[ERROR] Retry failed
[INFO] Retry attempt 1
🔥Interview Gold: Why Can't You Sort a std::list?
std::sort requires random-access iterators because it needs to jump to arbitrary positions in O(1) (e.g., to pick a pivot element). std::list only has bidirectional iterators — moving n positions costs O(n). That's why std::list has its own .sort() member that uses merge sort, which only needs forward traversal. Know this distinction cold.
ContainerUnderlying StructureLookup ComplexityInsert/DeleteSorted?Best Use Case
vectorDynamic contiguous arrayO(1) by indexO(1) end, O(n) middleNoDefault sequence container, cache-friendly iteration
listDoubly linked listO(n) linear scanO(1) with iteratorNoFrequent insertions/deletions in the middle of a sequence
dequeChunked arraysO(1) by indexO(1) front and backNoQueue/stack where you need push/pop from both ends
setRed-Black Tree (BST)O(log n)O(log n)Yes (ascending)Unique sorted elements, membership testing
mapRed-Black Tree (BST)O(log n) by keyO(log n)Yes (by key)Sorted key-value pairs, ordered iteration over keys
unordered_setHash TableO(1) averageO(1) averageNoFast membership testing, order doesn't matter
unordered_mapHash TableO(1) averageO(1) averageNoFast key-value lookup, e.g. caches, frequency counts
stackAdapter over dequeO(1) top onlyO(1) push/popNoLIFO operations — call stacks, undo systems
queueAdapter over dequeO(1) front onlyO(1) push/popNoFIFO operations — task queues, BFS traversal
priority_queueMax-heap over vectorO(1) max elementO(log n)No (heap order)Always access the highest-priority element first

🎯 Key Takeaways

  • STL's power comes from separation of concerns: containers own data, iterators navigate it, and algorithms operate on iterator ranges — none of the three needs to know the others' internals.
  • Default to vector for sequences and unordered_map for key-value lookups; only switch to map (sorted), set (unique), or list (mid-sequence mutations) when you have a specific, measurable reason.
  • std::remove and std::remove_if are NOT destructive — they shuffle unwanted elements to the back and return a new logical end; you must call container.erase() on that result to actually free the memory.
  • Iterator categories (random access, bidirectional, forward) aren't just theory — they determine which algorithms compile for which containers, which is why std::sort works on vector but not list.

⚠ Common Mistakes to Avoid

    Calling std::remove or std::remove_if without following up with .erase()
    Symptom

    the vector still has the same size() after the call, and you see garbage values when iterating near the end —

    Fix

    always chain .erase(std::remove_if(v.begin(), v.end(), pred), v.end()) as a single statement; think of them as a two-step delete that must always be paired.

    Invalidating iterators by modifying a vector during iteration
    Symptom

    undefined behaviour, crashes, or skipped elements with no obvious error message —

    Fix

    if you need to modify a vector while iterating, either iterate with index-based for loops, collect changes separately and apply after the loop, or use a container like std::list whose iterators aren't invalidated on insert/erase at other positions.

    Using map::operator[] to check for key existence
    Symptom

    a default-constructed value (0, empty string, etc.) is silently inserted for every 'checked' key that doesn't exist, causing the map to grow unexpectedly and logic bugs where absent keys appear present —

    Fix

    use map.count(key) > 0 or map.find(key) != map.end() for existence checks; operator[] is for assignment or when you intentionally want default construction.

Interview Questions on This Topic

  • QExplain the difference between O(1) average time and O(n) worst-case time in std::unordered_map. What causes the worst case?
  • QLeetCode Standard: Given an array of integers, how would you use a std::unordered_set to find if any value appears at least twice in O(n) time?
  • QWhy does C++ favor std::vector over std::list even for insertions that aren't at the end? (Hint: Discuss CPU Cache Locality).
  • QWhat is the time complexity of std::sort in the STL? Does it use Quicksort, Mergesort, or something else?
  • QHow do you handle custom objects as keys in a std::map versus a std::unordered_map? What extra requirements does each have?

Frequently Asked Questions

What happens to iterators when a vector reallocates its memory?

When a vector grows beyond its current capacity, it allocates a larger block of memory and moves all elements. This process invalidates all existing iterators, pointers, and references to elements in the vector. Accessing an old iterator after a push_back() that triggers a resize is undefined behavior and a major source of crashes. To avoid this, use vector::reserve() if you know the size in advance.

Is the C++ STL thread-safe?

Reading from an STL container concurrently from multiple threads is safe. Concurrent writes — or a mix of reads and writes — are not thread-safe and result in data races and undefined behaviour. For concurrent access, protect containers with std::mutex, use atomic types where appropriate, or look at concurrent data structure libraries. The STL was designed for single-threaded use by default.

What's the difference between a container's size() and capacity() for a vector?

size() is how many elements are currently stored in the vector. capacity() is how much memory has been reserved — it's always >= size(). When you push_back and size() would exceed capacity(), the vector reallocates (typically doubling capacity) and copies all elements, which invalidates all iterators. If you know upfront how many elements you'll store, call vector.reserve(n) to pre-allocate and avoid repeated reallocations.

🔥
Naren Founder & Author

Developer and founder of TheCodeForge. I built this site because I was tired of tutorials that explain what to type without explaining why it works. Every article here is written to make concepts actually click.

Next →STL Vectors in C++
Forged with 🔥 at TheCodeForge.io — Where Developers Are Forged