1. 程式人生 > >劍指offer____機器人的運動範圍

劍指offer____機器人的運動範圍

地上有一個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 sum(int x)
    {
        int num=0;
        while(x!=0)
        {
            num+=x%10;
            x/=10;
        }
        return num;
    }
    //judg判斷這個點是不是符合要求
     bool judg(int x,int y,int hold)
     {
         if(sum(x)+sum(y)<=hold)
             return true;
         else
             return false;
     }
    int Step(int i,int j,int rows,int cols,bool *flag,int hold)
    {
        int index=i*cols+j;//要訪問的下標
        //下標映射出錯了,查了半天呢還,cols是列數
        if(i<0||j<0||flag[index]==true||i>=rows||j>=cols||judg(i,j,hold)==false)
            return 0;
        flag[index]=true;
//這個flag不需要在後面複製為false,因為如下所示,我們的遞迴呼叫是  
//在這個點的上下左右四個方向都進行探索,既然我每一個點都是這樣的方  
//式去走,那遞歸回去也沒有意義,如果遞歸回去只會讓這個點被走多次這  
//樣最後的結果就會變得很大
        int cnt=1;
        cnt+=Step(i+1,j,rows,cols,flag,hold)+
                  Step(i-1,j,rows,cols,flag,hold)+
                  Step(i,j+1,rows,cols,flag,hold)+
                  Step(i,j-1,rows,cols,flag,hold);
        return cnt;
    }
    int movingCount(int hold, int rows, int cols)
    {
        bool *flag=new bool[rows*cols];
        for(int i=0;i<rows*cols;i++)
            flag[i]=false;
        int x=Step(0,0,rows,cols,flag,hold);    
        return x;
    }

};