LeetCode1122数组的相对排序

**方法一:

  1. 把arr2的值当作map中的键,value对应赋值为0
  2. 遍历arr1,如果存在与键值相等的元素,就value++
  3. 对于不在map中的,放到另一个数组,进行排序。
  4. 先按着arr2数组的顺序输出map中的元素,然后再输出另一个数组排好序的元素

**

class Solution {
    public int[] relativeSortArray(int[] arr1, int[] arr2) {
        int[] temp=new int[arr1.length];//临时数组,用来存放不在arr2中的键值
        int k=0;
        int[] res=new int[arr1.length];//结果数组
        int h=0;
        Map map=new HashMap();
        //构建map,根据arr2的元素
        for(int i=0;i0){
                res[h++]=arr2[i];
                map.put(arr2[i],map.get(arr2[i])-1);
            }
        }
        //数组排序
        //Arrays.sort(temp);这里不能用这个方法排序,因为temp里面有很多0
        for(int i=0;itemp[j+1]){
                    int t=temp[j+1];
                    temp[j+1]=temp[j];
                    temp[j]=t;
                }
            }
        }
        int temp1=0;
        //排好序的数组读入
        for(int n=h;n

方法2:使用桶排序的思想,把arr1中的元素放入到桶里面,然后根据arr2的值读出桶中的对应元素,则桶中剩余的就是已经排好序的另一部分了,直接读出来即可

class Solution {
    //这个方法有局限性,就是如果不给你arr1和arr2中值的范围,你就不好这么做了。
    //桶排序的思想这么常用。。虽然第一想法也是桶排序,但是。。
    public int[] relativeSortArray(int[] arr1, int[] arr2) {
        int [] temp=new int[1001];
        int [] res=new int[arr1.length];
        int j=0;//结果数组的指针
        //把arr1放入桶中
        for(int i=0;i0){
                res[j++]=i;
                temp[i]--;
            }
        }
        //把不在arr2的直接放到结果数组中,桶排序最大的优点就是已经有序了,不用再排序
        for(int i=0;i0){
                res[j++]=i;
                temp[i]--;
            }
        }
        return res;
    }
}

你可能感兴趣的:(LeetCode#数组,leetcode,数组)