C++實(shí)現(xiàn)LeetCode(173.二叉搜索樹迭代器)
[LeetCode] 173.Binary Search Tree Iterator 二叉搜索樹迭代器
Implement an iterator over a binary search tree (BST). Your iterator will be initialized with the root node of a BST.
Calling next() will return the next smallest number in the BST.
Note: next() and hasNext() should run in average O(1) time and uses O(h) memory, where h is the height of the tree.
Credits:
Special thanks to @ts for adding this problem and creating all test cases.
這道題主要就是考二叉樹的中序遍歷的非遞歸形式,需要額外定義一個(gè)棧來(lái)輔助,二叉搜索樹的建樹規(guī)則就是左<根<右,用中序遍歷即可從小到大取出所有節(jié)點(diǎn)。代碼如下:
/** * Definition for binary tree * struct TreeNode { * int val; * TreeNode *left; * TreeNode *right; * TreeNode(int x) : val(x), left(NULL), right(NULL) {} * }; */ class BSTIterator { public: BSTIterator(TreeNode *root) { while (root) { s.push(root); root = root->left; } } /** @return whether we have a next smallest number */ bool hasNext() { return !s.empty(); } /** @return the next smallest number */ int next() { TreeNode *n = s.top(); s.pop(); int res = n->val; if (n->right) { n = n->right; while (n) { s.push(n); n = n->left; } } return res; } private: stack<TreeNode*> s; }; /** * Your BSTIterator will be called like this: * BSTIterator i = BSTIterator(root); * while (i.hasNext()) cout << i.next(); */
- C++數(shù)據(jù)結(jié)構(gòu)二叉搜索樹的實(shí)現(xiàn)應(yīng)用與分析
- C++實(shí)現(xiàn)LeetCode(109.將有序鏈表轉(zhuǎn)為二叉搜索樹)
- C++實(shí)現(xiàn)LeetCode(108.將有序數(shù)組轉(zhuǎn)為二叉搜索樹)
- C++實(shí)現(xiàn)LeetCode(99.復(fù)原二叉搜索樹)
- C++實(shí)現(xiàn)LeetCode(98.驗(yàn)證二叉搜索樹)
- C++實(shí)現(xiàn)LeetCode(96.獨(dú)一無(wú)二的二叉搜索樹)
- C++實(shí)現(xiàn)LeetCode(95.獨(dú)一無(wú)二的二叉搜索樹之二)
- C++ 二叉搜索樹(BST)的實(shí)現(xiàn)方法
- C++ 超詳細(xì)快速掌握二叉搜索樹
相關(guān)文章
從頭學(xué)習(xí)C語(yǔ)言之for語(yǔ)句和循環(huán)嵌套
這篇文章主要為大家詳細(xì)介紹了C語(yǔ)言之for語(yǔ)句和循環(huán)嵌套,文中示例代碼介紹的非常詳細(xì),具有一定的參考價(jià)值,感興趣的小伙伴們可以參考一下,希望能夠給你帶來(lái)幫助2022-01-01C++利用循環(huán)和棧實(shí)現(xiàn)走迷宮
這篇文章主要為大家詳細(xì)介紹了C++利用循環(huán)和棧實(shí)現(xiàn)走迷宮,文中示例代碼介紹的非常詳細(xì),具有一定的參考價(jià)值,感興趣的小伙伴們可以參考一下2018-05-05C++深淺拷貝及簡(jiǎn)易string類實(shí)現(xiàn)方式
這篇文章主要介紹了C++深淺拷貝及簡(jiǎn)易string類實(shí)現(xiàn)方式,具有很好的參考價(jià)值,希望對(duì)大家有所幫助。如有錯(cuò)誤或未考慮完全的地方,望不吝賜教2023-02-02