w3resource

Mastering Rust Maps: HashMap and BTreeMap Explained


Comprehensive Guide to Rust Maps: HashMap and BTreeMap

Introduction

In Rust, a "map" refers to data structures that store key-value pairs. Rust's standard library provides two main types of maps:

  • HashMap: An unordered map that uses a hashing function to store keys and values efficiently.
  • BTreeMap: An ordered map that keeps its keys sorted.

Both are used extensively for fast data retrieval and management. This guide explores their syntax, usage, and practical examples.


Syntax

Declaring a HashMap

use std::collections::HashMap;

let mut map: HashMap<KeyType, ValueType> = HashMap::new();

Declaring a BTreeMap

use std::collections::BTreeMap;

let mut map: BTreeMap<KeyType, ValueType> = BTreeMap::new();

Examples and Explanations

1. Basic HashMap Operations

Code:

use std::collections::HashMap;

fn main() {
    // Create a new HashMap
    let mut scores = HashMap::new();

    // Insert key-value pairs
    scores.insert("Alice", 90);
    scores.insert("Bob", 85);

    // Access a value using a key
    if let Some(score) = scores.get("Alice") {
        println!("Alice's score: {}", score);
    }

    // Update a value
    scores.insert("Alice", 95);

    // Iterate through the map
    for (name, score) in &scores {
        println!("{}: {}", name, score);
    }
}

Explanation:

  • HashMap::new() initializes the map.
  • insert adds key-value pairs.
  • get retrieves a value by key, returning an Option.
  • Iterating allows access to all key-value pairs.

2. Handling Missing Keys with Entry API

Code:

use std::collections::HashMap;

fn main() {
    let mut inventory = HashMap::new();

    // Use entry API to add default if the key doesn't exist
    inventory.entry("Apples").or_insert(10);

    // Update an existing key's value
    if let Some(stock) = inventory.get_mut("Apples") {
        *stock += 5;
    }

    println!("{:?}", inventory);
}

Explanation:

  • The entry method checks if a key exists and inserts a default if it doesn't.
  • get_mut allows mutating the value associated with a key.

3. Using BTreeMap for Sorted Keys

Code:

use std::collections::BTreeMap;

fn main() {
    // Create a new BTreeMap
    let mut scores = BTreeMap::new();

    // Insert key-value pairs
    scores.insert("Charlie", 75);
    scores.insert("Alice", 90);
    scores.insert("Bob", 85);

    // Iterate in sorted order of keys
    for (name, score) in &scores {
        println!("{}: {}", name, score);
    }
}

Explanation:

  • BTreeMap ensures the keys are sorted in ascending order.

4. Using Custom Keys

Code:

use std::collections::HashMap;
use std::hash::{Hash, Hasher};

#[derive(Eq, PartialEq, Hash)]
struct Person {
    name: String,
    age: u8,
}

fn main() {
    let mut map = HashMap::new();

    // Create a custom key
    let person = Person {
        name: String::from("Alice"),
        age: 30,
    };

    // Insert into the map
    map.insert(person, "Engineer");

    println!("{:?}", map);
}

Explanation:

  • Custom types can be used as keys by implementing Hash, PartialEq, and Eq.
  • This example stores a Person struct as a key.

Characteristics of Rust Maps

    1. HashMap:

    • Fast lookups but unordered.
    • Ideal for scenarios where key order doesn't matter.

    2. BTreeMap:

    • Keeps keys sorted.
    • Suitable for scenarios requiring sorted traversal.

Best Practices

    1. Choose the Right Map: Use HashMap for performance and BTreeMap for sorted keys.

    2. Handle Missing Keys: Use methods like entry to manage missing keys effectively.

    3. Use Immutable References: Prefer immutable references when accessing map data to avoid unnecessary mutations.

    4. Custom Hashing: For HashMap, use custom hashers if needed for specific key types.


Advanced Features

1. Capacity Management

  • Use with_capacity to preallocate space for a HashMap, improving performance when the size is known in advance.

Code:

let mut map = HashMap::with_capacity(100);

2. Custom Comparisons in BTreeMap

Implement custom comparison logic for keys using traits like Ord.


Practical Applications

1. Lookup Tables: Use maps to store and retrieve data efficiently.

2. Counters: Track frequencies of items with entry.

3. Caching: Implement simple caches using maps.


Summary:

Maps in Rust, specifically HashMap and BTreeMap, are versatile tools for managing key-value pairs. By understanding their differences and best practices, developers can choose the most suitable map for their specific use case, ensuring efficient and readable code.

Rust Language Questions, Answers, and Code Snippets Collection.



Become a Patron!

Follow us on Facebook and Twitter for latest update.

It will be nice if you may share this link in any developer community or anywhere else, from where other developers may find this content. Thanks.

https://w3resource.com/rust-tutorial/rust-maps-hashmap-btreemap.php