JavaScript Set

Unique Values:

  • Sets store unique values, meaning each value can occur only once within a set.

No Duplicate Values:

  • When adding a value to a set that already exists, the set will not allow duplicates.

Example: Creating a Set

const mySet = new Set();
mySet.add(1);
mySet.add(2);
mySet.add(3);
mySet.add(1); // Duplicate value, will be ignored

Size:

  • The size property returns the number of unique values in the set.

Example: Size

console.log(mySet.size); // Output: 3

Iterability:

  • Sets are iterable, meaning you can use loop constructs like for...of to iterate over the values in the set.

Example: Iterating over a Set

for (let item of mySet) {
  console.log(item);
}

Removing Values:

  • Use the delete() method to remove a specific value from the set.
  • Use the clear() method to remove all values from the set.

Example: Removing Values

mySet.delete(2); // Removes the value 2 from the set
mySet.clear();   // Clears all values from the set

 

Key Points

  • JavaScript Set stores unique values of any data type.
  • Sets provide efficient methods for adding, removing, and checking for the presence of values.
  • They are commonly used for handling collections of unique values or eliminating duplicates from arrays.
  • Sets are iterable, making them easy to work with in loop constructs and iterable methods.