Eu estou usando PIL. Como transformar os dados EXIF em um dicionário de coisas?
Eu estou usando PIL. Como transformar os dados EXIF em um dicionário de coisas?
Respostas:
Tente o seguinte:
import PIL.Image
img = PIL.Image.open('img.jpg')
exif_data = img._getexif()
Isso deve fornecer um dicionário indexado por tags numéricas EXIF. Se você deseja que o dicionário seja indexado pelas cadeias de nomes de tags EXIF reais, tente algo como:
import PIL.ExifTags
exif = {
PIL.ExifTags.TAGS[k]: v
for k, v in img._getexif().items()
if k in PIL.ExifTags.TAGS
}
import ExifTags
(sem o PIL
prefixo).
Você também pode usar o módulo ExifRead :
import exifread
# Open image file for reading (binary mode)
f = open(path_name, 'rb')
# Return Exif tags
tags = exifread.process_file(f)
Eu uso isso:
import os,sys
from PIL import Image
from PIL.ExifTags import TAGS
for (k,v) in Image.open(sys.argv[1])._getexif().iteritems():
print '%s = %s' % (TAGS.get(k), v)
ou para obter um campo específico:
def get_field (exif,field) :
for (k,v) in exif.iteritems():
if TAGS.get(k) == field:
return v
exif = image._getexif()
print get_field(exif,'ExposureTime')
name2tagnum = dict((name, num) for num, name in TAGS.iteritems())
e depois fazer name2tagnum['ExposureTime']
.
exif.iteritems()
paraexif.items()
Para Python3.xe inicial Pillow==6.0.0
, os Image
objetos agora fornecem um getexif()
método que retorna <class 'PIL.Image.Exif'>
ou None
se a imagem não possui dados EXIF.
Das notas de versão do Pillow 6.0.0 :
getexif()
foi adicionado, o que retorna umaExif
instância. Os valores podem ser recuperados e definidos como um dicionário. Ao salvar JPEG, PNG ou WEBP, a instância pode ser transmitida como umexif
argumento para incluir quaisquer alterações na imagem de saída.
A Exif
saída pode simplesmente ser convertida em a dict
, para que os dados EXIF possam ser acessados como pares de valores-chave regulares de a dict
. As chaves são números inteiros de 16 bits que podem ser mapeados para seus nomes de sequência usando o ExifTags.TAGS
módulo.
from PIL import Image, ExifTags
img = Image.open("sample.jpg")
img_exif = img.getexif()
print(type(img_exif))
# <class 'PIL.Image.Exif'>
if img_exif is None:
print("Sorry, image has no exif data.")
else:
img_exif_dict = dict(img_exif)
print(img_exif_dict)
# { ... 42035: 'FUJIFILM', 42036: 'XF23mmF2 R WR', 42037: '75A14188' ... }
for key, val in img_exif_dict.items():
if key in ExifTags.TAGS:
print(f"{ExifTags.TAGS[key]}:{repr(val)}")
# ExifVersion:b'0230'
# ...
# FocalLength:(2300, 100)
# ColorSpace:1
# FocalLengthIn35mmFilm:35
# ...
# Model:'X-T2'
# Make:'FUJIFILM'
# ...
# DateTime:'2019:12:01 21:30:07'
# ...
Testado com Python 3.6.8 e Pillow==6.0.0
.
import sys
import PIL
import PIL.Image as PILimage
from PIL import ImageDraw, ImageFont, ImageEnhance
from PIL.ExifTags import TAGS, GPSTAGS
class Worker(object):
def __init__(self, img):
self.img = img
self.exif_data = self.get_exif_data()
self.lat = self.get_lat()
self.lon = self.get_lon()
self.date =self.get_date_time()
super(Worker, self).__init__()
@staticmethod
def get_if_exist(data, key):
if key in data:
return data[key]
return None
@staticmethod
def convert_to_degress(value):
"""Helper function to convert the GPS coordinates
stored in the EXIF to degress in float format"""
d0 = value[0][0]
d1 = value[0][1]
d = float(d0) / float(d1)
m0 = value[1][0]
m1 = value[1][1]
m = float(m0) / float(m1)
s0 = value[2][0]
s1 = value[2][1]
s = float(s0) / float(s1)
return d + (m / 60.0) + (s / 3600.0)
def get_exif_data(self):
"""Returns a dictionary from the exif data of an PIL Image item. Also
converts the GPS Tags"""
exif_data = {}
info = self.img._getexif()
if info:
for tag, value in info.items():
decoded = TAGS.get(tag, tag)
if decoded == "GPSInfo":
gps_data = {}
for t in value:
sub_decoded = GPSTAGS.get(t, t)
gps_data[sub_decoded] = value[t]
exif_data[decoded] = gps_data
else:
exif_data[decoded] = value
return exif_data
def get_lat(self):
"""Returns the latitude and longitude, if available, from the
provided exif_data (obtained through get_exif_data above)"""
# print(exif_data)
if 'GPSInfo' in self.exif_data:
gps_info = self.exif_data["GPSInfo"]
gps_latitude = self.get_if_exist(gps_info, "GPSLatitude")
gps_latitude_ref = self.get_if_exist(gps_info, 'GPSLatitudeRef')
if gps_latitude and gps_latitude_ref:
lat = self.convert_to_degress(gps_latitude)
if gps_latitude_ref != "N":
lat = 0 - lat
lat = str(f"{lat:.{5}f}")
return lat
else:
return None
def get_lon(self):
"""Returns the latitude and longitude, if available, from the
provided exif_data (obtained through get_exif_data above)"""
# print(exif_data)
if 'GPSInfo' in self.exif_data:
gps_info = self.exif_data["GPSInfo"]
gps_longitude = self.get_if_exist(gps_info, 'GPSLongitude')
gps_longitude_ref = self.get_if_exist(gps_info, 'GPSLongitudeRef')
if gps_longitude and gps_longitude_ref:
lon = self.convert_to_degress(gps_longitude)
if gps_longitude_ref != "E":
lon = 0 - lon
lon = str(f"{lon:.{5}f}")
return lon
else:
return None
def get_date_time(self):
if 'DateTime' in self.exif_data:
date_and_time = self.exif_data['DateTime']
return date_and_time
if __name__ == '__main__':
try:
img = PILimage.open(sys.argv[1])
image = Worker(img)
lat = image.lat
lon = image.lon
date = image.date
print(date, lat, lon)
except Exception as e:
print(e)
Eu descobri que o uso ._getexif
não funciona em versões mais altas de python; além disso, é uma classe protegida e deve-se evitar usá-lo, se possível. Depois de pesquisar o depurador, achei a melhor maneira de obter os dados EXIF de uma imagem:
from PIL import Image
def get_exif(path):
return Image.open(path).info['parsed_exif']
Isso retorna um dicionário de todos os dados EXIF de uma imagem.
Nota: Para Python3.x, use Pillow em vez de PIL
info['parsed_exif']
requer Pillow 6.0 ou mais recente. info['exif']
está disponível na 5.4, mas essa é uma restrição de bytes bruta.
info['parsed_exif']
na versão 7.0.0; somente info['exif']
.
Aqui está o que pode ser um pouco mais fácil de ler. Espero que isso seja útil.
from PIL import Image
from PIL import ExifTags
exifData = {}
img = Image.open(picture.jpg)
exifDataRaw = img._getexif()
for tag, value in exifDataRaw.items():
decodedTag = ExifTags.TAGS.get(tag, tag)
exifData[decodedTag] = value
Normalmente, uso pyexiv2 para definir informações exif em arquivos JPG, mas quando importo a biblioteca em uma falha de script QGIS de script.
Encontrei uma solução usando a biblioteca exif:
https://pypi.org/project/exif/
É tão fácil de usar, e com o Qgis eu não tenho nenhum problema.
Neste código, insiro coordenadas GPS em um instantâneo da tela:
from exif import Image
with open(file_name, 'rb') as image_file:
my_image = Image(image_file)
my_image.make = "Python"
my_image.gps_latitude_ref=exif_lat_ref
my_image.gps_latitude=exif_lat
my_image.gps_longitude_ref= exif_lon_ref
my_image.gps_longitude= exif_lon
with open(file_name, 'wb') as new_image_file:
new_image_file.write(my_image.get_file())