所有 Null,任何 Null 都是可能的番石榴谓词



我目前面临代码可读性问题。问题如下:

有三个对象

// initialization skipped, all of three could be null as result of their initalization
Object obj1;
Object obj2;
Object obj3;

我想从中创建两个布尔值,如下所示:

// all are null
boolean bool1 = (obj1 == null && obj2 == null && obj3 == null); 
// any of them is null
boolean bool2 = (obj1 == null || obj2 == null || obj3 == null);

我知道番石榴提供了内置谓词,如isNullnotNull

有没有办法实现满足这两个布尔值的自定义谓词?(假设.apply(..)函数需要 3 个参数)

我不确定你想要什么,但答案很可能是:是的,但这没什么意义。

您可以使用

FluentIterable<Object> it =
    FluentIterable.from(Lists.newArrayList(obj1, obj2, obj3));
boolean allNull = it.allMatch(Predicates.isNull());
boolean anyNull = it.anyMatch(Predicates.isNull());

但请放心,它的可读性要低得多,而且比以正常方式执行要慢得多。

显然你坚持要有Predicate s,这在你的用例中是完全没有意义的。所以maaartinus的答案是正确的,但没有提供带有谓词的答案。这是一个带有谓词的解决方案。

Predicate<Iterable<?>> anyIsNull = new Predicate<Iterable<?>>() {
    @Override public boolean apply(Iterable<?> it) {
        return Iterables.any(it, Predicates.isNull());
    }
};
Predicate<Iterable<?>> allAreNull = new Predicate<Iterable<?>>() {
    @Override public boolean apply(Iterable<?> it) {
        return Iterables.all(it, Predicates.isNull());
    }
};

用法:

bool1 = anyIsNull.apply(Arrays.asList(obj1, obj2, obj3));
bool2 = allAreNull.apply(Arrays.asList(obj1, obj2, obj3));

易于在原版 Java 8 中实现:

/**
 * Check that <b>at least one</b> of the provided objects is not null
 */
@SafeVarargs
public static <T>
boolean anyNotNull(T... objs)
{
    return anySatisfy(Objects::nonNull, objs);
}
/**
 * Check that <b>at least one</b> of the provided objects satisfies predicate
 */
@SafeVarargs
public static <T>
boolean anySatisfy(Predicate<T> predicate, T... objs)
{
    return Arrays.stream(objs).anyMatch(predicate);
}
/**
 * Check that <b>all</b> of the provided objects satisfies predicate
 */
@SafeVarargs
public static <T>
boolean allSatisfy(Predicate<T> predicate, T... objs)
{
    return Arrays.stream(objs).allMatch(predicate);
}
//... other methods are left as an exercise for the reader

(查看@SaveVarargs的内容和原因)

用法:

    // all are null
    final boolean allNulls1 = !anyNotNull(obj1, obj2, obj3);
    final boolean allNulls2 = allSatisfy(Objects::isNull, obj1, obj2, obj3);
    // any of them is null
    final boolean hasNull = anySatisfy(Objects::isNull, obj1, obj2, obj3);

附言:新手程序员的一般说明。Guava是一个很棒的库,但是如果你只是因为一些小而简单的部分(比如这个,或Strings.isNullOrEmpty等)而想要它,IMO对你的项目来说,自己实现这个东西并避免额外的依赖性要好得多。

相关内容

  • 没有找到相关文章

最新更新