fork download
  1. // challenge 303 Easy Ricochet
  2. // https://w...content-available-to-author-only...t.com/r/dailyprogrammer/comments/5vb1wf/20170221_challenge_303_easy_ricochet/
  3.  
  4. package challenge._303_easy
  5. import java.util.*
  6.  
  7. fun readString(): String? {
  8. val line: String? = readLine()
  9. if (line == null) return null
  10. return line.trim()
  11. }
  12.  
  13. fun readWords(): List<String>? {
  14. val s: String? = readString()
  15. if (s == null) return null
  16. val pat: Regex = Regex("\\s+")
  17. return s.split(pat)
  18. }
  19.  
  20. fun readInts(): List<Int>? {
  21. val words: List<String>? = readWords()
  22. if (words == null) return null
  23. var lst: ArrayList<Int> = ArrayList()
  24. for (word in words) {
  25. try {
  26. var v: Int = word.toInt()
  27. lst.add(v)
  28. }
  29. catch(nfe: NumberFormatException) {
  30. return null
  31. }
  32. }
  33. return lst
  34. }
  35.  
  36. enum class Corner {
  37. UR, LR, LL, UL
  38. }
  39.  
  40. data class Result(val corner: Corner, val distance: Int, val bounces: Int, val time: Int)
  41.  
  42. class Game(H: Int, W: Int, V: Int) {
  43. val H: Int = H + 1
  44. val W: Int = W + 1
  45. val V: Int = V
  46. fun run(): Result {
  47. var x = 0
  48. var y = 0
  49. var dx = 1
  50. var dy = 1
  51. var bounces = 0
  52. var distance = 0
  53. while (true) {
  54. var bounced = false
  55. if (x + dx < 0 || x + dx >= W) {
  56. dx = -dx
  57. bounced = true
  58. }
  59. if (y + dy < 0 || y + dy >= H) {
  60. dy = -dy
  61. bounced = true
  62. }
  63. if (bounced) bounces++
  64. x += dx
  65. y += dy
  66. distance++
  67. if (x == W-1 && y == H-1) {
  68. return Result(Corner.LR, distance, bounces, distance / V)
  69. } else if (x == W-1 && y == 0) {
  70. return Result(Corner.UR, distance, bounces, distance / V)
  71. } else if (x == 0 && y == H-1) {
  72. return Result(Corner.LL, distance, bounces, distance / V)
  73. } else if (x == 0 && y == 0) {
  74. return Result(Corner.UL, distance, bounces, distance / V)
  75. }
  76. }
  77. }
  78. }
  79.  
  80. fun main(args: Array<String>) {
  81. while (true) {
  82. val HWV = readInts()
  83. if (HWV == null || HWV.size == 0) {
  84. println("done.")
  85. break
  86. }
  87. val H = HWV[0]
  88. val W = HWV[1]
  89. val V = HWV[2]
  90. if (H<1 || W<1 || V<1) {
  91. println("done.")
  92. break
  93. }
  94. val game = Game(H, W, V)
  95. val r = game.run()
  96. println("${r.corner} ${r.bounces} ${r.time}")
  97. }
  98. }
Success #stdin #stdout 0.1s 4382720KB
stdin
8 3 1
15 4 2
0 0 0
stdout
LL 9 24
UR 17 30
done.