0

我正在尝试创建 csv 下载,但结果下载给了我不同的格式

def csv_download(request):
    import csv
    import calendar
    from datetime import *
    from dateutil.relativedelta import relativedelta

    now=datetime.today()
    month = datetime.today().month
    d = calendar.mdays[month]

    # Create the HttpResponse object with the appropriate CSV header.
    response = HttpResponse(mimetype='text/csv')
    response['Content-Disposition'] = 'attachment; filename=somefilename.csv'
    m=Product.objects.filter(product_sellar = 'jhon')
    writer = csv.writer(response)
    writer.writerow(['S.No'])
    writer.writerow(['product_name'])
    writer.writerow(['product_buyer'])
    for i in xrange(1,d):

       writer.writerow(str(i) + "\t")



    for f in m:
         writer.writerow([f.product_name,f.porudct_buyer])

    return response

上述代码的输出:

product_name
1
2
4
5
6
7
8
9
1|10
1|1
1|2
.
.
.
2|7


mgm | x_name
wge | y_name

我正在寻找这样

s.no   porduct_name product_buyser  1     2   3   4   5   6   7   8 9 10 .....27 total
  1   mgm            x_name         2      3      8                                13
  2  wge             y_name                   4       9                            13

你能帮我下载上面的csv吗?如果可能的话,你能告诉我如何总结所有个人用户的总数吗?

例子 :

我们有销售表,每天都会插入卖家信息

表数据看起来像

 S.no product_name product_seller sold Date
  1     paint        jhon           5   2011-03-01
  2     paint        simth          6   2011-03-02 

我创建了一个表格,它显示以下格式,我正在尝试创建 csv 下载

s.no prod_name   prod_sellar 1-03-2011  2-03-2011   3-03-2011   4-03-2011 total
    1     paint         john       10        15               0               0     25
    2     paint         smith      2          6               2               0     10
4

1 回答 1

0

请阅读csv 模块文档,尤其是writer 对象 API

您会注意到 csv.writer 对象采用一个列表,其中包含表示它们在分隔行中的位置的元素。因此,要获得所需的输出,您需要像这样传递一个列表:

writer = csv.writer(response)
writer.writerow(['S.No', 'product_name', 'product_buyer'] + range(1, d) + ['total'])

这将为您提供所需的标题输出。

如果您只想填充行的某些部分,您可能想探索csv.DictWriter类。干净多了。你会这样做:

writer = csv.DictWriter(response, 
                        ['S.No', 'product_name', 'product_buyer'] + range(1, d) + ['total'])

然后,当您的写入命令如下时:

for f in m:
    writer.writerow({'product_name': f.product_name, 'product_buyer': f.product_buyer})
于 2011-03-07T19:01:49.940 回答