* fix: improve Project Euler descriptions and test case Improve formatting of Project Euler test descriptions. Also add poker hands array and new test case for problem 54 * feat: add typeof tests and gave functions proper names for first 100 challenges * fix: continue fixing test descriptions and adding "before test" sections * fix: address review comments * fix: adjust grids in 18 and 67 and fix some text that reference files rather than the given arrays * fix: implement bug fixes and improvements from review * fix: remove console.log statements from seed and solution
2.8 KiB
2.8 KiB
id, challengeType, title, forumTopicId
id | challengeType | title | forumTopicId |
---|---|---|---|
5900f37a1000cf542c50fe8d | 5 | Problem 14: Longest Collatz sequence | 301768 |
Description
The following iterative sequence is defined for the set of positive integers:
n → n/2 (n is even)
n → 3n + 1 (n is odd)
Using the rule above and starting with 13, we generate the following sequence:
13 → 40 → 20 → 10 → 5 → 16 → 8 → 4 → 2 → 1
It can be seen that this sequence (starting at 13 and finishing at 1) contains 10 terms. Although it has not been proved yet (Collatz Problem), it is thought that all starting numbers finish at 1.
Which starting number, under the given limit
, produces the longest chain?
Note: Once the chain starts the terms are allowed to go above one million.
Instructions
Tests
tests:
- text: <code>longestCollatzSequence(14)</code> should return a number.
testString: assert(typeof longestCollatzSequence(14) === 'number');
- text: <code>longestCollatzSequence(14)</code> should return 9.
testString: assert.strictEqual(longestCollatzSequence(14), 9);
- text: <code>longestCollatzSequence(5847)</code> should return 3711.
testString: assert.strictEqual(longestCollatzSequence(5847), 3711);
- text: <code>longestCollatzSequence(46500)</code> should return 35655.
testString: assert.strictEqual(longestCollatzSequence(46500), 35655);
- text: <code>longestCollatzSequence(54512)</code> should return 52527.
testString: assert.strictEqual(longestCollatzSequence(54512), 52527);
- text: <code>longestCollatzSequence(100000)</code> should return 77031.
testString: assert.strictEqual(longestCollatzSequence(100000), 77031);
Challenge Seed
function longestCollatzSequence(limit) {
// Good luck!
return true;
}
longestCollatzSequence(14);
Solution
function longestCollatzSequence(limit) {
let longestSequenceLength = 0;
let startingNum = 0;
function sequenceLength(num) {
let length = 1;
while (num >= 1) {
if (num === 1) { break;
} else if (num % 2 === 0) {
num = num / 2;
length++;
} else {
num = num * 3 + 1;
length++;
}
}
return length;
}
for (let i = 2; i < limit; i++) {
let currSequenceLength = sequenceLength(i);
if (currSequenceLength > longestSequenceLength) {
longestSequenceLength = currSequenceLength;
startingNum = i;
}
}
return startingNum;
}