「労働者が自分の仕事をうまくやりたいなら、まず自分の道具を研ぎ澄まさなければなりません。」 - 孔子、「論語。陸霊公」
表紙 > プログラミング > JavaScript を使用した DSA の配列トラバーサル: 基本から高度なテクニックまで

JavaScript を使用した DSA の配列トラバーサル: 基本から高度なテクニックまで

2024 年 10 月 1 日に公開
ブラウズ:133

Array Traversal in DSA using JavaScript: From Basics to Advanced Techniques

Array traversal is a fundamental concept in Data Structures and Algorithms (DSA) that every developer should master. In this comprehensive guide, we'll explore various techniques for traversing arrays in JavaScript, starting from basic approaches and progressing to more advanced methods. We'll cover 20 examples, ranging from easy to advanced levels, and include LeetCode-style questions to reinforce your learning.

Table of Contents

  1. Introduction to Array Traversal
  2. Basic Array Traversal
    • Example 1: Using a for loop
    • Example 2: Using a while loop
    • Example 3: Using a do-while loop
    • Example 4: Reverse traversal
  3. Modern JavaScript Array Methods
    • Example 5: forEach method
    • Example 6: map method
    • Example 7: filter method
    • Example 8: reduce method
  4. Intermediate Traversal Techniques
    • Example 9: Two-pointer technique
    • Example 10: Sliding window
    • Example 11: Kadane's Algorithm
    • Example 12: Dutch National Flag Algorithm
  5. Advanced Traversal Techniques
    • Example 13: Recursive traversal
    • Example 14: Binary search on sorted array
    • Example 15: Merge two sorted arrays
    • Example 16: Quick Select Algorithm
  6. Specialized Traversals
    • Example 17: Traversing a 2D array
    • Example 18: Spiral Matrix Traversal
    • Example 19: Diagonal Traversal
    • Example 20: Zigzag Traversal
  7. Performance Considerations
  8. LeetCode Practice Problems
  9. Conclusion

1. Introduction to Array Traversal

Array traversal is the process of visiting each element in an array to perform some operation. It's a crucial skill in programming, forming the basis for many algorithms and data manipulations. In JavaScript, arrays are versatile data structures that offer multiple ways to traverse and manipulate data.

2. Basic Array Traversal

Let's start with the fundamental methods of array traversal.

Example 1: Using a for loop

The classic for loop is one of the most common ways to traverse an array.

function sumArray(arr) {
    let sum = 0;
    for (let i = 0; i 



Time Complexity: O(n), where n is the length of the array.

Example 2: Using a while loop

A while loop can also be used for array traversal, especially when the termination condition is more complex.

function findFirstNegative(arr) {
    let i = 0;
    while (i = 0) {
        i  ;
    }
    return i 



Time Complexity: O(n) in the worst case, but can be less if a negative number is found early.

Example 3: Using a do-while loop

The do-while loop is less common for array traversal but can be useful in certain scenarios.

function printReverseUntilZero(arr) {
    let i = arr.length - 1;
    do {
        console.log(arr[i]);
        i--;
    } while (i >= 0 && arr[i] !== 0);
}

const numbers = [1, 3, 0, 5, 7];
printReverseUntilZero(numbers); // Output: 7, 5

Time Complexity: O(n) in the worst case, but can be less if zero is encountered early.

Example 4: Reverse traversal

Traversing an array in reverse order is a common operation in many algorithms.

function reverseTraversal(arr) {
    const result = [];
    for (let i = arr.length - 1; i >= 0; i--) {
        result.push(arr[i]);
    }
    return result;
}

const numbers = [1, 2, 3, 4, 5];
console.log(reverseTraversal(numbers)); // Output: [5, 4, 3, 2, 1]

Time Complexity: O(n), where n is the length of the array.

3. Modern JavaScript Array Methods

ES6 and later versions of JavaScript introduced powerful array methods that simplify traversal and manipulation.

Example 5: forEach method

The forEach method provides a clean way to iterate over array elements.

function logEvenNumbers(arr) {
    arr.forEach(num => {
        if (num % 2 === 0) {
            console.log(num);
        }
    });
}

const numbers = [1, 2, 3, 4, 5, 6];
logEvenNumbers(numbers); // Output: 2, 4, 6

Time Complexity: O(n), where n is the length of the array.

Example 6: map method

The map method creates a new array with the results of calling a provided function on every element.

function doubleNumbers(arr) {
    return arr.map(num => num * 2);
}

const numbers = [1, 2, 3, 4, 5];
console.log(doubleNumbers(numbers)); // Output: [2, 4, 6, 8, 10]

Time Complexity: O(n), where n is the length of the array.

Example 7: filter method

The filter method creates a new array with all elements that pass a certain condition.

function filterPrimes(arr) {
    function isPrime(num) {
        if (num 



Time Complexity: O(n * sqrt(m)), where n is the length of the array and m is the largest number in the array.

Example 8: reduce method

The reduce method applies a reducer function to each element of the array, resulting in a single output value.

function findMax(arr) {
    return arr.reduce((max, current) => Math.max(max, current), arr[0]);
}

const numbers = [3, 7, 2, 9, 1, 5];
console.log(findMax(numbers)); // Output: 9

Time Complexity: O(n), where n is the length of the array.

4. Intermediate Traversal Techniques

Now let's explore some intermediate techniques for array traversal.

Example 9: Two-pointer technique

The two-pointer technique is often used for solving array-related problems efficiently.

function isPalindrome(arr) {
    let left = 0;
    let right = arr.length - 1;
    while (left 



Time Complexity: O(n/2) which simplifies to O(n), where n is the length of the array.

Example 10: Sliding window

The sliding window technique is useful for solving problems involving subarrays or subsequences.

function maxSubarraySum(arr, k) {
    if (k > arr.length) return null;

    let maxSum = 0;
    let windowSum = 0;

    // Calculate sum of first window
    for (let i = 0; i 



Time Complexity: O(n), where n is the length of the array.

Example 11: Kadane's Algorithm

Kadane's algorithm is used to find the maximum subarray sum in a one-dimensional array.

function maxSubarraySum(arr) {
    let maxSoFar = arr[0];
    let maxEndingHere = arr[0];

    for (let i = 1; i 



Time Complexity: O(n), where n is the length of the array.

Example 12: Dutch National Flag Algorithm

This algorithm is used to sort an array containing three distinct elements.

function dutchFlagSort(arr) {
    let low = 0, mid = 0, high = arr.length - 1;

    while (mid 



Time Complexity: O(n), where n is the length of the array.

5. Advanced Traversal Techniques

Let's explore some more advanced techniques for array traversal.

Example 13: Recursive traversal

Recursive traversal can be powerful for certain types of problems, especially those involving nested structures.

function sumNestedArray(arr) {
    let sum = 0;
    for (let element of arr) {
        if (Array.isArray(element)) {
            sum  = sumNestedArray(element);
        } else {
            sum  = element;
        }
    }
    return sum;
}

const nestedNumbers = [1, [2, 3], [[4, 5], 6]];
console.log(sumNestedArray(nestedNumbers)); // Output: 21

Time Complexity: O(n), where n is the total number of elements including nested ones.

Example 14: Binary search on sorted array

Binary search is an efficient algorithm for searching a sorted array.

function binarySearch(arr, target) {
    let left = 0;
    let right = arr.length - 1;

    while (left 



Time Complexity: O(log n), where n is the length of the array.

Example 15: Merge two sorted arrays

This technique is often used in merge sort and other algorithms.

function mergeSortedArrays(arr1, arr2) {
    const mergedArray = [];
    let i = 0, j = 0;

    while (i 



Time Complexity: O(n m), where n and m are the lengths of the input arrays.

Example 16: Quick Select Algorithm

Quick Select is used to find the kth smallest element in an unsorted array.

function quickSelect(arr, k) {
    if (k  arr.length) {
        return null;
    }

    function partition(low, high) {
        const pivot = arr[high];
        let i = low - 1;

        for (let j = low; j  k - 1) {
            return select(low, pivotIndex - 1, k);
        } else {
            return select(pivotIndex   1, high, k);
        }
    }

    return select(0, arr.length - 1, k);
}

const numbers = [3, 2, 1, 5, 6, 4];
console.log(quickSelect(numbers, 2)); // Output: 2 (2nd smallest element)

Time Complexity: Average case O(n), worst case O(n^2), where n is the length of the array.

6. Specialized Traversals

Some scenarios require specialized traversal techniques, especially when dealing with multi-dimensional arrays.

Example 17: Traversing a 2D array

Traversing 2D arrays (matrices) is a common operation in many algorithms.

function traverse2DArray(matrix) {
    const result = [];
    for (let i = 0; i 



Time Complexity: O(m * n), where m is the number of rows and n is the number of columns in the matrix.

Example 18: Spiral Matrix Traversal

Spiral traversal is a more complex pattern often used in coding interviews and specific algorithms.

function spiralTraversal(matrix) {
    const result = [];
    if (matrix.length === 0) return result;

    let top = 0, bottom = matrix.length - 1;
    let left = 0, right = matrix[0].length - 1;

    while (top = left; i--) {
                result.push(matrix[bottom][i]);
            }
            bottom--;
        }

        if (left = top; i--) {
                result.push(matrix[i][left]);
            }
            left  ;
        }
    }

    return result;
}

const matrix = [
    [1,  2,  3,  4],
    [5,  6,  7,  8],
    [9, 10, 11, 12]
];
console.log(spiralTraversal(matrix));
// Output: [1, 2, 3, 4, 8, 12, 11, 10, 9, 5, 6, 7]

Time Complexity: O(m * n), where m is the number of rows and n is the number of columns in the matrix.

Example 19: Diagonal Traversal

Diagonal traversal of a matrix is another interesting pattern.

function diagonalTraversal(matrix) {
    const m = matrix.length;
    const n = matrix[0].length;
    const result = [];

    for (let d = 0; d = 0 && j 



Time Complexity: O(m * n), where m is the number of rows and n is the number of columns in the matrix.

Example 20: Zigzag Traversal

Zigzag traversal is a pattern where we traverse the array in a zigzag manner.

function zigzagTraversal(matrix) {
    const m = matrix.length;
    const n = matrix[0].length;
    const result = [];
    let row = 0, col = 0;
    let goingDown = true;

    for (let i = 0; i 



Time Complexity: O(m * n), where m is the number of rows and n is the number of columns in the matrix.

7. Performance Considerations

When working with array traversals, it's important to consider performance implications:

  1. Time Complexity: Most basic traversals have O(n) time complexity, where n is the number of elements. However, nested loops or recursive calls can increase this to O(n^2) or higher.

  2. Space Complexity: Methods like map and filter create new arrays, potentially doubling memory usage. In-place algorithms are more memory-efficient.

  3. Iterator Methods vs. For Loops: Modern methods like forEach, map, and filter are generally slower than traditional for loops but offer cleaner, more readable code.

  4. Early Termination: for and while loops allow for early termination, which can be more efficient when you're searching for a specific element.

  5. Large Arrays: For very large arrays, consider using for loops for better performance, especially if you need to break the loop early.

  6. Caching Array Length: In performance-critical situations, caching the array length in a variable before the loop can provide a slight speed improvement.

  7. Avoiding Array Resizing: When building an array dynamically, initializing it with a predetermined size (if possible) can improve performance by avoiding multiple array resizing operations.

8. LeetCode Practice Problems

To further reinforce your understanding of array traversal techniques, here are 15 LeetCode problems you can practice:

  1. Two Sum
  2. Best Time to Buy and Sell Stock
  3. Contains Duplicate
  4. Product of Array Except Self
  5. Maximum Subarray
  6. Move Zeroes
  7. 3Sum
  8. Container With Most Water
  9. Rotate Array
  10. Find Minimum in Rotated Sorted Array
  11. Search in Rotated Sorted Array
  12. Merge Intervals
  13. Spiral Matrix
  14. Set Matrix Zeroes
  15. Longest Consecutive Sequence

These problems cover a wide range of array traversal techniques and will help you apply the concepts we've discussed in this blog post.

9. Conclusion

Array traversal is a fundamental skill in programming that forms the basis of many algorithms and data manipulations. From basic for loops to advanced techniques like sliding windows and specialized matrix traversals, mastering these methods will significantly enhance your ability to solve complex problems efficiently.

As you've seen through these 20 examples, JavaScript offers a rich set of tools for array traversal, each with its own strengths and use cases. By understanding when and how to apply each technique, you'll be well-equipped to handle a wide range of programming challenges.

Remember, the key to becoming proficient is practice. Try implementing these traversal methods in your own projects, and don't hesitate to explore more advanced techniques as you grow more comfortable with the basics. The LeetCode problems provided will give you ample opportunity to apply these concepts in various scenarios.

As you continue to develop your skills, always keep in mind the performance implications of your chosen traversal method. Sometimes, a simple for loop might be the most efficient solution, while in other cases, a more specialized technique like the sliding window or two-pointer method could be optimal.

Happy coding, and may your arrays always be efficiently traversed!

リリースステートメント この記事は次の場所に転載されています: https://dev.to/manojspace/array-traversal-in-dsa-using-javascript-from-basics-to-advanced-techniques-27nf?1 侵害がある場合は、study_golang にご連絡ください。 @163.com 削除
最新のチュートリアル もっと>
  • Python で仮想環境を作成する方法
    Python で仮想環境を作成する方法
    Python 仮想環境は、依存関係を管理し、プロジェクト間の競合を回避するために不可欠です。このガイドでは、Python で仮想環境を作成してアクティブ化するプロセスについて説明します。 ステップ 1: プロジェクト ディレクトリに移動する ターミナルを開き、Python 仮想環境を...
    プログラミング 2024 年 11 月 8 日に公開
  • Go JSON アンマーシャリングで入れ子になった配列を処理するには?
    Go JSON アンマーシャリングで入れ子になった配列を処理するには?
    Golang JSON: アンマーシャリングによるネストされた配列の処理Go では、アンマーシャリング後にネストされた JSON 配列を操作する場合、エラーを理解することが重要です「タイプ インターフェイス {} はインデックス作成をサポートしていません。」このエラーは、interface{} 変数...
    プログラミング 2024 年 11 月 8 日に公開
  • Java でパスを結合する方法
    Java でパスを結合する方法
    Java でのパスの結合C#/.NET の System.IO.Path.Combine メソッドを使用すると、複数のパス セグメントを 1 つのパス セグメントに結合できます。単一の有効なパス。 Java では、同様の機能を実現するための代替メソッドが提供されています。Path ObjectJav...
    プログラミング 2024 年 11 月 8 日に公開
  • 有効な JSON のさまざまな定義は何ですか?
    有効な JSON のさまざまな定義は何ですか?
    最小限有効な JSON についてJSON の概念は、さまざまな RFC や仕様で広く議論されています。 RFC4627 では当初、JSON をシリアル化されたオブジェクトまたは配列として定義していました。この定義に基づくと、 {} (空のオブジェクト) と [] (空の配列) のみが有効な完全な J...
    プログラミング 2024 年 11 月 8 日に公開
  • MapStruct を使用した継承階層のマッピング
    MapStruct を使用した継承階層のマッピング
    Intro MapStruct provides a rich set of features for mapping Java types. The technical documentation describes extensively the classes and ann...
    プログラミング 2024 年 11 月 8 日に公開
  • SQLite パラメータ置換は Python でバインド エラーを引き起こしますか?
    SQLite パラメータ置換は Python でバインド エラーを引き起こしますか?
    SQLite パラメータ置換の問題Python 2.5 で SQLite3 を利用する場合、リストを反復処理してリストからデータを取得しようとすると、一般的な問題が発生します。データベース。提案された「?」を使用します。 SQL インジェクションの予防策としてパラメータを使用すると、バインドの数に関...
    プログラミング 2024 年 11 月 8 日に公開
  • Python でオブジェクトにアクセスするために変数の ID を処理できますか?
    Python でオブジェクトにアクセスするために変数の ID を処理できますか?
    変数の ID は逆参照できますか?Python では、id() 関数はオブジェクトの一意の識別子を返します。この識別子は変数に格納できますが、この変数の ID を逆参照することはできますか?学術的な観点から見ると、答えは「はい」です。 _ctypes モジュールは、ポインターを Python オブジ...
    プログラミング 2024 年 11 月 8 日に公開
  • imagecreatefrompng() が透明な領域ではなく黒い背景を生成するのはなぜですか?
    imagecreatefrompng() が透明な領域ではなく黒い背景を生成するのはなぜですか?
    imagecreatefrompng() 透明領域の代わりに黒い背景を生成しますか?PHP では、PNG を操作するために imagecreatefrompng() 関数がよく使用されます画像。ただし、この関数を使用すると、PNG 透明度が黒一色に変換される場合があることが確認されています。この問題...
    プログラミング 2024 年 11 月 8 日に公開
  • Go リフレクションにおけるリフレクト.タイプとリフレクト.値の主な違いは何ですか?
    Go リフレクションにおけるリフレクト.タイプとリフレクト.値の主な違いは何ですか?
    Go のリフレクションの型と値Go のリフレクションを使用すると、開発者は実行時に型と値を検査して操作できます。リフレクションを効果的に使用するには、これらの違いを理解することが重要です。リフレクションにおける型と値リフレクションでは、reflect.TypeOf(i) はリフレクト.Type オブ...
    プログラミング 2024 年 11 月 8 日に公開
  • AngularJS で変数から iframe src 属性を安全に設定する方法は?
    AngularJS で変数から iframe src 属性を安全に設定する方法は?
    AngularJS の変数から iframe src 属性を設定するAngularJS で、iframe の src 属性を変数から設定しようとすると問題が発生する場合があります。変数。これに対処するためのステップバイステップのガイドは次のとおりです:1. $sce サービスを注入する$sce (S...
    プログラミング 2024 年 11 月 8 日に公開
  • KeyListeners が JPanel で動作しないのはなぜですか?
    KeyListeners が JPanel で動作しないのはなぜですか?
    JPanel で KeyListeners が応答しない: 一般的な問題KeyListeners を使用して JPanel 内でキーストロークを検出する場合、開発者はよく問題に遭遇します。リスナーは必要なアクションをトリガーできません。この問題は、いくつかの要因によって発生する可能性があります。フォ...
    プログラミング 2024 年 11 月 8 日に公開
  • React から React Native への旅
    React から React Native への旅
    React / JS 開発者なら、おそらくこう考えたことがあるでしょう 「React Native を学んだほうがいいでしょうか?」 これは当然の質問であり、私も数年前に自分自身に問いかけました。 。結果的に、React Native を学習したことは間違いなく正しい決断でした。これが私に Amaz...
    プログラミング 2024 年 11 月 8 日に公開
  • Filament と Laravel を使用した堅牢な管理パネルの構築: ステップバイステップガイド
    Filament と Laravel を使用した堅牢な管理パネルの構築: ステップバイステップガイド
    Laravel は、Web アプリケーション開発の強固な基盤を提供する強力な PHP フレームワークです。 Filament は、管理インターフェイスの作成を簡素化する、Laravel 用のオープンソースのエレガントな管理パネルおよびフォーム ビルダーです。このガイドでは、Filament と La...
    プログラミング 2024 年 11 月 8 日に公開
  • Pandas DataFrame から列ヘッダーを抽出するにはどうすればよいですか?
    Pandas DataFrame から列ヘッダーを抽出するにはどうすればよいですか?
    Pandas DataFrame から列ヘッダーを取得するPandas DataFrame は、効率的なデータ操作と分析を可能にする多用途のデータ構造です。一般的なタスクの 1 つは、列ヘッダーの抽出です。これは、DataFrame の構造の概要を取得したり、さらなる処理を行うのに役立ちます。列の数...
    プログラミング 2024 年 11 月 8 日に公開
  • Web ストレージ API の例を示した説明
    Web ストレージ API の例を示した説明
    Web Storage API: বিস্তারিত আলোচনা Web Storage API হলো জাভাস্ক্রিপ্টের একটি শক্তিশালী API যা ব্রাউজারে ব্যবহারকারীর ডেটা স্টোর করার জন্য ব্যবহ...
    プログラミング 2024 年 11 月 8 日に公開

免責事項: 提供されるすべてのリソースの一部はインターネットからのものです。お客様の著作権またはその他の権利および利益の侵害がある場合は、詳細な理由を説明し、著作権または権利および利益の証拠を提出して、電子メール [email protected] に送信してください。 できるだけ早く対応させていただきます。

Copyright© 2022 湘ICP备2022001581号-3