Concatenate lists with double brace initialization

144 Views Asked by At

I would like to concatenate two array lists as it shows in the answer:

final List<String> l1 = Lists.newArrayList(...);
final List<String> l2 = Lists.newArrayList(...);
List<String> l = new ArrayList<String>() { { addAll(l1); addAll(l2); } };

Is there any non style reason I should not use it this way?

2

There are 2 best solutions below

2
On

Well, first of all, it depends on what you wish to do with duplicate elements. This code will keep any duplicates (i.e. if l1 and l2 both contain "someString", l will contain two "someString"), so it's not really a union operation. Calling it a concatenation of two lists would be more accurate.

Other than that, using the "double brace" is actually creating an instance of an anonymous class that extends ArrayList. I think it's a bad code style.

List<String> l = new ArrayList<String>(l1);
l.addAll(l2);

is clearer and is not longer to write.

0
On

If you are already using Guava, you can do this using the following one-liner:

List<String> l = FluentIterable.from(l1).append(l2).copyInto(new ArrayList<String>());

I personally don't like double braces. This produces new class just for the purpose to initialize it in different way. New class means bigger target jar file, more memory is necessary for JVM to store classes, bigger inheritance table for JIT compiler, etc. This can become significant if you use such approach everywhere. If you return this ArrayList to another component and your current component is not used anymore (for example, you are using OSGi or other module system), you may end up having hanging ClassLoader which is linked only by this anonymous class. Also if you care about serialization, you should declare serialVersionID in this new class. Even if you don't care, you may have a warning about this.