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

Final Value of Variable After Performing Operations

Difficulty: Easy


Problem Description

Given an array of strings operations containing a list of operations that either increment or decrement a variable X, initially set to 0, return the final value of X after performing all the operations.


Key Insights

  • The operations can either increment (++X or X++) or decrement (--X or X--) the value of X.
  • The order of operations matters: increments and decrements change the value relative to the current state of X.
  • The operations can be processed in a linear fashion, processing one operation at a time.

Space and Time Complexity

Time Complexity: O(n), where n is the number of operations in the input array.
Space Complexity: O(1), as we only use a constant amount of extra space for the variable X.


Solution

To solve the problem, we will initialize a variable X to 0. We will then iterate through each operation in the operations array. Depending on whether the operation is an increment or a decrement (determined by the operation string), we will update the value of X. The operations can be identified using string comparison.


Code Solutions

def finalValueAfterOperations(operations):
    X = 0
    for operation in operations:
        if operation == "++X" or operation == "X++":
            X += 1
        elif operation == "--X" or operation == "X--":
            X -= 1
    return X
← Back to All Questions