我正在阅读Java-Person(2012),Mark Allen Weiss"中的数据结构和算法分析书。
BST中删除节点的代码
/**
* Internal method to remove from a subtree.
* @param x the item to remove.
* @param t the node that roots the subtree.
* @return the new root of the subtree.
*/
private BinaryNode<AnyType> remove( AnyType x, BinaryNode<AnyType> t )
{
if( t == null )
return t; // Item not found; do nothing
int compareResult = x.compareTo( t.element );
if( compareResult < 0 )
t.left = remove( x, t.left );
else if( compareResult > 0 )
t.right = remove( x, t.right );
else if( t.left != null && t.right != null ) // Two children
{
t.element = findMin( t.right ).element;
t.right = remove( t.element, t.right );
}
else
t = ( t.left != null ) ? t.left : t.right;
return t;
}
/**
* Internal method to find the smallest item in a subtree.
* @param t the node that roots the subtree.
* @return node containing the smallest item.
*/
private BinaryNode<AnyType> findMin( BinaryNode<AnyType> t )
{
if( t == null )
return null;
else if( t.left == null )
return t;
return findMin( t.left );
}
据我所知,删除节点的一般方法是将删除节点的值替换为右侧的最小值。
我的问题是&#34; else语句&#34;对于? 例如,
13
/ \
8 14
/ \
6 11
/ \
9 12
如果我想删除8,则第一步应该替换为9
13
/ \
9 14
/ \
6 11
/ \
9 12
然后在11的叶子中找到9并将其设置为null,
13
/ \
9 14
/ \
6 11
/ \
null 12
所以我不明白为什么
else
t = ( t.left != null ) ? t.left : t.right;
而不是
else
t = null
答案 0 :(得分:1)
您提到的其他声明是针对节点只有一个子节点的情况执行的(因为针对双子节点的if else语句不会被评估为true)。
因此,在这里您要分配非Null节点,因此您可以:
t = ( t.left != null ) ? t.left : t.right;
表示如果左侧不是null
,则将左侧分配给t
,否则将右侧分配给t
。在这里,我们知道我们只有一个孩子,因此只有左或右不会为空。
所以如果我们这样做了:
t = null;
这是错误的。