Home > Mobile >  How to console log pairs in array
How to console log pairs in array

Time:02-19

For example I have this string "()[]|}" and I want to compare each characters with eachother, but first I can't get the loop to work correctly. For the first log it works correctly, but after instead of going 1 it should go 2 I believe so it doesn't start from ). How do can I do this properly?

function isValid(s) {
    
  let temp = s.split("");

  for (let i = 0; i < s.length/2; i  ) {
        console.log(temp[i], temp[i 1]);
  }
};

isValid("()[]|}");

I want to log this

( )
[ ]
| }

not

( )
) [
[ ]

CodePudding user response:

Your code is correct but your for loop is slightly off:

for (let i = 0; i < s.length; i  = 2) {

Loop while i is less than the length, but add 2 instead of 1.

function isValid(s) {
    
  let temp = s.split("");

  for (let i = 0; i < s.length; i  = 2) {
        console.log(temp[i], temp[i 1]);
  }
};

isValid("()[]|}");

CodePudding user response:

If the question is 'how do I increment by two instead of by 1', use i = 2 instead of i (since the increment operator only increments by 1)

  • Related