zoukankan      html  css  js  c++  java
  • 【LeetCode & 剑指offer刷题】回溯法与暴力枚举法题3:13 机器人的运动范围

    【LeetCode & 剑指offer 刷题笔记】目录(持续更新中...)

    13 机器人的运动范围

    题目描述

    地上有一个m行和n列的方格。一个机器人从坐标0,0的格子开始移动,每一次只能向左,右,上,下四个方向移动一格,但是不能进入行坐标和列坐标的数位之和大于k的格子。 例如,当k为18时,机器人能够进入方格(35,37),因为3+5+3+7 = 18。但是,它不能进入方格(35,38),因为3+5+3+8 = 19。请问该机器人能够达到多少个格子?
     
    //方法一:暴力法枚举,练成路径
    //方法二:回溯法,试探的走,如果不满足条件或越界则回溯
    class Solution
    {
    public:
        int movingCount(int threshold, int rows, int cols)
        {
          //  vector<bool> visited(rows*cols,false); //创建访问数组
                    //也可用(vector<vector<bool> > visited(m, vector<bool>(n, false)); //创建访问矩阵
            bool* visited = new bool[rows*cols]; //创建访问数组
            for(int i = 0; i<rows*cols; i++) visited[i] = false;
            int count = helper(0,0, rows, cols, visited, threshold);
           
            delete[] visited; //释放内存
            return count;
        }
    private:
        int helper(int i, int j, int rows, int cols, bool* visited, int threshold)
        {
            bool temp1 = i<0 || i>=rows || j<0 || j>=cols;
            bool temp2 = (numSum(i) + numSum(j)) > threshold;
            if(visited[cols*i + j] || temp1 || temp2) return 0; //如果已经访问过或越界或者不满足约束条件,则不走这个格子,回溯
            else visited[cols*i + j] = true;
           
            return helper(i-1,j, rows, cols, visited, threshold)
                + helper(i+1,j, rows, cols, visited, threshold)
                + helper(i,j-1, rows, cols, visited, threshold)
                + helper(i,j+1, rows, cols, visited, threshold)
                + 1; //递归统计所能走的格子数
        }
        int numSum(int num) //进行某数的数位相加
        {
            int sum = 0;
            while(num > 0)
            {
                sum += num%10;
                num /= 10;
            }
            return sum;
        }
    };
     
     
  • 相关阅读:
    MSDTC故障排除,DTCTester用法 (二)
    如何清除WebBrowser的Cookies
    修改远程桌面连接端口3389,RDP-Tcp的portnumber要用十六进制修改
    JavaScript Patterns 4.9 Configuration Objects
    JavaScript Patterns 4.8 Function Properties
    JavaScript Patterns 4.7 Init-Time Branching
    JavaScript Patterns 4.6 Immediate Object Initialization
    JavaScript Patterns 4.5 Immediate Functions
    JavaScript Patterns 4.4 Self-Defining Functions
    JavaScript Patterns 4.3 Returning Functions
  • 原文地址:https://www.cnblogs.com/wikiwen/p/10229455.html
Copyright © 2011-2022 走看看