DDSA
Advertisement

2044. Count Number of Maximum Bitwise-OR Subsets

Time: O(2^n)
Space: O(n)

Approach

Compute max OR of whole array; DFS enumerate subsets counting those achieving max OR.

2044.cs
C#
// Approach: Compute max OR of whole array; DFS enumerate subsets counting those achieving max OR.
// Time: O(2^n) Space: O(n)

public class Solution
{
    private int ans = 0;

    public int CountMaxOrSubsets(int[] nums)
    {
        int ors = nums.Aggregate((a, b) => a | b);
        Dfs(nums, 0, 0, ors);
        return ans;
    }

    private void Dfs(int[] nums, int i, int path, int ors)
    {
        if (i == nums.Length)
        {
            if (path == ors)
                ++ans;
            return;
        }

        Dfs(nums, i + 1, path, ors);
        Dfs(nums, i + 1, path | nums[i], ors);
    }
}
Advertisement
Was this solution helpful?