我希望使用exiftool扫描照片和视频中的EXIF标签。这是一个perl可执行文件。以此推断的最佳方法是什么?是否已经有Python库可以执行此操作?还是应该直接调用可执行文件并解析输出? (后者似乎很脏。)谢谢。

我问的原因是因为我当前使用的是pyexiv2,该视频不支持视频。 Perl的exiftool对图像和视频有非常广泛的支持,我想使用它。

最佳答案

为避免为每个图像启动新进程,应使用 exiftool 标志启动-stay_open。然后,您可以通过stdin将命令发送到进程,并在stdout上读取输出。 ExifTool支持JSON输出,这可能是读取元数据的最佳选择。

这是一个简单的类,它启动exiftool进程并使用execute()方法向该进程发送命令。我还包括get_metadata()以JSON格式读取元数据:

import subprocess
import os
import json

class ExifTool(object):

    sentinel = "{ready}\n"

    def __init__(self, executable="/usr/bin/exiftool"):
        self.executable = executable

    def __enter__(self):
        self.process = subprocess.Popen(
            [self.executable, "-stay_open", "True",  "-@", "-"],
            stdin=subprocess.PIPE, stdout=subprocess.PIPE)
        return self

    def  __exit__(self, exc_type, exc_value, traceback):
        self.process.stdin.write("-stay_open\nFalse\n")
        self.process.stdin.flush()

    def execute(self, *args):
        args = args + ("-execute\n",)
        self.process.stdin.write(str.join("\n", args))
        self.process.stdin.flush()
        output = ""
        fd = self.process.stdout.fileno()
        while not output.endswith(self.sentinel):
            output += os.read(fd, 4096)
        return output[:-len(self.sentinel)]

    def get_metadata(self, *filenames):
        return json.loads(self.execute("-G", "-j", "-n", *filenames))

此类被编写为上下文管理器,以确保完成后退出该过程。您可以将其用作
with ExifTool() as e:
    metadata = e.get_metadata(*filenames)

编辑python 3:
为了使它在python 3中工作,需要做两个小改动。第一个是subprocess.Popen的附加参数:
self.process = subprocess.Popen(
         [self.executable, "-stay_open", "True",  "-@", "-"],
         universal_newlines=True,
         stdin=subprocess.PIPE, stdout=subprocess.PIPE)

第二个是您必须解码os.read()返回的字节序列:
output += os.read(fd, 4096).decode('utf-8')

Windows的EDIT:要在Windows上正常运行,需要将sentinel更改为"{ready}\r\n",即
sentinel = "{ready}\r\n"

否则程序会挂起,因为execute()中的while循环不会停止

关于python - 从python脚本调用exiftool吗?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/10075115/

10-10 14:05