2

为什么我必须在以下代码中将命令显式转换为 C?Commands 实现了 Runnable 和 Describable。

@Test
public <C extends Runnable & Describable> void testMapOfCommands() throws Exception
{
    Map<String, C> commands = Maps.newHashMap();
    for(Commands command : Commands.values())
    {
        commands.put(command.name(), (C) command);
    }
    //Use commands here (not relevant to my question):
    //CommandLineParser.withCommands(commands).parse("commit");
}

private enum Commands implements Runnable, Describable
{
    commit
    {
        @Override
        public void run()
        {
            System.out.println("COMMIT");
        }

        @Override
        public String description()
        {
            return "Commits something";
        }
    };
}

我想到的一种解决方法是引入扩展 Runnable 和 Describable 的 ICommand:

public interface ICommand extends Runnable, Describable{}

但是当已经有两种类型可用并且我已经有一个稍微复杂一点的 Command 类时,我试图避免引入一种新类型。我在这里抓稻草吗?

4

1 回答 1

6

你所拥有的是一个command类型为 的对象Commands。但是由于您的泛型类型声明<C extends Runnable & Describable>,Java 期望C同时是Describableand Runnable,但C不一定是 a Commands

这种特殊的测试方法并不适用于除 之外的任何东西Commands,因此它不应该是通用的。这应该有效:

public void testMapOfCommands() throws Exception
{
    Map<String, Commands> commands = new HashMap<String, Commands>();
    for(Commands command : Commands.values())
    {
        commands.put(command.name(), command);
    }
}
于 2013-04-23T22:11:33.053 回答