Remove Even-Indexed Elements

Design a Python function to eliminate even-indexed elements from a specified list, retaining only the elements at odd indices.

In the Python programming language, indexing always starts from zero (0), setting the first item at index 0, the second at index 1, and so on. Given this, your task is to create a list manipulation function, `remove_even_indexed`. This function should take a list, `lst`, as a parameter and remove all elements positioned at even indices, i.e., elements at indexes 0, 2, 4, 6, etc. For the purpose of this task, the first element is considered to be at an 'odd' index, as it is located at index 0. ### Parameters - `lst` (list): a list containing elements of any data type. ### Return Value - The function should return a new list which includes only the elements from `lst` positioned at odd indices. ### Examples ```python # The string "Goodbye", positioned at index 1 (an even position for this task), is removed remove_even_indexed(['Hello', 'Goodbye', 'Hello Again']) ➞ ['Hello', 'Hello Again'] # Numbers positioned at odd indices (based on 0-indexing) are retained remove_even_indexed([1, 2, 3, 4, 5, 6, 7, 8, 9, 10]) ➞ [1, 3, 5, 7, 9] # The first element, list ['Goodbye'], is kept remove_even_indexed([['Goodbye'], {'Great': 'Job'}]) ➞ [['Goodbye']] ```