I have to write a code that will switch the first item in a tuple with the last one, unless there is only one item. I understand in tuples this cannot be done, but it can be done in a list. So in my code I am changing the tuple to be a list. after running the code it should look like this:
>>>switchItems((6,4,8,3,7,9,4))
(4,4,8,3,7,9,6)
>>>switchItems((“hi” , 23))
(23, “hi”)
>>>switchItems((89,))
(89,)
My code doesn't do this. It returns a list in between and I don't really know how to make it work properly, this is my code:
switchItems(tuple):
new = list(tuple)
return new[-1],new [1:-2],new[0]
And it returns this:
>>>switchItems((6,4,8,3,7,9,4))
(4, [4, 8, 3, 7], 6)'
This is one way to fix your code.
Length check helps avoid possible errors and needles
tuple
tolist
totuple
conversion.Now, let's talk a bit about your problems.
The function switchItems was not properly defined. In Python you are supposed to use
def
(orlambda
) to define a function, but I'm sure that is an artifact of copy-pasting.You shouldn't use argument names that shadow built-in names, i.e. don't use
tuple
as an argument name.According to PEP8 you should avoid using CamelCase to name functions in Python, e.g.
switchItems
should beswitch_items
. This is not enforced, but highly appreciated.