我知道,我可以在JEXL中做几件事,但无法在其中找到过滤器功能,这确实非常有用。

我该怎么做

 var x=[{a:11,b=5},{a:1,b=15},{a:12,b=25},{a:4,b=35},{a:7,b=45}];

 return x[.a>10].b; // Which filters to {a:11,b=5} & {a:12,b=25}
                   // & hence returns [5,25]

最佳答案

首先,您的语法是无效的JEXL。我想你的意思是这样的:

var x = [{'a':11,'b':5}, {'a':1,'b':15}, {'a':12,'b':25}, {'a':4,'b':35}, {'a':7,'b':45}];

由于您可以在JEXL脚本中的任何对象上调用任何Java方法,因此您(至少理论上)具有对Java Stream API的完全访问权限。

但是,Stream API不能直接从原始数组中获得,我们不能不费吹灰之力就调用Arrays.stream(x);。解决此问题的最简单方法是创建一个集:
var x = {{'a':11,'b':5}, {'a':1,'b':15}, {'a':12,'b':25}, {'a':4,'b':35}, {'a':7,'b':45}};

现在我们可以简单地调用stream()并从那里开始工作:
x.stream();

我们现在想要的是这样的:
x.stream().filter(function(m){m['a']>10});

不幸的是,JEXL中的方法解析器将无法使用JEXL函数正确解析Stream.filter(Predicate),因为它不知道如何将JEXL函数转换为Predicate。 JEXL函数的类型为org.apache.commons.jexl3.internal.Closure

因此,您至少需要做的是在Java中提供自己的Predicate实现,然后在脚本中创建一个新实例:
public class MyCustomFilterPredicate implements Predicate<HashMap<String, Integer>> {
    @Override
    public boolean test(final HashMap<String, Integer> m)
    {
        return m.get("a") > 10;
    }
}

然后,您可以在JEXL脚本中创建一个新实例:
var filterPredicate = new('my.custom.filter.predicate.MyCustomFilterPredicate');
Stream.map(Function)也是如此:
public class MyCustomMapFunction implements Function<HashMap<String, Integer>, Integer> {
    @Override
    public Integer apply(final HashMap<String, Integer> m)
    {
        return m.get("b");
    }
}

并再次在脚本中创建一个新实例:
var mapFunction = new('my.custom.map.function.MyCustomMapFunction');

您的整个脚本将如下所示:
var x = {{'a':11,'b':5}, {'a':1,'b':15}, {'a':12,'b':25}, {'a':4,'b':35}, {'a':7,'b':45}};

var filterPredicate = new('my.custom.filter.predicate.MyCustomFilterPredicate');
var mapFunction = new('my.custom.map.function.MyCustomMapFunction');

return x.stream().filter(filterPredicate).map(mapFunction).toArray();

当然,您可能已经注意到谓词和函数实现的可重用性受到很大限制。这就是为什么我建议创建包装JEXL闭包的实现的原因:
public class MyCustomFilterPredicate implements Predicate<Object> {
    private final Closure closure;
    public MyCustomFilterPredicate(final Closure closure) {
        this.closure = closure;
    }
    @Override
    public boolean test(final Object o)
    {
        return (boolean) closure.execute(JexlEngine.getThreadContext(), o);
    }
}

public class MyCustomMapFunction implements Function<Object, Object> {
    private final Closure closure;
    public MyCustomMapFunction(final Closure closure) {
        this.closure = closure;
    }
    @Override
    public Object apply(final Object o)
    {
        return closure.execute(JexlEngine.getThreadContext(), o);
    }
}

现在,您可以按以下方式更改脚本,并以各种方式重用这些Java类:
var x = {{'a':11,'b':5}, {'a':1,'b':15}, {'a':12,'b':25}, {'a':4,'b':35}, {'a':7,'b':45}};

var filterPredicate = new('my.custom.filter.predicate.MyCustomFilterPredicate', function(m){m['a']>10});
var mapFunction = new('my.custom.map.function.MyCustomMapFunction', function(m){m['b']});

return x.stream().filter(filterPredicate).map(mapFunction).toArray();

10-08 02:11