TypeScript Maps
last modified March 15, 2025
TypeScript Maps store key-value pairs while preserving insertion order. Unlike objects, Maps allow keys of any type and provide built-in methods for efficient data management. This tutorial covers Map creation, manipulation, and common operations with practical examples.
What Are TypeScript Maps?
A Map is a collection of key-value pairs where keys can be any type (objects,
primitives). Maps maintain insertion order and offer methods for adding,
retrieving, and checking elements. They are declared using
Map<K, V>
syntax.
Creating Maps
This example shows how to create and initialize Maps in TypeScript.
const userRoles = new Map<number, string>(); userRoles.set(1, 'Admin'); userRoles.set(2, 'Editor'); const productPrices = new Map<string, number>([ ['Laptop', 999], ['Mouse', 29] ]); console.log(userRoles); // Map(2) {1 => 'Admin', 2 => 'Editor'} console.log(productPrices); // Map(2) {'Laptop' => 999, 'Mouse' => 29}
Maps can be created empty or initialized with an array of key-value pairs. Type parameters specify key and value types for type safety.
Adding and Updating Entries
This example demonstrates adding and modifying Map entries.
const inventory = new Map<string, number>(); inventory.set('Apples', 50); inventory.set('Oranges', 30); // Update quantity inventory.set('Apples', 45); console.log(inventory); // Map(2) {'Apples' => 45, 'Oranges' => 30}
The set()
method adds or updates entries. Existing keys are
overwritten, while new keys are added to the Map.
Accessing Values
This example shows how to retrieve values from a Map.
const capitals = new Map<string, string>([ ['France', 'Paris'], ['Japan', 'Tokyo'] ]); console.log(capitals.get('Japan')); // Output: Tokyo console.log(capitals.get('Germany')); // Output: undefined
Use get()
to retrieve values by key. Returns undefined
if the key doesn't exist.
Checking Key Existence
This example demonstrates checking for key presence in a Map.
const colors = new Map<string, string>([['red', '#FF0000']]); console.log(colors.has('red')); // true console.log(colors.has('blue')); // false
The has()
method checks if a key exists in the Map, returning a
boolean. Essential to prevent errors when accessing unknown keys.
Removing Entries
This example shows how to delete entries and clear Maps.
const settings = new Map<string, boolean>(); settings.set('darkMode', true); settings.set('notifications', false); settings.delete('notifications'); console.log(settings); // Map(1) {'darkMode' => true} settings.clear(); console.log(settings); // Map(0) {}
Use delete()
to remove specific entries and clear()
to
remove all entries. Both modify the Map in place.
Iterating Maps
This example demonstrates various methods to iterate through Map entries.
const users = new Map<number, string>([ [101, 'Alice'], [102, 'Bob'] ]); // Using for...of with entries() for (const [id, name] of users.entries()) { console.log(`${id}: ${name}`); } // Using forEach() users.forEach((value, key) => { console.log(`${key} -> ${value}`); });
Maps provide entries()
, keys()
, and
values()
methods for iteration. The forEach()
method
offers callback-based iteration.
Map to Array Conversion
This example converts Map entries to arrays for processing.
const scoreboard = new Map<string, number>([ ['Team A', 3], ['Team B', 5] ]); const entriesArray = Array.from(scoreboard.entries()); const keysArray = Array.from(scoreboard.keys()); console.log(entriesArray); // [['Team A', 3], ['Team B', 5]] console.log(keysArray); // ['Team A', 'Team B']
Array.from()
converts Map iterables to arrays. Useful for
integrating with array methods like map()
or filter()
.
Best Practices
- Type Safety: Always specify key and value types during Map declaration
- Key Checks: Use
has()
beforeget()
to avoid undefined values - Object Keys: Use objects as keys carefully (references matter, not content)
- Size Property: Use
size
property instead of manual tracking - Iteration Order: Rely on insertion order preservation for ordered data
Source
This tutorial covered essential Map operations in TypeScript, providing a foundation for efficient key-value data management in your applications.
Author
List all TypeScript tutorials.