3진법 뒤집기
문제 설명
자연수 n이 매개변수로 주어집니다. n을 3진법 상에서 앞뒤로 뒤집은 후, 이를 다시 10진법으로 표현한 수를 return 하도록 solution 함수를 완성해주세요.
제한사항
n은 1 이상 100,000,000 이하인 자연수입니다.
입출력 예
n result
45 7
125 229
입출력 예 설명
입출력 예 #1
답을 도출하는 과정은 다음과 같습니다.
n (10진법) n (3진법) 앞뒤 반전(3진법) 10진법으로 표현
45 1200 0021 7
따라서 7을 return 해야 합니다.
입출력 예 #2
답을 도출하는 과정은 다음과 같습니다.
n (10진법) n (3진법) 앞뒤 반전(3진법) 10진법으로 표현
125 11122 22111 229
따라서 229를 return 해야 합니다.
================================================
내가 작성한 코드
import Foundation
func solution(_ n:Int) -> Int {
var tempString: [String] = []
var tempString2: String = ""
var tempInt: Int = n
var three:Int = 0
while(tempInt != 0){
tempString.insert(String(tempInt%3), at: 0)
tempInt = tempInt/3
}
if tempString.isEmpty {
return 0
}
if tempString.count % 2 == 0 {
tempInt = tempString.count / 2 - 1
} else {
tempInt = tempString.count / 2
}
for index in 0...tempInt {
tempString2 = tempString[index]
tempString[index] = tempString[tempString.count - index-1]
tempString[tempString.count - index-1] = tempString2
}
tempInt = 0
for index in stride(from: tempString.count, through: 1, by: -1) {
three = Int(pow(3.0, Double((tempString.count-index))))
for i in 0...(Int(tempString[index-1]) ?? 1){
if i > 0 {
if index-1 == tempString.count-1 {
tempInt += 1
}
else {
tempInt += three
}
}
}
}
return tempInt
}
다른 사람 풀이를 보는데 정말 충격 먹었다.
import Foundation
func solution(_ n:Int) -> Int {
let flipToThree = String(n,radix: 3)
let answer = Int(String(flipToThree.reversed()),radix:3)!
return answer
}