• [LeetCode#276] Paint Fence


    Problem:

    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. 

    Note:
    n and k are non-negative integers.

    Wrong Solution:

    public class Solution {
        public int numWays(int n, int k) {
            if (n == 0 || k == 0)
                return 0;
            if (n == 1)
                return k;
            int total = k;
            int count = 1;
            while (count < k) {
                total *= k - 1;
                count++;
            }
            return total;
        }
    }

    Mistake Analysis:

    Fail to throughly understand problem!!! The problem asks us to compute the number of ways for arranging the painting which has no more than two sussive post share the same color. It means we were allowed to make two neighboring posts share the same color!

    Analysis:

    The problem of asking how many ways to do something is usually very easy!
    And it could always be solved through dynamic programming. You just need to carefully design the transitional function acoording to characteristics or certain restrictions. 
    
    We know for each post, it could differ or same as its previous post's color.
    Assume: 
    differ_count: represents the current post with different color with its previous post(the painting ways)
    same_count: represents the current post share the same color with its previous post(the painiting ways)
    
    We could have following trasitinao function
    differ_count(i) = differ_count(i-1) * (k-1) + same_count(i-1) * (k-1)
    same_count(i) = differ_count(i-1) //cause the current post must have the same color with post i-1, thus we could only use the way that differ_count(i-1)
    
    Base case:
    2 is a perfect base case for use to start, since it has simple same_count and differ_count;

    Solution:

    public class Solution {
        public int numWays(int n, int k) {
            if (n == 0 || k == 0)
                return 0;
            if (n == 1)
                return k;
            int same_count = k;
            int differ_count = k * (k - 1);
            for (int i = 3; i <= n; i++) {
                int temp = differ_count;
                differ_count = differ_count * (k - 1) + same_count * (k - 1);
                same_count = temp;
            }
            return same_count + differ_count;
        }
    }
  • 相关阅读:
    c# Chart 服务器端动态创建ChartArea
    解决 ASP.NET Chart 控件出错 为 ChartImg.axd 执行子请求时出错
    C# Chart控件,chart、Series、ChartArea曲线图绘制的重要属性
    JSON和JS对象之间的互转
    MAC OS下使用OpenSSL生成私钥和公钥的方法
    iOS 牛人技术博客分享
    iOS开发之头像裁剪
    iOS开发之使用CALayer封装下载进度条
    iOS开发之使用UIimage+ImageEffects实现图片模糊效果
    我的第一个开源项目(Auditory)
  • 原文地址:https://www.cnblogs.com/airwindow/p/4796688.html
Copyright © 2020-2023  润新知