We use cookies (including Google cookies) to personalize ads and analyze traffic. By continuing to use our site, you accept our Privacy Policy.

Find the K-or of an Array

Difficulty: Easy


Problem Description

You are given an integer array nums, and an integer k. Let's introduce K-or operation by extending the standard bitwise OR. In K-or, a bit position in the result is set to 1 if at least k numbers in nums have a 1 in that position. Return the K-or of nums.


Key Insights

  • A bit will be set in the result if at least k elements in the array have that bit set.
  • We can iterate through each bit position (up to 31 for 32-bit integers) and count how many integers have that bit set.
  • If the count for a bit position is greater than or equal to k, we set that bit in the result.

Space and Time Complexity

Time Complexity: O(32 * n) = O(n), where n is the length of the input array nums.
Space Complexity: O(1) for the result variable.


Solution

To solve this problem, we will use a bit manipulation approach. For each bit position from 0 to 31, we will count how many numbers in the array have that particular bit set. If the count is at least k, we will set that bit in our result.

  1. Initialize a result variable to 0.
  2. For each bit position from 0 to 31:
    • Count how many numbers in nums have that bit set.
    • If the count is greater than or equal to k, set that bit in the result variable using a bitwise OR.
  3. Finally, return the result.

Code Solutions

def k_or(nums, k):
    result = 0
    for bit_position in range(32):  # Check each bit position from 0 to 31
        count = 0
        for num in nums:
            if (num & (1 << bit_position)) != 0:  # Check if the bit is set
                count += 1
        if count >= k:  # If at least k numbers have this bit set
            result |= (1 << bit_position)  # Set the bit in the result
    return result
← Back to All Questions