面试题47:礼物的最大价值

2019-11-12  本文已影响0人  繁星追逐

在一个mxn的棋盘的每一格斗放油一个礼物,每个礼物都有一定的价值(大于0)

思路一:
dfs 回溯法
将所有的路径都走一遍,全局变量记录最大值
代码如下:

/**
     * 回溯法,递归遍历每个方向的值,保存最大值
     * @param gifts
     * @param rows
     * @param cols
     * @return
     */
    //全局变量记录最大值,或者使用数组
    private int max = 0;
    public int getMax(int[] gifts, int rows, int cols) {
         if (gifts == null || gifts.length == 0) return -1;
//         int[] max = {0};
         select(gifts, 0, 0, rows, cols, 0);
         return max;
    }

    private void select(int[] gifts, int row, int col, int rows, int cols, int value) {
        if (row >= rows || col >= cols) return;
        value += gifts[row*cols + col];
        if (row == rows-1 && col == cols-1){
            if (value > max) max = value;
        }
        select(gifts, row+1, col, rows, cols, value);
        select(gifts, row, col+1, rows, cols, value);

    }

思路二:

代码如下:

public int getMaxVal(int[] gifts, int rows, int cols) {
       if (gifts == null || gifts.length == 0) return 0;
       //设立一个记录最大值的二维数组
       int[][] maxVal = new int[rows][cols];
       for (int row=0;row<rows;row++){
           for (int col=0;col<cols;col++){
               //申明在外面
               int up = 0;
               int left = 0;
               //必须保证不在起始位置上
               if (row > 0) up = maxVal[row-1][col];
               if (col > 0) left = maxVal[row][col-1];
               maxVal[row][col] = Math.max(up,left) + gifts[row*cols + col];

           }
       }
       return maxVal[rows-1][cols-1];
    }


上一篇 下一篇

猜你喜欢

热点阅读