Python处理IO文件读写的相关demo

'''
open()函数的第一个函数是要打开的文件名(文件区分大小写)
如果文件存在,返回文件操作对象
如果文件不存在,会弹出异常
read() 方法可以一次性 读入并返回文件的所有内容
close() 方阿飞负责关闭文件
 如果忘记关闭文件,会造成系统资源消耗,而且会影响后续对文件的访问
 注意:方法执行后,会把文件指针 移动到文件的末尾

在编写代码时,先处理打开和关闭,再处理里面的程序
'''
#demo1
# 1,打开一个文件注意大小写
file_str = open(r"C:\Users\Jhm\Desktop\test.xml")
file_target = open(r"C:\Users\Jhm\Desktop\test_copy.xml", "w")
# 2,读,写
while True:
    # 读取一行内容
    text = file_str.readline()
    # 判断是否读取到内容
    if not text:
        break
    file_target.write(text)
    print(text)
# 关闭
file_target.close()
file_str.close()

#demo2
# 打开文件
file_str = open(r"C:\Users\Jhm\Desktop\test.txt")
file_target = open(r"C:\Users\Jhm\Desktop\test2.txt", "w")

#读文件
def read(file_read):
    text = file_read.read()
    result = str(text)
    return result

#写文件
def write(con):
    lists = con.split(" ")
    print(lists)
    s = set()
    for name in lists:
        s.add(name)
    print(s)
    len2 = str(len(s))
    file_target.write(len2)
    print(len(s))

#调用方法
content = read(file_str)
write(content)
#关闭文件
file_str.close()
file_target.close()

#追加文件内容
file=open("b.txt","a")
file.write("\n hello world \n")
file.close()


#demo3
#拷贝图片

src_file=open(r"C:\Users\Jhm\Desktop\01.png","rb")
target_file=open(r"C:\Users\Jhm\Desktop\01_copy.png","wb")
target_file.write(src_file.read())
target_file.close()
src_file.close()

#通过with来处理
with open(r"C:\Users\Jhm\Desktop\01.png","rb") as src_file:
    with open(r"C:\Users\Jhm\Desktop\02_copy.png","wb") as target_file:
        target_file.write(src_file.read())


你可能感兴趣的:(Python处理IO文件读写的相关demo)