动态规划(5)---Leetcode338.比特位计数

题目

给你一个整数 n ,对于 0 <= i <= n 中的每个 i ,计算其二进制表示中 1 的个数 ,返回一个长度为 n + 1 的数组 ans 作为答案。
动态规划(5)---Leetcode338.比特位计数_第1张图片

分析

通常动态规划的做题顺序,先确定dp数组dp[i],然后确定确定递推公式,再dp数组初始化,最后确定递推顺序。

题解

class Solution {
    public int[] countBits(int n) {
        int[] bits = new int[n + 1];
        int highBit = 0;
        for (int i = 1; i <= n; i++) {
            if ((i & (i - 1)) == 0) {
                highBit = i;
            }
            bits[i] = bits[i - highBit] + 1;
        }
        return bits;
    }
}


你可能感兴趣的:(算法,动态规划,算法)