标签:python
1,文件打开和创建#open()读取文件 data=open(‘file_name’) #打开一个文件 print( data.redline(), end=‘ ‘) #用readline()读取一个数据行 data.seek(0) #回到文件起始位置 for line in data print(line, end=‘ ‘) data.close() #关闭文件
f = open(“file.txt”) while True: line = f.readline() if line: print line else: break; f.close()
f = open(‘file.txt’) lines=f.readlines() #readlines() 存下了f的全部内容 for line in lines print line
f = open(‘file.txt’) content = f.read() print content f.close()
#write(),writelines()写文件 f = file(‘file.txt’, ‘w+’) #w+读写方式打开,先删除原来的,再写入新的内容 line = [“hello \n”, “world \n”] f.writelines(li) f.close() #追加新内容 f = file(‘hello.txt’, ‘a+’) content = “goodbye” f.write( content ) f.close()
import os file(‘hello.txt’, ‘w’) if os.path.exists(‘hello.txt’) os.remove(‘hello.txt’)
#用read()和write()实现拷贝 src = file(“hello.txt”, “r”) dst = file(“hello2.txt”,”w”) dst.write( src.read() ) src.close() dst.close() #shutil模块 copyfile()函数 #copyfile( src, dst) #文件复制 shutil.copyfile(“hello.txt”, “hello2.txt”) #move( src, dst) #文件剪切,移动 shutil.move(“hello.txt”, “../“) #移动到父目录下 shutil.move(“hello2.txt”, “hello3.txt”) #移动+重命名
#修改文件名 os模块的rename()函数 import os os.rename(“hello.txt”, “hi.txt”) #修改后缀名 import os files = os.listdir(“.”) for filename in files: pos = filename.find(“.”) if filename[ pos+1 :] == “html”: newname = filename[ :pos+1] + “jsp” os.rename( filename, newname)
#文件查找 import re f1 = file(“hello.txt”, “r”) count = 0 for s in f1.readlines() : li = re.findall(“hello”, s) #findall()查询变量s,查找结果存到li中 if len( li) > 0 : count = count + li.count(“hello”) print count,”hello” f1.close() #文件替换 f1 = file(“hello.txt”, “r”) f2 = file(“hello2.txt”, “w”) for s in f1.readlines(): f2.write( s.replace(“hello”, “hi”) ) f1.close() f2.close()
#sys模块中提供了stdin,stdout,stderr三种基本流对象 import sys #stdin表示流的标准输入 sys.stdin = open(“hello.txt”, “r”) #读取文件 for line in sys.stdin.readlines() print line #stdout重定向输出,把输出结果保存到文件中 sys.stdout = open(r”./hello.txt”, “a”) print “goodbye” sys.stdout.close()
标签:python
原文地址:http://blog.csdn.net/dutsoft/article/details/40402443