Function for Odd-Even Transforms

Create a Python function that performs repeated odd-even transformations on an input list.

Create a function that performs "odd-even transformations" on a list `n` times. An "odd-even transformation" involves: - Increasing every odd number in the list by 2; - Decreasing every even number in the list by 2. ### Parameters - `lst` (List[int]): The list of integers that needs to be transformed. The length of the list should be between 0 and 100, including both. Each integer in the list can be within the range of -1000 to 1000, inclusive. - `n` (int): The number of transformations to be performed, between 1 and 50, inclusive. ### Return Value Returns a list of integers after performing the transformations. ### Examples ```python # 3 transformations to the list; [3, 4, 9] -> [5, 2, 11] -> [7, 0, 13] -> [9, -2, 15] solution([3, 4, 9], 3) # Returns: [9, -2, 15] # 10 transformations on a list of zeros; [0, 0, 0] -> [-2, -2, -2] -> .... -> [-20, -20, -20] solution([0, 0, 0], 10) # Returns: [-20, -20, -20] # 1 transformation to the list; [1, 2, 3] -> [3, 0, 5] solution([1, 2, 3], 1) # Returns: [3, 0, 5] ``` ```