2018-09-30 23:01:58 +01:00
---
id: 5900f3811000cf542c50fe94
challengeType: 5
title: 'Problem 21: Amicable numbers'
2019-08-05 09:17:33 -07:00
forumTopicId: 301851
2018-09-30 23:01:58 +01:00
---
## Description
< section id = 'description' >
2020-02-28 21:39:47 +09:00
2018-09-30 23:01:58 +01:00
Let d(< var > n< / var > ) be defined as the sum of proper divisors of < var > n< / var > (numbers less than < var > n< / var > which divide evenly into < var > n< / var > ).
2020-02-28 21:39:47 +09:00
2018-09-30 23:01:58 +01:00
If d(< var > a< / var > ) = < var > b< / var > and d(< var > b< / var > ) = < var > a< / var > , where < var > a< / var > ≠ < var > b< / var > , then < var > a< / var > and < var > b< / var > are an amicable pair and each of < var > a< / var > and < var > b< / var > are called amicable numbers.
2020-02-28 21:39:47 +09:00
2018-09-30 23:01:58 +01:00
For example, the proper divisors of 220 are 1, 2, 4, 5, 10, 11, 20, 22, 44, 55 and 110; therefore d(220) = 284. The proper divisors of 284 are 1, 2, 4, 71 and 142; so d(284) = 220.
2020-02-28 21:39:47 +09:00
Evaluate the sum of all the amicable numbers under `n` .
2018-09-30 23:01:58 +01:00
< / section >
## Instructions
< section id = 'instructions' >
< / section >
## Tests
< section id = 'tests' >
```yml
2018-10-04 14:37:37 +01:00
tests:
2020-02-28 21:39:47 +09:00
- text: < code > sumAmicableNum(1000)</ code > should return a number.
testString: assert(typeof sumAmicableNum(1000) === 'number');
2018-10-04 14:37:37 +01:00
- text: < code > sumAmicableNum(1000)</ code > should return 504.
2019-07-26 19:26:37 -07:00
testString: assert.strictEqual(sumAmicableNum(1000), 504);
2018-10-04 14:37:37 +01:00
- text: < code > sumAmicableNum(2000)</ code > should return 2898.
2019-07-26 19:26:37 -07:00
testString: assert.strictEqual(sumAmicableNum(2000), 2898);
2018-10-04 14:37:37 +01:00
- text: < code > sumAmicableNum(5000)</ code > should return 8442.
2019-07-26 19:26:37 -07:00
testString: assert.strictEqual(sumAmicableNum(5000), 8442);
2018-10-04 14:37:37 +01:00
- text: < code > sumAmicableNum(10000)</ code > should return 31626.
2019-07-26 19:26:37 -07:00
testString: assert.strictEqual(sumAmicableNum(10000), 31626);
2018-09-30 23:01:58 +01:00
```
< / section >
## Challenge Seed
< section id = 'challengeSeed' >
< div id = 'js-seed' >
```js
function sumAmicableNum(n) {
2020-09-15 09:57:40 -07:00
2018-09-30 23:01:58 +01:00
return n;
}
sumAmicableNum(10000);
```
< / div >
< / section >
## Solution
< section id = 'solution' >
```js
const sumAmicableNum = (n) => {
const fsum = (n) => {
let sum = 1;
for (let i = 2; i < = Math.floor(Math.sqrt(n)); i++)
if (Math.floor(n % i) === 0)
sum += i + Math.floor(n / i);
return sum;
};
let d = [];
let amicableSum = 0;
for (let i=2; i< n ; i + + ) d [ i ] = fsum ( i ) ;
for (let i=2; i< n ; i + + ) {
let dsum = d[i];
if (d[dsum]===i & & i!==dsum) amicableSum += i+dsum;
}
return amicableSum/2;
};
```
< / section >