文件编程的步骤:打开 --> 操作 --> 关闭
f = open(‘绝对路径/相对路径’,‘r/r+/w/w+/a/a+’,encoding=‘utf-8’) 打开文件
r:(默认)
-只能读,不能写
-读取的文件不存在,会报错
r+:
-可读写
-文件不存在,报错
-默认从文件指针所在位置开始写入
w:
-只能写
-会清空文件之前的内容
-文件不存在,不会报错,会创建新的文件并写入
w+:
-可读写
-会清空文件内容
-文件不存在,不会报错,会创建新的文件并写入
a:
-只能写
-文件不存在,不报错
-不会清空文件内容
a+:
-可读写
-文件不存在,不报错
-不会清空文件内容
操作流程
f = open('/tmp/passwd','r+')
print(f.read())
print(f.readline()
print(f.readlines()) 返回一个列表,列表里的元素分别为文件每行的内容
print(f.read(4))
print(f.readline(),end='')
print([line.strip() for line in f.readlines()])
print(list(map(lambda x:x.strip(),f.readlines())))
f.close()
seek方法,移动指针
seek第一个参数是偏移量:>0,代表向右移动,<0,代表向左移动
seek第二个参数是:
0:移动指针到文件开头
1:不移动指针
2:移动指针到末尾
读取二进制文件
rb rb+ wb wb+ ab ab+
读取二进制文件内容
f = open('redhat.jpg',mode='rb')
content = f.read()
f.close()
f1 = open('hello.jpg',mode='wb')
f1.write(content)
f1.close()
文件操作完成后自动关闭
with open('/tmp/passwd') as f1,\
open('/tmp/passwd1','w+') as f2:
f2.write(f1.read())
f2.seek(0,0)
print(f2.read())
生成一个大文件ips.txt,要求1200行
每行随机为172.25.254.0/24段的ip;
读取ips.txt文件统计这个文件中ip出现频率排前10的ip;
import random
def create_ip(filename):
ip = ['172.25.254.' + str(i) for i in range(1,255)]
#随机生成一个ip
# print(random.sample(ip,1))
with open(filename,'a+') as f:
for i in range(1200):
#将ip写入文件
f.write(random.sample(ip,1)[0] + '\n')
create_ip('ips.txt')
def sorted_by_ip(filename,count=10):
ips_dict = dict()
with open(filename) as f:
for ip in f:
ip = ip.strip()
if ip in ips_dict:
ips_dict[ip] += 1
else:
ips_dict[ip] = 1
sorted_ip = sorted(ips_dict.items(),key=lambda x:x[1],reverse=True)[:count]
return sorted_ip
print(sorted_by_ip('ips.txt'))