如何在jexl中连接两个数字字符串?

时间:2014-03-17 06:10:05

标签: java jexl

例如:

@Test
public void test2() {
    JexlEngine jexl = new JexlEngine();
    jexl.setLenient(false);
    jexl.setSilent(false);
    JexlContext jc = new MapContext();
    Expression exp = jexl.createExpression("\"1\"+\"1\"");
    System.out.println(exp.evaluate(jc));
}

实际结果是:

2

我的预期结果是:

"11"

请告诉我上面的例子有什么问题。我怎样才能得到预期的结果。

谢谢!

1 个答案:

答案 0 :(得分:0)

看一下http://svn.apache.org/viewvc/commons/proper/jexl/tags/COMMONS_JEXL_2_1_1/src/main/java/org/apache/commons/jexl2/JexlArithmetic.java?view=markup(第373行),JexlArithmetic.add()将字符串强制转换为数值,并且仅作为最后一种情况使用字符串连接来操作操作数。具体来说:

409         } catch (java.lang.NumberFormatException nfe) {
410             // Well, use strings!
411             return toString(left).concat(toString(right));
412         }

此处JexlArithmetic的子类是合适的。我们可以提供展示您想要的行为的new JexlEngine()。这是一个可能的子类:

public class NoStringCoercionArithmetic extends JexlArithmetic {
    public NoStringCoercionArithmetic(boolean lenient) {
        super(lenient);
    }

    public NoStringCoercionArithmetic() {
        this(false);
    }

    @Override
    public Object add(Object left, Object right) {
        if (left instanceof String || right instanceof String) {
            return left.toString() + right.toString();
        }
        else {
            return super.add(left, right);
        }
    }
}

在测试中:

JexlEngine jexl = new JexlEngine(null, new NoStringCoercionArithmetic(), null, null);
jexl.setLenient(false);
jexl.setStrict(true); 
JexlContext jc = new MapContext();
Expression exp = jexl.createExpression("\"1\"+\"1\"");
System.out.println(exp.evaluate(jc)); // expected result "11"