如何将对象列表转换为接口列表?

时间:2011-09-27 16:33:57

标签: java interface casting glazedlists

我有一些适用于接口的类:

这是界面:

public interface Orderable
{
    int getOrder()
    void setOrder()
}

这是工人阶级:

public class Worker
{
   private List<Orderable> workingList;

   public void setList(List<Orderable> value) {this.workingList=value;}

   public void changePlaces(Orderable o1,Orderable o2)
   {
     // implementation that make o1.order=o2.order and vice versa
   }
}

这是一个实现接口的对象:

public class Cat implements Orderable
{
    private int order;

    public int getOrder()
    {
      return this.order;
    }

    public void setOrder(int value)
    {
      this.order=value;
    }

    public Cat(String name,int order)
    {
       this.name=name;
       this.order=order;
    }
}

在主程序中,我创建了一个猫列表。我使用glazed lists在列表更改时以及使用此列表创建控件模型时动态更新控件。

目标是将此列表传输到工作对象,因此我可以在主过程中向列表中添加一些新的cat,并且工作人员将在不再设置其list属性的情况下知道它(list是main中的相同对象proc和in worker)。但是,当我打电话给worker.setList(cats)时,它会发出关于期待可订购物的警报,但是会得到一只猫......但是Cat实现了Orderable。我该如何解决这个问题?

这是主要代码:

void main()
{
   EventList<Cat> cats=new BasicEventList<Cat>();

   for (int i=0;i<10;i++)
   {
      Cat cat=new Cat("Maroo"+i,i);
      cats.add(cat);
   }

   Worker worker=new Worker(); 
   worker.setList(cats); // wrong!
   // and other very useful code
}

4 个答案:

答案 0 :(得分:48)

您需要更改Worker课程,使其接受List<? extends Orderable>

public class Worker
{
   private List<? extends Orderable> workingList;

   public void setList(List<? extends Orderable> value) {this.workingList=value;}

   public void changePlaces(Orderable o1,Orderable o2)
   {
     // implementation that make o1.order=o2.order and vice verca  
   }
}

答案 1 :(得分:7)

如果您只是更改cats的声明:

,它应该有用
List<? extends Orderable> cats = new BasicEventList<? extends Orderable>();

for (int i=0; i<10; i++)
{
   cats.add(new Cat("Maroo"+i, i));
}

Worker worker = new Worker(); 
worker.setList(cats);

请参阅:

答案 2 :(得分:6)

如果你真的想要一个新的界面类型集合。例如,您不拥有您正在呼叫的方法。

//worker.setList(cats); 
worker.setList( new ArrayList<Orderable>(cats)); //create new collection of interface type based on the elements of the old one

答案 3 :(得分:1)

void main()
{
    EventList<Orderable> cats = new BasicEventList<Orderable>();

    for (int i=0;i<10;i++)
    {
        Cat cat=new Cat("Maroo"+i,i);
        cats.add(cat);
    }

    Worker worker=new Worker(); 
    worker.setList(cats); // should be fine now!
    // and other very usefull code
}

大多数情况下,只需构建一个Orderables列表,因为cat实现Orderable,您应该能够将cat添加到列表中。

注意:这是我很快猜测