나는 보통 스트림을 사용할 때, toList()와 collect(Collectors.toList())를 주로 사용한다. toList()는 Java 16때 추가된 것이고, collect(Collectors.toList())는 Java 8때 등장한 것이다.
나는 더 간결하다는 이유로 toList()를 보통 사용하였다. 하지만, 어떤 차이점이 있는 지 알아보기 위해 글을 작성한다.
.collect(Collectors.toList())
- 반환되는 List의 수정이 가능하다.
- Null값을 허용한다.
@DisplayName("Collectors.toList() modify 가능 테스트")
@Test
public void collectorsToList() {
List<String> modifiable = Stream.of("foo", "bar")
.collect(Collectors.toList());
modifiable.add("new");
assertEquals(3, modifiable.size());
}
→ List 수정 가능 테스트
Stream.toList()
- 반환되는 List의 수정이 불가능하다.
- Null값을 허용한다.
@DisplayName("Stream.toList() modify 불가능 테스트")
@Test
public void streamToList() {
List<String> unmodifiable = Stream.of("foo", "bar").toList();
assertThrows(UnsupportedOperationException.class,
() -> unmodifiable.add("new"));
List<String> copied = List.copyOf(unmodifiable);
assertThrows(UnsupportedOperationException.class,
() -> copied.add("new"));
}
→ List 수정 불가능 테스트
+ 추가
.collect(Collectors.toUnmodifiableList())
- 수정불가능한 List를 반환하기 위해 Java10에 추가된 것이다.
- 반환되는 List의 수정이 불가능하다
- Null값을 허용하지 않는다.
@DisplayName("Collectors.toUnmodifiableList() modify 불가능 테스트")
@Test
public void collectorsToUnmodifiableList() {
List<String> unmodifiable = Stream.of("foo", "bar")
.collect(Collectors.toUnmodifiableList());
assertThrows(UnsupportedOperationException.class,
() -> unmodifiable.add("new"));
}
→ List 수정 불가능 테스트
'JAVA' 카테고리의 다른 글
Enum 조회 성능 향상하기(feat. Map) (1) | 2025.01.21 |
---|---|
Arrays.asList()와 List.of()의 차이 (0) | 2024.09.30 |
Enum (1) | 2023.09.15 |
equals()와 hashcode() (1) | 2023.09.06 |