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

Defuse the Bomb

Difficulty: Easy


Problem Description

You have a bomb to defuse, and your time is running out! Your informer will provide you with a circular array code of length of n and a key k. To decrypt the code, you must replace every number. All the numbers are replaced simultaneously. If k > 0, replace the ith number with the sum of the next k numbers. If k < 0, replace the ith number with the sum of the previous k numbers. If k == 0, replace the ith number with 0. The array is circular, meaning the next element of code[n-1] is code[0], and the previous element of code[0] is code[n-1]. Given the circular array code and an integer key k, return the decrypted code to defuse the bomb!


Key Insights

  • The problem involves manipulating a circular array.
  • It requires handling three cases based on the value of k.
  • The logic needs to ensure that we sum the correct elements while considering the circular nature of the array.
  • Edge cases include when k is zero and when k is negative, which necessitates looking at previous elements.

Space and Time Complexity

Time Complexity: O(n) - We iterate through the array to compute the new values.
Space Complexity: O(n) - We store the results in a new array.


Solution

To solve the problem, we will use a simple array to hold the results. We will iterate through each index of the input array and calculate the sum based on the value of k. We will use modulo operations to handle the circular nature of the array indexing. If k is positive, we will sum the next k elements, and if k is negative, we will sum the previous k elements. If k is zero, we will set the element to zero.


Code Solutions

def decrypt(code, k):
    n = len(code)
    if k == 0:
        return [0] * n
    
    result = [0] * n
    
    for i in range(n):
        if k > 0:
            result[i] = sum(code[(i + j) % n] for j in range(1, k + 1))
        else:  # k < 0
            result[i] = sum(code[(i + j) % n] for j in range(-1, k - 1, -1))
    
    return result
← Back to All Questions