11

我有一种情况,我将收到 2+ArrayList<Widget>并且我需要能够合并所有列表并删除任何重复项Widget,以便我最终得到 1ArrayList<Widget>包含所有Widget合并列表中的所有 s ,但没有任何重复项。

AssumeWidget有一个重写的equals方法,用于确定两个Widgets 是否重复,尽管可能有更好的方法:

public ArrayList<Widget> mergeAndRemoveDupes(ArrayList<Widget> widgets...) {
    // ???
}

寻找实现这一点的算法最有效的方法。我很高兴使用 Apache Commons 或任何其他可以帮助我的开源库!提前致谢!

4

3 回答 3

12

对于每个ArrayList<Widget>,将每个元素添加到一个Set<Widget>HashSetTreeSet,取决于它们是否可以以某种方式排序,或者是可散列的)利用addAll. 默认情况下,集合不包含重复项。

如果最后需要,您可以将其转换Set回。(Array)List

请注意,如果您决定使用 a ,您将需要hashCode为您的类实现,但如果您有一个覆盖,则无论如何都应该这样做。WidgetHashSetequals,

编辑:这是一个例子:

//Either the class itself needs to implement Comparable<T>, or a similar
//Comparable instance needs to be passed into a TreeSet 
public class Widget implements Comparable<Widget>
{
    private final String name;
    private final int id;

    Widget(String n, int i)
    {
        name = n;
        id = i;
    }

    public String getName()
    {
        return name;
    }

    public int getId()
    {
        return id;
    }

    //Something like this already exists in your class
    @Override
    public boolean equals(Object o)
    {
        if(o != null && (o instanceof Widget)) {
            return ((Widget)o).getName().equals(name) &&
                   ((Widget)o).getId() == id;
        }
        return false;
    }

    //This is required for HashSet
    //Note that if you override equals, you should override this
    //as well. See: http://stackoverflow.com/questions/27581/overriding-equals-and-hashcode-in-java
    @Override 
    public int hashCode()
    {
        return ((Integer)id).hashCode() + name.hashCode();
    }

    //This is required for TreeSet
    @Override
    public int compareTo(Widget w)
    {
        if(id < w.getId()) return -1;
        else if(id > w.getId()) return 1;
        return name.compareTo(w.getName());
    }

    @Override 
    public String toString()
    {
        return "Widget: " + name + ", id: " + id;
    }
}

如果你想使用 aTreeSet但不想Comparable<T>在你的Widget类上实现,你可以给集合本身一个Comparator对象:

private Set<Widget> treeSet;
....
treeSet = new TreeSet<Widget>(new Comparator<Widget>() {
            public int compare(Widget w1, Widget w2)
            {
                if(w1.getId() < w2.getId()) return -1;
                else if(w1.getId() > w2.getId()) return 1;
                return w1.getName().compareTo(w2.getName());
            }
           });
于 2013-05-09T02:17:10.053 回答
9

我会这样做

Set<Widget> set = new HashSet<>(list1);
set.addAll(list2);
List<Widget> mergeList = new ArrayList<>(set);
于 2013-05-09T02:20:55.333 回答
2

使用Set集合类,

ArrayList<Widget> mergeList = new ArrayList<widget>();
mergeList.addAll(widgets1);
mergeList.addAll(widgets2);
Set<Widget> set  = new HashSet<Widget>(mergeList);
ArrayList<Widget> mergeListWithoutDuplicates = new ArrayList<widget>();
mergeListWithoutDuplicates .addAll(set);
return mergeListWithoutDuplicates;

现在在这里 Set 将从您的 ArrayList 中删除所有重复值。

于 2013-05-09T02:19:52.637 回答