1

我正在尝试使用泛型来接受任何实现Client接口的对象,但我似乎无法做到正确。

public interface Client {
  public void makeMove();
}

public MyClient implements Client {
  public MyClient(Server server) {
    server.connectClient(this);
  }
}

我上面得到的错误是:The method connectClient(Class<? extends FanoronaClient>) in the type Server is not applicable for the arguments (GUIClient)

具有泛型的服务器:

public class Server {
  private Class<? extends Client> client_;

  public void connectClient(Class<? extends Client> client) {
    client_ = client;
    client_.makeMove(); // type error here
  }
}

这里的错误是The method makeMove() is undefined for the type Class<capture#7-of ? extends Client>

我究竟做错了什么?

4

2 回答 2

4

您正在尝试调用java.lang.Class不存在的类上的方法。您真正想要的是要传递给您的方法的类/接口的实现。

您的connetClient方法应该看起来像这样:

public void connectClient(Client client) {
    client.makeMove(); // no more type error
}

当然,如果你想在你的类中保留对 this 的引用,你必须将类的_client成员Server也更改为 type Client

我认为您根本不想在此示例中使用泛型...

于 2013-03-23T21:32:01.480 回答
0

试试这个代码:

public class Server {
      private Class<? extends Client> client_;

      public void connectClient(Class<? extends Client> client) {
        client_ = client;
        client.newInstance().makeMove(); // no error here 
      }
    }
于 2013-03-23T21:35:05.637 回答