public class Solution {
    /**
     * 代码中的类名、方法名、参数名已经指定,请勿修改,直接返回方法规定的值即可
     *
     * 
     * @param array int整型一维数组 
     * @return int整型一维数组
     */
    public int[] FindNumsAppearOnce (int[] array) {
        // write code here
        //方法一
//         int[] result = new int[2];
//         HashMap<Integer,Object> set = new HashMap<>();
//         for(int i = 0;i<array.length;i++){
//             if(set.containsKey(array[i])){
//                 set.remove(array[i],null);
//             }else{
//                 set.put(array[i],null);
//             }
//         }
//         int i = 0;
//         for(Integer num:set.keySet()){
//             result[i++] = num;
//         }
//         return result;
        
        //方法二
        int temp = 0;
        for(int num :array){
            temp ^= num;
        }
        
        //temp 最后就是我们要找的两个数 异或的值
        //从低位 开始找,找到第一个非0 的
        // 也就是有一位 异或后 是1 ,那么这两个数一定一个是 0 一个是 1
        int mask = 1;
        while( (temp & mask)== 0){
            mask <<= 1;
        }
        int a = 0;
        int b = 0;
        for(int num :array){
            //不是这两个数的异或都会抵消
            if( (num & mask) == 0){
                a ^= num;
            }else{
                b ^= num;
            }
            
        }
        if(a >b){
            int c = a;
            a = b;
            b = c;
        }
        
        return new int[]{a,b};
    }
}