更新:
在python中,如何根据索引范围将列表拆分为子列表
例如原始列表:
list1 = [x,y,z,a,b,c,d,e,f,g]
使用索引范围 0 - 4:
list1a = [x,y,z,a,b]
使用索引范围 5-9:
list1b = [c,d,e,f,g]
谢谢!
我已经知道包含特定字符串的列表元素的(变量)索引,并希望根据这些索引值拆分列表。
还需要拆分成可变数量的子列表!IE:
list1a
list1b
.
.
list1[x]
在python中,它被称为切片。这是python 的切片表示法的示例:
>>> list1 = ['a','b','c','d','e','f','g','h', 'i', 'j', 'k', 'l']
>>> print list1[:5]
['a', 'b', 'c', 'd', 'e']
>>> print list1[-7:]
['f', 'g', 'h', 'i', 'j', 'k', 'l']
请注意如何进行正面或负面切片。当您使用负数时,这意味着我们从右向左切片。
请注意,您可以在切片中使用变量:
l = ['a',' b',' c',' d',' e']
c_index = l.index("c")
l2 = l[:c_index]
这会将 l 的前两个条目放入 l2
如果您已经知道索引:
list1 = ['x','y','z','a','b','c','d','e','f','g']
indices = [(0, 4), (5, 9)]
print [list1[s:e+1] for s,e in indices]
请注意,我们在末尾添加 +1 以使范围包含在内...
list1a=list[:5]
list1b=list[5:]
如果您有多个索引或知道需要获取的索引范围,其中一种方法是:
split_points - 您将拆分字符串或列表的点
k - 您需要拆分的范围,例如 = 3
split_points = [i for i in range(0, len(string), k)]
parts = [string[ind:ind + k] for ind in split_points]
list1=['x','y','z','a','b','c','d','e','f','g']
find=raw_input("Enter string to be found")
l=list1.index(find)
list1a=[:l]
list1b=[l:]
考虑以下示例的核心伪代码:
def slice_it(list_2be_sliced, indices):
    """Slices a list at specific indices into constituent lists.
    """
    indices.append(len(list_2be_sliced))
    return [list_2be_sliced[indices[i]:indices[i+1]] for i in range(len(indices)-1)]