How to check if product of every adjacent pairs exists in an array with TypeScript

1 Answer

0 votes
function check_product_of_every_pair(array: number[]) {
    for (let i: number = 0; i < array.length; i += 2) {
        let product: number = array[i] * array[i + 1];
        console.log(array[i] + " * " + array[i + 1] + " = " + product);
        if (array.find(e => e === product) == undefined) {
            return false;
        }
    }
    return true;
}
        
const array: number[] = [2, 3, 6, 5, 30, 0];

console.log((check_product_of_every_pair(array) ? "Yes" : "No"));



 
/*
run:
  
"2 * 3 = 6"
"6 * 5 = 30"
"30 * 0 = 0"
"Yes"
  
*/

 



answered Jul 23, 2023 by avibootz
...