题目描述
汇编语言中有一种移位指令叫做循环左移(ROL),现在有个简单的任务,就是用字符串模拟这个指令的运算结果。对于一个给定的字符序列S,请你把其循环左移K位后的序列输出。例如,字符序列S=”abcXYZdef”,要求输出循环左移3位后的结果,即“XYZdefabc”。是不是很简单?OK,搞定它!
分析
假设字符串abcdef,n=3,设X=abc,Y=def,所以字符串可以表示成XY,如题干,问如何求得YX。假设X的翻转为,=cba,同理==fed,那么YX=(),三次翻转后可得结果。
public class Solution {
public String LeftRotateString(String str,int n) {
if(str == null || str.length() == 0 || n > str.length()) {
return str;
}
n %= str.length();
char[] chars = str.toCharArray();
for (int i = 0, j = n - 1; i < j; ++i, --j) {
swap(chars, i, j);
}
for (int i = n, j = chars.length - 1; i < j; ++i, --j) {
swap(chars, i, j);
}
for (int i = 0, j = chars.length - 1; i < j; ++i, --j) {
swap(chars, i, j);
}
return String.valueOf(chars);
}
public void swap(char[] elem, int i, int j) {
char temp = elem[i];
elem[i] = elem[j];
elem[j] = temp;
}
public static void main(String[] args) {
Solution s = new Solution();
System.out.println(s.LeftRotateString("abcdef", 3));
}
}