CSV中的结果应该是列表而不是字符串

时间:2013-06-18 10:47:14

标签: python csv

在我的脚本中,我计算每个文本文件的某些功能。然后我将结果写入CSV文件。但是,我似乎无法将它们列入列表,我最终得到了字符串。我省略了功能计算,只是发布了用于写入CSV文件的代码。我是初学者:)

fnew = open('results.csv', 'w+')
fnew.write('fileid,feature,resultaat\n')

......计算功能。

    fnew.write(cat+','+sentstr+',perplexity    (bigram),'+str(lmbi.perplexity(sent))+'\n')
    fnew.write(cat+','+sentstr+',perplexity (trigram),'+str(lmtr.perplexity(sent))+'\n')
    fnew.write(cat+','+sentstr+',word_senses,'+str(aver_senses)+'\n')
    fnew.write(cat+','+sentstr+',polarity,'+str(polarity(sent))+'\n')
    fnew.write(cat+','+sentstr+',modality,'+str(modality(Sentence(parse(joined, chunks=False, lemmata=True))))+'\n')
    fnew.write(cat+','+sentstr+',subjectivity,'+str(subjectivity(sent))+'\n')

fnew.close()

2 个答案:

答案 0 :(得分:0)

我不确定我是否完全理解这个问题,但我会给它一个旋转。

我建议使用matplotlib中的csv功能。如果你还没有听说过,matplotlib是一个优秀的开源图形库。请查看www.matplotlib.org

from matplotlib import mlab
writer = mlab.csv.writer(open('results.csv', 'w'))    # pass an open file object and returns a csv writer

# Write the header
writer.writerow(['fileid', 'feature', 'resultant']) 

# Write the data in the same fashion
# ...

使用mlab中的csv.reader()重新打开csv文件将导入列表中的所有数据而不是字符串。注意:这适用于csv格式的任何文件,而不仅仅是使用csv.writer()创建的文件。

答案 1 :(得分:0)

如果要将python数据结构存储在文件中,可以考虑pickle

import pickle

data1 = {'a': [1, 2.0, 3, 4+6j],
         'b': ('string', u'Unicode string'),
         'c': None}

selfref_list = [1, 2, 3]
selfref_list.append(selfref_list)

output = open('data.pkl', 'wb')

# Pickle dictionary using protocol 0.
pickle.dump(data1, output)

# Pickle the list using the highest protocol available.
pickle.dump(selfref_list, output, -1)

output.close()

shelve

import shelve

d = shelve.open(filename) # open -- file may get suffix added by low-level
                          # library

d[key] = data   # store data at key (overwrites old data if
                # using an existing key)
data = d[key]   # retrieve a COPY of data at key (raise KeyError if no
                # such key)
del d[key]      # delete data stored at key (raises KeyError
                # if no such key)
flag = d.has_key(key)   # true if the key exists
klist = d.keys() # a list of all existing keys (slow!)

# as d was opened WITHOUT writeback=True, beware:
d['xx'] = range(4)  # this works as expected, but...
d['xx'].append(5)   # *this doesn't!* -- d['xx'] is STILL range(4)!

# having opened d without writeback=True, you need to code carefully:
temp = d['xx']      # extracts the copy
temp.append(5)      # mutates the copy
d['xx'] = temp      # stores the copy right back, to persist it

# or, d=shelve.open(filename,writeback=True) would let you just code
# d['xx'].append(5) and have it work as expected, BUT it would also
# consume more memory and make the d.close() operation slower.

d.close()       # close it
相关问题