Singleton è un approccio migliore dal punto di vista dei test. A differenza delle classi statiche, singleton potrebbe implementare interfacce ed è possibile utilizzare l'istanza finta e iniettarle.
Nell'esempio che segue illustrerò questo. Supponiamo di avere un metodo isGoodPrice () che utilizza un metodo getPrice () e di implementare getPrice () come metodo in un singleton.
singleton che fornisce funzionalità getPrice:
public class SupportedVersionSingelton {
private static ICalculator instance = null;
private SupportedVersionSingelton(){
}
public static ICalculator getInstance(){
if(instance == null){
instance = new SupportedVersionSingelton();
}
return instance;
}
@Override
public int getPrice() {
// calculate price logic here
return 0;
}
}
Uso di getPrice:
public class Advisor {
public boolean isGoodDeal(){
boolean isGoodDeal = false;
ICalculator supportedVersion = SupportedVersionSingelton.getInstance();
int price = supportedVersion.getPrice();
// logic to determine if price is a good deal.
if(price < 5){
isGoodDeal = true;
}
return isGoodDeal;
}
}
In case you would like to test the method isGoodPrice , with mocking the getPrice() method you could do it by:
Make your singleton implement an interface and inject it.
public interface ICalculator {
int getPrice();
}
Implementazione finale di Singleton:
public class SupportedVersionSingelton implements ICalculator {
private static ICalculator instance = null;
private SupportedVersionSingelton(){
}
public static ICalculator getInstance(){
if(instance == null){
instance = new SupportedVersionSingelton();
}
return instance;
}
@Override
public int getPrice() {
return 0;
}
// for testing purpose
public static void setInstance(ICalculator mockObject){
if(instance != null ){
instance = mockObject;
}
classe di prova:
public class TestCalculation {
class SupportedVersionDouble implements ICalculator{
@Override
public int getPrice() {
return 1;
}
}
@Before
public void setUp() throws Exception {
ICalculator supportedVersionDouble = new SupportedVersionDouble();
SupportedVersionSingelton.setInstance(supportedVersionDouble);
}
@Test
public void test() {
Advisor advidor = new Advisor();
boolean isGoodDeal = advidor.isGoodDeal();
Assert.assertEquals(isGoodDeal, true);
}
}
Nel caso in cui prendiamo l'alternativa dell'uso del metodo statico per l'implementazione di getPrice (), è stato difficile simulare getPrice (). Potresti deridere l'elettricità statica con power mock, ma non tutti i prodotti potrebbero usarlo.
getInstance()
metodo ogni volta che si desidera utilizzarlo (anche se probabilmente nella maggior parte dei casi non importa ).