一、文件的打开和创建
?
12345
f = open('/tmp/test.txt')f.read()'hello python!nhello world!n'f
二、文件的读取步骤:打开 -- 读取 -- 关闭
?
1234
f = open('/tmp/test.txt')f.read()
'hello python!nhello world!n'
f.close()
读取数据是后期数据处理的必要步骤。.txt是广泛使用的数据文件格式。一些.csv, .xlsx等文件可以转换为.txt 文件进行读取。我常使用的是Python自带的I/O接口,将数据读取进来存放在list中,然后再用numpy科学计算包将list的数据转换为array格式,从而可以像MATLAB一样进行科学计算。
下面是一段常用的读取txt文件代码,可以用在大多数的txt文件读取中
?
12345678910111213141516
filename = 'array_reflection_2D_TM_vertical_normE_center.txt' # txt文件和当前脚本在同一目录下,所以不用写具体路径pos = []Efield = []with open(filename, 'r') as file_to_read: while True:
lines = file_to_read.readline() # 整行读取数据
if not lines:
break
pass
p_tmp, E_tmp = [float(i) for i in lines.split()] # 将整行数据分割处理,如果分割符是空格,括号里就不用传入参数,如果是逗号, 则传入‘,'字符。
pos.append(p_tmp) # 添加新读取的数据
Efield.append(E_tmp)
pass
pos = np.array(pos) # 将数据从list类型转换为array类型。 Efield = np.array(Efield) pass
例如下面是将要读入的txt文件
2016626171647895.png (429×301)
经过读取后,在Enthought Canopy的variable window查看读入的数据, 左侧为pos,右侧为Efield。
2016626171713978.png (148×277)2016626171743777.png (147×280)
三、文件写入(慎重,小心别清空原本的文件)步骤:打开 -- 写入 -- (保存)关闭 直接的写入数据是不行的,因为默认打开的是'r' 只读模式
?
123456
f.write('hello boy')Traceback (most recent call last):
File "", line 1, in IOError: File not open for writing
f
应该先指定可写的模式
?
12
f1 = open('/tmp/test.txt','w')f1.write('hello boy!')</