Rekursif In-order Walk dengan penghitung
Time Complexity: O( N ), N is the number of nodes
Space Complexity: O( 1 ), excluding the function call stack
Idenya mirip dengan solusi @prasadvk, tetapi memiliki beberapa kekurangan (lihat catatan di bawah), jadi saya memposting ini sebagai jawaban terpisah.
// 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 );
}
Catatan (dan perbedaan dari solusi @ prasadvk):
if( counter == k )
tes diperlukan di tiga tempat: (a) setelah subpohon kiri, (b) setelah akar, dan (c) setelah subpohon kanan. Ini untuk memastikan bahwa elemen k terdeteksi untuk semua lokasi , yaitu terlepas dari subpohon tempatnya berada.
if( result == -1 )
tes diperlukan untuk memastikan hanya elemen hasil yang dicetak , jika tidak semua elemen mulai dari k terkecil hingga akar yang dicetak.