2.rkt 2.3 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687
  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) 0)
  20. ((eq? char #\T) 9)
  21. (else (- (string->number (make-string 1 char))
  22. 1))))
  23. (define (joker-transform type)
  24. (define joker-num (vector-ref type 0))
  25. (vector-set! type 0 0)
  26. (vector-sort! type >)
  27. (vector-set! type 0 (+ joker-num (vector-ref type 0)))
  28. type)
  29. (define (hand-type hand)
  30. (define vec (make-vector 13 0))
  31. (let loop ((i 0))
  32. (if (>= i 5)
  33. (vector->list (joker-transform vec))
  34. (let ()
  35. (define index (card-number (string-ref hand i)))
  36. (vector-set! vec index (+ 1 (vector-ref vec index)))
  37. (loop (+ i 1))))))
  38. (define (hand-type<? type1 type2)
  39. (if (or (null? type1)
  40. (null? type2))
  41. #f
  42. (if (= (car type1) (car type2))
  43. (hand-type<? (cdr type1) (cdr type2))
  44. (< (car type1) (car type2)))))
  45. (define (hand-type=? type1 type2)
  46. (if (null? type1)
  47. #t
  48. (if (= (car type1) (car type2))
  49. (hand-type=? (cdr type1) (cdr type2))
  50. #f)))
  51. (define (raw-hand<? hand1 hand2)
  52. (define h1 (map card-number (string->list hand1)))
  53. (define h2 (map card-number (string->list hand2)))
  54. (hand-type<? h1 h2))
  55. (define (hand<? hand1 hand2)
  56. (define type1 (hand-type hand1))
  57. (define type2 (hand-type hand2))
  58. (if (hand-type=? type1 type2)
  59. (raw-hand<? hand1 hand2)
  60. (hand-type<? type1 type2)))
  61. (define sorted-cards
  62. (sort input (λ (a b)
  63. (hand<? (car a) (car b)))))
  64. (define (calc-points card)
  65. (* (cadar card) (cadr card)))
  66. (define (enumerate lst)
  67. (let loop ((i 1) (ret '()) (remain lst))
  68. (if (null? remain)
  69. (reverse ret)
  70. (loop (+ 1 i) (cons (list (car remain) i) ret) (cdr remain)))))
  71. (define result
  72. (apply + (map calc-points (enumerate sorted-cards))))
  73. (display result)
  74. (newline)