将两个Java Arraylists合并为重复项

时间:2016-03-29 13:03:12

标签: java algorithm arraylist data-structures

我试图通过合并另外两个列表来生成ArrayList。我被允许复制对象,但是我生成的ArrayList必须包含两个初始列表之间的差异。我意识到这可能听起来很复杂,所以这里有一个例子:

ArrayList 1: [obj1,obj1,obj1,obj2,obj4,obj4]
ArrayList 2: [obj1,obj2,obj2,obj3]

产生的ArrayList: [obj1,obj1,obj2,obj3,obj4,obj4]

我觉得这应该很简单,但我似乎无法弄明白。我会使用ArrayList1.removeAll(ArrayList2),但是每个对象都有它的'拥有个人ID,所以我不认为我会发现它们是同一个对象。

编辑:修复了我生成的ArrayList中的错误 谢谢!

1 个答案:

答案 0 :(得分:1)

只需使用一个hashmap,将一个元素映射到它在list1中出现的次数,另一个hashmap用于list2,然后创建一个新的arraylist并添加objx n次,其中n = abs(hashmap1.get(objx) - hashmap2.get(物objx))。

import java.util.*;
import java.lang.*;
import java.io.*;

public class Main
{
    public static void main (String[] args) throws java.lang.Exception
    {
        List<Integer> list1 = Arrays.asList(new Integer[] { 1, 1, 1, 2, 4, 4 });
        List<Integer> list2 = Arrays.asList(new Integer[] { 1, 2, 2, 3 });
        HashMap<Integer, Integer> hashMap1 = new HashMap<>();
        HashMap<Integer, Integer> hashMap2 = new HashMap<>();
        for (Integer i : list1) {
            if (hashMap1.containsKey(i)) {
                hashMap1.put(i, hashMap1.get(i) + 1);
            } else {
                hashMap1.put(i, 1);
            }
        }
        for (Integer i : list2) {
            if (hashMap2.containsKey(i)) {
                hashMap2.put(i, hashMap2.get(i) + 1);
            } else {
                hashMap2.put(i, 1);
            }
        }
        HashSet<Integer> dedup = new HashSet<>();
        for (Integer i : list1) {
            dedup.add(i);
        }
        for (Integer i : list2) {
            dedup.add(i);
        }
        ArrayList<Integer> result = new ArrayList<>();
        for (Integer i : dedup) {
            Integer n1 = hashMap1.get(i);
            Integer n2 = hashMap2.get(i);
            int n = Math.abs((n1 == null ? 0 : n1) - (n2 == null ? 0 : n2));
            for (int j = 0; j < n; ++j) {
                result.add(i);
            }
        }
        for (Integer i : result) {
            System.out.println(i);
        }
    }
}