我正在尝试建立一个构造函数,其中使用的数据结构将由参数中的字符串确定:

DictionaryI<IPAddress,String> ipD; //declaring main structure using interface

 // Constructor, the type of dictionary to use (hash, linkedlist, array)
 // and the initial size of the supporting dictionary
    public IPManager(String dictionaryType, int initialSize){
        if(st1.equals(dictionaryType))
            ipD = new LinkedListDictionary();
        if(st2.equals(dictionaryType))
            ipD = new HashDictionary(initialSize);
        if(st3.equals(dictionaryType))
            ipD = new ArrayDictionary(initialSize);
        else
            throw new UnsupportedOperationException();
    }


运行代码时,无论我输入什么内容,都将收到“ UnsuportedOperationException”。对您的任何帮助或正确方向的帮助,我们将不胜感激! (代码为Java)

最佳答案

显而易见的答案是

public IPManager(String dictionaryType, int initialSize){
    if(st1.equals(dictionaryType))
        ipD = new LinkedListDictionary();
    else if(st2.equals(dictionaryType))
        ipD = new HashDictionary(initialSize);
    else if(st3.equals(dictionaryType))
        ipD = new ArrayDictionary(initialSize);
    else
        throw new UnsupportedOperationException();
}


对于st1st2,您的代码将落入throw

也就是说,这种方法通常是不好的。作为参考,请查看Java集合接口(例如Map<K,V>)及其实现(HashMapTreeMap等)。

10-07 22:24