परीक्षण के दृष्टिकोण से सिंगलटन बेहतर दृष्टिकोण है। स्थिर वर्गों के विपरीत, सिंगलटन इंटरफेस को लागू कर सकते हैं और आप मॉक इंस्टेंस का उपयोग कर सकते हैं और उन्हें इंजेक्ट कर सकते हैं।
नीचे दिए गए उदाहरण में मैं इसका उदाहरण दूंगा। मान लें कि आपके पास एक विधि है GoodPrice () जो विधि getPrice () का उपयोग करती है और आप getPrice () को एक सिंगलटन में एक विधि के रूप में लागू करते हैं।
सिंगलटन जो प्रदान करता है 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;
}
}
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();
}
अंतिम सिंगलटन कार्यान्वयन:
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;
}
परीक्षण वर्ग:
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);
}
}
यदि हम getPrice () को लागू करने के लिए स्थैतिक विधि का उपयोग करने का विकल्प लेते हैं, तो यह getPrice () के लिए कठिन था। आप पावर मॉक के साथ स्थैतिक का मज़ाक उड़ा सकते हैं, फिर भी सभी उत्पाद इसका उपयोग नहीं कर सकते।
getInstance()
है (हालांकि शायद ज्यादातर मामलों में यह कोई फर्क नहीं पड़ता )।