我的作业处理霍夫曼编码,我正在使用树的优先级队列来创建它。我试图为我的Tree类实现可比较的,然后有一个比较To方法,以便树可以按频率在优先级队列中排序。我在尝试这样做时收到一些错误消息,我不知道为什么。
n00832607.java:249: error: Tree is not abstract and does not override abstract method
compareTo(Object) in Comparable
class Tree implements Comparable
^
n00832607.java:423: error: method does not override or implement a method from a supertype
@Override
^
这是给我带来麻烦的代码。
//Begin tree class
class Tree implements Comparable
{
private Node root; // first node of tree
// -------------------------------------------------------------
public Tree(char data, int frequency) // constructor
{
root = new Node();
root.iData = frequency;
root.dData = data;
}
public Tree(Tree leftChild, Tree rightChild)
{
root = new Node();
root.leftChild = leftChild.root;
root.rightChild = rightChild.root;
root.iData = leftChild.root.iData + rightChild.root.iData;
}
protected Tree(Node root)
{
this.root = root;
}
//end constructors
//Misc tree methods inbetween the constructors and compareTo, I can post them if that would help
@Override
public int compareTo(Tree arg0)
{
Integer freq1 = new Integer(this.root.iData);
Integer freq2 = new Integer(arg0.root.iData);
return freq1.compareTo(freq2);
}
} // end class Tree
////////////////////////////////////////////////////////////////
这也是我的Node类,如果有任何帮助
//Begin node class
////////////////////////////////////////////////////////////////
class Node
{
public int iData; // data item (frequency/key)
public char dData; // data item (character)
public Node leftChild; // this node's left child
public Node rightChild; // this node's right child
public void displayNode() // display ourself
{
System.out.print('{');
System.out.print(iData);
System.out.print(", ");
System.out.print(dData);
System.out.print("} ");
}
} // end class Node
////////////////////////////////////////////////////////////////
答案 0 :(得分:2)
您使用的是原始Comparable
类型,而不是使用通用Comparable<Tree>
类型。因此,要进行编译,compareTo()方法应该将Object作为参数,而不是Tree。但是,当然,解决问题的正确方法是让您的类实现Comparable<Tree>
。
另外,请注意,不是在每次比较时创建两个新的Integer实例,而是简单地使用(从Java 7开始):
return Integer.compare(this.root.iData, arg0.root.iData);