leetcode|leetcode 474. Ones and Zeroes 一和零(中等)
一、题目大意
标签: 动态规划
https://leetcode.cn/problems/ones-and-zeroes
给你一个二进制字符串数组 strs 和两个整数 m 和 n 。
请你找出并返回 strs 的最大子集的长度,该子集中 最多 有 m 个 0 和 n 个 1 。
如果 x 的所有元素也是 y 的元素,集合 x 是集合 y 的 子集 。
示例 1:
输入:strs = ["10", "0001", "111001", "1", "0"], m = 5, n = 3示例 2:
输出:4
解释:最多有 5 个 0 和 3 个 1 的最大子集是 {"10","0001","1","0"} ,因此答案是 4 。
其他满足题意但较小的子集包括 {"0001","1"} 和 {"10","1","0"} 。{"111001"} 不满足题意,因为它含 4 个 1 ,大于 n 的值 3 。
输入:strs = ["10", "0", "1"], m = 1, n = 1提示:
输出:2
解释:最大的子集是 {"0", "1"} ,所以答案是 2 。
- 1 <= strs.length <= 600
- 1 <= strs[i].length <= 100
- strs[i] 仅由 '0' 和 '1' 组成
- 1 <= m, n <= 100
二、解题思路这道题也是一个背包问题,背包问题:有N个物品和容量为W的背包,每个物品都有自己的体积w和价值v,求拿哪些物品可以使得背包所装下物品的总价值最大。如果限定每种物品只能选择0个或1个,则问题称为0-1背包问题;如果不限定每种物品的数量,则问题称为无界背包问题或完全背包问题。
三、解题方法 3.1 Java实现
public class Solution {
public int findMaxForm(String[] strs, int m, int n) {
int[][] dp = new int[m + 1][n + 1];
for (String str : strs) {
int[] countArr = count(str);
int count0 = countArr[0];
int count1 = countArr[1];
for (int i = m;
i>= count0;
i--) {
for (int j = n;
j>= count1;
j--) {
dp[i][j] = Math.max(dp[i][j], 1 + dp[i-count0][j-count1]);
}
}
}
return dp[m][n];
}/**
* 计算字符串中0和1的数量
*/
int[] count(String s) {
int count0 = s.length();
int count1 = 0;
for (char c : s.toCharArray()) {
if ('1' == c) {
count1++;
count0--;
}
}
return new int[]{count0, count1};
}
}
四、总结小记
- 2022/6/30 7.5号又要延长一周左右啦
推荐阅读
- Leetcode PHP题解--D138 35. Search Insert Position
- leetcode刷题|C++标准模板库方法STL和函数使用说明
- golang|LeetCode26 删除有序数组中的重复项 Go语言
- Leetcode|Leetcode 3. 无重复字符的最长子串
- LeetCode 3. 无重复字符的最长子串
- leetcode|leetcode 416. Partition Equal Subset Sum 分割等和子集(中等)
- 记录|leetcode刷题计划和每日刷题记录
- [LeetCode周赛复盘] 第 299 场周赛20220626
- [英雄星球六月集训LeetCode解题日报] 第24日 线段树
- leetcode|leetcode 1143. Longest Commom Subsequence 最长公共子序列(中等)