-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathday5.janet
executable file
·79 lines (68 loc) · 2.43 KB
/
day5.janet
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
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
#!/usr/bin/env janet
(def input (slurp "inputs/day5.txt"))
(def [rules updates]
(let [[a b] (string/split "\n\n" input)]
[(do
(def rule-pairs
(->>
a
(string/trim)
(string/split "\n")
(map |(string/split "|" $))))
(var rule-map @{})
(each pair rule-pairs
(if (rule-map (pair 0))
(array/push (rule-map (pair 0)) (pair 1))
(put rule-map (pair 0) @[(pair 1)])))
(def _ rule-map))
(->>
b
(string/trim)
(string/split "\n")
(map |(string/split "," $)))]))
(defn compare-page [a b]
(cond
(= a b) false
(and (rules a) (index-of b (rules a))) true
false))
(var total 0)
(each u updates
(if (deep= u (sorted u compare-page))
(let [len (length u)
idx (math/floor (/ len 2))
val (scan-number (u idx))]
(+= total val))))
(print "Correctly-ordered middle-page totals: " total)
########################################################################
(set total 0)
(each u updates
(let [sorted-u (sorted u compare-page)]
(if (not (deep= u sorted-u))
(let [len (length sorted-u)
idx (math/floor (/ len 2))
val (scan-number (sorted-u idx))]
(+= total val)))))
(print "Fixed middle-page totals: " total)
#
# Tough spots / learning opportunities:
#
# 1. Line 5: I think I spent more time on reading the input and building
# the data structures than solving the algorithm. It could be cleaner,
# but I continue to enjoy the threading operators for this sort of thing.
#
# 2. Line 26: The sort comparator took a while as I had to infer what values
# to return. At first I was doing -1/1/0, but then realized that this was
# supposed to behave like `<`and needed to return `true` or `false`. Then
# I added on the first equality condition to save a little time since
# print-debugging revealed that `sorted` does an identity comparison.
#
# 3. Line 35: Forgot at first that I needed to deep-compare arrays again.
#
# 4. Line 47: It was trivial to solve Part Two. I thought about combining
# the work of both into one algorithm, but wanted to keep the formatting
# the same as other days, where each has their own separate section.
#
# 5. Lines 38 & 52: I realized that since I was doing a custom sort based
# on array indexing anyway, I could leave things as strings and just
# scan them into numbers once I needed to sum them.
#