我发布这个问题是因为我一遍又一遍地尝试没有结果。
我编写了一个在Python 2.7的shell中打印的表,并将嵌套for
循环中给出的输入导出为CSV。我遇到了一些麻烦,因为我需要在shell和CSV上显示循环使用的初始值。实际上,我需要显示第一行,其中包含t
假定的所有可能值(即8),并添加包含s
假设的相应值的第一列(即15)。由于Python命令print
和wr.writerow
管理包含行的表,因此我不知道如何解决该问题。这是代码:
import csv
with open('chill.csv', 'wb') as f:
wr = csv.writer(f)
data = ([str(13.127 + 0.6215 * t - 11.362 * s ** 0.16 + 0.396 * t * s ** 0.16)
for t in range(-25, 15, 5)]
for s in range(0, 75, 5))
for row in data:
print('\t'.join(row))
wr.writerow(row)
我希望任何人都可以提供帮助!
答案 0 :(得分:1)
在您前进时生成文件的解决方案,而不是尝试生成包含所有列表的data
变量。
import csv
# For readability, extract the cell calculation
def calc_cell(t, s)
return 13.127 + 0.6215 * t - 11.362 * s ** 0.16 + 0.396 * t * s ** 0.16
with open('chill.csv', 'wb') as f:
wr = csv.writer(f)
def add_row(row):
"Add a new row to both console and file"
row = map(str, row) # Coerce values to str, for join
print('\t'.join(row))
wr.writerow(row)
# Add the "header row"
add_row([' '] + range(-25, 15, 5))
# Create the table, one row at a time
for s in range(0, 75, 5):
add_row([s] + [calc_cell(t,s) for t in range(-25, 15, 5)])