这个问题的背景可以从我之前的问题中找到。
上一个问题:http://tinyurl.com/chq4w7t
我有一个带有发送功能的接口Comm
:
public interface Comm
{
public int send(Socket socket, byte[] bytes);
}
我有各种类(Server
,Client
,Serial
等),它们实现了接口Comm
。我可以将这些类对象作为参数传递给另一个类中的另一个send函数,该类充当Comm
对象和各种插件之间的管理器,这些插件可配置为使用这些Comm
类之一作为通信介质
(Server
,Client
,Serial
等)可以作为参数传递给下面的发送功能
public void Send(Comm com, Socket socket, byte[] message)
{
com.send(null, message);
}
根据我之前的问题,我有一个getClasses
函数,它返回Class[]
并将String作为参数。这用于提供不同的配置选项。
我使用Class.forName("Client");
作为客户端返回Class
对象。
现在最后我的问题如下:
如何从Class
转换为Comm
类型?我做了以下尝试以获得一个想法:(cboxComm
是用于测试我的代码的测试组合框。它包含Comm
对象的类名称)
// Some code I have no idea how it works, an explanation would be awesome
// regarding the diamond syntax
Class<? extends Comm> classComm = Class.forName(cboxComm.getSelectedItem().toString());
// Error here, I don't know how to convert or cast it
Comm com = classComm;
// Sending function as described above
send(com, null, null);
答案 0 :(得分:5)
您无法将Class
对象转换为该类的实例。您需要创建一个实例,例如使用Class.newInstance()
方法:
Comm com = classComm.newInstance();
请注意,这需要类中的公共无参数构造函数。您的代码中总是如此吗?如果没有,你需要获取适当的构造函数并使用反射调用它,这将变得更复杂。
顺便说一句,我很惊讶这对你有用:
Class<? extends Comm> classComm = Class.forName(...);
没有什么能真正检查forName
返回的类是否会实现Comm
。我本来希望这是必需的:
Class<?> classComm = Class.forName();
Comm comm = (Comm) classComm.newInstance();
此时,演员将执行相应的检查。