Java - 리스트 중복 제거, 2가지 방법

자바에서 ArrayList의 요소들 중에 중복된 요소가 있는지 확인하고 제거하는 방법을 소개합니다.

1. Set으로 리스트 중복 제거

HashSet 등, Set는 중복 요소를 허용하지 않는 자료구조입니다. 만약 중복 요소가 있는 리스트를 Set로 변환하면 저절로 중복이 제거됩니다. 중복 요소가 제거된 Set를 다시 List로 변환하면 중복이 제거된 List가 됩니다.

아래 코드는 리스트를 Set로 변환하고, 다시 Set를 리스트로 변환하여 중복을 제거하는 예제입니다.

String[] arr = {"a", "b", "c", "d", "a", "e"};
List<String> list = new ArrayList<>(List.of(arr));

Set<String> set = new HashSet<>(list);

List<String> result = new ArrayList<>(set);
System.out.println("result : " + result);

Output:

result : [a, b, c, d, e]

1.1 리스트에 중복 요소가 있는지 확인

중복 요소가 있는 리스트의 크기와 중복이 제거된 리스트의 크기를 비교하여 크기가 다를 때 중복이 있다고 판단할 수 있습니다.

아래 예제는 Set를 이용하여 중복을 제거한 리스트와 크기를 비교합니다.

String[] arr = {"a", "b", "c", "d", "a", "e"};
List<String> list = new ArrayList<>(List.of(arr));

Set<String> set = new HashSet<>(list);
if (set.size() != list.size()) {
    System.out.println("List contains duplicates");
}

Output:

List contains duplicates

2. Stream.distinct()으로 리스트 중복 제거

Stream.distinct()는 Stream의 중복 요소를 모두 제거합니다. collect(Collectors.toList())는 중복 제거된 Stream의 요소들을 리스트로 변환하여 리턴합니다.

String[] arr = {"a", "b", "c", "d", "a", "e"};
List<String> list = new ArrayList<>(List.of(arr));

List<String> result = list.stream().distinct().collect(Collectors.toList());
System.out.println("result : " + result);

Output:

result : [a, b, c, d, e]

2.1 리스트에 중복 요소가 있는지 확인

원본 리스트의 크기와 중복이 제거된 리스트의 크기를 비교하여, 크기가 다르다면 중복된 요소가 존재한다고 판단할 수 있습니다.

String[] arr = {"a", "b", "c", "d", "a", "e"};
List<String> list = new ArrayList<>(List.of(arr));

if (list.size() != list.stream().distinct().count()) {
    System.out.println("List contains duplicates");
}

Output:

List contains duplicates
Loading script...

Related Posts

codechachaCopyright ©2019 codechacha