异或如何给出两个数组中不同的数字‽

描述是:

“给定一个从 1 到 N 的有序数字序列。可能其中一个数字被删除,然后剩余的数字混合在一起。找到被删除的数字。

例子:

The starting array sequence is [1,2,3,4,5,6,7,8,9]

The mixed array with one deleted number is [3,2,4,6,7,8,1,9]

Your function should return the int 5.

如果没有从数组中删除数字并且与它没有区别,则您的函数应该返回 int 0。


请注意,N 可以是 1 或更小(在后一种情况下,第一个数组将为 [])。”


我写了一个简单的答案:


import java.util.*;


  public class Kata {

    public static int findDeletedNumber (int[] arr, int[] mixedArr) {  

      Arrays.sort(mixedArr);

      for(int i = 0; i < arr.length; i++){

        try{

          if(arr[i] != mixedArr[i]){

            return arr[i];

          }

        }catch(ArrayIndexOutOfBoundsException e) {

          return arr[i];

        }

      }

      return 0;

    }

}

我正在阅读其他人的答案,发现一个我觉得很难深入理解的答案:


import java.util.Arrays;


public class Kata {

    public static int findDeletedNumber(int[] arr, int[] mixedArr) {

        return Arrays.stream(arr).reduce((a, b) -> a ^ b).orElse(0) ^ Arrays.stream(mixedArr).reduce((a, b) -> a ^ b).orElse(0);

    }

}


我想得到一些帮助,如果有人关心并有耐心写下解释和/或跟踪,将会有所帮助。目前我可以看到答案,但我不明白。🤯


拉风的咖菲猫
浏览 81回答 1
1回答

慕哥9229398

XOR(异或)真值表X&nbsp; &nbsp;Y&nbsp; &nbsp; result0&nbsp; &nbsp;0&nbsp; &nbsp; 00&nbsp; &nbsp;1&nbsp; &nbsp; 11&nbsp; &nbsp;0&nbsp; &nbsp; 11&nbsp; &nbsp;1&nbsp; &nbsp; 0什么意思X^Y?让我们看一个例子,5^6dec&nbsp; &nbsp; &nbsp; &nbsp;bin5&nbsp; &nbsp; &nbsp;=&nbsp; 1016&nbsp; &nbsp; &nbsp;=&nbsp; 110------------------ xor3&nbsp; &nbsp; &nbsp;=&nbsp; 011对两个数字进行异或只是将两个数字转换为二进制并应用真值表中的规则。观察上表,不难看出 X^X = 0 for any integer X5&nbsp; &nbsp; &nbsp;=&nbsp; 1015&nbsp; &nbsp; &nbsp;=&nbsp; 101------------------ xor0&nbsp; &nbsp; &nbsp;=&nbsp; 000和X^0 = X5&nbsp; &nbsp; &nbsp;=&nbsp; 1010&nbsp; &nbsp; &nbsp;=&nbsp; 000------------------ xor5&nbsp; &nbsp; &nbsp;=&nbsp; 101给定两个数组,对两个数组中的每个元素进行异或,结果意味着类似(1 ^ 2 ^ 3 ^ 4 ^ 5 ^ 6 ^ 7 ^ 8 ^ 9) ^ (3 ^ 2 ^ 4 ^ 6 ^ 7 ^ 8 ^ 1 ^ 9)因为X^Y = Y^X你X^Y^Z = (X^Y)^Z = X^(Y^Z)可以将上面的内容重新排列为(1 ^ 1) ^ ( 2 ^ 2) ^ (3 ^ 3) ^ (4 ^ 4)&nbsp; ^ (5) ^ (6 ^ 6) ^ (7 ^ 7) ^ (8 ^ 8) ^ (9 ^ 9)&nbsp;除了缺少的数字(即 5)之外,一切都相互抵消。
打开App,查看更多内容
随时随地看视频慕课网APP

相关分类

Java