이진 트리가 있다고 가정합니다. 작업은 수직 순서 순회에서 모든 노드 합계의 최대값을 인쇄하는 것입니다. 트리가 아래와 같다면 -
수직 순서 순회는 −
와 같습니다.4 2 1 + 5 + 6 = 12 3 + 8 = 11 7 9
여기서 최대값은 12입니다. 접근 방식은 간단합니다. 수직 순서 순회를 수행한 다음 합계를 찾고 최대값을 확인합니다.
예시
#include<iostream> #include<map> #include<vector> #include<queue> using namespace std; class Node { public: int key; Node *left, *right; }; Node* getNode(int key){ Node* node = new Node; node->key = key; node->left = node->right = NULL; return node; } int getMaxSum(Node* root) { if (!root) return -1; int n = 0; int k_node = -1; map<int, vector<int> > current_map; int hd = 0; queue<pair<Node*, int> > que; que.push(make_pair(root, hd)); while (!que.empty()) { pair<Node*, int> temp = que.front(); que.pop(); hd = temp.second; Node* node = temp.first; current_map[hd].push_back(node->key); if (node->left != NULL) que.push(make_pair(node->left, hd - 1)); if (node->right != NULL) que.push(make_pair(node->right, hd + 1)); } map<int, vector<int> >::iterator it; int maximum = INT_MIN; for (it = current_map.begin(); it != current_map.end(); it++) { int temp_sum = 0; for (int i = 0; i < it->second.size(); ++i) { temp_sum += it->second[i]; } if(maximum < temp_sum){ maximum = temp_sum; } } return maximum; } int main() { Node* root = getNode(1); root->left = getNode(2); root->right = getNode(3); root->left->left = getNode(4); root->left->right = getNode(5); root->right->left = getNode(6); root->right->right = getNode(7); root->right->left->right = getNode(8); root->right->right->right = getNode(9); cout << "Maximum sum of vertical nodes: " << getMaxSum(root); }
출력
Maximum sum of vertical nodes: 12