Length of longest subset consisting of A 0s and B 1s from an array of strings | Set 2
Last Updated :
13 Apr, 2023
Given an array arr[] consisting of N binary strings, and two integers A and B, the task is to find the length of the longest subset consisting of at most A 0s and B 1s.
Examples:
Input: arr[] = {“1”, “0”, “0001”, “10”, “111001”}, A = 5, B = 3
Output: 4
Explanation:
One possible way is to select the subset {arr[0], arr[1], arr[2], arr[3]}.
Total number of 0s and 1s in all these strings are 5 and 3 respectively.
Also, 4 is the length of the longest subset possible.
Input: arr[] = {“0”, “1”, “10”}, A = 1, B = 1
Output: 2
Explanation:
One possible way is to select the subset {arr[0], arr[1]}.
Total number of 0s and 1s in all these strings is 1 and 1 respectively.
Also, 2 is the length of the longest subset possible.
Naive Approach: Refer to the previous post of this article for the simplest approach to solve the problem.
Time Complexity: O(2N)
Auxiliary Space: O(1)
Dynamic Programming Approach: Refer to the previous post of this article for the Dynamic Programming approach.
Time Complexity: O(N*A*B)
Auxiliary Space: O(N * A * B)
Space-Optimized Dynamic Programming Approach: The space complexity in the above approach can be optimized based on the following observations:
- Initialize a 2D array, dp[A][B], where dp[i][j] represents the length of the longest subset consisting of at most i number of 0s and j number of 1s.
- To optimize the auxiliary space from the 3D table to the 2D table, the idea is to traverse the inner loops in reverse order.
- This ensures that whenever a value in dp[][] is changed, it will not be needed anymore in the current iteration.
- Therefore, the recurrence relation looks like this:
dp[i][j] = max (dp[i][j], dp[i - zeros][j - ones] + 1)
where zeros is the count of 0s and ones is the count of 1s in the current iteration.
Follow the steps below to solve the problem:
- Initialize a 2D array, say dp[A][B] and initialize all its entries as 0.
- Traverse the given array arr[] and for each binary string perform the following steps:
- After completing the above steps, print the value of dp[A][B] as the result.
Below is the implementation of the above approach:
C++
// C++ program for the above approach
#include <bits/stdc++.h>
using namespace std;
// Function to find the length of the
// longest subset of an array of strings
// with at most A 0s and B 1s
int MaxSubsetlength(vector<string> arr,
int A, int B)
{
// Initialize a 2D array with its
// entries as 0
int dp[A + 1][B + 1];
memset(dp, 0, sizeof(dp));
// Traverse the given array
for (auto& str : arr) {
// Store the count of 0s and 1s
// in the current string
int zeros = count(str.begin(),
str.end(), '0');
int ones = count(str.begin(),
str.end(), '1');
// Iterate in the range [A, zeros]
for (int i = A; i >= zeros; i--)
// Iterate in the range [B, ones]
for (int j = B; j >= ones; j--)
// Update the value of dp[i][j]
dp[i][j] = max(
dp[i][j],
dp[i - zeros][j - ones] + 1);
}
// Print the result
return dp[A][B];
}
// Driver Code
int main()
{
vector<string> arr
= { "1", "0", "0001",
"10", "111001" };
int A = 5, B = 3;
cout << MaxSubsetlength(arr, A, B);
return 0;
}
Java
// Java program for the above approach
import java.io.*;
import java.lang.*;
import java.util.*;
class GFG{
// Function to find the length of the
// longest subset of an array of strings
// with at most A 0s and B 1s
static int MaxSubsetlength(String arr[],
int A, int B)
{
// Initialize a 2D array with its
// entries as 0
int dp[][] = new int[A + 1][B + 1];
// Traverse the given array
for(String str : arr)
{
// Store the count of 0s and 1s
// in the current string
int zeros = 0, ones = 0;
for(char ch : str.toCharArray())
{
if (ch == '0')
zeros++;
else
ones++;
}
// Iterate in the range [A, zeros]
for(int i = A; i >= zeros; i--)
// Iterate in the range [B, ones]
for(int j = B; j >= ones; j--)
// Update the value of dp[i][j]
dp[i][j] = Math.max(
dp[i][j],
dp[i - zeros][j - ones] + 1);
}
// Print the result
return dp[A][B];
}
// Driver Code
public static void main(String[] args)
{
String arr[] = { "1", "0", "0001",
"10", "111001" };
int A = 5, B = 3;
System.out.println(MaxSubsetlength(arr, A, B));
}
}
// This code is contributed by Kingash
Python3
# Python3 program for the above approach
# Function to find the length of the
# longest subset of an array of strings
# with at most A 0s and B 1s
def MaxSubsetlength(arr, A, B):
# Initialize a 2D array with its
# entries as 0
dp = [[0 for i in range(B + 1)]
for i in range(A + 1)]
# Traverse the given array
for str in arr:
# Store the count of 0s and 1s
# in the current string
zeros = str.count('0')
ones = str.count('1')
# Iterate in the range [A, zeros]
for i in range(A, zeros - 1, -1):
# Iterate in the range [B, ones]
for j in range(B, ones - 1, -1):
# Update the value of dp[i][j]
dp[i][j] = max(dp[i][j],
dp[i - zeros][j - ones] + 1)
# Print the result
return dp[A][B]
# Driver Code
if __name__ == '__main__':
arr = [ "1", "0", "0001", "10", "111001" ]
A, B = 5, 3
print (MaxSubsetlength(arr, A, B))
# This code is contributed by mohit kumar 29
C#
// C# program for the above approach
using System;
class GFG {
// Function to find the length of the
// longest subset of an array of strings
// with at most A 0s and B 1s
static int MaxSubsetlength(string[] arr, int A, int B)
{
// Initialize a 2D array with its
// entries as 0
int[, ] dp = new int[A + 1, B + 1];
// Traverse the given array
foreach(string str in arr)
{
// Store the count of 0s and 1s
// in the current string
int zeros = 0, ones = 0;
foreach(char ch in str.ToCharArray())
{
if (ch == '0')
zeros++;
else
ones++;
}
// Iterate in the range [A, zeros]
for (int i = A; i >= zeros; i--)
// Iterate in the range [B, ones]
for (int j = B; j >= ones; j--)
// Update the value of dp[i][j]
dp[i, j] = Math.Max(
dp[i, j],
dp[i - zeros, j - ones] + 1);
}
// Print the result
return dp[A, B];
}
// Driver Code
public static void Main(string[] args)
{
string[] arr = { "1", "0", "0001", "10", "111001" };
int A = 5, B = 3;
Console.WriteLine(MaxSubsetlength(arr, A, B));
}
}
// This code is contributed by ukasp.
JavaScript
<script>
// Javascript program for the above approach
// Function to find the length of the
// longest subset of an array of strings
// with at most A 0s and B 1s
function MaxSubsetlength(arr, A, B)
{
// Initialize a 2D array with its
// entries as 0
var dp = Array.from(Array(A + 1),
()=>Array(B + 1).fill(0));
// Traverse the given array
arr.forEach(str => {
// Store the count of 0s and 1s
// in the current string
var zeros = [...str].filter(x => x == '0').length;
var ones = [...str].filter(x => x == '1').length;
// Iterate in the range [A, zeros]
for(var i = A; i >= zeros; i--)
// Iterate in the range [B, ones]
for(var j = B; j >= ones; j--)
// Update the value of dp[i][j]
dp[i][j] = Math.max(dp[i][j],
dp[i - zeros][j - ones] + 1);
});
// Print the result
return dp[A][B];
}
// Driver Code
var arr = [ "1", "0", "0001",
"10", "111001" ];
var A = 5, B = 3;
document.write(MaxSubsetlength(arr, A, B));
// This code is contributed by noob2000
</script>
Time Complexity: O(N * A * B)
Auxiliary Space: O(A * B)
Efficient Approach : using array instead of 2d matrix to optimize space complexity
The optimization comes from the fact that the in this approach we use a 1D array, which requires less memory compared to a 2D array. However, in this approach code requires an additional condition to check if the number of zeros is less than or equal to the allowed limit.
Implementations Steps:
- Initialize an array dp of size B+1 with all entries as 0.
- Traverse through the given array of strings and for each string, count the number of 0's and 1's in it.
- For each string, iterate from B to the number of 1's in the string and update the value of dp[j] as maximum of dp[j] and dp[j - ones] + (1 if (j >= ones && A >= zeros) else 0).
- Finally, return dp[B] as the length of the longest subset of strings with at most A 0's and B 1's.
Implementation:
C++
// C++ program for above approach
#include <bits/stdc++.h>
using namespace std;
// Function to find the length of the
// longest subset of an array of strings
// with at most A 0s and B 1s
int MaxSubsetlength(vector<string> arr, int A, int B)
{
// Initialize a 1D array with its
// entries as 0
int dp[B + 1];
memset(dp, 0, sizeof(dp));
// Traverse the given array
for (auto& str : arr) {
// Store the count of 0s and 1s
// in the current string
int zeros = count(str.begin(), str.end(), '0');
int ones = count(str.begin(), str.end(), '1');
// Iterate in the range [B, ones]
for (int j = B; j >= ones; j--)
// Update the value of dp[j]
dp[j] = max(
dp[j],
dp[j - ones]
+ ((j >= ones && A >= zeros) ? 1 : 0));
}
// Print the result
return dp[B];
}
// Driver Code
int main()
{
vector<string> arr
= { "1", "0", "0001", "10", "111001" };
int A = 5, B = 3;
cout << MaxSubsetlength(arr, A, B);
return 0;
}
// this code is contributed by bhardwajji
Java
import java.util.*;
class Main {
// Function to find the length of the
// longest subset of an array of strings
// with at most A 0s and B 1s
static int MaxSubsetlength(List<String> arr, int A, int B) {
// Initialize a 1D array with its
// entries as 0
int[] dp = new int[B + 1];
Arrays.fill(dp, 0);
// Traverse the given array
for (String str : arr) {
// Store the count of 0s and 1s
// in the current string
int zeros = 0, ones = 0;
for (int i = 0; i < str.length(); i++) {
if (str.charAt(i) == '0') zeros++;
else ones++;
}
// Iterate in the range [B, ones]
for (int j = B; j >= ones; j--) {
// Update the value of dp[j]
dp[j] = Math.max(dp[j], dp[j - ones] + ((j >= ones && A >= zeros) ? 1 : 0));
}
}
// Print the result
return dp[B];
}
// Driver Code
public static void main(String[] args) {
List<String> arr = Arrays.asList("1", "0", "0001", "10", "111001");
int A = 5, B = 3;
System.out.println(MaxSubsetlength(arr, A, B));
}
}
Python3
# Python program for above approach
# Function to find the length of the
# longest subset of an array of strings
# with at most A 0s and B 1s
def MaxSubsetlength(arr, A, B):
# Initialize a 1D array with its
# entries as 0
dp = [0] * (B + 1)
# Traverse the given array
for str in arr:
# Store the count of 0s and 1s
# in the current string
zeros = str.count('0')
ones = str.count('1')
# Iterate in the range [B, ones]
for j in range(B, ones - 1, -1):
# Update the value of dp[j]
dp[j] = max(
dp[j],
dp[j - ones]
+ ((j >= ones and A >= zeros) == True))
# Print the result
return dp[B]
# Driver Code
arr = ["1", "0", "0001", "10", "111001"]
A, B = 5, 3
print(MaxSubsetlength(arr, A, B))
C#
// importing necessary namespaces
using System;
using System.Collections.Generic;
// defining main class
class MainClass
{
// Function to find the length of the longest subset
// of an array of strings with at most A 0s and B 1s
static int MaxSubsetlength(List<string> arr, int A, int B)
{
// Initialize a 1D array with its entries as 0
int[] dp = new int[B + 1];
Array.Fill(dp, 0);
// Traverse the given array
foreach (string str in arr)
{
// Store the count of 0s and 1s in the current string
int zeros = 0, ones = 0;
foreach (char c in str) {
if (c == '0') zeros++;
else ones++;
}
// Iterate in the range [B, ones]
for (int j = B; j >= ones; j--)
{
// Update the value of dp[j]
dp[j] = Math.Max(dp[j], dp[j - ones] + ((j >= ones && A >= zeros) ? 1 : 0));
}
}
// Return the result
return dp[B];
}
// Driver Code
public static void Main(string[] args)
{
// Define the input
List<string> arr = new List<string> {"1", "0", "0001", "10", "111001"};
int A = 5, B = 3;
// Call the function and print the result
Console.WriteLine(MaxSubsetlength(arr, A, B));
}
}
JavaScript
// Function to find the length of the
// longest subset of an array of strings
// with at most A 0s and B 1s
function MaxSubsetlength(arr, A, B) {
// Initialize a 1D array with its
// entries as 0
let dp = new Array(B + 1).fill(0);
// Traverse the given array
for (let i = 0; i < arr.length; i++) {
const str = arr[i];
// Store the count of 0s and 1s
// in the current string
let zeros = 0,
ones = 0;
for (let j = 0; j < str.length; j++) {
if (str.charAt(j) === '0') zeros++;
else ones++;
}
// Iterate in the range [B, ones]
for (let j = B; j >= ones; j--) {
// Update the value of dp[j]
dp[j] = Math.max(dp[j], dp[j - ones] + ((j >= ones && A >= zeros) ? 1 : 0));
}
}
// Print the result
return dp[B];
}
// Driver Code
const arr = ["1", "0", "0001", "10", "111001"];
const A = 5,
B = 3;
console.log(MaxSubsetlength(arr, A, B));
Output :
4
Time Complexity: O(N * A * B)
Auxiliary Space: O(B)
Similar Reads
Length of longest subset consisting of A 0s and B 1s from an array of strings
Given an array arr[] consisting of binary strings, and two integers a and b, the task is to find the length of the longest subset consisting of at most a 0s and b 1s.Examples:Input: arr[] = ["1" ,"0" ,"0001" ,"10" ,"111001"], a = 5, b = 3Output: 4Explanation: One possible way is to select the subset
15+ min read
Check if a Binary String contains A pairs of 0s and B independent 0s or not
Given a binary string S and two positive integers A and B, the task is to check if the string consists of A independent pair of adjacent 0s and B independent number of 0s in the binary string or not. If found to be true, then print "Yes". Otherwise, print "No". Examples: Input: S = "10100", A = 1, B
9 min read
Length of longest strictly increasing subset with each pair of adjacent elements satisfying the condition 2 * A[i] ≥ A[i + 1]
Given an array A[] of size N, the task is to find the length of the longest strictly increasing subset with every pair of adjacent elements satisfying the condition A[i + 1] ? 2 * A[i]. If multiple such subsets are present, then print any one of them. Examples: Input: A[] = {3, 1, 5, 11}Output: 3, 5
9 min read
Find the longest string that can be made up of other strings from the array
Given an array of strings arr[], the task is to find the largest string in the array which is made up of the other strings from the array after concatenating one after another. If no such string exists then print -1.Examples: Input: arr[] = {"geeks", "for", "geeksfor", "geeksforgeeks"} Output: geeks
9 min read
Sum of all LCP of maximum length by selecting any two Strings at a time
Given a list of strings, the task is to find the sum of all LCP (Longest Common Prefix) of maximum length by selecting any two strings at a time. Examples: Input: str[] = {babab, ababb, abbab, aaaaa, babaa, babbb} Output: 6 Explanation: Choose 1st and 5th string => length of LCP = 4, Choose 2nd a
14 min read
Length of longest common subarray for given N arrays
Given a 2-D array array[][] containing N arrays, the task is to find the longest common subarray(LCS) among N arrays. Examples: Input: N = 3, array[][] = { { 0, 1, 2, 3, 4 }, { 2, 3, 4 }, { 4, 0, 1, 2, 3 } }Output: 2Explanation: The longest common subpath is {2, 3}. Input: N = 2, array[][] = {{0, 1,
12 min read
Lexicographically smallest permutation of a string that contains all substrings of another string
Given two strings A and B, the task is to find lexicographically the smallest permutation of string B such that it contains every substring from the string A as its substring. Print â-1â if no such valid arrangement is possible.Examples: Input: A = "aa", B = "ababab" Output: aaabbb Explanation: All
10 min read
C++ Program To Find Length Of The Longest Substring Without Repeating Characters
Given a string str, find the length of the longest substring without repeating characters. For âABDEFGABEFâ, the longest substring are âBDEFGAâ and "DEFGAB", with length 6.For âBBBBâ the longest substring is âBâ, with length 1.For "GEEKSFORGEEKS", there are two longest substrings shown in the below
6 min read
Longest subsequence possible that starts and ends with 1 and filled with 0 in the middle
Given a binary string s, the task is to find the length of the longest subsequence that can be divided into three substrings such that the first and third substrings are either empty or filled with 1 and the substring at the middle is either empty or filled with 0. Examples: Input: s = "1001" Output
7 min read
Longest subarray of non-empty cells after removal of at most a single empty cell
Given a binary array arr[], the task is to find the longest subarray of non-empty cells after the removal of at most 1 empty cell. The array indices filled with 0 are known as empty cell whereas the indices filled with 1 are known as non-empty cells. Examples: Input: arr[] = {1, 1, 0, 1} Output: 3 E
9 min read