blob: 38e143e2436180df5df769f0f807ad432aca2a48 (
plain) (
blame)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
|
-- I had expected a more complex syntax in p2 :)
import Data.Functor
import Data.Void
import Text.Megaparsec
import Text.Megaparsec.Char
import qualified Text.Megaparsec.Char.Lexer as L
type Parser = Parsec Void String
type Enabled = Bool
data Instr = Mul Int Int | Do | Dont | Garbage
deriving Show
multiplication :: Parser Instr
multiplication = do
string "mul("
a <- L.decimal
string ","
b <- L.decimal
string ")"
pure $ Mul a b
program :: Parser [Instr]
program =
many
$ try multiplication
<|> (string "don't()" $> Dont)
<|> (string "do()" $> Do)
<|> (satisfy (const True) $> Garbage)
part1 :: [Instr] -> Int
part1 = sum . map eval
where
eval (Mul a b) = a * b
eval _ = 0
part2 :: Enabled -> [Instr] -> Int
part2 True (Mul a b : is) = a * b + part2 True is
part2 True (Dont : is) = part2 False is
part2 False (Do : is) = part2 True is
part2 e (_ : is) = part2 e is
part2 _ [] = 0
main :: IO ()
main = do
f <- readFile "input"
case runParser (program <* eof) "" f of
Right p -> do
print $ part1 p
print $ part2 True p
Left err -> print $ errorBundlePretty err
|