在python中排序csv没有发生

2024-04-26 04:49:29 发布

您现在位置:Python中文网/ 问答频道 /正文

我正在尝试用python对csv文件进行排序。你知道吗

这是我的CSV文件

猫示例数据.csv你知道吗

OrderDate,Region,Rep,Item,Units,Unit Cost,Total
1/6/14,East,Jones,Pencil,95, 1.99 , 189.05
1/23/14,Central,Kivell,Binder,50, 19.99 , 999.50
2/9/14,"Central","Jardine","Pencil",36, 4.99 , 179.64
2/26/14,Central,Gill,Pen,27, 19.99 , 539.73
3/15/14,West,Sorvino,Pencil,56, 2.99 , 167.44
4/1/14,East,Jones,Binder,60, 4.99 , 299.40
4/18/14,Central,Andrews,Pencil,75, 1.99 , 149.25
5/5/14,Central,Jardine,Pencil,90, 4.99 , 449.10
5/22/14,West,Thompson,Pencil,32, 1.99 , 63.68
6/8/14,East,Jones,Binder,60, 8.99 , 539.40
12/4/15,Central,Jardine,Binder,94, 19.99 ," 1,879.06 "
12/21/15,Central,Andrews,Binder,28, 4.99 , 139.72

这是我的密码

import csv
import operator

f = open('SampleData.csv')

csv1 = csv.reader(f, delimiter=',')

sort = sorted(csv1, key=operator.itemgetter(6))

for eachline2 in sort:
        print eachline2

f.close()

以下是我的结果:

['12/4/15', 'Central', 'Jardine', 'Binder', '94', ' 19.99 ', ' 1,879.06 ']
['12/21/15', 'Central', 'Andrews', 'Binder', '28', ' 4.99 ', ' 139.72 ']
['4/18/14', 'Central', 'Andrews', 'Pencil', '75', ' 1.99 ', ' 149.25 ']
['3/15/14', 'West', 'Sorvino', 'Pencil', '56', ' 2.99 ', ' 167.44 ']
['2/9/14', 'Central', 'Jardine', 'Pencil', '36', ' 4.99 ', ' 179.64 ']
['1/6/14', 'East', 'Jones', 'Pencil', '95', ' 1.99 ', ' 189.05 ']
['4/1/14', 'East', 'Jones', 'Binder', '60', ' 4.99 ', ' 299.40 ']
['5/5/14', 'Central', 'Jardine', 'Pencil', '90', ' 4.99 ', ' 449.10 ']
['6/8/14', 'East', 'Jones', 'Binder', '60', ' 8.99 ', ' 539.40 ']
['2/26/14', 'Central', 'Gill', 'Pen', '27', ' 19.99 ', ' 539.73 ']
['5/22/14', 'West', 'Thompson', 'Pencil', '32', ' 1.99 ', ' 63.68 ']
['1/23/14', 'Central', 'Kivell', 'Binder', '50', ' 19.99 ', ' 999.50 ']
['OrderDate', 'Region', 'Rep', 'Item', 'Units', 'Unit Cost', 'Total']

我不知道我在这里做错了什么。你知道吗

我有两个问题

  1. 分类并不像你看到的那样发生。你知道吗
  2. 我在最后一行得到头球。我想把它放在第一行。你知道吗

非常感谢您的帮助。你知道吗


Tags: 文件csvbinderitemregioncentralunitswest
1条回答
网友
1楼 · 发布于 2024-04-26 04:49:29

实际上,排序是完全正确的,因为比较的是字符串(以字符为单位),而不是数字。字符串“1879.06”位于“139.72”之前,因为它在词典中较小。你知道吗

如果要根据最后一列的数值对行进行排序,请将最后一列转换为floats或将传递的函数更改为key。请尝试以下操作:

sort = sorted(csv1, key=lambda t: float(t[6]))

但是,这将引发ValueError,因为列标题不能转换为数字。你知道吗

要使头出现在开头,您可以尝试将reader对象csv1转换为列表,并对列表的一部分进行唯一排序,或者更改key函数以确保不以数字开头的字符串转换为0,这应该将它们放在其他行之前(如果所有其他行的值都大于0)。你知道吗

可能的解决方案如下:

import csv
import operator

def key_fn(row):
    # Your strings contain both commas and dots, but commas can be removed
    return float(row[6].replace(',', ''))

f = open('SampleData.csv')

csv1 = csv.reader(f, delimiter=',')
header = next(csv1) # because csv reader supports the iterator protocol
rows = sorted(csv1, key=key_fn)

print header

for row in rows:
    print row

f.close()

要更好地处理数字中的逗号,请查看this question。你知道吗

相关问题 更多 >