问题描述
我的程序需要特定的功能。它应该像这样工作:
list = ['C','T','Z','L','P']
new_list = hypothetical_function('Z')
print(new_list)
#['Z','P','C','T']
python中是否有内置函数可以在列表上执行这种操作?
解决方法
只需使用index
获取位置,然后串联相关的切片:
def reorder(lst,first):
pos = lst.index(first)
return lst[pos:] + lst[:pos]
lst = ['C','T','Z','L','P']
print(reorder(lst,'Z'))
(我不知道会执行此操作的内置函数。)
,您可以使用rotate
对象的方法deque
:
from collections import deque
dq = deque(lst)
dq.rotate(lst.index('Z') + 1)
print(dq)
# deque(['Z','P','C','T'])