Solutions and Write-Ups for my Advent Of Code adventures (mainly in Haskell)
Premature optimisation is the root to solving part 2 in 30 seconds.
We have a list of numbers, separated by spaces.
You know the drill by now: we split by spaces and we convert the strings to numbers:
where numbers = map read . words $ input
Now, I am not going to stop here:
This is an advent of code puzzle, therefore I know there is going to be a lot of numbers, and some of these numbers will be present multiple times. Therefore, I am going to “compress” my input into a Map where the keys are the numbers themselves, and the value their count:
type Input = Map Int Int
parseInput :: String -> Input
parseInput input = Map.fromList compressedNumbers
where numbers = map read . words $ input
compressedNumbers = map (\l -> (head l, length l)) . group . sort $ numbers
In order to get this, I sort the numbers in order to group equal numbers together.
Then, I transform each group into a tuple where the first entry is the number itself, and the second is the number of times this number appeared in the list.
We want to “blink”, meaning changing our input by following three rules on each element of this input:
We need to apply this transformation on every stone of our input. Because our input is compressed, each resulting stone of our input will have the same count as the original stone.
For example, if we’re dealing with the stone (1234, 4), which means 4 stones numbered 1234, then the result will be two stone (12, 4) and (34, 4), therefore four stones labelled 12 and four labelled 34.
We can create our new Map by transforming each stone of the original map that way:
blink :: Input -> Input
blink = Map.foldrWithKey transformStone Map.empty
where addStone count Nothing = Just count
addStone count (Just count') = Just (count + count')
transformStone stone count res
| stone == 0 = Map.alter (addStone count) 1 res
| (even . length) stoneStr = Map.alter (addStone count) rightHalf $ Map.alter (addStone count) leftHalf res
| otherwise = Map.alter (addStone count) (stone * 2024) res
where stoneStr = show stone
(leftHalf, rightHalf) = both read $ splitAt (length stoneStr `div` 2) stoneStr
We start with an empty map, and we apply the transformStone function to every stone of our input.
When applying a rule, we are altering the result Map using the addStone function:
Now, we simply need to do that 25 times and sum all the counts together:
partOne :: Input -> Output
partOne = sum . Map.elems . (!! 25) . iterate blink
Do that 75 times now.
Do that 75 times now.
partTwo :: Input -> Output
partTwo = sum . Map.elems . (!! 75) . iterate blink
--------Part 1-------- --------Part 2--------
Day Time Rank Score Time Rank Score
11 05:53:03 26591 0 05:53:34 16802 0