On this page:
<day17>
17.1 How many combinations of containers fit exactly 150 liters?
<day17-setup>
<day17-q1>
17.2 How many combinations have the minimum number of containers?
<day17-q2>
17.3 Testing Day 17
<day17-test>
8.12

17 Day 17🔗ℹ

 (require aoc-racket/day17) package: aoc-racket

The puzzle. Our input is a list of containers that hold the designated number of liters.

17.1 How many combinations of containers fit exactly 150 liters?🔗ℹ

This is a lot like the second part of Day 15, where we had to find cookie recipes that totaled 500 calories. This time, rather than recipes, we need to generate combinations of the containers that add up to exactly 150 liters (though we don’t have to use all the containers, and multiple containers of the same size are deemed to create unique arrangements).

We do this by creating the power set of the containers — that is, a list of all possible subsets — and counting how many meet our criterion. As with the recipe problem, our powerset function is a simple recursive operation.

(require racket rackunit)
(provide (all-defined-out))
 
(define (powerset xs)
  (if (empty? xs)
      (list empty)
      (append-map
       (λ (s) (list (cons (car xs) s) s))
       (powerset (cdr xs)))))

(define (q1 input-str)
  (define containers
    (map string->number (string-split input-str)))
  (length (filter (λ (s) (= 150 (apply + s)))
                  (powerset containers))))

17.2 How many combinations have the minimum number of containers?🔗ℹ

Same as above, except we find the minimum length among the winners, and then count how many other winners have that length.

(define (q2 input-str)
  (define containers
    (map string->number (string-split input-str)))
  (let* ([winners (filter (λ (s) (= 150 (apply + s)))
                          (powerset containers))]
         [shortest (apply min (map length winners))])
    (length (filter (λ (w) (= shortest (length w))) winners))))

17.3 Testing Day 17🔗ℹ

(module+ test
  (define input-str (file->string "day17-input.txt"))
  (check-equal? (q1 input-str) 1638)
  (check-equal? (q2 input-str) 17))