在 python 中,我如何识别一个文件是“窗口系统文件”。在命令行中,我可以使用以下命令执行此操作:
ATTRIB "c:\file_path_name.txt"
如果返回有“S”字符,那么它是一个windows系统文件。我无法弄清楚python中的等价物。一些类似查询的示例如下所示:
文件是可写的吗?
import os
filePath = r'c:\testfile.txt'
if os.access(filePath, os.W_OK):
print 'writable'
else:
print 'not writable'
其他方式...
import os
import stat
filePath = r'c:\testfile.txt'
attr = os.stat(filePath)[0]
if not attr & stat.S_IWRITE:
print 'not writable'
else:
print 'writable'
但我找不到识别 Windows 系统文件的函数或枚举。希望有一种内置的方法可以做到这一点。我宁愿不必使用 win32com 或其他外部模块。
我想这样做的原因是因为我正在使用 os.walk 将文件从一个驱动器复制到另一个驱动器。如果有一种方法可以遍历目录树,同时忽略可能也可以工作的系统文件。
谢谢阅读。
这是我根据答案提出的解决方案:
使用win32api:
import win32api
import win32con
filePath = r'c:\test_file_path.txt'
if not win32api.GetFileAttributes(filePath) & win32con.FILE_ATTRIBUTE_SYSTEM:
print filePath, 'is not a windows system file'
else:
print filePath, 'is a windows system file'
并使用 ctypes:
import ctypes
import ctypes.wintypes as types
# From pywin32
FILE_ATTRIBUTE_SYSTEM = 0x4
kernel32dll = ctypes.windll.kernel32
class WIN32_FILE_ATTRIBUTE_DATA(ctypes.Structure):
_fields_ = [("dwFileAttributes", types.DWORD),
("ftCreationTime", types.FILETIME),
("ftLastAccessTime", types.FILETIME),
("ftLastWriteTime", types.FILETIME),
("nFileSizeHigh", types.DWORD),
("nFileSizeLow", types.DWORD)]
def isWindowsSystemFile(pFilepath):
GetFileExInfoStandard = 0
GetFileAttributesEx = kernel32dll.GetFileAttributesExA
GetFileAttributesEx.restype = ctypes.c_int
# I can't figure out the correct args here
#GetFileAttributesEx.argtypes = [ctypes.c_char, ctypes.c_int, WIN32_FILE_ATTRIBUTE_DATA]
wfad = WIN32_FILE_ATTRIBUTE_DATA()
GetFileAttributesEx(pFilepath, GetFileExInfoStandard, ctypes.byref(wfad))
return wfad.dwFileAttributes & FILE_ATTRIBUTE_SYSTEM
filePath = r'c:\test_file_path.txt'
if not isWindowsSystemFile(filePath):
print filePath, 'is not a windows system file'
else:
print filePath, 'is a windows system file'
我想知道在我的代码中粘贴常量“FILE_ATTRIBUTE_SYSTEM”是否合法,或者我也可以使用 ctypes 获得它的值?