human/src/face/facemesh.ts

171 lines
8.1 KiB
TypeScript
Raw Normal View History

2021-09-28 18:01:48 +02:00
/**
* BlazeFace, FaceMesh & Iris model implementation
*
* Based on:
* - [**MediaPipe BlazeFace**](https://drive.google.com/file/d/1f39lSzU5Oq-j_OXgS67KfN5wNsoeAZ4V/view)
* - Facial Spacial Geometry: [**MediaPipe FaceMesh**](https://drive.google.com/file/d/1VFC_wIpw4O7xBOiTgUldl79d9LA-LsnA/view)
* - Eye Iris Details: [**MediaPipe Iris**](https://drive.google.com/file/d/1bsWbokp9AklH2ANjCfmjqEzzxO1CNbMu/view)
*/
2022-10-17 02:28:57 +02:00
import * as tf from 'dist/tfjs.esm.js';
2022-01-17 17:03:21 +01:00
import { log, now } from '../util/util';
2022-01-16 15:49:55 +01:00
import { loadModel } from '../tfjs/load';
2021-09-28 18:01:48 +02:00
import * as blazeface from './blazeface';
import * as util from './facemeshutil';
import * as coords from './facemeshcoords';
import * as iris from './iris';
2022-04-11 17:45:24 +02:00
import * as attention from './attention';
2021-11-06 15:21:51 +01:00
import { histogramEqualization } from '../image/enhance';
import { env } from '../util/env';
2022-10-17 02:28:57 +02:00
import type { GraphModel, Tensor, Tensor4D } from '../tfjs/types';
2021-12-15 15:26:32 +01:00
import type { FaceResult, FaceLandmark, Point } from '../result';
2021-09-28 18:01:48 +02:00
import type { Config } from '../config';
import type { DetectBox } from './blazeface';
2021-12-27 16:59:56 +01:00
const cache = {
boxes: [] as DetectBox[],
skipped: Number.MAX_SAFE_INTEGER,
timestamp: 0,
};
2021-09-28 18:01:48 +02:00
let model: GraphModel | null = null;
let inputSize = 0;
2022-10-17 02:28:57 +02:00
export async function predict(input: Tensor4D, config: Config): Promise<FaceResult[]> {
2021-10-22 22:09:52 +02:00
// reset cached boxes
2021-12-27 16:59:56 +01:00
const skipTime = (config.face.detector?.skipTime || 0) > (now() - cache.timestamp);
const skipFrame = cache.skipped < (config.face.detector?.skipFrames || 0);
if (!config.skipAllowed || !skipTime || !skipFrame || cache.boxes.length === 0) {
cache.boxes = await blazeface.getBoxes(input, config); // get results from blazeface detector
cache.timestamp = now();
cache.skipped = 0;
2021-09-28 18:01:48 +02:00
} else {
2021-12-27 16:59:56 +01:00
cache.skipped++;
2021-09-28 18:01:48 +02:00
}
2022-08-21 19:34:51 +02:00
const faces: FaceResult[] = [];
const newCache: DetectBox[] = [];
2021-09-28 18:01:48 +02:00
let id = 0;
2022-08-21 19:34:51 +02:00
const size = inputSize;
2021-12-27 16:59:56 +01:00
for (let i = 0; i < cache.boxes.length; i++) {
const box = cache.boxes[i];
2021-09-28 18:01:48 +02:00
let angle = 0;
let rotationMatrix;
2021-11-03 21:32:07 +01:00
const face: FaceResult = { // init face result
2021-09-28 18:01:48 +02:00
id: id++,
mesh: [],
meshRaw: [],
box: [0, 0, 0, 0],
boxRaw: [0, 0, 0, 0],
score: 0,
boxScore: 0,
faceScore: 0,
size: [0, 0],
2022-07-13 18:08:23 +02:00
// contoursRaw: [],
// contours: [],
2021-12-15 15:26:32 +01:00
annotations: {} as Record<FaceLandmark, Point[]>,
2021-09-28 18:01:48 +02:00
};
// optional rotation correction based on detector data only if mesh is disabled otherwise perform it later when we have more accurate mesh data. if no rotation correction this function performs crop
2021-11-16 19:07:44 +01:00
[angle, rotationMatrix, face.tensor] = util.correctFaceRotation(config.face.detector?.rotation, box, input, config.face.mesh?.enabled ? inputSize : blazeface.size());
2022-08-21 19:34:51 +02:00
if (config.filter.equalization) {
const equilized = face.tensor ? await histogramEqualization(face.tensor) : undefined;
2021-11-06 15:21:51 +01:00
tf.dispose(face.tensor);
2022-08-21 19:34:51 +02:00
if (equilized) face.tensor = equilized;
2021-11-06 15:21:51 +01:00
}
2021-09-28 18:01:48 +02:00
face.boxScore = Math.round(100 * box.confidence) / 100;
2023-01-07 21:50:37 +01:00
if (!config.face.mesh?.enabled || !model?.['executor']) { // mesh not enabled or not loaded, return resuts from detector only
2021-12-27 16:59:56 +01:00
face.box = util.clampBox(box, input);
2021-09-28 18:01:48 +02:00
face.boxRaw = util.getRawBox(box, input);
2021-11-03 21:32:07 +01:00
face.score = face.boxScore;
face.size = box.size;
2021-09-28 18:01:48 +02:00
face.mesh = box.landmarks.map((pt) => [
2023-01-29 18:13:55 +01:00
((box.startPoint[0] + box.endPoint[0]) / 2) + (pt[0] * input.shape[2] / blazeface.size()),
((box.startPoint[1] + box.endPoint[1]) / 2) + (pt[1] * input.shape[1] / blazeface.size()),
2021-09-28 18:01:48 +02:00
]);
2022-08-21 19:34:51 +02:00
face.meshRaw = face.mesh.map((pt) => [pt[0] / (input.shape[2] || 0), pt[1] / (input.shape[1] || 0), (pt[2] || 0) / size]);
2023-01-29 18:13:55 +01:00
for (const key of Object.keys(coords.blazeFaceLandmarks)) face.annotations[key] = [face.mesh[coords.blazeFaceLandmarks[key] as number]]; // add annotations
2021-09-28 18:01:48 +02:00
} else if (!model) { // mesh enabled, but not loaded
if (config.debug) log('face mesh detection requested, but model is not loaded');
} else { // mesh enabled
2022-08-10 19:44:38 +02:00
if (config.face.attention?.enabled && !env.kernels.includes('atan2')) {
config.face.attention.enabled = false;
2022-08-10 19:44:38 +02:00
tf.dispose(face.tensor);
return faces;
}
2022-08-21 19:34:51 +02:00
const results = model.execute(face.tensor as Tensor) as Tensor[];
2022-05-30 03:12:18 +02:00
const confidenceT = results.find((t) => t.shape[t.shape.length - 1] === 1) as Tensor;
2022-06-02 16:39:53 +02:00
const faceConfidence = await confidenceT.data();
2021-11-03 21:32:07 +01:00
face.faceScore = Math.round(100 * faceConfidence[0]) / 100;
if (face.faceScore < (config.face.detector?.minConfidence || 1)) { // low confidence in detected mesh
box.confidence = face.faceScore; // reset confidence of cached box
2022-08-21 19:34:51 +02:00
if (config.face.mesh.keepInvalid) {
2022-05-22 14:50:51 +02:00
face.box = util.clampBox(box, input);
face.boxRaw = util.getRawBox(box, input);
face.score = face.boxScore;
face.mesh = box.landmarks.map((pt) => [
((box.startPoint[0] + box.endPoint[0])) / 2 + ((box.endPoint[0] + box.startPoint[0]) * pt[0] / blazeface.size()),
((box.startPoint[1] + box.endPoint[1])) / 2 + ((box.endPoint[1] + box.startPoint[1]) * pt[1] / blazeface.size()),
]);
2022-08-21 19:34:51 +02:00
face.meshRaw = face.mesh.map((pt) => [pt[0] / (input.shape[2] || 1), pt[1] / (input.shape[1] || 1), (pt[2] || 0) / size]);
2022-05-22 14:50:51 +02:00
for (const key of Object.keys(coords.blazeFaceLandmarks)) {
face.annotations[key] = [face.mesh[coords.blazeFaceLandmarks[key] as number]]; // add annotations
}
}
2021-09-28 18:01:48 +02:00
} else {
const meshT = results.find((t) => t.shape[t.shape.length - 1] === 1404) as Tensor;
const coordsReshaped = tf.reshape(meshT, [-1, 3]);
let rawCoords = await coordsReshaped.array();
tf.dispose(coordsReshaped);
2022-04-11 17:45:24 +02:00
if (config.face.attention?.enabled) {
rawCoords = await attention.augment(rawCoords, results); // augment iris results using attention model results
} else if (config.face.iris?.enabled) {
2022-08-30 16:28:33 +02:00
rawCoords = await iris.augmentIris(rawCoords, face.tensor, inputSize); // run iris model and augment results
2022-04-11 17:45:24 +02:00
}
2021-09-28 18:01:48 +02:00
face.mesh = util.transformRawCoords(rawCoords, box, angle, rotationMatrix, inputSize); // get processed mesh
2022-08-21 19:34:51 +02:00
face.meshRaw = face.mesh.map((pt) => [pt[0] / (input.shape[2] || 0), pt[1] / (input.shape[1] || 0), (pt[2] || 0) / size]);
2021-09-28 18:01:48 +02:00
for (const key of Object.keys(coords.meshAnnotations)) face.annotations[key] = coords.meshAnnotations[key].map((index) => face.mesh[index]); // add annotations
2021-11-03 21:32:07 +01:00
face.score = face.faceScore;
const calculatedBox = {
...util.calculateFaceBox(face.mesh, box),
confidence: box.confidence,
landmarks: box.landmarks,
size: box.size,
};
2021-12-27 16:59:56 +01:00
face.box = util.clampBox(calculatedBox, input);
face.boxRaw = util.getRawBox(calculatedBox, input);
2022-07-13 18:08:23 +02:00
/*
const contoursT = results.find((t) => t.shape[t.shape.length - 1] === 266) as Tensor;
const contoursData = contoursT && await contoursT.data(); // 133 x 2d points
face.contoursRaw = [];
for (let j = 0; j < contoursData.length / 2; j++) face.contoursRaw.push([contoursData[2 * j + 0] / inputSize, contoursData[2 * j + 1] / inputSize]);
face.contours = face.contoursRaw.map((c) => [Math.trunc((input.shape[2] || 1) * c[0]), Math.trunc((input.shape[1] || 1) * c[1])]);
*/
2021-12-27 16:59:56 +01:00
newCache.push(calculatedBox);
2021-09-28 18:01:48 +02:00
}
tf.dispose(results);
2021-09-28 18:01:48 +02:00
}
if (face.score > (config.face.detector?.minConfidence || 1)) faces.push(face);
else tf.dispose(face.tensor);
2021-09-28 18:01:48 +02:00
}
2021-12-27 16:59:56 +01:00
cache.boxes = newCache; // reset cache
2021-09-28 18:01:48 +02:00
return faces;
}
export async function load(config: Config): Promise<GraphModel> {
if (env.initial) model = null;
2022-08-21 19:34:51 +02:00
if (config.face.attention?.enabled && model?.['signature']) {
if (Object.keys(model?.['signature']?.outputs || {}).length < 6) model = null;
2022-05-30 03:12:18 +02:00
}
2022-04-11 17:45:24 +02:00
if (!model) {
2022-08-21 19:34:51 +02:00
if (config.face.attention?.enabled) model = await loadModel(config.face.attention.modelPath);
2022-04-11 17:45:24 +02:00
else model = await loadModel(config.face.mesh?.modelPath);
} else if (config.debug) {
log('cached model:', model['modelUrl']);
}
2022-08-30 16:28:33 +02:00
inputSize = (model['executor'] && model?.inputs?.[0].shape) ? model?.inputs?.[0].shape[2] : 256;
2021-09-28 18:01:48 +02:00
return model;
}
export const triangulation = coords.TRI468;
export const uvmap = coords.UV468;