Python Excel 负数和正数出现的次数 (count/frequency)

Python Excel number of times a negative and positive number appears (count/frequency)

我想python计算二进制中负数和正数出现的次数[1个正数和0个负数]。此外,我想 Python 计算总数中存在的正数的百分比。在使用 Python Excel 时,我很难弄清楚这一点。

这是我现在拥有的代码:

import csv

with open('Weather30states.csv', 'r') as file1:
     val = list(csv.reader(file1))[2]
     val1 = val[0:4]

with open('FL%.csv', 'r') as file2:
    reader = csv.reader(file2)
    reader.next() # this skips the first row of the file
    # this iteration will start from the second row of file2.csv
    conditionMet = False
    for row in reader:
        if conditionMet == True:
            print "FA,",row[0],',', ','.join(row[1:5])
            conditionMet = False # or break if you know you only need at most one line
        if row[1:5] == val1:
           conditionMet = True

当我 运行 这段代码时,我在输出 window 中得到的是这样的:

FA, -1.97% , 0,0,1,0
FA, -0.07% , 0,0,1,1
FA, 0.45% , 0,1,1,1
FA, -0.07% , 0,0,1,1
FA, -0.28% , 0,0,1,1

我想得到的是这个:

1, 0, FA, -1.97% , 0,0,1,0
2, 0, FA, -0.07% , 0,0,1,1
3, 1, FA, 0.45% , 0,1,1,1
4, 0, FA, -0.07% , 0,0,1,1
5, 0, FA, -0.28% , 0,0,1,1

Total Count = 5
Percentage of Positive numbers = .20 %

使用两个计数器变量来跟踪总计数和阳性数。在开始时将它们设置为 0,然后在循环内部,每当您想添加 1 时使用 += 1 来递增它们。

然后通过去掉百分号,然后使用if float(row[0].strip('%')) > 0将字符串转换为数字来测试百分比是否大于0。如果要在 "positive" 类别中包含 0,可以将其更改为 >=

totalCount = 0
numberOfPositives = 0

with open('FL%.csv', 'r') as file2:
    reader = csv.reader(file2)
    reader.next() # this skips the first row of the file
    # this iteration will start from the second row of file2.csv
    conditionMet = False
    for row in reader:
        if conditionMet == True:
            if float(row[0].strip('%')) > 0: # change > to >= if you want to count 0 as positive
                print "FA, 1",row[0],',', ','.join(row[1:5]) # print 1 if positive
                numberOfPositives += 1 # add 1 to numberOfPositives only if positive
            else:
                print "FA, 0",row[0],',', ','.join(row[1:5]) # print 0 if not positive
            totalCount += 1 # add 1 to totalCount regardless of sign
            conditionMet = False # or break if you know you only need at most one line
        if row[1:5] == val1:
           conditionMet = True

然后你可以从totalCountnumberOfPositives计算你需要的总和和百分比:

print 'Total Count =', totalCount
print 'Percentage of Positive numbers =', numberOfPositives * 100./totalCount, '%'