Problem Description
There is a row of m houses in a small city, each house must be painted with one of the n colors (labeled from 1 to n), some houses that have been painted last summer should not be painted again. A neighborhood is a maximal group of continuous houses that are painted with the same color. Given an array houses, an m x n matrix cost and an integer target, return the minimum cost of painting all the remaining houses in such a way that there are exactly target neighborhoods. If it is not possible, return -1.
Key Insights
- We need to track the number of neighborhoods formed by the painted houses.
- Dynamic programming can be used to minimize the cost while also ensuring the required number of neighborhoods.
- We can represent the state with three parameters: the current house index, the current number of neighborhoods, and the last color used for painting.
- The problem can be solved by exploring all possible colors for unpainted houses and using previously computed states to build the solution.
Space and Time Complexity
Time Complexity: O(m * n * target)
Space Complexity: O(m * target)
Solution
The solution employs dynamic programming to keep track of the minimum cost to paint houses while ensuring that the exact number of neighborhoods is maintained. We use a 3D array dp
where dp[i][t][c]
represents the minimum cost to paint up to the ith house, resulting in exactly t neighborhoods, with the last house painted color c. We initialize our dp array with infinity and update it based on the costs from the cost
matrix and the previously calculated states.