无法从内部 class 转换为 class

Cannot cast from inner class to class

我有一个二叉树 class,其中包含一个内部 class 节点。 我想做的是能够通过调用 在我的 BinaryTree tree 中插入一些节点tree.insert(节点)。但是,为了保持干净和一致,我不想在节点内部 class 中创建 insert() 方法。所以我尝试了下面的代码,但我有一个错误:Cannot cast from BinaryTree.Node to BinaryTree.

我该怎么办?

二叉树class

public class BinaryTree {

    Node root = null;

    private class Node {
        int value;
        Node left;
        Node right;


    }

    public BinaryTree(int v) {
        root.value = v;
        root.left = null;
        root.right = null;
    }

    public void insert(Node n) {
                                      /* Error */
        if(n.value > root.value)    ((BinaryTree) root.right).insert(n);
    }

}

主要class

public class Main {

    public static void main(String[] args) {
        // TODO Auto-generated method stub
        Scanner sc = new Scanner(System.in);
        String[] str = sc.nextLine().split(" ");
        BinaryTree tree;

        for(int i = 0; i < str.length-1; i++) {
            int val = Integer.parseInt(str[i]);
            //tree.insert(node);
        }

    }

}

谢谢,

要在树中插入节点,您需要定义插入位置,因此您的插入方法应该类似于:

//insert a new node right to a node. not null safe 
public void insert(Node newNode, Node rightTo) {                                    
    newNode.right = rightTo.right;
    newNode.left = rightTo;
    rightTo.right = newNode;
}

不需要铸造。
要查找 rightTo 节点,您可以使用:

//get the last node which has a value lower than `value` 
//may return null 
public Node getNodeWithValueLowerThan(int value) {
    if(root == null) return null;
    return getNodeWithValueLowerThan(root, value);
}

//recursive method. null safe 
private Node getNodeWithValueLowerThan(Node node, int value) {
    if(node == null) return null; 
    if(node.value > value) return node.left; //return previous node. may be null
    return getNodeWithValueLowerThan(node.right, value);
}

要插入一个节点作为最后一个节点,您可以使用:

//insert a new node as last 
public void insertLastNode(Node newNode) {

    Node lastNode = getTail();
    if(lastNode == null) {//empty tree 
        root = newNode;
        return;
    }
    newNode.left  = lastNode;
    lastNode.right = newNode;
}

其中 getTail 类似于:

//find last node 
private Node getTail() {

    if(root == null) return null;
    return getTail(root);
}

//recursive method to find last node. not null safe 
private Node getTail(Node node) {

    if(node.right == null) return node;
    return getTail(node.right);
}

注意:代码未经测试,请仔细调试。

您不需要在 insert 方法中进行类型转换。应该是这样的:

public void insert(Node n) {                             
   if(n.value > root.value)  
      insert(root.right);
}