【剑指offer】面试题58(2):左旋转字符串

来源:互联网 发布:php广告系统 编辑:程序博客网 时间:2024/06/01 09:34

题目

汇编语言中有一种移位指令叫做循环左移(ROL),
现在有个简单的任务,就是用字符串模拟这个指令的运算结果。
对于一个给定的字符序列S,请你把其循环左移K位后的序列输出。
例如,字符序列S=”abcXYZdef”,要求输出循环左移3位后的结果,即“XYZdefabc”。

思路

解法1:
开辟一个新的数组来存放左移后会溢出的字符串
  新数组: “abc”
然后将原数组左移后再将本来会溢出的字符串填充在右边
  左移: “abcXYZdef” -> “XYZdefdef”
  填充:”XYZdefdef” -> “XYZdefabc”

解法2:
假设字符串长度为n,分别翻转字符串前k位和后n-k位
  “abcXYZdef” -> “cbafedZYX”
翻转整个字符串
  “XYZdefabc”

这里使用解法2

代码

public class _58_02_LeftRotateString {    public String LeftRotateString(String str,int n) {        if(str == null || str.length() < 2 || n < 1)            return str;        n %= str.length();        char[] chars = str.toCharArray();        reverse(chars, 0, n - 1);        reverse(chars, n, chars.length - 1);        reverse(chars, 0, chars.length - 1);        return new String(chars);    }    private void reverse(char[] str, int startIndex, int endIndex) {        for(int low = startIndex, high = endIndex; low < high;                ++low, --high) {            char t = str[low];            str[low] = str[high];            str[high] = t;        }    }}

测试

public class _58_02_Test {    public static void main(String[] args) {        test1();        test2();        test3();    }    private static void test1() {        _58_02_LeftRotateString lrs = new _58_02_LeftRotateString();        String s = lrs.LeftRotateString("abcdef", 3);        MyTest.equal(s, "defabc");        s = lrs.LeftRotateString("abcdef", 10);        MyTest.equal(s, "efabcd");    }    private static void test2() {        _58_02_LeftRotateString lrs = new _58_02_LeftRotateString();        String s = lrs.LeftRotateString("a", 1);        MyTest.equal(s, "a");        s = lrs.LeftRotateString("a", 13);        MyTest.equal(s, "a");    }    private static void test3() {        _58_02_LeftRotateString lrs = new _58_02_LeftRotateString();        String s = lrs.LeftRotateString("", 1);        MyTest.equal(s, "");        s = lrs.LeftRotateString(null, 1);        System.out.println(s);    }}
阅读全文
0 0