code.go 2.0 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126
  1. package main
  2. import (
  3. "bufio"
  4. "fmt"
  5. "log"
  6. "os"
  7. "strings"
  8. )
  9. const (
  10. AND = iota
  11. OR
  12. XOR
  13. )
  14. type Gate struct {
  15. id string
  16. left, right string
  17. op int
  18. value int
  19. }
  20. func readInput(file *os.File) (map[string]Gate, map[string]Gate) {
  21. scanner := bufio.NewScanner(file)
  22. zs := make(map[string]Gate)
  23. gates := make(map[string]Gate)
  24. readingRegisters := true
  25. for scanner.Scan() {
  26. line := scanner.Text()
  27. if line == "" {
  28. if readingRegisters {
  29. readingRegisters = false
  30. continue
  31. }
  32. break
  33. }
  34. var gate Gate
  35. if readingRegisters {
  36. parts := strings.Split(line, ": ")
  37. if len(parts) != 2 {
  38. log.Fatalf("Bad register line: %s", line)
  39. }
  40. gate.id = parts[0]
  41. n, err := fmt.Sscanf(parts[1], "%d", &gate.value)
  42. if n != 1 || err != nil {
  43. log.Fatalf("Bad input %s: %s", parts[1], err)
  44. }
  45. } else {
  46. var op string
  47. n, err := fmt.Sscanf(line, "%s %s %s -> %s", &gate.left, &op, &gate.right, &gate.id)
  48. if n != 4 || err != nil {
  49. log.Fatalf("Bad input %s: %s", line, err)
  50. }
  51. switch op {
  52. case "AND":
  53. gate.op = AND
  54. case "OR":
  55. gate.op = OR
  56. case "XOR":
  57. gate.op = XOR
  58. }
  59. gate.value = -1
  60. }
  61. if gate.id[0] == 'z' {
  62. zs[gate.id] = gate
  63. } else {
  64. gates[gate.id] = gate
  65. }
  66. }
  67. return gates, zs
  68. }
  69. func calculate(gate Gate, gates map[string]Gate) int {
  70. if gate.value != -1 {
  71. return gate.value
  72. }
  73. left := calculate(gates[gate.left], gates)
  74. right := calculate(gates[gate.right], gates)
  75. switch gate.op {
  76. case AND:
  77. gate.value = left & right
  78. case OR:
  79. gate.value = left | right
  80. case XOR:
  81. gate.value = left ^ right
  82. }
  83. return gate.value
  84. }
  85. func calculateZs(zs, gates map[string]Gate) {
  86. for key, value := range zs {
  87. value.value = calculate(value, gates)
  88. zs[key] = value
  89. }
  90. fmt.Println(zs)
  91. }
  92. func main() {
  93. if len(os.Args) < 2 {
  94. log.Fatal("You need to specify a file!")
  95. }
  96. filePath := os.Args[1]
  97. file, err := os.Open(filePath)
  98. if err != nil {
  99. log.Fatalf("Failed to open %s!\n", filePath)
  100. }
  101. gates, zs := readInput(file)
  102. calculateZs(zs, gates)
  103. }