1.rkt 2.2 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677787980
  1. #lang racket
  2. (define input
  3. (with-input-from-file "input"
  4. (λ ()
  5. (let loop ((cards '()))
  6. (define line (read-line))
  7. (if (or (eof-object? line)
  8. (= 0 (string-length line)))
  9. (reverse cards)
  10. (let ()
  11. (define splited-line (string-split line))
  12. (define hand (car splited-line))
  13. (define bid (string->number (cadr splited-line)))
  14. (loop (cons (list hand bid) cards))))))))
  15. (define (card-number char)
  16. (cond ((eq? char #\A) 12)
  17. ((eq? char #\K) 11)
  18. ((eq? char #\Q) 10)
  19. ((eq? char #\J) 9)
  20. ((eq? char #\T) 8)
  21. (else (- (string->number (make-string 1 char))
  22. 2))))
  23. (define (hand-type hand)
  24. (define vec (make-vector 13 0))
  25. (let loop ((i 0))
  26. (if (>= i 5)
  27. (vector->list (vector-sort vec >))
  28. (let ()
  29. (define index (card-number (string-ref hand i)))
  30. (vector-set! vec index (+ 1 (vector-ref vec index)))
  31. (loop (+ i 1))))))
  32. (define (hand-type<? type1 type2)
  33. (if (or (null? type1)
  34. (null? type2))
  35. #f
  36. (if (= (car type1) (car type2))
  37. (hand-type<? (cdr type1) (cdr type2))
  38. (< (car type1) (car type2)))))
  39. (define (hand-type=? type1 type2)
  40. (if (null? type1)
  41. #t
  42. (if (= (car type1) (car type2))
  43. (hand-type=? (cdr type1) (cdr type2))
  44. #f)))
  45. (define (raw-hand<? hand1 hand2)
  46. (define h1 (map card-number (string->list hand1)))
  47. (define h2 (map card-number (string->list hand2)))
  48. (hand-type<? h1 h2))
  49. (define (hand<? hand1 hand2)
  50. (define type1 (hand-type hand1))
  51. (define type2 (hand-type hand2))
  52. (if (hand-type=? type1 type2)
  53. (raw-hand<? hand1 hand2)
  54. (hand-type<? type1 type2)))
  55. (define sorted-cards
  56. (sort input (λ (a b)
  57. (hand<? (car a) (car b)))))
  58. (define (calc-points card)
  59. (* (cadar card) (cadr card)))
  60. (define (enumerate lst)
  61. (let loop ((i 1) (ret '()) (remain lst))
  62. (if (null? remain)
  63. (reverse ret)
  64. (loop (+ 1 i) (cons (list (car remain) i) ret) (cdr remain)))))
  65. (define result
  66. (apply + (map calc-points (enumerate sorted-cards))))
  67. (display result)
  68. (newline)