C++でバイナリインデックスツリーを使用した最大合計増加部分列
この問題では、N個の要素の配列arr[]が与えられます。私たちのタスクは、C++のバイナリインデックスツリーを使用して最大の合計増加部分列を見つけるプログラムを作成することです。
問題を理解するために例を見てみましょう
入力
arr[] = {4, 1, 9, 2, 3, 7}
出力
13
説明
最大増加部分列は1、2、3、7です。合計=13
ソリューションアプローチ
この問題を解決するために、値を挿入してバイナリインデックスツリーにマップするバイナリインデックスツリーを使用します。次に、最大値を見つけます。
例
ソリューションの動作を説明するプログラム
#include <bits/stdc++.h> using namespace std; int calcMaxSum(int BITree[], int index){ int maxSum = 0; while (index > 0){ maxSum = max(maxSum, BITree[index]); index -= index & (-index); } return maxSum; } void updateBIT(int BITree[], int newIndex, int index, int val){ while (index <= newIndex){ BITree[index] = max(val, BITree[index]); index += index & (-index); } } int maxSumIS(int arr[], int n){ int index = 0, maxSum; map<int, int> arrMap; for (int i = 0; i < n; i++){ arrMap[arr[i]] = 0; } for (map<int, int>::iterator it = arrMap.begin(); it != arrMap.end(); it++){ index++; arrMap[it->first] = index; } int* BITree = new int[index + 1]; for (int i = 0; i <= index; i++){ BITree[i] = 0; } for (int i = 0; i < n; i++){ maxSum = calcMaxSum(BITree, arrMap[arr[i]] - 1); updateBIT(BITree, index, arrMap[arr[i]], maxSum + arr[i]); } return calcMaxSum(BITree, index); } int main() { int arr[] = {4, 6, 1, 9, 2, 3, 5, 8}; int n = sizeof(arr) / sizeof(arr[0]); cout<<"The Maximum sum increasing subsequence using Binary Indexed Tree is "<<maxSumIS(arr, n); return 0; }
出力
The Maximum sum increasing subsquence using Binary Indexed Tree is 19
-
C++のバイナリツリーの最大パス合計
この問題では、各ノードに値が含まれる二分木が与えられます。私たちのタスクは、二分木の2つの葉の間の最大パスの合計を見つけるプログラムを作成することです。 ここでは、値の最大合計を提供する、あるリーフノードから別のリーフノードへのパスを見つける必要があります。この最大合計パスには、ルートノードを含めることができます/含めることができません。 二分木 は、各ノードが最大2つの子ノードを持つことができるツリーデータ構造です。これらは左の子と右の子と呼ばれます。 例 − 問題を理解するために例を見てみましょう- 入力 −//二分木… 出力 − 24 説明 −リーフノード− 2から9へ
-
C++の二分木で最大垂直和を見つける
二分木があるとします。タスクは、垂直順序トラバーサルのすべてのノードの合計の最大値を出力することです。したがって、ツリーが以下のようになっている場合- 垂直方向の走査は-のようなものです 4 2 1 + 5 + 6 = 12 3 + 8 = 11 7 9 ここでの最大値は12です。アプローチは単純です。垂直順序トラバーサルを実行してから、合計を見つけて最大値を確認します。 例 #include<iostream> #include<map> #include<vector> #include<queue> using namespace