How to check whether a given number is a pronic number in JavaScript

1 Answer

0 votes
// A pronic number is a number which is the product of two consecutive integers
// 42 = 6 * 7 -> yes 6 and 7 is consecutive integers
// 45 = 5 * 9 -> no 5 and 9 is not consecutive integers
  
function isPronicNumber(num) {  
    for (let i = 1; i <= num; i++) {  
        if ((i * (i + 1)) == num) {  
            return true;
        }  
    }  
    return false;  
}  
  
const num = 42;
      
if (isPronicNumber(num))  
    console.log("yes");  
else
    console.log("no");  
 
  
  
  
  
/*
run:
  
"yes"
  
*/

 



answered Jul 25, 2021 by avibootz
edited Jul 26, 2021 by avibootz

Related questions

1 answer 161 views
1 answer 118 views
1 answer 236 views
1 answer 95 views
1 answer 108 views
1 answer 110 views
1 answer 128 views
...