Java8:(3) Predicate 인터페이스 사용 탐색
Predicate의 원본 코드는 Function과 비슷합니다. 이 두 가지를 비교해 보겠습니다.Predicate 소스를 직접 업로드하려면 다음과 같이 하십시오.
public interface Predicate {
/**
* Evaluates this predicate on the given argument.
*/
boolean test(T t);
/**
* Returns a composed predicate that represents a short-circuiting logical
* AND of this predicate and another. When evaluating the composed
* predicate, if this predicate is {@code false}, then the {@code other}
* predicate is not evaluated.
*/
default Predicate and(Predicate super T> other) {
Objects.requireNonNull(other);
return (t) -> test(t) && other.test(t);
}
/**
* Returns a predicate that represents the logical negation of this
* predicate.
*/
default Predicate negate() {
return (t) -> !test(t);
}
/**
* Returns a composed predicate that represents a short-circuiting logical
* OR of this predicate and another. When evaluating the composed
* predicate, if this predicate is {@code true}, then the {@code other}
* predicate is not evaluated.
*/
default Predicate or(Predicate super T> other) {
Objects.requireNonNull(other);
return (t) -> test(t) || other.test(t);
}
/**
* Returns a predicate that tests if two arguments are equal according
* to {@link Objects#equals(Object, Object)}.
*/
static Predicate isEqual(Object targetRef) {
return (null == targetRef)
? Objects::isNull
: object -> targetRef.equals(object);
}
}
Predicate는 단언식 인터페이스입니다. 매개 변수는 매개 변수 T를 주고 boolean 형식의 결과를 되돌려줍니다.Function과 마찬가지로 Predicate의 구체적인 실현도 전송된 lambda 표현식에 따라 결정된다.
boolean test(T t);
다음은 Predicate가 기본적으로 실현하는 세 가지 중요한 방법 and, or, negate를 살펴보겠습니다.
default Predicate and(Predicate super T> other) {
Objects.requireNonNull(other);
return (t) -> test(t) && other.test(t);
}
default Predicate negate() {
return (t) -> !test(t);
}
default Predicate or(Predicate super T> other) {
Objects.requireNonNull(other);
return (t) -> test(t) || other.test(t);
}
이 세 가지 방법은 자바의 세 가지 연결 기호 &, ||와!,기본적인 사용은 매우 간단합니다. 예를 들어 보겠습니다.
int[] numbers= {1,2,3,4,5,6,7,8,9,10,11,12,13,14,15};
List list=new ArrayList<>();
for(int i:numbers) {
list.add(i);
}
Predicate p1=i->i>5;
Predicate p2=i->i<20;
Predicate p3=i->i%2==0;
List test=list.stream().filter(p1.and(p2).and(p3)).collect(Collectors.toList());
System.out.println(test.toString());
/** print:[6, 8, 10, 12, 14]*/
우리는 세 가지 단언 p1, p2, p3을 정의했다.현재 1~15의list가 있습니다. 이list를 필터해야 합니다.상기 필터는 5보다 작고 20보다 작은 모든 것을 필터하고 짝수 목록입니다.
만약 갑자기 우리의 수요가 바뀌었다면, 우리는 지금 홀수를 필터해야 한다.그러면 제가 직접 Predicate를 고칠 수는 없습니다. 실제 프로젝트에서 이 조건은 다른 곳에서도 사용할 수 있기 때문입니다.그러면 Filter의 Predicate 조건만 변경하면 됩니다.
List test=list.stream().filter(p1.and(p2).and(p3.negate())).collect(Collectors.toList());
/** print:[7, 9, 11, 13, 15]*/
우리는 직접 p3이라는 조건을 거꾸로 취하면 실현할 수 있다.너무 쉽죠?
isEqual 이 방법의 반환 유형도 Predicate이기 때문에 함수식 인터페이스로 사용할 수 있습니다.우리는 == 조작부호로 사용할 수 있다.
List test=list.stream()
.filter(p1.and(p2).and(p3.negate()).and(Predicate.isEqual(7)))
.collect(Collectors.toList());
/** print:[7] */
이 내용에 흥미가 있습니까?
현재 기사가 여러분의 문제를 해결하지 못하는 경우 AI 엔진은 머신러닝 분석(스마트 모델이 방금 만들어져 부정확한 경우가 있을 수 있음)을 통해 가장 유사한 기사를 추천합니다:
다양한 언어의 JSONJSON은 Javascript 표기법을 사용하여 데이터 구조를 레이아웃하는 데이터 형식입니다. 그러나 Javascript가 코드에서 이러한 구조를 나타낼 수 있는 유일한 언어는 아닙니다. 저는 일반적으로 '객체'{}...
텍스트를 자유롭게 공유하거나 복사할 수 있습니다.하지만 이 문서의 URL은 참조 URL로 남겨 두십시오.
CC BY-SA 2.5, CC BY-SA 3.0 및 CC BY-SA 4.0에 따라 라이센스가 부여됩니다.