如何检查没有扩展名的文件类型?[重复]
- 2025-02-17 09:25:00
- admin 原创
- 72
问题描述:
我有一个文件夹,里面全是文件,但它们没有扩展名。我该如何检查文件类型?我想检查文件类型并相应地更改文件名。假设一个函数filetype(x)
返回一个文件类型,如png
。我想这样做:
files = os.listdir(".")
for f in files:
os.rename(f, f+filetype(f))
我该如何做?
解决方案 1:
有一些 Python 库可以根据文件内容(通常是标题/魔术数字)识别文件,并且不依赖于文件名或扩展名。
如果您要处理多种不同类型的文件,则可以使用python-magic
。这只是对成熟magic
库的 Python 绑定。它享有良好的声誉,并且(小小认可)在我有限的使用中,它一直很可靠。
本机imghdr库可能很有用,但自 Python 3.11 起已被弃用,并将在 Python 3.13 中被删除。
如果您需要无依赖(纯 Python)的文件类型检查,请参阅filetype
。
解决方案 2:
Python Magic库提供了您需要的功能。
您可以安装该库pip install python-magic
并按如下方式使用它:
>>> import magic
>>> magic.from_file('iceland.jpg')
'JPEG image data, JFIF standard 1.01'
>>> magic.from_file('iceland.jpg', mime=True)
'image/jpeg'
>>> magic.from_file('greenland.png')
'PNG image data, 600 x 1000, 8-bit colormap, non-interlaced'
>>> magic.from_file('greenland.png', mime=True)
'image/png'
在这种情况下,Python 代码在后台调用libmagicfile
,这是 *NIX命令使用的同一个库。因此,这与基于子进程/shell 的答案执行相同的操作,但没有开销。
解决方案 3:
在 unix 和 linux 上,有file
猜测文件类型的命令。甚至还有windows 端口。
来自手册页:
文件测试每个参数以尝试对其进行分类。有三组测试按以下顺序执行:文件系统测试、魔术数字测试和语言测试。第一个成功的测试会导致打印文件类型。
您需要file
使用subprocess
模块运行命令,然后解析结果以找出扩展。
编辑: 忽略我的回答。改用 Chris Johnson 的回答。
解决方案 4:
对于图像来说,您可以使用imghdr
模块。
>>> import imghdr
>>> imghdr.what('8e5d7e9d873e2a9db0e31f9dfc11cf47') # You can pass a file name or a file object as first param. See doc for optional 2nd param.
'png'
Python 2 imghdr 文档
Python 3 imghdr 文档
解决方案 5:
import subprocess as sub
p = sub.Popen('file yourfile.txt', stdout=sub.PIPE, stderr=sub.PIPE)
output, errors = p.communicate()
print(output)
正如 Steven 指出的那样,subprocess
这就是方法。你可以按照上面的方法获取命令输出,正如这篇文章所说
解决方案 6:
您还可以安装 Python 的官方file
绑定,一个名为的库file-magic
(它不使用 ctypes,如python-magic
)。
它在 PyPI 上以file-magic 的形式提供,在 Debian 上以python-magic 的形式提供。对我来说,这个库最好用,因为它在 PyPI 和 Debian(可能还有其他发行版)上都可用,使部署软件的过程更加容易。我也在博客上介绍了如何使用它。
解决方案 7:
使用较新的子进程库,您现在可以使用以下代码(仅限 *nix 解决方案):
import subprocess
import shlex
filename = 'your_file'
cmd = shlex.split('file --mime-type {0}'.format(filename))
result = subprocess.check_output(cmd)
mime_type = result.split()[-1]
print mime_type
解决方案 8:
您也可以使用这个代码(纯 Python,包含 3 个字节的头文件):
full_path = os.path.join(MEDIA_ROOT, pathfile)
try:
image_data = open(full_path, "rb").read()
except IOError:
return "Incorrect Request :( !!!"
header_byte = image_data[0:3].encode("hex").lower()
if header_byte == '474946':
return "image/gif"
elif header_byte == '89504e':
return "image/png"
elif header_byte == 'ffd8ff':
return "image/jpeg"
else:
return "binary file"
无需安装任何软件包[和更新版本]
解决方案 9:
仅适用于 Linux,但使用“sh”python 模块,您可以简单地调用任何 shell 命令
pip 安装 sh
导入 sh
sh.文件(“/root/文件”)
输出:/root/file:ASCII 文本
解决方案 10:
此代码以递归方式列出给定文件夹中给定扩展名的所有文件
import magic
import glob
from os.path import isfile
ROOT_DIR = 'backup'
WANTED_EXTENSION = 'sqlite'
for filename in glob.iglob(ROOT_DIR + '/**', recursive=True):
if isfile(filename):
extension = magic.from_file(filename, mime = True)
if WANTED_EXTENSION in extension:
print(filename)
https://gist.github.com/izmcm/6a5d6fa8d4ec65fd9851a1c06c8946ac