House Robber

LintCode-392.House Robber

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

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

Example

Given [3, 8, 4], return 8.

Challenge

O(n) time and O(1) memory.

public class Solution {
    /**
     * @param A: An array of non-negative integers.
     * return: The maximum amount of money you can rob tonight
     */
    public long houseRobber(int[] A) {
        if (A == null || A.length == 0) {
            return 0;
        }
        
        if (A.length == 1) {
            return A[0];
        }
        
        long[] sum = new long[A.length];
        sum[0] = A[0];
        sum[1] = Math.max(A[0], A[1]);
        
        for (int i = 2; i < A.length; i++) {
            sum[i] = Math.max(A[i] + sum[i - 2], sum[i - 1]);
        }
        
        return sum[A.length - 1];
    }
}

Hope this helps,
Michael

DigitalOcean Referral Badge