AoC day 1: Report Repair


2020-12-01T06:09:00+01:00
advent of code aoc2020 haskell

Opening the 2020 season, Advent of Code day 1 presents the exact sum problem: finding a pair or triplet of numbers from a list that sum up to a specified number. Namely, 2020. This post is literate Haskell, by the way.

I’ll parse using the standard functions from the Prelude, and find the answers by “brute force” exhaustive search, the simplest idea that could work.

main :: IO ()
main = do
  ns <- map read . lines <$> readFile "day01.in"
  print [ x*y   | x <- ns, y <- ns,          x+y   == 2020 ]
  print [ x*y*z | x <- ns, y <- ns, z <- ns, x+y+z == 2020 ]

As you noticed, I avoid neither picking the same number multiple times nor picking a set of numbers in a different order. The puzzle input guarantees the solution is unique anyway, so I can suffer the answers being reported multiple times if it saves a bit of typing up front.

By an accident of life, I was actually up at six, so it was reasonable to attempt speed. As it turned out, I was kind of fast, but the site was kind of down. So no points for me.

Life’s unfair.

Anyway, now the pressure is down, let’s talk algorithms for a bit. The solution presented above is O(N2) for part 1 and O(N3) for part 2. My input is 200 lines long, so both are still reasonable. But what if it was longer?

The spirit of AoC is “you solve for your input”, so the canonical answer to that is “your question doesn’t make any sense.” Thus the rest of this post is purely theoretical.

An obvious improvement to the code above would be to actually avoid all the duplication I mentioned. The usual Haskelly way to do that is to use the tails function from Data.List.

[ x*y*z | x:xs <- tails ns, y:ys <- tails xs, z <- ys, x+y+z == 2020 ]

It’s faster for sure. But it’s still O(N3), so not orders of magnitude faster. We can do better.

A common idea is to give those numbers some structure, so a single number can be queried for being part of a sum that reaches the target. Let’s start with the pair sum problem.

Of course I’m playing fast and loose with the “list” terminology: I’d need constant-time access for the binary search to work fast.

How about the triplet sum then?

I could conceive of sorting, then for each number trying to find its 2020-complement as a sum of two numbers using the “both ends” method. That’d be O(N2). I never remember the optimal, remind me to go check out the reddit thread.

In any case, this concludes today’s solution. See you soon!


  1. Getting to proofs when it involves hashing is always a complex matter. See how I’m wisely dodging it here?↩︎