题目链接:
力扣https://leetcode-cn.com/problems/array-of-doubled-pairs/
【分析】通过哈希表和排序来解决这个问题,先统计0的个数,因为0这个元素比较特殊,他是自身的二倍,如果0的个数为奇数,那么剩下的元素个数为奇数,必然不可能俩俩组合。用hashmap统计其他元素及出现次数,接下来把这些元素放在链表中,按照绝对值的大小排序。从小到大遍历链表中的数,如果当前数的个数>当前数2倍的个数,说明后面的数不足以支撑他组成成对的,直接return false,否则,就把当前数2倍的个数-当前数的个数。
class Solution {
public class cmp implements Comparator<Integer>{
@Override
public int compare(Integer a, Integer b){
if(Math.abs(a) < Math.abs(b)) return -1;
return 1;
}
}
public boolean canReorderDoubled(int[] arr) {
int n = arr.length;
int i = 0, j = 0, m;
Map<Integer, Integer> map = new HashMap<>();
List<Integer> list = new ArrayList<>();
for(Integer it: arr){
if(it != 0){
map.put(it, map.getOrDefault(it, 0) + 1);
}else{
j++;
}
}
if(j % 2 != 0) return false;
for(Integer it: map.keySet()){
list.add(it);
}
n = list.size();
list.sort(new cmp());
int a, b;
for(i = 0; i < n; i++){
a = list.get(i); b = a * 2;
if(map.get(a) > map.getOrDefault(b, 0)){
return false;
}
map.put(b, map.getOrDefault(b, 0) - map.get(a));
}
return true;
}
}