Rekursiver In-Order-Walk mit einem Zähler
Time Complexity: O( N ), N is the number of nodes
Space Complexity: O( 1 ), excluding the function call stack
Die Idee ähnelt der @ prasadvk-Lösung, weist jedoch einige Mängel auf (siehe Anmerkungen unten). Daher veröffentliche ich diese als separate Antwort.
// Private Helper Macro
#define testAndReturn( k, counter, result ) \
do { if( (counter == k) && (result == -1) ) { \
result = pn->key_; \
return; \
} } while( 0 )
// Private Helper Function
static void findKthSmallest(
BstNode const * pn, int const k, int & counter, int & result ) {
if( ! pn ) return;
findKthSmallest( pn->left_, k, counter, result );
testAndReturn( k, counter, result );
counter += 1;
testAndReturn( k, counter, result );
findKthSmallest( pn->right_, k, counter, result );
testAndReturn( k, counter, result );
}
// Public API function
void findKthSmallest( Bst const * pt, int const k ) {
int counter = 0;
int result = -1; // -1 := not found
findKthSmallest( pt->root_, k, counter, result );
printf("%d-th element: element = %d\n", k, result );
}
Anmerkungen (und Unterschiede zur Lösung von @ prasadvk):
if( counter == k )
Der Test ist an drei Stellen erforderlich : (a) nach dem linken Teilbaum, (b) nach der Wurzel und (c) nach dem rechten Teilbaum. Dies soll sicherstellen, dass das k-te Element für alle Standorte erkannt wird , dh unabhängig von dem Teilbaum, in dem es sich befindet.
if( result == -1 )
Test erforderlich, um sicherzustellen, dass nur das Ergebniselement gedruckt wird. Andernfalls werden alle Elemente vom k-ten kleinsten bis zur Wurzel gedruckt.