0
Matcher m = Pattern.compile("(" + genusNames + ")[^\\p{L}][^\uFF00]").matcher(inputText);
        while(m.find()){
            if(!StateMachine.checkFormatRoman(m.group(1).length(), m.start()))
                createDecision(m.group(1), "<Roman>" + m.group(1) + "</Roman>", m.start());
    }

在上面的代码中 checkFormatRoman 方法来自另一个类。我应该怎么做才能消除这个方法的依赖,注意提供给这个方法的值是动态获得的。

4

2 回答 2

1

我认为你应该模拟你的静态方法StateMachine.checkFormatRoman。您可以使用powermock执行此操作。

您可以返回所需的值。

就像是..

PowerMockito.mockStatic(StateMachine.class);
PowerMockito.when(StateMachine.checkFormatRoman(5, "IIIIL")).thenReturn(true);
于 2012-11-22T09:26:12.600 回答
0

我假设StateMachine.checkFormatRomanstatic. 您可以按如下方式重新设计:

class StateMachine {
    static class Implementation implements ImplementationInterface {
        ...
    }

    ImplementationInterface impl;

    public StateMachine () {
        impl = new Implementation ();
    }

    public StateMachine (ImplementationInterface alternative) {
        impl = alternative;
    }

    public ... checkFormatRoman (...) {
        return impl.checkFormatRoman (...);
    }
}

现在,出于测试目的,您可以通过使用machine = new StateMachine (dummyImplementation);.

替代方法:

重新设计您正在测试的类,以便您可以指定要调用的函数checkFormatRoman

class MyClass { // the class you are testing
    public interface Helpers {
        ... checkFormatRoman ...
    }

    static class HelpersDefault implements Helpers {
        ... checkFormatRoman ... {
            return StateMachine.checkFormatRoman (...);
        }
    }

    Helpers helpers = new HelpersDefault ();

    public void setHelpers (Helpers alternativeHelpers) {
        helpers = alternativeHelpers;
    }

    ... // your methods, calling, e.g., helpers.checkFormatRoman instead of
    // StateMachine.checkFormatRoman
}

// testing
...
objToTest = new MyClass ();
objToTest.setHelpers ( new MyClass.Helpers {
   // ... test dummy implementation of checkFormatRoman goes here
});

StateMachine或者通过定义一个接口并在构造时传递一个状态机参数来完全删除你的类对 StateMachine 的依赖。

于 2012-11-22T09:03:05.630 回答