문자열 "hello"에서 각 문자를 오른쪽으로 한 칸씩 밀고 마지막 문자는 맨 앞으로 이동시키면 "ohell"이 됩니다. 이것을 문자열을 민다고 정의한다면 문자열 A와 B가 매개변수로 주어질 때, A를 밀어서 B가 될 수 있다면 밀어야 하는 최소 횟수를 return하고 밀어서 B가 될 수 없으면 -1을 return 하도록 solution 함수를 완성해보세요.
A | B | result |
---|---|---|
"hello" | "ohell" | 1 |
"apple" | "elppa" | -1 |
"atat" | "tata" | 1 |
"abc" | "abc" | 0 |
class Solution {
public int solution(String A, String B) {
int result = 0;
StringBuffer sb = new StringBuffer(A); // Hello -> oHell
String test = sb.toString();
for(int j = 0; j < A.length() - 1; j++) {
if((test.toString()).equals(B)) break;
test = test.substring(A.length() - 1, A.length()) + test.substring(0, A.length() - 1);
result++;
if(!(test.toString()).equals(B) && j == A.length() - 2) result = -1;
}
return result;
}
}
StringBuffer를 사용해서 풀어보았다. 근데 보통은 StringBuffer보다 StringBulider를 사용하는 것이 좋기 때문에 StringBulider를 많이 사용해봐야겠다.