Modern JavaScript: All About Array Methods

Modern JavaScript: All About Array Methods

Raj Bhensdadiya

JavaScript Array Methods: From Basics to Advanced Use Cases

If you’ve ever used map(), filter(), or reduce() and thought, “Wait… am I doing this right?” — you’re not alone.

JavaScript arrays are more than just lists of stuff. They come with a bunch of handy methods that can make your code cleaner, shorter, and easier to understand. No more messy loops!

Whether you’re working on a UI, processing API data, or just trying to write code that makes your teammates go “nice one!” — knowing how to use array methods properly is a game-changer.

In this post, we’ll go beyond the basics. I’ll walk you through the most useful array methods, with real examples and tips on when to use each one.

1. Array Creation & Basic Operations

Array(), []

const arr1 = new Array(3);       // [ <3 empty items> ]
const arr2 = [1, 2, 3];          // [1, 2, 3]

Explanation:
Array(3) creates an array with 3 empty slots, while [1, 2, 3] directly creates an array with values. Prefer [] unless you're pre-allocating space intentionally.

Array.of()

const arr = Array.of(5); // [5]

Explanation:
Use Array.of() when you want to create an array from a single value. This avoids confusion with Array(5), which creates an empty array of length 5.

Array.from()

const str = 'hello';
const chars = Array.from(str); // ['h', 'e', 'l', 'l', 'o']

const doubled = Array.from({ length: 5 }, (_, i) => i * 2);
// [0, 2, 4, 6, 8]

Explanation:
Array.from() is great for converting strings or iterable objects into arrays, and can take a mapping function as the second argument for transformations.

push(), pop(), shift(), unshift()

const arr = [1, 2, 3];

arr.push(4);    // [1, 2, 3, 4]
arr.pop();      // [1, 2, 3]
arr.shift();    // [2, 3]
arr.unshift(0); // [0, 2, 3]

Explanation:

2. Iteration & Transformation

map()

const users = [
  { firstName: 'Alice', lastName: 'Smith' },
  { firstName: 'Bob', lastName: 'Jones' },
];

const usersWithFullNames = users.map(user => ({
  ...user,
  fullName: `${user.firstName} ${user.lastName}`
}));

console.log(usersWithFullNames);

/*
[
  { firstName: 'Alice', lastName: 'Smith', fullName: 'Alice Smith' },
  { firstName: 'Bob', lastName: 'Jones', fullName: 'Bob Jones' }
]
*/

Explanation:
map() creates a new array by transforming each element. Original array remains unchanged.

filter()

const users = [
  { name: 'Alice', active: true },
  { name: 'Bob', active: false },
];

const activeUsers = users.filter(user => user.active);

console.log(activeUsers);
// [{ name: 'Alice', active: true }]

Explanation:
filter() returns a new array containing only the elements that pass a given condition.

reduce()

const cart = [
  { item: 'Book', price: 12 },
  { item: 'Pen', price: 3 },
];

const total = cart.reduce((sum, curr) => sum + curr.price, 0);

console.log(total); // 15

Explanation:
reduce() is used to compute a single value (like sum, average, etc.) from an array.

reduceRight()

const parts = ['!', 'world', 'Hello'];
const sentence = parts.reduceRight((acc, val) => acc + ' ' + val);

console.log(sentence); // Hello world !

Explanation:
Same as reduce(), but starts from the end of the array.

forEach()

const users = ['Alice', 'Bob'];

users.forEach(user => {
  console.log(`Welcome, ${user}!`);
});

Explanation:
forEach() executes a function for each array item, mainly for side effects. It doesn’t return a new array.

flatMap()

const posts = [
  { id: 1, tags: ['js', 'web'] },
  { id: 2, tags: ['ai', 'ml'] }
];

const allTags = posts.flatMap(post => post.tags);

console.log(allTags); // ['js', 'web', 'ai', 'ml']

Explanation:
flatMap() maps each element and flattens the result into a single array.

3. Searching & Testing

find(), findIndex()

const users = [
  { id: 1, name: 'Alice' },
  { id: 2, name: 'Bob' },
];

const found = users.find(u => u.id === 2);
console.log(found); // { id: 2, name: 'Bob' }

Explanation:
find() returns the first matching element. findIndex() returns its index.

indexOf(), lastIndexOf()

const nums = [1, 2, 3, 2];

console.log(nums.indexOf(2));      // 1
console.log(nums.lastIndexOf(2));  // 3

Explanation:
Used for finding the position of primitive values in an array.

includes()

const fruits = ['apple', 'banana'];

console.log(fruits.includes('banana')); // true

Explanation:
Checks if an array contains a value. Great for quick validations.

some(), every()

const users = [
  { online: true },
  { online: false }
];

users.some(u => u.online);  // true
users.every(u => u.online); // false

Explanation:

4. Sorting & Reordering

sort()

const nums = [3, 1, 4];

const sorted = nums.sort((a, b) => a - b);

console.log(sorted); // [1, 3, 4]

Explanation:
sort() mutates the original array. Use a compare function for numerical sorting.

reverse()

const arr = [1, 2, 3];
arr.reverse();
console.log(arr); // [3, 2, 1]

Explanation:
Reverses the array in-place.

fill()

const arr = new Array(4).fill('x');
console.log(arr); // ['x', 'x', 'x', 'x']

Explanation:
Fills all or part of an array with a fixed value.

copyWithin()

const arr = [1, 2, 3, 4, 5];
arr.copyWithin(0, 3);
console.log(arr); // [4, 5, 3, 4, 5]

Explanation:
Copies part of the array to another location within the same array.

5. Combining & Slicing

concat()

const arr1 = [1, 2];
const arr2 = [3, 4];

const combined = arr1.concat(arr2);
console.log(combined); // [1, 2, 3, 4]

Explanation:
Merges two or more arrays without modifying the originals.

slice()

const arr = [10, 20, 30, 40];
console.log(arr.slice(1, 3)); // [20, 30]

Explanation:
Extracts a section of an array without modifying it.

splice()

const arr = [1, 2, 3, 4];
arr.splice(2, 1, 99);
console.log(arr); // [1, 2, 99, 4]

Explanation:
Adds/removes elements in-place.

flat()

const arr = [1, [2, [3, 4]]];
console.log(arr.flat()); // [1, 2, 3, 4]

Explanation:
Flattens nested arrays up to the given depth.

6. Utility Methods

toString(), join()

const arr = ['a', 'b', 'c'];
console.log(arr.join('-'));   // a-b-c
console.log(arr.toString());  // a,b,c

Explanation:
Returns string representations of arrays.

entries(), keys(), values()

const arr = ['a', 'b', 'c'];

console.log(Array.from(arr.entries())); // [[0, 'a'], [1, 'b'], [2, 'c']]
console.log(Array.from(arr.keys()));   // [0, 1, 2]
console.log(Array.from(arr.values())); // ['a', 'b', 'c']

const arr = ['a', 'b'];

for (const [index, value] of arr.entries()) {
  console.log(index, value);
}
// 0 'a'
// 1 'b'

Explanation:
These return iterators for traversing array contents.

7. Real-World Chaining Example

const users = [
  { name: 'Alice', score: 85 },
  { name: 'Bob', score: 60 },
  { name: 'Charlie', score: 95 },
];

const topUsers = users
  .filter(user => user.score >= 80)
  .map(user => user.name.toUpperCase())
  .sort();

console.log(topUsers); // ['ALICE', 'CHARLIE']

Explanation:
A powerful combo of filter, map, and sort — often used in real-world apps for transforming and displaying lists.

About me

Hey, I’m Raj — a software engineer with 4+ years of experience building full-stack and AI-powered applications. I love turning complex problems into clean, elegant code.

I’m currently open to freelance opportunities — especially in Full Stack Development and AI/ML projects. If you’ve got an idea or need a hand, let’s talk!

You can connect with me on LinkedIn or reach out at [rajpatel001225@gmail.com].