遍历字典列表

时间:2019-07-21 18:21:54

标签: python-3.x string list loops dictionary

背景

我有一个字典列表,如下所示:

list_of_dic = [{'id': 'T1','type': 'LOCATION-OTHER','start': 142,'end': 148,'text': 'California'},
 {'id': 'T2', 'type': 'PHONE', 'start': 342, 'end': 352, 'text': '123456789'},
 {'id': 'T3', 'type': 'DATE', 'start': 679, 'end': 687, 'text': '1/1/2000'},
 {'id': 'T10','type': 'DOCTOR','start': 692,'end': 701,'text': 'Joe'},
 {'id': 'T11', 'type': 'DATE', 'start': 702, 'end': 710, 'text': '5/1/2000'}]

目标

使用if语句或for语句对print'type': 'DATE以外的所有内容

示例

我希望它看起来像这样:

for dic in list_of_dic: 

    #skip  'DATE' and corresponding 'text'
    if edit["type"] == 'DATE':
        edit["text"] = skip this

    else:
        print everything else that is not 'type':'DATE' and corresponding 'text': '1/1/2000'

所需的输出

list_of_dic = [{'id': 'T1','type': 'LOCATION-OTHER','start': 142,'end': 148,'text': 'California'},
     {'id': 'T2', 'type': 'PHONE', 'start': 342, 'end': 352, 'text': '123456789'},
     {'id': 'T10','type': 'DOCTOR','start': 692,'end': 701,'text': 'Joe'}]

问题

如何使用循环实现所需的输出?

2 个答案:

答案 0 :(得分:1)

尝试一下:

list_of_dic = [{'id': 'T1','type': 'LOCATION-OTHER','start': 142,'end': 148,'text': 'California'},
 {'id': 'T2', 'type': 'PHONE', 'start': 342, 'end': 352, 'text': '123456789'},
 {'id': 'T3', 'type': 'DATE', 'start': 679, 'end': 687, 'text': '1/1/2000'},
 {'id': 'T10','type': 'DOCTOR','start': 692,'end': 701,'text': 'Joe'},
 {'id': 'T11', 'type': 'DATE', 'start': 702, 'end': 710, 'text': '5/1/2000'}]

newList = []
for dictionary in list_of_dic:
    if dictionary['type'] != 'DATE':
        newList.append(dictionary)

答案 1 :(得分:1)

使用列表理解:

In [1]: list_of_dic = [{'id': 'T1','type': 'LOCATION-OTHER','start': 142,'end': 148,'text'
   ...: : 'California'},
   ...:  {'id': 'T2', 'type': 'PHONE', 'start': 342, 'end': 352, 'text': '123456789'},
   ...:  {'id': 'T3', 'type': 'DATE', 'start': 679, 'end': 687, 'text': '1/1/2000'},
   ...:  {'id': 'T10','type': 'DOCTOR','start': 692,'end': 701,'text': 'Joe'},
   ...:  {'id': 'T11', 'type': 'DATE', 'start': 702, 'end': 710, 'text': '5/1/2000'}]

In [2]: out = [i for i in list_of_dic if i['type'] != 'DATE']

In [3]: out
Out[3]:
[{'id': 'T1',
  'type': 'LOCATION-OTHER',
  'start': 142,
  'end': 148,
  'text': 'California'},
 {'id': 'T2', 'type': 'PHONE', 'start': 342, 'end': 352, 'text': '123456789'},
 {'id': 'T10', 'type': 'DOCTOR', 'start': 692, 'end': 701, 'text': 'Joe'}]