Skip to content

Commit 82d160a

Browse files
committed
[detectors] Implement Koala-36M
Add `KoalaDetector` and `detect-koala` command. #441
1 parent 2c55a55 commit 82d160a

File tree

7 files changed

+110
-1
lines changed

7 files changed

+110
-1
lines changed

dist/requirements_windows.txt

Lines changed: 1 addition & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -2,6 +2,7 @@
22
av==13.1.0
33
click>=8.0
44
opencv-python-headless==4.10.0.84
5+
scikit-image==0.24.0
56

67
imageio-ffmpeg
78
moviepy

requirements.txt

Lines changed: 1 addition & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -8,3 +8,4 @@ opencv-python
88
platformdirs
99
pytest>=7.0
1010
tqdm
11+
scikit-image

requirements_headless.txt

Lines changed: 2 additions & 1 deletion
Original file line numberDiff line numberDiff line change
@@ -7,4 +7,5 @@ numpy
77
opencv-python-headless
88
platformdirs
99
pytest>=7.0
10-
tqdm
10+
scikit-image
11+
tqdm

scenedetect/_cli/__init__.py

Lines changed: 14 additions & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -42,6 +42,7 @@
4242
ContentDetector,
4343
HashDetector,
4444
HistogramDetector,
45+
KoalaDetector,
4546
ThresholdDetector,
4647
)
4748
from scenedetect.platform import get_cv2_imwrite_params, get_system_version_info
@@ -1577,3 +1578,16 @@ def save_qp_command(
15771578
scenedetect.add_command(list_scenes_command)
15781579
scenedetect.add_command(save_images_command)
15791580
scenedetect.add_command(split_video_command)
1581+
1582+
1583+
@click.command("detect-koala", cls=Command, help="""WIP""")
1584+
@click.pass_context
1585+
def detect_koala_command(
1586+
ctx: click.Context,
1587+
):
1588+
ctx = ctx.obj
1589+
assert isinstance(ctx, CliContext)
1590+
ctx.add_detector(KoalaDetector, {"min_scene_len": None})
1591+
1592+
1593+
scenedetect.add_command(detect_koala_command)

scenedetect/detectors/__init__.py

Lines changed: 1 addition & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -40,6 +40,7 @@
4040
from scenedetect.detectors.adaptive_detector import AdaptiveDetector
4141
from scenedetect.detectors.hash_detector import HashDetector
4242
from scenedetect.detectors.histogram_detector import HistogramDetector
43+
from scenedetect.detectors.koala_detector import KoalaDetector
4344

4445
# # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # # #
4546
# #
Lines changed: 87 additions & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,87 @@
1+
#
2+
# PySceneDetect: Python-Based Video Scene Detector
3+
# -------------------------------------------------------------------
4+
# [ Site: https://scenedetect.com ]
5+
# [ Docs: https://scenedetect.com/docs/ ]
6+
# [ Github: https://github.com/Breakthrough/PySceneDetect/ ]
7+
#
8+
# Copyright (C) 2014-2024 Brandon Castellano <http://www.bcastell.com>.
9+
# PySceneDetect is licensed under the BSD 3-Clause License; see the
10+
# included LICENSE file, or visit one of the above pages for details.
11+
#
12+
""":class:`KoalaDetector` uses the detection method described by Koala-36M.
13+
See https://koala36m.github.io/ for details.
14+
15+
TODO: Cite correctly.
16+
17+
This detector is available from the command-line as the `detect-koala` command.
18+
"""
19+
20+
import typing as ty
21+
22+
import cv2
23+
import numpy as np
24+
from skimage.metrics import structural_similarity
25+
26+
from scenedetect.scene_detector import SceneDetector
27+
28+
29+
class KoalaDetector(SceneDetector):
30+
def __init__(self, min_scene_len: int = None):
31+
self._start_frame_num: int = None
32+
self._min_scene_len: int = min_scene_len if min_scene_len else 0
33+
self._last_histogram: np.ndarray = None
34+
self._last_edges: np.ndarray = None
35+
self._scores: ty.List[ty.List[int]] = []
36+
37+
def process_frame(self, frame_num: int, frame_img: np.ndarray) -> ty.List[int]:
38+
# TODO: frame_img is already downscaled here. The same problem exists in HashDetector.
39+
# For now we can just set downscale factor to 1 in SceneManager to work around the issue.
40+
frame_img = cv2.resize(frame_img, (256, 256))
41+
histogram = np.asarray(
42+
[cv2.calcHist([c], [0], None, [254], [1, 255]) for c in cv2.split(frame_img)]
43+
)
44+
frame_gray = cv2.resize(cv2.cvtColor(frame_img, cv2.COLOR_BGR2GRAY), (128, 128))
45+
edges = np.maximum(frame_gray, cv2.Canny(frame_gray, 100, 200))
46+
if self._start_frame_num is not None:
47+
delta_histogram = cv2.compareHist(self._last_histogram, histogram, cv2.HISTCMP_CORREL)
48+
delta_edges = structural_similarity(self._last_edges, edges, data_range=255)
49+
score = 4.61480465 * delta_histogram + 3.75211168 * delta_edges - 5.485968377115124
50+
self._scores.append(score)
51+
if self._start_frame_num is None:
52+
self._start_frame_num = frame_num
53+
self._last_histogram = histogram
54+
self._last_edges = edges
55+
return []
56+
57+
def post_process(self, frame_num: int) -> ty.List[int]:
58+
self._scores = np.asarray(self._scores)
59+
num_frames = len(self._scores)
60+
convolution = self._scores.copy()
61+
convolution[1:-1] = np.convolve(convolution, np.array([1, 1, 1]) / 3.0, mode="valid")
62+
cut_found = np.zeros(num_frames + 1, bool)
63+
cut_found[-1] = True
64+
65+
WINDOW_SIZE = 8
66+
for frame_num in range(num_frames):
67+
if self._scores[frame_num] < 0:
68+
cut_found[frame_num] = True
69+
elif frame_num >= 8:
70+
last_cut = max(frame_num - WINDOW_SIZE, 0)
71+
if convolution[frame_num] < 0.75:
72+
M = len(convolution[last_cut:frame_num])
73+
arr = np.sort(convolution[last_cut:frame_num])
74+
arr = arr[int(M * 0.2) : int(M * 0.8)]
75+
mu = arr.mean()
76+
std = arr.std()
77+
if convolution[frame_num] < mu - 3 * max(0.2, std):
78+
cut_found[frame_num] = True
79+
80+
cuts = []
81+
last_cut = 0
82+
for frame_num in range(len(cut_found)):
83+
if cut_found[frame_num]:
84+
if (frame_num - last_cut) > WINDOW_SIZE:
85+
cuts.append(last_cut)
86+
last_cut = frame_num + 1
87+
return [cut + self._start_frame_num for cut in cuts][1:]

tests/test_detectors.py

Lines changed: 4 additions & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -29,6 +29,7 @@
2929
ContentDetector,
3030
HashDetector,
3131
HistogramDetector,
32+
KoalaDetector,
3233
ThresholdDetector,
3334
)
3435

@@ -37,6 +38,7 @@
3738
ContentDetector,
3839
HashDetector,
3940
HistogramDetector,
41+
KoalaDetector,
4042
)
4143

4244
ALL_DETECTORS: ty.Tuple[ty.Type[SceneDetector]] = (*FAST_CUT_DETECTORS, ThresholdDetector)
@@ -123,7 +125,9 @@ def get_fast_cut_test_cases():
123125
),
124126
id="%s/m=30" % detector_type.__name__,
125127
)
128+
# TODO: Make this work, right now min_scene_len isn't used by the detector.
126129
for detector_type in FAST_CUT_DETECTORS
130+
if detector_type != KoalaDetector
127131
]
128132
return test_cases
129133

0 commit comments

Comments
 (0)