如何删除python中列表列表中的''(空字符串)?

How to remove the '' (empty string) in the list of list in python?

我想在python.

中的列表列表中删除空字符串('')

我的输入

final_list=[['','','','',''],['','','','','',],['country','','','',''],['','','India','','']]

我的预期输出应该是这样的:

final_list=[['country'],['India']]

我是 python 的新手,我只是想尝试一下(注意*下面的尝试代码不是预期的)

final=[]
for value in final_list:
   if len(set(value))==1:
      print(set(value))
      if list(set(value))[0]=='':
          continue
       else:
           final.append(value)
    else:
        (final.append(value)
        print(final)

有人可以帮助我达到预期的输出吗?以通用方式。

您可以使用列表理解来检查子列表中是否存在任何值,并使用嵌套理解仅检索具有值的那些

[[x for x in sub if x] for sub in final_list if any(sub)]

您可以将嵌套列表理解与 any 结合使用,检查列表是否包含至少一个不为空的字符串:

>>> [[j for j in i if j] for i in final_list if any(i)]
[['country'], ['India']]

试试下面的方法

final_list=[['','','','',''],['','','','','',],['country','','','',''],['','','India','','']]
lst = []
for e in final_list:
  if any(e):
    lst.append([x for x in e if x])
print(lst)

输出

[['country'], ['India']]

假设list里面的字符串不包含,那么

outlist = [','.join(innerlist).split(',') for innerlist in final_list]

但是如果list的list中的字符串可以包含,那么

outlist = []
for inlist in final_list:
  outlist.append(s for s in inlist if s != '')

您可以执行以下操作(使用我的模块 sbNative -> python -m pip install sbNative


from sbNative.runtimetools import safeIter


final_list=[['','','','',''],['','','','','',],['country','','','',''],['','','India','','']]

for sub_list in safeIter(final_list):
    while '' in sub_list: ## removing empty strings from the sub list until there are no left
        sub_list.remove('')

    if len(sub_list) == 0: ## checking and removing lists in case they are empty
        final_list.remove(sub_list)

print(final_list)

使用列表理解来查找包含任何值的所有子列表。然后使用过滤器获取此子列表中包含值的所有条目(此处使用 bool 检查)。

final_list = [list(filter(bool, sublist)) for sublist in final_list if any(sublist)]