1

我在一个混淆的 jarfile 中有SingletonAandSingletonB类。它们没有实现相同的接口,也不是同一个超类的子类,但它们确实具有相似的特征,而最初的程序员却忽略了这些特征。

我希望能够将它们作为参数传递给这样的方法:

public void method(SingletonObject singleton) {
    //do stuff with singleton
}

但是,我能想到的唯一可行的方法是:

    public void method(Object singleton) {     
        if(singleton instanceof SingletonA) {
           SingletonA singletonA = (SingletonA) singleton;
            // do stuff with singletonA
        }
        else if(singleton instanceof SingletonB) {
            SingletonB singletonB = (SingletonB) singleton;
           //do exact same stuff with singletonB
        }
        else {
            return;
        }
    }

由于底部的例子很糟糕,我该怎么做才能让它看起来更像顶部。

4

2 回答 2

2

如果您知道这两个不同的类存在某种方法,那么您可以使用反射

  public void method(Object singleton) {
        Class<?> clazz = singleton.getClass();
        Method m;
        try {
            m = clazz.getDeclaredMethod("someCommonMethod");
            //m.setAccessible(true);
            m.invoke(singleton);
        } catch (Exception e) {
            e.printStackTrace();
        }
  }
于 2013-07-20T18:40:39.063 回答
1

组合也可以是一种选择:

class SingletonObject{
     SingletonA a;
     SingletonB b;

    SingletonObject(SingletonA a, SingletonB b){
         if(a==null && b==null){
            throw InvalidArgumentException();
         }
       this.a = a;
       this.b =b
    }    

    public void callCommonMethod(){
         if(a!=null){
            a.callCommonMethod();
         }else{
           b.callCommonMethod()
         }
    }
}

所以你在一个类中组合了单例对象,任何人都可以在不知道它们背后的情况下使用它

于 2013-07-20T18:50:40.603 回答