search
HomeWeb Front-endJS TutorialHow I tried to understand inside a Nested For Loop in JavaScript

What is in this guide?

This is a basic guide where I tried to provide a step by step explanation of nested "for loops" in JavaScript. Breaking down the logic and iterations of the loop in detail by writing a program, which prints a solid square pattern on the browser console. I’m gonna explain what happens inside the mind of a loop as well as the iterations inside the nested loop and its working order.

Who is the guide for?

The guide is aimed for absolute beginners, who learned the basic JavaScript fundamentals or if you have confusion about the working order of "for loop".

Prerequisite: Basic JavaScript, Data Types (string, number), Operators(=, , , =) and For loop.

This article is originally published at Webdevstack.hashnode.dev

Introduction

Printing a Solid Square pattern is a beginner-level challenge. The challenge involves writing a program that prints a pattern makes the shape of a solid square to the console using a given character. Throughout this guide, we are going to write the program step by step using for loop to understand how the loop works, breaking down each step in detail of what happens inside when a for loop starts working.

Understanding the problem

Visualize a pattern in a shape of solid square made of any character, e.g., #, in a 4 × 4 character grid size. That means four lines of four characters build the 4 x 4 size (column & row) solid square. Here's how it should look on the console.

How I tried to understand inside a Nested For Loop in JavaScript

It's necessary to understand the order of the pattern. Each new there is 4 characters (as column count), makes a row. We have to repeat this set in each new line 4 times to print our specific pattern.

Starting the Basic

First, let’s start by declaring variables to store some values. The first variable is size, which stores the number 4, necessary to calculate for the pattern. The second is result, which is assigned an empty string to store the final output. Since it will hold a string value, an empty string is assigned as the initial value for result. (You can check the output at the end, what it returns, if you don’t store any empty string)

let size = 4;
let result = "";

(It is possible to doing it without initializing variables, but variable is used for better maintenance. Also, apart from the for loop, the program could be written using a while loop or in other methods but this is not our goal in this guide)

For instance, let’s write our basic “for loop” to understand the loop by breaking it down into small steps. Understanding the basics clearly will make our next step easier to consider.

let size = 4;
let result = "";

Understanding the Basic Setup

  • Variable Setup

    size = 4; - Number of times the loop iterates.

    result = ""; - Empty string to store the final output.

  • Loop Initialization: count = 0; sets the starting value for the “For Loop”.

  • Loop Conditioning: count

  • Loop Body: result = "#"; appends a “#” character to result on each for loop iteration.

  • Update loop variable: count ; increments count by 1 at the end of each iteration.

    count → count = count 1

    Incrementing is necessary, or the loop will run infinitely.

Appending: adding a new value at the end of the existing value. For example, let text = “Hello”; If I concatenate another value to the text variable, like text = “World”; it will append the string “World” to its existing value “Hello”, resulting in the output “HelloWorld”. text = “World” → text = text “World” → text = “Hello” “World” → text = “HelloWorld”

What happens on each iteration?

size = 4; result = ““;

Iteration 1:

  • count = 0; → count

  • result = “#"; → result = result “#”; → result = ““ “#” → result = “#”;

  • count → count = count 1 → count = 0 1 → count = 1

Iteration 2:

  • count = 1; → count

  • result = “#"; → result = result “#”; → result = “#“ “#” → result = “##”;

  • count → count = count 1 → count = 1 1 → count = 2

Iteration 3:

  • count = 2; → 2

  • result = “#”; → result is “###”

  • count → count is 3

Iteration 4:

  • count = 3; → 3

  • result = “#”; → result is “####”

  • count → count is 4

The End of Iteration:

  • count = 4; → 4

console.log(result); prints the final value from result to the console. The final value is the last updated value. In this case, Output: ####

Building the Nest - Pattern Construction

So far, we have printed four "#" characters(each character could consider as column) in one line (which we call row) using a For Loop. We need a total of 4 lines of similar character sets #### to build the dimension for a square. ✅

We can achieve this by repeating our entire loop four times by placing the loop inside a new loop. This new loop creates each set #### of characters four times. This forms a nested loop, meaning a loop inside another loop, an inner loop and an outer loop.

?Each time the outer loop runs, it executes the inner loop, which iterates 4 times as well. This means four iterations of the outer loop will execute the inner loop four times, resulting in a total of 16 iterations for the inner loop. This is like the following.

How I tried to understand inside a Nested For Loop in JavaScript

Let’s change our code according to our idea, also updating the variable names of the loops accordingly. The name for the inner loop is “col,” as it places characters through the column count, and for the outer loop, it is “row.”

let size = 4;
let result = "";

Both loops will keep iterating until the conditions row

Now, if we run our code, the output will be like this: ################, which is not our desired output. This happens because we didn't break into a new line for each one row.

  • As the inner loop responsible for each set ####, we will append the new line character "n" to the same variable result, after the inner loop but still within the body of the outer loop: result = "n";
for(let count = 0; count 



  • For each row, the inner loop appends the “#” character to the result. Once it is done adding the character and exits, the outer loop appends “n” to the result variable to move to a new line.

Braking the nested Iterations

➿ Outer Loop

Iteration1: row = 0 → row

-- Outer loop body

--- Inner loop

--- Iteration1: col = 0: result = “#”, so result becomes “#”, col

--- Iteration2: col = 1: result = “#”, so result becomes “##”, col

--- Iteration3: col = 2: result = “#”, so result becomes “###”, col

--- Iteration4: col = 3: result = “#”, so result becomes “####”, col

--- Inner loop exit

--result = "n": A newline character is added, so result becomes "####n".

row → increment value of row to 1

Iteration2: row = 1 → row

-- Outer loop body

--- Inner loop

--- Iteration1: col = 0: result = “#”, so result becomes "####n#", col

--- Iteration2: col = 1: result = “#”, so result becomes "####n##", col

--- Iteration3: col = 2: result = “#”, so result becomes "####n###", col

--- Iteration4: col = 3: result = “#”, so result becomes "####n####", col

--- Inner loop exit

-- result = "n": A newline character is added, so result becomes "####n####n".

row → increment value of row to 2

subsequent process repeats

-Iteration3: row = 2 → 2

-Iteration4: row = 3 → 3

-End Iteration: row = 2 → 2

➿ Outer Loop Exits

Last line console.log(result); prints the final value.

"####n####n####n####n" is the final value the result variable stores at the end. The “n” will execute the line brake while print the output to console.

let size = 4;
let result = "";

Conclusion

Performing complex tasks like iterating and displaying multi-dimensional data structures often involves using nested loops. So far, we have explored inside a nested loop of a basic program to build a foundation for basic understanding. We have broken down the iteration steps, for a basic loop and the nested one. I suggest to try writing different variations of this program, such as allowing the user to input for the size and character for the pattern, creating a rectangle pattern, or implementing the same program using a different method, for more practice.

console.log(“Thanks for Reading”);

The above is the detailed content of How I tried to understand inside a Nested For Loop in JavaScript. For more information, please follow other related articles on the PHP Chinese website!

Statement
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn
Javascript Data Types : Is there any difference between Browser and NodeJs?Javascript Data Types : Is there any difference between Browser and NodeJs?May 14, 2025 am 12:15 AM

JavaScript core data types are consistent in browsers and Node.js, but are handled differently from the extra types. 1) The global object is window in the browser and global in Node.js. 2) Node.js' unique Buffer object, used to process binary data. 3) There are also differences in performance and time processing, and the code needs to be adjusted according to the environment.

JavaScript Comments: A Guide to Using // and /* */JavaScript Comments: A Guide to Using // and /* */May 13, 2025 pm 03:49 PM

JavaScriptusestwotypesofcomments:single-line(//)andmulti-line(//).1)Use//forquicknotesorsingle-lineexplanations.2)Use//forlongerexplanationsorcommentingoutblocksofcode.Commentsshouldexplainthe'why',notthe'what',andbeplacedabovetherelevantcodeforclari

Python vs. JavaScript: A Comparative Analysis for DevelopersPython vs. JavaScript: A Comparative Analysis for DevelopersMay 09, 2025 am 12:22 AM

The main difference between Python and JavaScript is the type system and application scenarios. 1. Python uses dynamic types, suitable for scientific computing and data analysis. 2. JavaScript adopts weak types and is widely used in front-end and full-stack development. The two have their own advantages in asynchronous programming and performance optimization, and should be decided according to project requirements when choosing.

Python vs. JavaScript: Choosing the Right Tool for the JobPython vs. JavaScript: Choosing the Right Tool for the JobMay 08, 2025 am 12:10 AM

Whether to choose Python or JavaScript depends on the project type: 1) Choose Python for data science and automation tasks; 2) Choose JavaScript for front-end and full-stack development. Python is favored for its powerful library in data processing and automation, while JavaScript is indispensable for its advantages in web interaction and full-stack development.

Python and JavaScript: Understanding the Strengths of EachPython and JavaScript: Understanding the Strengths of EachMay 06, 2025 am 12:15 AM

Python and JavaScript each have their own advantages, and the choice depends on project needs and personal preferences. 1. Python is easy to learn, with concise syntax, suitable for data science and back-end development, but has a slow execution speed. 2. JavaScript is everywhere in front-end development and has strong asynchronous programming capabilities. Node.js makes it suitable for full-stack development, but the syntax may be complex and error-prone.

JavaScript's Core: Is It Built on C or C  ?JavaScript's Core: Is It Built on C or C ?May 05, 2025 am 12:07 AM

JavaScriptisnotbuiltonCorC ;it'saninterpretedlanguagethatrunsonenginesoftenwritteninC .1)JavaScriptwasdesignedasalightweight,interpretedlanguageforwebbrowsers.2)EnginesevolvedfromsimpleinterpreterstoJITcompilers,typicallyinC ,improvingperformance.

JavaScript Applications: From Front-End to Back-EndJavaScript Applications: From Front-End to Back-EndMay 04, 2025 am 12:12 AM

JavaScript can be used for front-end and back-end development. The front-end enhances the user experience through DOM operations, and the back-end handles server tasks through Node.js. 1. Front-end example: Change the content of the web page text. 2. Backend example: Create a Node.js server.

Python vs. JavaScript: Which Language Should You Learn?Python vs. JavaScript: Which Language Should You Learn?May 03, 2025 am 12:10 AM

Choosing Python or JavaScript should be based on career development, learning curve and ecosystem: 1) Career development: Python is suitable for data science and back-end development, while JavaScript is suitable for front-end and full-stack development. 2) Learning curve: Python syntax is concise and suitable for beginners; JavaScript syntax is flexible. 3) Ecosystem: Python has rich scientific computing libraries, and JavaScript has a powerful front-end framework.

See all articles

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

Video Face Swap

Video Face Swap

Swap faces in any video effortlessly with our completely free AI face swap tool!

Hot Article

Hot Tools

SublimeText3 Mac version

SublimeText3 Mac version

God-level code editing software (SublimeText3)

Zend Studio 13.0.1

Zend Studio 13.0.1

Powerful PHP integrated development environment

Safe Exam Browser

Safe Exam Browser

Safe Exam Browser is a secure browser environment for taking online exams securely. This software turns any computer into a secure workstation. It controls access to any utility and prevents students from using unauthorized resources.

SublimeText3 English version

SublimeText3 English version

Recommended: Win version, supports code prompts!

PhpStorm Mac version

PhpStorm Mac version

The latest (2018.2.1) professional PHP integrated development tool