Java 8에서 도입된 Predicate의 기본적인 사용 방법 및 예제에 대해서 알아보겠습니다.
1. Predicate
Predicate는 Type T 인자를 받고 boolean을 리턴하는 함수형 인터페이스입니다.
public interface Predicate<T> {
/**
* Evaluates this predicate on the given argument.
*
* @param t the input argument
* @return {@code true} if the input argument matches the predicate,
* otherwise {@code false}
*/
boolean test(T t);
....
}
2. Predicate의 구현 방법 및 예제
Predicate는 람다식으로 구현할 수 있습니다.
test()
호출과 함께 인자를 전달하면 람다식의 구현 내용이 수행되며 결과로 boolean이 리턴됩니다.
import java.util.function.Predicate;
public class PredicateExample1 {
public static void main(String[] args) {
Predicate<Integer> predicate = (num) -> num > 10;
boolean result = predicate.test(100);
System.out.println(result);
}
}
Output:
true
3. and()로 다수의 Predicate 연결 및 수행
and()
는 Predicate들을 연결하는(Chain) 메소드입니다. Predicate들의 결과들을 AND 연산하고 그 결과를 리턴합니다.
아래 예제에서 predicate1.and(predicate2).test(25)
는 predicate1과 predicate2가 모두 true일 때 true가 리턴됩니다. 둘 중 하나라도 false라면 false가 리턴됩니다.
import java.util.function.Predicate;
public class PredicateExample2 {
public static void main(String[] args) {
Predicate<Integer> predicate1 = (num) -> num > 10;
Predicate<Integer> predicate2 = (num) -> num < 20;
boolean result = predicate1.and(predicate2).test(25);
System.out.println("25 : 10 < num < 20 ? " + result);
result = predicate1.and(predicate2).test(15);
System.out.println("15: 10 < num < 20 ? " + result);
}
}
Output:
25 : 10 < num < 20 ? false
15: 10 < num < 20 ? true
4. or()로 다수의 Predicate 연결 및 수행
or()
는 and()
처럼 Predicate들을 연결하는 메소드입니다. 하지만 or()
는 Predicate들의 OR 연산에 대한 결과를 리턴합니다.
아래 예제에서 predicate1.or(predicate2).test(5)
는 predicate1, predicate2 중에 하나라도 True가 되면 True를 리턴합니다.
import java.util.function.Predicate;
public class PredicateExample5 {
public static void main(String[] args) {
Predicate<Integer> predicate1 = (num) -> num > 10;
Predicate<Integer> predicate2 = (num) -> num < 0;
boolean result = predicate1.or(predicate2).test(5);
System.out.println("5 : num < 0 or num > 10 ? " + result);
result = predicate1.or(predicate2).test(15);
System.out.println("15 : num < 0 or num > 10 ? " + result);
result = predicate1.or(predicate2).test(-5);
System.out.println("-5 : num < 0 or num > 10 ? " + result);
}
}
Output:
5 : num < 0 or num > 10 ? false
15 : num < 0 or num > 10 ? true
-5 : num < 0 or num > 10 ? true
5. Predicate.isEqual()
Predicate.isEqual(obj)
은 인자로 전달된 객체와 같은지 비교하는 Predicate 객체를 리턴합니다.
Stream에서 사용될 수도 있으며, Stream으로 전달되는 데이터가 특정 값과 같은지 비교할 때 사용할 수 있습니다.
import java.util.function.Predicate;
import java.util.stream.IntStream;
import java.util.stream.Stream;
public class PredicateExample4 {
public static void main(String[] args) {
Stream<Integer> stream = IntStream.range(1, 10).boxed();
stream.filter(Predicate.isEqual(5))
.forEach(System.out::println);
}
}
Output:
5
isEqual()
은 JDK에 다음과 같이 구현되어있습니다.
public interface Predicate<T> {
/**
* Returns a predicate that tests if two arguments are equal according
* to {@link Objects#equals(Object, Object)}.
*
* @param <T> the type of arguments to the predicate
* @param targetRef the object reference with which to compare for equality,
* which may be {@code null}
* @return a predicate that tests if two arguments are equal according
* to {@link Objects#equals(Object, Object)}
*/
static <T> Predicate<T> isEqual(Object targetRef) {
return (null == targetRef)
? Objects::isNull
: object -> targetRef.equals(object);
}
}
6. Predicate.negate()
negate()
는 Predicate가 리턴하는 boolean 값과 반대되는 값을 리턴하는 Predicate를 리턴합니다.
즉, 논리연산자의 NOT이 Predicate 앞에 붙는다고 생각할 수 있습니다. 논리적으로 반대되는 Predicate를 만들 때 사용할 수 있습니다.
import java.util.function.Predicate;
public class PredicateExample6 {
public static void main(String[] args) {
Predicate<Integer> predicate = (num) -> num > 10;
Predicate<Integer> negatePredicate = predicate.negate();
boolean result = predicate.test(100);
System.out.println("100 is greater than 10 ? " + result);
result = negatePredicate.test(100);
System.out.println("100 is less than 10 ? " + result);
}
}
Output:
100 is greater than 10 ? true
100 is less than 10 ? false
negate()
은 JDK에 다음과 같이 구현되어있습니다.
public interface Predicate<T> {
/**
* Returns a predicate that represents the logical negation of this
* predicate.
*
* @return a predicate that represents the logical negation of this
* predicate
*/
default Predicate<T> negate() {
return (t) -> !test(t);
}
}
7. Stream에서 Predicate 사용
Stream의 filter()에서 데이터를 필터링할 때 Predicate를 사용할 수 있습니다. Predicate는 1개의 인자를 받고 boolean으로 결과를 리턴하는데, Stream의 데이터를 받고 필터링할지를 boolean으로 결과를 리턴할 수 있습니다.
import java.util.function.Predicate;
import java.util.stream.IntStream;
import java.util.stream.Stream;
public class PredicateExample3 {
public static void main(String[] args) {
Stream<Integer> stream = IntStream.range(1, 10).boxed();
Predicate<Integer> predicate = num -> num > 5;
stream.filter(predicate)
.forEach(System.out::println);
}
}
Output:
6
7
8
9
Related Posts
- Java - Unsupported class file major version 61 에러
- Java - String.matches()로 문자열 패턴 확인 및 다양한 예제 소개
- Java - 문자열 공백제거 (trim, replace)
- Java - replace()와 replaceAll()의 차이점
- Java - ArrayList 초기화, 4가지 방법
- Java - 배열 정렬(Sorting) (오름차순, 내림차순)
- Java - 문자열(String)을 비교하는 방법 (==, equals, compare)
- Java - StringBuilder 사용 방법, 예제
- Java - 로그 출력, 파일 저장 방법 (Logger 라이브러리)
- Java IllegalArgumentException 의미, 발생 이유
- Java - NullPointerException 원인, 해결 방법
- Seleninum의 ConnectionFailedException: Unable to establish websocket connection 해결
- Java - compareTo(), 객체 크기 비교
- Java - BufferedWriter로 파일 쓰기
- Java - BufferedReader로 파일 읽기
- Java charAt() 함수 알아보기
- Java - BigInteger 범위, 비교, 연산, 형변환
- Java contains()로 문자(대소문자 X) 포함 확인
- Java - Set(HashSet)를 배열로 변환
- Java - 문자열 첫번째 문자, 마지막 문자 확인
- Java - 문자열 한글자씩 자르기
- Java - 문자열 단어 개수 가져오기
- Java - 1초마다 반복 실행
- Java - 배열을 Set(HashSet)로 변환
- Java - 여러 Set(HashSet) 합치기
- Java - 명령행 인자 입력 받기
- Java - 리스트 역순으로 순회, 3가지 방법
- Java - 특정 조건으로 리스트 필터링, 3가지 방법
- Java - HashMap 모든 요소들의 합계, 평균 계산
- Java - 특정 조건으로 HashMap 필터링
- Java - 싱글톤(Singleton) 패턴 구현
- Java - 숫자 왼쪽에 0으로 채우기
- Java - String 배열 초기화 방법
- Java - 정렬된 순서로 Map(HashMap) 순회
- Java - HashMap에서 key, value 가져오기