标签:whether || arc treenode SM bool span class nod
/** * Definition for binary tree * struct TreeNode { * int val; * TreeNode *left; * TreeNode *right; * TreeNode(int x) : val(x), left(NULL), right(NULL) {} * }; */ class BSTIterator { public: stack<TreeNode *> s; TreeNode *p; BSTIterator(TreeNode *root) { p = root; } /** @return whether we have a next smallest number */ bool hasNext() { return p != NULL || !s.empty(); } /** @return the next smallest number */ int next() { if (hasNext()) { while (p) { s.push(p); p = p->left; } p = s.top(); s.pop(); int val = p->val; p = p->right; return val; } return -1; } }; /** * Your BSTIterator will be called like this: * BSTIterator i = BSTIterator(root); * while (i.hasNext()) cout << i.next(); */
/** * Definition for binary tree * struct TreeNode { * int val; * TreeNode *left; * TreeNode *right; * TreeNode(int x) : val(x), left(NULL), right(NULL) {} * }; */ class BSTIterator { public: stack<TreeNode *> s; 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() { if (hasNext()) { TreeNode* p = s.top(); s.pop(); int val = p->val; p = p->right; while (p) { s.push(p); p = p->left; } return val; } return -1; } }; /** * Your BSTIterator will be called like this: * BSTIterator i = BSTIterator(root); * while (i.hasNext()) cout << i.next(); */
173. Binary Search Tree Iterator
标签:whether || arc treenode SM bool span class nod
原文地址:https://www.cnblogs.com/JTechRoad/p/9065638.html