Spaces:
Sleeping
Sleeping
File size: 10,099 Bytes
547362d |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 |
from deepface import DeepFace
import pandas as pd
import numpy as np
import os
from pathlib import Path
import datetime as dt
from PIL import Image, ImageDraw, ImageFont
import matplotlib.pyplot as plt
import gradio as gr
from plotly.subplots import make_subplots
import plotly.graph_objects as go
def get_download_btn(inp_file=None, is_raw_file=True):
if is_raw_file:
label = 'Скачать полный результат в формате .csv'
else:
label = 'Скачать статистику в формате .csv'
download_btn = gr.DownloadButton(
label=label,
value=inp_file,
visible=inp_file is not None,
)
return download_btn
def print_faces(face_objs, image_path):
# открыть картинку и создать объект для рисования
pil_image = Image.open(image_path)
draw = ImageDraw.Draw(pil_image)
line_widht = int(max(pil_image.size) * 0.003)
font_size = int(max(pil_image.size) * 0.015)
# настройки отрисовки
color = 'red'
font_path = 'LiberationMono-Regular.ttf'
font = ImageFont.truetype(str(font_path), size=font_size)
big_font = ImageFont.truetype(str(font_path), size=2*font_size)
# итерация по словарям для каждого лица
for i, res_dict in enumerate(face_objs):
# извлечение артибутов
age = res_dict['age']
x, y, w, h, left_eye, right_eye = res_dict['region'].values()
gender = res_dict['dominant_gender']
race = res_dict['dominant_race']
emotion = res_dict['dominant_emotion']
text_age = f'Возраст:{age}'
text_gender = f'Пол:{gender}'
text_race = f'Раса:{race}'
text_emo = f'Эмоция:{emotion}'
# отрисовка боксов и надписей
draw.rectangle((x, y, x + w, y + h), outline=color, width=line_widht)
draw.text(xy=(x + 10, y + 2*font_size), text=str(i), font=big_font, fill=color, anchor="lb")
draw.text(xy=(x, y - font_size), text=text_gender, font=font, fill=color, anchor="lb")
draw.text(xy=(x, y), text=text_age, font=font, fill=color, anchor="lb")
draw.text(xy=(x, y + h + font_size), text=text_race, font=font, fill=color, anchor="lb")
draw.text(xy=(x, y + h + 2*font_size), text=text_emo, font=font, fill=color, anchor="lb")
return pil_image
def get_stat(images_path):
'''
Функция на вход принимает путь к файлам, а возвращает датафрейм
с результатом обработки изображений
'''
# создаем пустой список для запиcи результатов
result_lst = []
result_image = np.nan
# создаем список картинок
for image in images_path:
# получим дату из названия
datetime = image.split('/')[-1].split('.')[0]
# получим данные из изображений
try:
face_objs = DeepFace.analyze(
img_path = image,
actions = ['age', 'gender', 'race', 'emotion'],
detector_backend = 'retinaface',
silent = True
)
if pd.isna(result_image):
result_image = print_faces(face_objs, image)
except ValueError:
face_objs = [{'region':{'x': 0,
'y': 0,
'w': 0,
'h': 0,
'left_eye': 0,
'right_eye': 0},
'age': np.nan,
'dominant_gender': np.nan,
'dominant_race': np.nan,
'dominant_emotion': np.nan}]
res_face_objs = []
needed_keys = ['region', 'age', 'dominant_gender', 'dominant_race', 'dominant_emotion']
for res_dict in face_objs:
new_dict = dict((k, res_dict[k]) for k in needed_keys if k in res_dict)
new_dict['img_name'] = image.split('/')[-1]
new_dict['img_path'] = image
new_dict['datetime'] = datetime
res_face_objs.append(new_dict)
del new_dict
del face_objs
# добавим результаты в список
result_lst.extend(res_face_objs)
del res_face_objs
df = pd.DataFrame(result_lst)
df = df.reset_index()
df = df.rename(columns={
'dominant_gender': 'gender',
'dominant_race': 'race',
'dominant_emotion': 'emotion',
'index': 'id'
})
answer = f'''Проанализировано изображений: {len(images_path)}.
Найдено людей: {len(df.dropna())}'''
df['datetime'] = pd.to_datetime(df['datetime'], errors='coerce')
df['date'] = df['datetime'].dt.round('h')
df['age'] = df['age'].astype('Int32')
df.to_csv('raw_result.csv', index=False)
df[['id', 'datetime', 'date', 'age', 'gender', 'race', 'emotion']].to_csv('clean_result.csv', index=False)
#=========Графики=======
data1 = df.groupby('date')['id'].count().reset_index()
data2 = df.groupby('gender')['id'].count().reset_index()
data4 = df.groupby('emotion')['id'].count().reset_index()
data5 = df.groupby('race')['id'].count().reset_index()
fig = make_subplots(
rows=3, cols=2,
specs=[[{"colspan": 2}, None],
[{}, {}],
[{}, {}]],
subplot_titles=('Количество людей',
'Гистограмма возраста',
'Пол',
'Эмоции',
'Расы'),
shared_xaxes=False,
vertical_spacing=0.1)
# Количество людей
fig.add_trace(go.Scatter(x=data1['date'], y=data1['id'],
mode='lines+markers',
name='Количество людей',
marker_color = 'indianred'), row=1, col=1)
fig.update_xaxes(title_text = "Дата", row=1, col=1)
fig.update_yaxes(title_text = "Количество", row=1, col=1)
# Гистограмма возраста
fig.add_trace(go.Histogram(x=df.loc[df['gender'] == 'Man', 'age'],
name='Мужчины',
marker_color='lightsalmon'),row=2, col=1)
fig.add_trace(go.Histogram(x=df.loc[df['gender'] == 'Woman', 'age'],
name='Женщины',
marker_color='indianred'), row=2, col=1)
fig.update_xaxes(title_text = "Возраст", row=2, col=1)
fig.update_yaxes(title_text = "Количество", row=2, col=1)
# Пол
fig.add_trace(go.Bar(x=data2['gender'],
y=data2['id'],
text=data2['id'],
textposition='auto',
marker_color='lightsalmon'), row=2, col=2)
fig.update_xaxes(title_text = "Пол", row=2, col=2)
fig.update_yaxes(title_text = "Количество", row=2, col=2)
# Эмоции
fig.add_trace(go.Bar(x=data4['emotion'],
y=data4['id'],
text=data4['id'],
textposition='auto',
marker_color='lightsalmon'), row=3, col=1)
fig.update_xaxes(title_text = "Эмоции", row=3, col=1)
fig.update_yaxes(title_text = "Количество", row=3, col=1)
# Расы
fig.add_trace(go.Bar(x=data5['race'],
y=data5['id'],
text=data5['id'],
textposition='auto',
marker_color='lightsalmon'), row=3, col=2)
fig.update_xaxes(title_text = "Расы", row=3, col=2)
fig.update_yaxes(title_text = "Количество", row=3, col=2)
fig.update_layout(
showlegend=False,
title_text='Графики атрибутов',
barmode='stack',
autosize=False,
width=1000,
height=1200
)
return df, answer, result_image, fig
with gr.Blocks(theme=gr.themes.Citrus()) as demo:
# состояние с путем до файла
raw_result_path = gr.State('raw_result.csv')
clean_result_path = gr.State('clean_result.csv')
is_raw_file = gr.State(False)
gr.Markdown(
"""
# Определение количества людей на изображениях, их пола, возраста, расы и эмоций
Введите путь до ваших изображений и получите результат.
"""
)
with gr.Tab('Обзор'):
inp = gr.Files(file_count='directory')
btn = gr.Button("Получить результат")
res_text = gr.Textbox(label="Результаты")
with gr.Row():
with gr.Column():
res_data = gr.Dataframe()
raw_download_btn = get_download_btn(inp_file=None)
clean_download_btn = get_download_btn(inp_file=None)
res_img = gr.Image(label='Пример изображения')
with gr.Tab('Графики атрибутов'):
plot = gr.Plot()
out = [res_data, res_text, res_img, plot]
clean_dbtn_inp = [clean_result_path, is_raw_file]
btn.click(
fn=get_stat,
inputs=inp,
outputs=out,
).success(
fn=get_download_btn,
inputs=[raw_result_path],
outputs=raw_download_btn
).success(
fn=get_download_btn,
inputs=clean_dbtn_inp,
outputs=clean_download_btn
)
raw_download_btn.click(
lambda path: None,
inputs=[raw_result_path],
outputs=None
)
clean_download_btn.click(
lambda path: None,
inputs=[clean_result_path],
outputs=None
)
demo.launch()
|