Python os.open()方法
Python中的os.open()方法用于打开指定的文件路径,并根据指定的标志设置各种标志,并根据指定的模式设置其模式。
此方法返回新打开文件的文件描述符。返回的文件描述符是不可继承的。
os.open 语法
os.open(path, flags, mode = 0o777, *, dir_fd =None)
os.open 参数
Path:表示文件系统路径的类路径对象。这是要打开的文件路径。
类路径对象是一个表示路径的字符串或字节对象。
flags:指定新打开文件的标志位。
mode(可选):表示新打开文件的模式的数值。默认值为0o777(八进制)。
dir_fd(可选):指向目录的文件描述符。
返回类型:该方法返回新打开文件的文件描述符。
os.open 示例1
使用os.open()方法来打开一个文件路径
# Python program to explain os.open() method
# importing os module
import os
# File path to be opened
path = './file9.txt'
# Mode to be set
mode = 0o666
# flags
flags = os.O_RDWR | os.O_CREAT
# Open the specified file path
# using os.open() method
# and get the file descriptor for
# opened file path
fd = os.open(path, flags, mode)
print("File path opened successfully.")
# Write a string to the file
# using file descriptor
str = "GeeksforGeeks: A computer science portal for geeks."
os.write(fd, str.encode())
print("String written to the file descriptor.")
# Now read the file
# from beginning
os.lseek(fd, 0, 0)
str = os.read(fd, os.path.getsize(fd))
print("\nString read from the file descriptor:")
print(str.decode())
# Close the file descriptor
os.close(fd)
print("\nFile descriptor closed successfully.")
输出:
File path opened successfully.
String written to the file descriptor.
String read from file descriptor:
GeeksforGeeks: A computer science portal for geeks.
File descriptor closed successfully.