如何用Python读写文件呢?我们有许多种办法,包括使用Pandas或者使用os相关的工具,我们来看一下:
首先,得明白文件路径的事情:
import os
current_file = os.path.realpath('file_io.ipynb')
print('current file: {}'.format(current_file))
# Note: in .py files you can get the path of current file by __file__
current_dir = os.path.dirname(current_file)
print('current directory: {}'.format(current_dir))
# Note: in .py files you can get the dir of current file by os.path.dirname(__file__)
data_dir = os.path.join(current_dir, 'data')
print('data directory: {}'.format(data_dir))
当然也可以使用getcwd()这个函数获得当前路径
查看某路径是否存在
print('exists: {}'.format(os.path.exists(data_dir)))
print('is file: {}'.format(os.path.isfile(data_dir)))
print('is directory: {}'.format(os.path.isdir(data_dir)))
读取文件
file_path = os.path.join(data_dir, 'simple_file.txt')
with open(file_path, 'r') as simple_file:
for line in simple_file:
print(line.strip())
with语句用于获取上下文管理器,该上下文管理器将用作with内部命令的执行上下文。上下文管理器确保在退出上下文时执行某些操作。
在本例中,上下文管理器保证在退出上下文时将隐式调用simple_file.close()。这是一种简化开发人员工作的方法:您不必记住显式地关闭已打开的文件,也不必担心在打开文件时发生异常。未关闭的文件可能是资源泄漏的来源。因此,最好与open()结构一起使用,总是与文件I/O一起使用。
举个不是用with管理的例子:
file_path = os.path.join(data_dir, 'simple_file.txt')
# THIS IS NOT THE PREFERRED WAY
simple_file = open(file_path, 'r')
for line in simple_file:
print(line.strip())
simple_file.close() # This has to be called explicitly
写入文件:如果之前没有这个文件的话,容易生成
new_file_path = os.path.join(data_dir, 'new_file.txt')
with open(new_file_path, 'w') as my_file:
my_file.write('This is my first file that I wrote with Python.')
然后,去看看有没有new_file.txt这个文件,有的话可以用以下文件进行删除
if os.path.exists(new_file_path): # make sure it's there
os.remove(new_file_path)
PS: 我在日常中对数据进行操作,一般会使用Pandas进行,尤其是对CSV这类格式的操作。
参考资料: