-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy pathOnesandZeroes.cpp
More file actions
56 lines (51 loc) · 1.99 KB
/
OnesandZeroes.cpp
File metadata and controls
56 lines (51 loc) · 1.99 KB
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
//In the computer world, use restricted resource you have to generate maximum benefit is what we always want to pursue.
//
//For now, suppose you are a dominator of m 0s and n 1s respectively. On the other hand, there is an array with strings consisting of only 0s and 1s.
//
//Now your task is to find the maximum number of strings that you can form with given m 0s and n 1s. Each 0 and 1 can be used at most once.
//
//Note:
//The given numbers of 0s and 1s will both not exceed 100
//The size of given string array won't exceed 600.
//Example 1:
//Input: Array = {"10", "0001", "111001", "1", "0"}, m = 5, n = 3
//Output: 4
//
//Explanation: This are totally 4 strings can be formed by the using of 5 0s and 3 1s, which are ¡°10,¡±0001¡±,¡±1¡±,¡±0¡±
//Example 2:
//Input: Array = {"10", "0", "1"}, m = 1, n = 1
//Output: 2
//
//Explanation: You could form "10", but then you'd have nothing left. Better form "0" and "1".
#include<vector>
#include<algorithm>
using namespace std;
class OnesandZeroes {
public:
int findMaxForm(vector<string>& strs, int m, int n) {
vector<vector<int>> memo(m + 1, vector<int>(n + 1, 0));
int numZeroes, numOnes;
for (auto &s : strs) {
numZeroes = numOnes = 0;
// count number of zeroes and ones in current string
for (auto c : s) {
if (c == '0')
numZeroes++;
else if (c == '1')
numOnes++;
}
// memo[i][j] = the max number of strings that can be formed with i 0's and j 1's
// from the first few strings up to the current string s
// Catch: have to go from bottom right to top left
// Why? If a cell in the memo is updated(because s is selected),
// we should be adding 1 to memo[i][j] from the previous iteration (when we were not considering s)
// If we go from top left to bottom right, we would be using results from this iteration => overcounting
for (int i = m; i >= numZeroes; i--) {
for (int j = n; j >= numOnes; j--) {
memo[i][j] = max(memo[i][j], memo[i - numZeroes][j - numOnes] + 1);
}
}
}
return memo[m][n];
}
};