

You’re given a 2 dimensional array 'GRID' of N * M size, representing a Gold mine. Each cell of this grid contains an integer that represents the amount of gold present in that cell.
Your task is to return the maximum amount of gold you can collect using the following conditions:
1. Every time you reach a cell, you collect all the gold present in that cell.
2. You can go one step left, right, up, or down from your current cell’s position.
3. You can’t visit the cell which you have already visited.
4. You can’t visit a cell with 0 gold.
5. You can choose any cell to start and stop collecting gold.
The first line of the input contains an integer T denoting the number of test cases.
Each test case’s first line contains two space-separated integers N and M, denoting the rows and columns in the grid respectively.
The next N lines of each test case contain M space-separated integers denoting the amount of gold present in a cell.
Output Format:
For every test case, print a single line containing a single integer denoting the maximum amount of gold you can collect.
The output of each test case will be printed in a separate line.
Note :
You do not need to print anything; it has already been taken care of. Just implement the given function.
1 <= T <= 5
1 <= N, M <= 10
0 <= GRID[i][j] <= 10 ^ 5
Time limit: 1 sec.
1
3 3
0 9 3
3 0 1
2 3 2
23
The optimal way to collect maximum gold is 9->3->1->2->3->2->3, or we start from the 2nd element of the first column, i.e. ‘3’ and follow the path 3->2->3->2->1->3->9, either way, we’ll get the same amount of gold.
.png)
1
2 2
5 10
0 4
19
The optimal way to collect maximum gold is 5->10->4 or 4->10->5; either way, we’ll be able to get the same amount of gold.

Can you think of using backtracking here?
We will perform dfs from each non-zero cell. For each cell with non-zero gold that we visit, we’ll visit it’s four possible neighbours and choose the maximum out of these four to get the maximum amount of gold that we collect using backtracking. Since we can’t revisit any cell, we’ll mark that as visited and won’t revisit it.
Algorithm:
O(K * (3 ^ K)), where K is the number of cells that have gold.
For each cell with non-zero gold, there are a maximum number of three possible neighbors that we can visit, and since there are K such cells, our final time complexity will be O(K * (3 ^ K)).
O(K), where K is the number of cells that have gold.
In the worst case, there will be a maximum K states in the recursion stack space. Hence the final space complexity will be O(K).