문제

I'm getting a List of object A, then I use Apache Commons Collection4 to transform the obtained List from having A instances to having B instances.

    listOfBs = (List<B>) CollectionUtils.collect(listOfAs, componentTransformer);

However, eventually I need to have an Array of Bs not a List.

So my question is, which is faster.

  1. Convert the list using CollectionUtils.collect
  2. Create an array using listOfBs.toArray(new B[listOfBs.size()])

Or

  1. Loop over the listOfAs
  2. Transform each A object to a B object
  3. Add each B object to an array (B[])

The difference between the first approach and the second approach is that the first approach has much less code, but I'm not sure if the toArray method bares a hidden loop or expensive operations.

What I see in the second approach is that I'm sure I'll loop only once over the listOfAs list.

So which approach is faster ?

도움이 되었습니까?

해결책

Don't be concerned about performance of List.toArray(), its complexity is linear as it will resort to a single loop internally.

As it is implemented with Arrays.copyOf, which eventually comes to System.arraycopy, that is implemented in native code it could be potentially even faster than a java-level loop.

다른 팁

Very interesting to read is this article:http://shipilev.net/blog/2016/arrays-wisdom-ancients/#_conclusion

It goes into great detail about the different ways to convert a List to an array.

Conclusion: do not use listOfBs.toArray(new B[listOfBs.size()]) as stated by you, but use listOfBs.toArray(new B[0]).

Believe it or not, this is faster.

라이센스 : CC-BY-SA ~와 함께 속성
제휴하지 않습니다 StackOverflow
scroll top