如果条件在Python中并创建列表

时间:2019-03-21 16:34:12

标签: python

我刚刚开始学习python。我有一个csv文件,其中包含三行:日期,时间和温度。现在,我要筛选所有> 80的温度数据,然后将筛选的行放入列表中并进行打印。

import csv
date_array = []
time_array = []
temp_array = []
output = []

with open("/Users/Fay/Documents/GitHub/warning_system/temp.csv") as csvfile:
    csv_reader = csv.reader(csvfile, delimiter=",")
    next(csv_reader, None)
    for row in csv_reader:
        date_array.append(row[0])
        time_array.append(row[1])
        temp_array.append(row[2])
        #why to disassemble the data vertically instead of horizontally, line by line. 
    #print(data_array[1])
    #print(time_array[1])
    #print(temp_array[1])


    for row in csv_reader:
        output= ['data_array','time_array','temp_array']
       if temp_array > '80':
    print(output)

您能帮我解决吗?谢谢。

1 个答案:

答案 0 :(得分:1)

制作一个字典数组,而不是3个单独的数组。

第二个循环应遍历您填充的数组,而不是csv_readercsv_reader中没有任何可处理的东西,因为上一个循环到达了循环的结尾。

您还应该将温度转换为数字。

import csv
data_array = []
output = []

with open("/Users/Fay/Documents/GitHub/warning_system/temp.csv") as csvfile:
    csv_reader = csv.reader(csvfile, delimiter=",")
    next(csv_reader, None)
    for row in csv_reader:
        data_array.append({"date": row[0], "time": row[1], "temp": float(row[2])})

for item in data_array:
    if item['temp'] > 80:
        output.append(item)

print(output)