1

如何在 Java 运行时获取算术运算符?假设我有价值观

  • ADD它应该添加数字
  • MUL那么它应该乘以这个数字

例如

  public calculate(int x, String str){
   while(str.equals("some value")){
     If( str.equals("ADD"))
        // it should return me something like x+
     if( str.equals("MUL"))
        it return me something like x*
    }
    if( str.equals("FINAL"))
        it should return me x+x*x

  }
4

3 回答 3

3

您需要的不是运行时元编程,而是一流的函数。

以下代表一等函数,分别为 1 和 2。

abstract class UnaryFunction<A, B> {
  public abstract B apply(A a);
}

abstract class BinaryFunction<A, B, C> {
  public abstract C apply(A a, B b);
}

为了简单起见,让我们使用上述类的特殊版本。

abstract class UnaryOperation {
  public abstract int apply(int a);
}

abstract class BinaryOperation {
  public abstract int apply(int a, int b);
}

现在构建所需算术运算的字典。

Map<String, BinaryOperation> ops = new HashMap<String, BinaryOperation>();
ops.put("ADD", new BinaryOperation() {
  public int apply(int a, int b) {
    return a + b;
  }
});
ops.put("MUL", new BinaryOperation() {
  public int apply(int a, int b) {
    return a * b;
  }
});
// etc.

添加部分应用于BinaryOperation一个参数的方法。

abstract class BinaryOperation {
  public abstract int apply(int a, int b);

  public UnaryOperation partial(final int a) {
    return new UnaryOperation() {
      public int apply(int b) {
        return BinaryOperation.this.apply(a, b);
      }
    };
  }
}

现在我们可以编写你的calculate方法了。

public UnaryOperation calculate(int x, String opString) {
  BinaryOperation op = ops.get(opString);
  if(op == null)
    throw new RuntimeException("Operation not found.");
  else
    return op.partial(x);
}

采用:

UnaryOperation f = calculate(3, "ADD");
f.apply(5); // returns 8

UnaryOperation g = calculate(9, "MUL");
f.apply(11); // returns 99

上述解决方案中使用的抽象,即第一类函数接口和部分应用程序,都在这个库中可用。

于 2012-06-02T07:04:40.340 回答
2
public class Calculator {
    public static enum Operation {ADD, MUL, SUB, DIV};
    private int x; // store value from previous operations

    public void calculate(int x, Operation operation) {
        switch(operation) {
        case ADD:
            this.x += x;
            break;
        case MUL:
            this.x *= x;
            break;
        case SUB:
            this.x -= x;
            break;
        case DIV:
            this.x /= x;
            break;
        }
    }

    public int getResult() {
        return this.x;
    }
}

要在代码的其他地方使用它:

public static void main(String[] args) {
    Calculator c = new Calculator();
    c.calculate(4, Calculator.Operation.ADD);
    // Other operations
    c.getResult(); // get final result
}
于 2012-06-02T04:50:32.967 回答
0

假设您只是尝试 add 和 multiply x,只需执行以下操作:

public int calculate(int x, String str) {
    // while(true) is gonna get you into some trouble
    if( str.equals("ADD")) {
        return x + x;
    }
    else if( str.equals("MUL")) {
        return x * x;
    }
    else
        return x; // not sure what you want to do in this case
}
于 2012-06-02T04:45:11.390 回答