以下是执行'就地'字符串反转的方法,即Black Cat变为Cat Black。 在第二个交换部分中,如果使用传统的交换(注释掉),则所有测试都会通过,但是如果使用XOR交换,则只通过一次测试。
是不是可以简单地'交换'
for (int i = count; i <= (end + count) / 2; i++) {
char temp = arr[i];
arr[i] = arr[end - (i - count)];
arr[end - (i - count)] = temp;
}
到
for (int i = count; i <= (end + count) / 2; i++) {
arr[i] ^= arr[end - (i - count)];
arr[end - (i - count)] ^= arr[i];
arr[i] ^= arr[end - (i - count)];
}
方法
public class ReverseString {
public static char[] revString(String input) {
char[] arr = input.toCharArray();
int length = arr.length;
for (int i = 0; i < (length / 2); i++) {
arr[i] ^= arr[length - i - 1];
arr[length - i - 1] ^= arr[i];
arr[i] ^= arr[length - i - 1];
}
int end;
int charCount;
int count = 0;
while (count < length) {
if (arr[count] != ' ') {
charCount = 0;
while (count + charCount < length && arr[count + charCount] != ' ') {
charCount++;
}
end = count + charCount - 1;
// for (int i = count; i <= (end + count) / 2; i++) {
// char temp = arr[i];
// arr[i] = arr[end - (i - count)];
// arr[end - (i - count)] = temp;
// }
for (int i = count; i <= (end + count) / 2; i++) {
arr[i] ^= arr[end - (i - count)];
arr[end - (i - count)] ^= arr[i];
arr[i] ^= arr[end - (i - count)];
}
count += charCount;
} else {
count++;
}
}
return arr;
}
}
测试
@RunWith(JUnitParamsRunner.class)
public class ReverseStringTest {
@Test
@Parameters(method = "getStrings")
public void testRevString(String testValue, char[] expectedValue) {
assertThat(ReverseString.revString(testValue), equalTo(expectedValue));
}
private static final Object[] getStrings() {
return new Object[] {
new Object[] {"Black Cat", "Cat Black".toCharArray()},
new Object[] {"left to", "to left".toCharArray()}
};
}
}
输出失败
java.lang.AssertionError:
Expected: ["C", "a", "t", " ", "B", "l", "a", "c", "k"]
but: was ["C", "
答案 0 :(得分:1)
与自身交换值时,XOR交换失败。这是您的代码:
arr[i] ^= arr[end - (i - count)];
arr[end - (i - count)] ^= arr[i];
arr[i] ^= arr[end - (i - count)];
我们假设i == end - (i - count)
。然后:
arr[i] ^= arr[end - (i - count)];
将arr[i]
设置为零(因为任何XOR&#39; d本身都为零)。
接下来的两行什么都不做,因为XOR与零无效,使arr[i]
为零,从而破坏了你的输入。
如上所述,上述假设是否真实取决于输入的长度。
由于这个问题,XOR交换很危险。由于它也难以阅读,并且在任何现代平台上都没有获得性能,这种微观优化技巧已经过时,应该避免使用。