Solutions and Write-Ups for my Advent Of Code adventures (mainly in Haskell)
My solution is slow, but it works.
The input is pretty simple:
type Input = [Int]
parseInput :: String -> Input
parseInput = map read . lines
We need to compute the 2000th secret number for each number in the input.
To compute the secret number for a given input:
computeNextSecret :: Int -> Int
computeNextSecret x = res
where y = ((x `shift` 6) `xor` x) .&. 0x00FFFFFF
z = ((y `shift` (-5)) `xor` y) .&. 0x00FFFFFF
res = ((z `shift` 11) `xor` z) .&. 0x00FFFFFF
Next, we repeat this operation 2000 times:
getSecrets :: [Int] -> [[Int]]
getSecrets = map (take 2001 . iterate computeNextSecret)
Finally, we sum up the 2000th number for each input line:
partOne :: Input -> Output
partOne = sum . map last . getSecrets
We need to find the sequence of 4 differences that yields the highest sum.
We start by computing the number of bananas a given sequence of differences produces for each list of secrets.
chunksOf :: Int -> [a] -> [[a]]
chunksOf n = takeWhile ((n ==) . length) . map (take n) . tails
computeSequences :: [Int] -> Map [Int] Int
computeSequences secrets = Map.fromListWith (\_ x -> x) . map arrange $ chunks
where zipDiff a b = (a, b - a)
arrange l = (map snd l, (fst . last) l)
digits = map (`mod` 10) secrets
diffs = zipWith zipDiff (tail digits) digits
chunks = chunksOf 4 diffs
Now, we compute the above mappings for each input number.
Next, we gather all possible sequences and bruteforce the maximum number of bananas.
We also add some parallelization for performance:
partTwo :: Input -> Output
partTwo input = (Set.findMax . Set.map bananas) sequences
where bananas sequence = sum . parMap rseq (Map.findWithDefault 0 sequence) $ mappings
secrets = getSecrets input
mappings = parMap rseq computeSequences secrets
sequences = Set.fromList (concatMap Map.keys mappings)
Today wasn’t too hard, but there are still many optimizations I haven’t explored or implemented yet.