1937년 Collatz란 사람에 의해 제기된 이 추측은, 주어진 수가 1이 될 때까지 다음 작업을 반복하면, 모든 수를 1로 만들 수 있다는 추측입니다. 작업은 다음과 같습니다.
1-1. 입력된 수가 짝수라면 2로 나눕니다.
1-2. 입력된 수가 홀수라면 3을 곱하고 1을 더합니다.
2. 결과로 나온 수에 같은 작업을 1이 될 때까지 반복합니다.
class Solution { fun solution(num: Int): Int { var answer = 0 var temp = num if (num != 1) { for (i in 0..500) { if (temp == 1) { answer = i break } else if (answer == 500) { answer = -1 break } else { answer++ if (temp % 2 == 0) { temp /= 2 } else { var tempDouble = temp.toDouble() tempDouble = tempDouble * 3 + 1 temp = tempDouble.toInt() } } } } return answer } }
class Solution { fun solution(num: Int): Int = collatzAlgorithm(num.toLong(),0) tailrec fun collatzAlgorithm(n:Long, c:Int):Int = when{ c > 500 -> -1 n == 1L -> c else -> collatzAlgorithm(if( n%2 == 0L ) n/2 else (n*3)+1, c+1) } }
[TIL-240226]