Home > Mobile >  Javascript compare two tables
Javascript compare two tables

Time:09-21

I need help with comparing two tables that presents like this:

table A = [1, 2, 3, 4, 5, 6, 7],
table B = [2, 4]

I need to check if the table A contains numbers from table B and to put it in another array:

Expected output:

table C = [false, true, false, true, false, false, false]

Tried a few things but nothing works out for me. The table.includes method gives me following output

let isAdded = [];
  allObjectivesArray.forEach((element, index) => {
    if (allObjectivesArray.includes(reducedArr[0][element - 1])) 
isAdded.push(true);
    else isAdded.push(false);

});

// That is the output of above isAdded = [true, true, false, false, false, false, false]

Thank you for your help.

CodePudding user response:

You can map the array a and check in the callback if each item exists in the array b with includes function, if exists includes will return true if not will return false

const a = [1, 2, 3, 4, 5, 6, 7];
const b = [2, 4];

const result = a.map(i => b.includes(i))

console.log(result)

CodePudding user response:

const tableA = [1, 2, 3, 4, 5, 6, 7];
const tableB = [2, 4]

const fun =(ar, refAr)=>{
const booleanSet = ar.map((e, i) => refAr.includes(e))
console.log(booleanSet)
}
fun(tableA ,tableB)

CodePudding user response:

Try:

tableA = [1, 2, 3, 4, 5, 6, 7];
tableB = [2, 4];

let tableC = tableA.map((el) => 
  tableB.indexOf(el) != -1
);

console.log(tableC);

  • Related