LeetCodeOJ_198_House Robber_e

答題鏈接

題目:

You are a professionalrobber planning to rob houses along a street. Each house has a certain amountof money stashed, the only constraint stopping you from robbing each of them isthat adjacent houses have security system connected and it will automaticallycontact the police if two adjacent houses were broken into on the same night.

Given a list ofnon-negative integers representing the amount of money of each house, determinethe maximum amount of money you can rob tonight without alerting the police.

 

分析:

  動態規劃


代碼:

<span style="font-size:14px;">class Solution {
public:
   
    int rob(vector<int>& nums) {
        int unrobSize=nums.size();
        vector<int> robMoney;
        for(int i=0;i<unrobSize;i++)
           robMoney.push_back(0);
        
        if(unrobSize==0)
           return 0;
           
        if(unrobSize>0)
           robMoney[0]=nums.at(0);
           
        if(unrobSize>1)
        {
            if(nums.at(1)>nums.at(0))
               robMoney[1]=nums.at(1);
            else
               robMoney[1]=nums.at(0);
        }
          
        for(int i=2;i<unrobSize;i++)
        {
            
            int robHouse=nums.at(i)+robMoney.at(i-2);
            int unrobHouse=robMoney.at(i-1);
            if(robHouse>unrobHouse)
              robMoney[i]=robHouse;
            else 
              robMoney[i]=unrobHouse;
        }
           
        return robMoney[unrobSize-1];
    }
};
</span>


結果:


 


 





發佈了32 篇原創文章 · 獲贊 2 · 訪問量 1萬+
發表評論
所有評論
還沒有人評論,想成為第一個評論的人麼? 請在上方評論欄輸入並且點擊發布.
相關文章