我正在编写一个程序,用于读取和显示文档中的文本。我有一个看起来像这样的测试文件:
12,12,12
12,31,12
1,5,3
...
等等。现在我希望Python读取每一行并将其存储到内存中,所以当你选择显示数据时,它会在shell中显示它:
1. 12,12,12
2. 12,31,12
...
等等。我怎么能这样做?
答案 0 :(得分:19)
我知道它已经回答:)总结以上内容:
# It is a good idea to store the filename into a variable.
# The variable can later become a function argument when the
# code is converted to a function body.
filename = 'data.txt'
# Using the newer with construct to close the file automatically.
with open(filename) as f:
data = f.readlines()
# Or using the older approach and closing the filea explicitly.
# Here the data is re-read again, do not use both ;)
f = open(filename)
data = f.readlines()
f.close()
# The data is of the list type. The Python list type is actually
# a dynamic array. The lines contain also the \n; hence the .rstrip()
for n, line in enumerate(data, 1):
print '{:2}.'.format(n), line.rstrip()
print '-----------------'
# You can later iterate through the list for other purpose, for
# example to read them via the csv.reader.
import csv
reader = csv.reader(data)
for row in reader:
print row
它在我的控制台上打印:
1. 12,12,12
2. 12,31,12
3. 1,5,3
-----------------
['12', '12', '12']
['12', '31', '12']
['1', '5', '3']
答案 1 :(得分:5)
尝试将其存储在数组中
f = open( "file.txt", "r" )
a = []
for line in f:
a.append(line)
答案 2 :(得分:2)
感谢@PePr出色的解决方案。此外,您可以尝试使用内置方法String.join(data)
打印.txt文件。例如:
with open(filename) as f:
data = f.readlines()
print(''.join(data))
答案 3 :(得分:1)
您可能也对csv
模块感兴趣。它允许您以逗号分隔值(csv)格式解析,读取和写入文件...您的示例似乎是这样。
示例:
import csv
reader = csv.reader( open( 'file.txt', 'rb'), delimiter=',' )
#Iterate over each row
for idx,row in enumerate(reader):
print "%s: %s"%(idx+1,row)
答案 4 :(得分:0)
with open('test.txt') as o:
for i,t in enumerate(o.readlines(), 1):
print ("%s. %s"% (i, t))
答案 5 :(得分:0)
#!/usr/local/bin/python
t=1
with open('sample.txt') as inf:
for line in inf:
num = line.strip() # contains current line
if num:
fn = '%d.txt' %t # gives the name to files t= 1.txt,2.txt,3.txt .....
print('%d.txt Files splitted' %t)
#fn = '%s.txt' %num
with open(fn, 'w') as outf:
outf.write('%s\n' %num) # writes current line in opened fn file
t=t+1