我有一些字符串列表。我想从列表末尾删除空字符串(即每个列表应以非空元素结尾)。
input
list1= ['a1','b1','c1','d1','']
list2 = ['a2','','b2','','c2','d2','']
list3 = ['a3','','b3','','','']
list4 = ['','','','','']
输出
list1= ['a1','b1','c1','d1']
list2 = ['a2','','b2','','c2','d2']
list3 = ['a3','','b3']
list4 = ['']
如果所有元素都是空字符串,则仅应保留一个空字符串(例如list4)。
答案 0 :(得分:1)
您可以对enumerate
使用生成器理解,并保持第一个索引从有非空字符串的末尾开始。通过使用next
,我们只需要迭代直到找到第一个非空字符串:
def trim_empty_end(l):
last_ix = next((ix for ix, i in enumerate(l[::-1]) if i), len(l)-1)
return l[:len(l) - last_ix]
trim_empty_end(['a1','b1','c1','d1',''])
# ['a1', 'b1', 'c1', 'd1']
trim_empty_end(['a2','','b2','','c2','d2',''])
# ['a2', '', 'b2', '', 'c2', 'd2']
trim_empty_end(['a3','','b3','','',''])
# ['a3', '', 'b3']
trim_empty_end(['','','','',''])
# ['']
答案 1 :(得分:1)
这是使用str
方法的一种方法。
例如:
list1= ['a1','b1','c1','d1','']
list2 = ['a2','','b2','','c2','d2','']
list3 = ['a3','','b3','','','']
list4 = ['','','','','']
data = [list1, list2, list3, list4]
result = ["*#*".join(i).strip("*#* ").split("*#*") for i in data]
print(result)
输出:
[['a1', 'b1', 'c1', 'd1'],
['a2', '', 'b2', '', 'c2', 'd2'],
['a3', '', 'b3'],
['']]
答案 2 :(得分:0)
您可以使用递归
def remove_empty(l):
if l[-1] != "" or len(l) <= 1:
return l
return remove_empty(l[:-1])
print(remove_empty(list1)) # ['a1', 'b1', 'c1', 'd1']
print(remove_empty(list2)) # ['a2', '', 'b2', '', 'c2', 'd2']
print(remove_empty(list3)) # ['a3', '', 'b3']
print(remove_empty(list4)) # ['']
答案 3 :(得分:0)
最简单的方法(在我看来)
def remove_empty_at_end(l: list):
i = len(l) - 1
# If you're not sure the items of l are strings, then, you can do while l[i] == ""
while not l[i] and i > 0:
i -= 1
return l[:i + 1]
这很简单,可以避免创建l
的无数副本
答案 4 :(得分:0)
def trim_empty_strings(l):
while len(l) > 1 and l[-1] == '':
l = l[:-1]
return l
trim_empty_strings(['a','b','', '']
trim_empty_strings(['','',''])
答案 5 :(得分:0)
list1 = ['a1','b1','c1','d1','']
list2 = ['a2','','b2','','c2','d2','']
list3 = ['a3','','b3','','','']
list4 = ['','','','','']
data = [list1, list2, list3, list4] -->
data = [['a1','b1','c1','d1',''], ['a2','','b2','','c2','d2',''], ['a3','','b3','','',''], ['','','','','']]
for mysublist in data:
while (mysublist[-1].rstrip() == "" and len(mysublist) > 1):
del mysublist[-1]
对于数据中的每个子列表,如果item为空且不是唯一的*项目,则删除最后一个item。
如果子列表末尾仍然有空项目,请继续执行此操作。
(*发问者:如果所有元素都是空字符串,则只应保留一个空字符串)