标签:
There is a fence with n
posts, each post can be painted with one of the k
colors.
You have to paint all the posts such that no more than two adjacent fence posts have the same color.
Return the total number of ways you can paint the fence.
n
and k
are non-negative integers.
Given n
=3, k
=2 return 6
post 1, post 2, post 3
way1 0 0 1
way2 0 1 0
way3 0 1 1
way4 1 0 0
way5 1 0 1
way6 1 1 0
这种给定一个规则,计算有多少种结果的题目一般都是动态规划,因为我们可以从这个规则中得到递推式。根据题意,不能有超过连续两根柱子是一个颜色,也就意味着第三根柱子要么跟第一个柱子不是一个颜色,要么跟第二根柱子不是一个颜色。如果不是同一个颜色,计算可能性的时候就要去掉之前的颜色,也就是k-1种可能性。假设dp[1]是第一根柱子及之前涂色的可能性数量,dp[2]是第二根柱子及之前涂色的可能性数量,则dp[3]=(k-1)*dp[1] + (k-1)*dp[2]。
另一种理解是第三根柱子只有两种选择:跟第二根一个颜色dp[1]*(k-1),跟第二根不同颜色dp[2]*(k-1), 这两种情况是不互相包含的,是独立的,
1 public int numWays(int n, int k) { 2 // 当n=0时返回0 3 int dp[] = {0, k , k*k, 0}; 4 if(n <= 2){ 5 return dp[n]; 6 } 7 for(int i = 3; i <= n; i++){ 8 // 递推式:第三根柱子要么根第一个柱子不是一个颜色,要么跟第二根柱子不是一个颜色 9 dp[3] = (k - 1) * (dp[1] + dp[2]); 10 dp[1] = dp[2]; 11 dp[2] = dp[3]; 12 } 13 return dp[3]; 14 }
Reference:
https://segmentfault.com/a/1190000003790650
标签:
原文地址:http://www.cnblogs.com/beiyeqingteng/p/5655115.html