2467: Most-Profitable-Path-in-a-Tree
Medium
Initially, my solution involved 2
depth-first search runs; 1 to find the path
between bob
and 0
and 2 to
find the maximum net income starting from
0
. However, it is possible to merge both
operations into 1 DFS run.
To do this, I first initialized an
adjacencyMatrix
, generated by iterating through
all pairs, and created bob_distance
to track the distance between each node and bob
.
Then, we define a recursion function, dfs
. This
recursive function takes the current
node,
parent
node, to prevent repeated traversal, and the
depth
of the current node (in relation to
0
) and more previously defined variables. Using
this,
Then, we first check if sum == INT32_MIN
(as that
means there are no children); if there is, then we set
sum = 0
.
Next, we check the depth
of the current node, and
compare it with the bob_distance[current]
value:
Then, we can simply just return sum
to return the
maximum net income from a traversal to a leaf
node.
Code:
class Solution {
public:
int ans = -INT_MAX;
<int> bob_distance;
vectorint dfs(int current, int parent, int depth, int bob, vector<vector<int>> &adjacencyMatrix, vector<int> &amount) {
int sum = -INT_MAX;
[current] = ((current == bob) ? 0 : amount.size());
bob_distance
for (int child : adjacencyMatrix[current]) {
if (child != parent) {
= max(sum, dfs(child, current, depth+1, bob, adjacencyMatrix, amount));
sum [current] = min(bob_distance[current], bob_distance[child]+1);
bob_distance}
}
if (sum == -INT_MAX) {
= 0;
sum }
if (bob_distance[current] > depth) sum += amount[current];
else if (bob_distance[current] == depth) sum += amount[current]/2;
return sum;
}
int mostProfitablePath(vector<vector<int>>& edges, int bob, vector<int>& amount) {
<vector<int>> adjacencyMatrix(edges.size()+1);
vectorfor (auto &pair : edges) {
[pair[0]].push_back(pair[1]);
adjacencyMatrix[pair[1]].push_back(pair[0]);
adjacencyMatrix}
.resize(amount.size());
bob_distance
return dfs(0, 0, 0, bob, adjacencyMatrix, amount);
}
};