-
Notifications
You must be signed in to change notification settings - Fork 252
/
me.rs
1523 lines (1360 loc) · 45 KB
/
me.rs
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
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
// Copyright (c) 2017-2022, The rav1e contributors. All rights reserved
//
// This source code is subject to the terms of the BSD 2 Clause License and
// the Alliance for Open Media Patent License 1.0. If the BSD 2 Clause License
// was not distributed with this source code in the LICENSE file, you can
// obtain it at www.aomedia.org/license/software. If the Alliance for Open
// Media Patent License 1.0 was not distributed with this source code in the
// PATENTS file, you can obtain it at www.aomedia.org/license/patent.
use crate::api::InterConfig;
use crate::context::{
BlockOffset, PlaneBlockOffset, SuperBlockOffset, TileBlockOffset,
TileSuperBlockOffset, MAX_SB_SIZE_LOG2, MIB_SIZE_LOG2, MI_SIZE,
MI_SIZE_LOG2, SB_SIZE,
};
use crate::dist::*;
use crate::frame::*;
use crate::mc::MotionVector;
use crate::partition::*;
use crate::predict::PredictionMode;
use crate::tiling::*;
use crate::util::ILog;
use crate::util::{clamp, Pixel};
use crate::FrameInvariants;
use arrayvec::*;
use std::ops::{Index, IndexMut};
use std::sync::{Arc, RwLock, RwLockReadGuard, RwLockWriteGuard};
#[derive(Debug, Copy, Clone, Default)]
pub struct MEStats {
pub mv: MotionVector,
/// sad value, on the scale of a 128x128 block
pub normalized_sad: u32,
}
#[derive(Debug, Clone)]
pub struct FrameMEStats {
stats: Box<[MEStats]>,
pub cols: usize,
pub rows: usize,
}
/// cbindgen:ignore
pub type RefMEStats = Arc<RwLock<[FrameMEStats; REF_FRAMES]>>;
/// cbindgen:ignore
pub type ReadGuardMEStats<'a> =
RwLockReadGuard<'a, [FrameMEStats; REF_FRAMES]>;
/// cbindgen:ignore
pub type WriteGuardMEStats<'a> =
RwLockWriteGuard<'a, [FrameMEStats; REF_FRAMES]>;
impl FrameMEStats {
#[inline]
pub fn rows_iter(&self) -> std::slice::ChunksExact<'_, MEStats> {
self.stats.chunks_exact(self.cols)
}
pub fn new(cols: usize, rows: usize) -> Self {
Self {
// dynamic allocation: once per frame
stats: vec![MEStats::default(); cols * rows].into_boxed_slice(),
cols,
rows,
}
}
pub fn new_arc_array(cols: usize, rows: usize) -> RefMEStats {
Arc::new(RwLock::new([
FrameMEStats::new(cols, rows),
FrameMEStats::new(cols, rows),
FrameMEStats::new(cols, rows),
FrameMEStats::new(cols, rows),
FrameMEStats::new(cols, rows),
FrameMEStats::new(cols, rows),
FrameMEStats::new(cols, rows),
FrameMEStats::new(cols, rows),
]))
}
}
impl Index<usize> for FrameMEStats {
type Output = [MEStats];
#[inline]
fn index(&self, index: usize) -> &Self::Output {
&self.stats[index * self.cols..(index + 1) * self.cols]
}
}
impl IndexMut<usize> for FrameMEStats {
#[inline]
fn index_mut(&mut self, index: usize) -> &mut Self::Output {
&mut self.stats[index * self.cols..(index + 1) * self.cols]
}
}
/// Result of motion search.
#[derive(Debug, Copy, Clone)]
pub struct MotionSearchResult {
/// Motion vector chosen by the motion search.
pub mv: MotionVector,
/// Rate distortion data associated with `mv`.
pub rd: MVCandidateRD,
}
impl MotionSearchResult {
/// Creates an 'empty' value.
///
/// To be considered empty, cost is set higher than any naturally occurring
/// cost value. The idea is that comparing to any valid rd output, the search
/// result will always be replaced.
#[inline(always)]
pub fn empty() -> MotionSearchResult {
MotionSearchResult {
mv: MotionVector::default(),
rd: MVCandidateRD::empty(),
}
}
/// Check if the value should be considered to be empty.
#[inline(always)]
const fn is_empty(&self) -> bool {
self.rd.cost == u64::MAX
}
}
/// Holds data from computing rate distortion of a motion vector.
#[derive(Debug, Copy, Clone)]
pub struct MVCandidateRD {
/// Rate distortion cost of the motion vector.
pub cost: u64,
/// Distortion metric value for the motion vector.
pub sad: u32,
}
impl MVCandidateRD {
/// Creates an 'empty' value.
///
/// To be considered empty, cost is set higher than any naturally occurring
/// cost value. The idea is that comparing to any valid rd output, the search
/// result will always be replaced.
#[inline(always)]
const fn empty() -> MVCandidateRD {
MVCandidateRD { sad: u32::MAX, cost: u64::MAX }
}
}
#[derive(Debug, Copy, Clone, Eq, PartialEq)]
pub enum MVSamplingMode {
INIT,
CORNER { right: bool, bottom: bool },
}
pub fn estimate_tile_motion<T: Pixel>(
fi: &FrameInvariants<T>, ts: &mut TileStateMut<'_, T>,
inter_cfg: &InterConfig,
) {
let init_size = MIB_SIZE_LOG2;
let mut prev_ssdec: Option<u8> = None;
for mv_size_in_b_log2 in (2..=init_size).rev() {
let init = mv_size_in_b_log2 == init_size;
// Choose subsampling. Pass one is quarter res and pass two is at half res.
let ssdec = match init_size - mv_size_in_b_log2 {
0 => 2,
1 => 1,
_ => 0,
};
let new_subsampling =
if let Some(prev) = prev_ssdec { prev != ssdec } else { false };
prev_ssdec = Some(ssdec);
// 0.5 and 0.125 are a fudge factors
let lambda = (fi.me_lambda * 256.0 / (1 << (2 * ssdec)) as f64
* if ssdec == 0 { 0.5 } else { 0.125 }) as u32;
for sby in 0..ts.sb_height {
for sbx in 0..ts.sb_width {
let mut tested_frames_flags = 0;
for &ref_frame in inter_cfg.allowed_ref_frames() {
let frame_flag = 1 << fi.ref_frames[ref_frame.to_index()];
if tested_frames_flags & frame_flag == frame_flag {
continue;
}
tested_frames_flags |= frame_flag;
let tile_bo =
TileSuperBlockOffset(SuperBlockOffset { x: sbx, y: sby })
.block_offset(0, 0);
if new_subsampling {
refine_subsampled_sb_motion(
fi,
ts,
ref_frame,
mv_size_in_b_log2 + 1,
tile_bo,
ssdec,
lambda,
);
}
estimate_sb_motion(
fi,
ts,
ref_frame,
mv_size_in_b_log2,
tile_bo,
init,
ssdec,
lambda,
);
}
}
}
}
}
fn estimate_sb_motion<T: Pixel>(
fi: &FrameInvariants<T>, ts: &mut TileStateMut<'_, T>, ref_frame: RefType,
mv_size_in_b_log2: usize, tile_bo: TileBlockOffset, init: bool, ssdec: u8,
lambda: u32,
) {
let pix_offset = tile_bo.to_luma_plane_offset();
let sb_h: usize = SB_SIZE.min(ts.height - pix_offset.y as usize);
let sb_w: usize = SB_SIZE.min(ts.width - pix_offset.x as usize);
let mv_size = MI_SIZE << mv_size_in_b_log2;
// Process in blocks, cropping at edges.
for y in (0..sb_h).step_by(mv_size) {
for x in (0..sb_w).step_by(mv_size) {
let corner: MVSamplingMode = if init {
MVSamplingMode::INIT
} else {
// Processing the block a size up produces data that can be used by
// the right and bottom corners.
MVSamplingMode::CORNER {
right: x & mv_size == mv_size,
bottom: y & mv_size == mv_size,
}
};
let sub_bo = tile_bo
.with_offset(x as isize >> MI_SIZE_LOG2, y as isize >> MI_SIZE_LOG2);
// Clamp to frame edge, rounding up in the case of subsampling.
// The rounding makes some assumptions about how subsampling is done.
let w = mv_size.min(sb_w - x + (1 << ssdec) - 1) >> ssdec;
let h = mv_size.min(sb_h - y + (1 << ssdec) - 1) >> ssdec;
// Run motion estimation.
// Note that the initial search (init) instructs the called function to
// perform a more extensive search.
if let Some(results) = estimate_motion(
fi,
ts,
w,
h,
sub_bo,
ref_frame,
None,
corner,
init,
ssdec,
Some(lambda),
) {
// normalize sad to 128x128 block
let sad = (((results.rd.sad as u64) << (MAX_SB_SIZE_LOG2 * 2))
/ (w * h) as u64) as u32;
save_me_stats(
ts,
mv_size_in_b_log2,
sub_bo,
ref_frame,
MEStats { mv: results.mv, normalized_sad: sad },
);
}
}
}
}
fn refine_subsampled_sb_motion<T: Pixel>(
fi: &FrameInvariants<T>, ts: &mut TileStateMut<'_, T>, ref_frame: RefType,
mv_size_in_b_log2: usize, tile_bo: TileBlockOffset, ssdec: u8, lambda: u32,
) {
let pix_offset = tile_bo.to_luma_plane_offset();
let sb_h: usize = SB_SIZE.min(ts.height - pix_offset.y as usize);
let sb_w: usize = SB_SIZE.min(ts.width - pix_offset.x as usize);
let mv_size = MI_SIZE << mv_size_in_b_log2;
// Process in blocks, cropping at edges.
for y in (0..sb_h).step_by(mv_size) {
for x in (0..sb_w).step_by(mv_size) {
let sub_bo = tile_bo
.with_offset(x as isize >> MI_SIZE_LOG2, y as isize >> MI_SIZE_LOG2);
// Clamp to frame edge, rounding up in the case of subsampling.
// The rounding makes some assumptions about how subsampling is done.
let w = mv_size.min(sb_w - x + (1 << ssdec) - 1) >> ssdec;
let h = mv_size.min(sb_h - y + (1 << ssdec) - 1) >> ssdec;
// Refine the existing motion estimate
if let Some(results) = refine_subsampled_motion_estimate(
fi, ts, w, h, sub_bo, ref_frame, ssdec, lambda,
) {
// normalize sad to 128x128 block
let sad = (((results.rd.sad as u64) << (MAX_SB_SIZE_LOG2 * 2))
/ (w * h) as u64) as u32;
save_me_stats(
ts,
mv_size_in_b_log2,
sub_bo,
ref_frame,
MEStats { mv: results.mv, normalized_sad: sad },
);
}
}
}
}
fn save_me_stats<T: Pixel>(
ts: &mut TileStateMut<'_, T>, mv_size_in_b_log2: usize,
tile_bo: TileBlockOffset, ref_frame: RefType, stats: MEStats,
) {
let size_in_b = 1 << mv_size_in_b_log2;
let tile_me_stats = &mut ts.me_stats[ref_frame.to_index()];
let tile_bo_x_end = (tile_bo.0.x + size_in_b).min(ts.mi_width);
let tile_bo_y_end = (tile_bo.0.y + size_in_b).min(ts.mi_height);
for mi_y in tile_bo.0.y..tile_bo_y_end {
for a in tile_me_stats[mi_y][tile_bo.0.x..tile_bo_x_end].iter_mut() {
*a = stats;
}
}
}
fn get_mv_range(
w_in_b: usize, h_in_b: usize, bo: PlaneBlockOffset, blk_w: usize,
blk_h: usize,
) -> (isize, isize, isize, isize) {
let border_w = 128 + blk_w as isize * 8;
let border_h = 128 + blk_h as isize * 8;
let mvx_min = -(bo.0.x as isize) * (8 * MI_SIZE) as isize - border_w;
let mvx_max = ((w_in_b - bo.0.x) as isize - (blk_w / MI_SIZE) as isize)
* (8 * MI_SIZE) as isize
+ border_w;
let mvy_min = -(bo.0.y as isize) * (8 * MI_SIZE) as isize - border_h;
let mvy_max = ((h_in_b - bo.0.y) as isize - (blk_h / MI_SIZE) as isize)
* (8 * MI_SIZE) as isize
+ border_h;
// <https://aomediacodec.github.io/av1-spec/#assign-mv-semantics>
use crate::context::{MV_LOW, MV_UPP};
(
mvx_min.max(MV_LOW as isize + 1),
mvx_max.min(MV_UPP as isize - 1),
mvy_min.max(MV_LOW as isize + 1),
mvy_max.min(MV_UPP as isize - 1),
)
}
struct MotionEstimationSubsets {
min_sad: u32,
median: Option<MotionVector>,
subset_b: ArrayVec<MotionVector, 5>,
subset_c: ArrayVec<MotionVector, 5>,
}
impl MotionEstimationSubsets {
fn all_mvs(&self) -> ArrayVec<MotionVector, 11> {
let mut all = ArrayVec::new();
if let Some(median) = self.median {
all.push(median);
}
all.extend(self.subset_b.iter().copied());
all.extend(self.subset_c.iter().copied());
all
}
}
#[profiling::function]
fn get_subset_predictors(
tile_bo: TileBlockOffset, tile_me_stats: &TileMEStats<'_>,
frame_ref_opt: Option<ReadGuardMEStats<'_>>, ref_frame_id: usize,
pix_w: usize, pix_h: usize, mvx_min: isize, mvx_max: isize, mvy_min: isize,
mvy_max: isize, corner: MVSamplingMode, ssdec: u8,
) -> MotionEstimationSubsets {
let mut min_sad: u32 = u32::MAX;
let mut subset_b = ArrayVec::<MotionVector, 5>::new();
let mut subset_c = ArrayVec::<MotionVector, 5>::new();
// rounded up width in blocks
let w = ((pix_w << ssdec) + MI_SIZE - 1) >> MI_SIZE_LOG2;
let h = ((pix_h << ssdec) + MI_SIZE - 1) >> MI_SIZE_LOG2;
// Get predictors from the same frame.
let clipped_half_w = (w >> 1).min(tile_me_stats.cols() - 1 - tile_bo.0.x);
let clipped_half_h = (h >> 1).min(tile_me_stats.rows() - 1 - tile_bo.0.y);
let mut process_cand = |stats: MEStats| -> MotionVector {
min_sad = min_sad.min(stats.normalized_sad);
let mv = stats.mv.quantize_to_fullpel();
MotionVector {
col: clamp(mv.col as isize, mvx_min, mvx_max) as i16,
row: clamp(mv.row as isize, mvy_min, mvy_max) as i16,
}
};
// Sample the middle of all block edges bordering this one.
// Note: If motion vectors haven't been precomputed to a given blocksize, then
// the right and bottom edges will be duplicates of the center predictor when
// processing in raster order.
// left
if tile_bo.0.x > 0 {
subset_b.push(process_cand(
tile_me_stats[tile_bo.0.y + clipped_half_h][tile_bo.0.x - 1],
));
}
// top
if tile_bo.0.y > 0 {
subset_b.push(process_cand(
tile_me_stats[tile_bo.0.y - 1][tile_bo.0.x + clipped_half_w],
));
}
// Sampling far right and far bottom edges was tested, but had worse results
// without an extensive threshold test (with threshold being applied after
// checking median and the best of each subset).
// right
if let MVSamplingMode::CORNER { right: true, bottom: _ } = corner {
if tile_bo.0.x + w < tile_me_stats.cols() {
subset_b.push(process_cand(
tile_me_stats[tile_bo.0.y + clipped_half_h][tile_bo.0.x + w],
));
}
}
// bottom
if let MVSamplingMode::CORNER { right: _, bottom: true } = corner {
if tile_bo.0.y + h < tile_me_stats.rows() {
subset_b.push(process_cand(
tile_me_stats[tile_bo.0.y + h][tile_bo.0.x + clipped_half_w],
));
}
}
let median = if corner != MVSamplingMode::INIT {
// Sample the center of the current block.
Some(process_cand(
tile_me_stats[tile_bo.0.y + clipped_half_h]
[tile_bo.0.x + clipped_half_w],
))
} else if subset_b.len() != 3 {
None
} else {
let mut rows: ArrayVec<i16, 3> = subset_b.iter().map(|&a| a.row).collect();
let mut cols: ArrayVec<i16, 3> = subset_b.iter().map(|&a| a.col).collect();
rows.as_mut_slice().sort_unstable();
cols.as_mut_slice().sort_unstable();
Some(MotionVector { row: rows[1], col: cols[1] })
};
// Zero motion vector, don't use add_cand since it skips zero vectors.
subset_b.push(MotionVector::default());
// EPZS subset C predictors.
// Sample the middle of bordering side of the left, right, top and bottom
// blocks of the previous frame.
// Sample the middle of this block in the previous frame.
if let Some(frame_me_stats) = frame_ref_opt {
let prev_frame = &frame_me_stats[ref_frame_id];
let frame_bo = PlaneBlockOffset(BlockOffset {
x: tile_me_stats.x() + tile_bo.0.x,
y: tile_me_stats.y() + tile_bo.0.y,
});
let clipped_half_w = (w >> 1).min(prev_frame.cols - 1 - frame_bo.0.x);
let clipped_half_h = (h >> 1).min(prev_frame.rows - 1 - frame_bo.0.y);
// left
if frame_bo.0.x > 0 {
subset_c.push(process_cand(
prev_frame[frame_bo.0.y + clipped_half_h][frame_bo.0.x - 1],
));
}
// top
if frame_bo.0.y > 0 {
subset_c.push(process_cand(
prev_frame[frame_bo.0.y - 1][frame_bo.0.x + clipped_half_w],
));
}
// right
if frame_bo.0.x + w < prev_frame.cols {
subset_c.push(process_cand(
prev_frame[frame_bo.0.y + clipped_half_h][frame_bo.0.x + w],
));
}
// bottom
if frame_bo.0.y + h < prev_frame.rows {
subset_c.push(process_cand(
prev_frame[frame_bo.0.y + h][frame_bo.0.x + clipped_half_w],
));
}
subset_c.push(process_cand(
prev_frame[frame_bo.0.y + clipped_half_h][frame_bo.0.x + clipped_half_w],
));
}
// Undo normalization to 128x128 block size
let min_sad = ((min_sad as u64 * (pix_w * pix_h) as u64)
>> (MAX_SB_SIZE_LOG2 * 2)) as u32;
let dec_mv = |mv: MotionVector| MotionVector {
col: mv.col >> ssdec,
row: mv.row >> ssdec,
};
let median = median.map(dec_mv);
for mv in subset_b.iter_mut() {
*mv = dec_mv(*mv);
}
for mv in subset_c.iter_mut() {
*mv = dec_mv(*mv);
}
MotionEstimationSubsets { min_sad, median, subset_b, subset_c }
}
pub fn estimate_motion<T: Pixel>(
fi: &FrameInvariants<T>, ts: &TileStateMut<'_, T>, w: usize, h: usize,
tile_bo: TileBlockOffset, ref_frame: RefType,
pmv: Option<[MotionVector; 2]>, corner: MVSamplingMode,
extensive_search: bool, ssdec: u8, lambda: Option<u32>,
) -> Option<MotionSearchResult> {
if let Some(ref rec) =
fi.rec_buffer.frames[fi.ref_frames[ref_frame.to_index()] as usize]
{
let frame_bo = ts.to_frame_block_offset(tile_bo);
let (mvx_min, mvx_max, mvy_min, mvy_max) =
get_mv_range(fi.w_in_b, fi.h_in_b, frame_bo, w << ssdec, h << ssdec);
let lambda = lambda.unwrap_or({
// 0.5 is a fudge factor
(fi.me_lambda * 256.0 * 0.5) as u32
});
let global_mv = [MotionVector { row: 0, col: 0 }; 2];
let po = frame_bo.to_luma_plane_offset();
let (mvx_min, mvx_max, mvy_min, mvy_max) =
(mvx_min >> ssdec, mvx_max >> ssdec, mvy_min >> ssdec, mvy_max >> ssdec);
let po = PlaneOffset { x: po.x >> ssdec, y: po.y >> ssdec };
let p_ref = match ssdec {
0 => &rec.frame.planes[0],
1 => &rec.input_hres,
2 => &rec.input_qres,
_ => unimplemented!(),
};
let org_region = &match ssdec {
0 => ts.input_tile.planes[0]
.subregion(Area::BlockStartingAt { bo: tile_bo.0 }),
1 => ts.input_hres.region(Area::StartingAt { x: po.x, y: po.y }),
2 => ts.input_qres.region(Area::StartingAt { x: po.x, y: po.y }),
_ => unimplemented!(),
};
let mut best: MotionSearchResult = full_pixel_me(
fi,
ts,
org_region,
p_ref,
tile_bo,
po,
lambda,
pmv.unwrap_or(global_mv),
w,
h,
mvx_min,
mvx_max,
mvy_min,
mvy_max,
ref_frame,
corner,
extensive_search,
ssdec,
);
if let Some(pmv) = pmv {
let use_satd: bool = fi.config.speed_settings.motion.use_satd_subpel;
if use_satd {
best.rd = get_fullpel_mv_rd(
fi,
po,
org_region,
p_ref,
fi.sequence.bit_depth,
pmv,
lambda,
use_satd,
mvx_min,
mvx_max,
mvy_min,
mvy_max,
w,
h,
best.mv,
);
}
sub_pixel_me(
fi, po, org_region, p_ref, lambda, pmv, mvx_min, mvx_max, mvy_min,
mvy_max, w, h, use_satd, &mut best, ref_frame,
);
}
// Scale motion vectors to full res size
best.mv = best.mv << ssdec;
Some(best)
} else {
None
}
}
/// Refine motion estimation that was computed one level of subsampling up.
fn refine_subsampled_motion_estimate<T: Pixel>(
fi: &FrameInvariants<T>, ts: &TileStateMut<'_, T>, w: usize, h: usize,
tile_bo: TileBlockOffset, ref_frame: RefType, ssdec: u8, lambda: u32,
) -> Option<MotionSearchResult> {
if let Some(ref rec) =
fi.rec_buffer.frames[fi.ref_frames[ref_frame.to_index()] as usize]
{
let frame_bo = ts.to_frame_block_offset(tile_bo);
let (mvx_min, mvx_max, mvy_min, mvy_max) =
get_mv_range(fi.w_in_b, fi.h_in_b, frame_bo, w << ssdec, h << ssdec);
let pmv = [MotionVector { row: 0, col: 0 }; 2];
let po = frame_bo.to_luma_plane_offset();
let (mvx_min, mvx_max, mvy_min, mvy_max) =
(mvx_min >> ssdec, mvx_max >> ssdec, mvy_min >> ssdec, mvy_max >> ssdec);
let po = PlaneOffset { x: po.x >> ssdec, y: po.y >> ssdec };
let p_ref = match ssdec {
0 => &rec.frame.planes[0],
1 => &rec.input_hres,
2 => &rec.input_qres,
_ => unimplemented!(),
};
let org_region = &match ssdec {
0 => ts.input_tile.planes[0]
.subregion(Area::BlockStartingAt { bo: tile_bo.0 }),
1 => ts.input_hres.region(Area::StartingAt { x: po.x, y: po.y }),
2 => ts.input_qres.region(Area::StartingAt { x: po.x, y: po.y }),
_ => unimplemented!(),
};
let mv =
ts.me_stats[ref_frame.to_index()][tile_bo.0.y][tile_bo.0.x].mv >> ssdec;
// Given a motion vector at 0 at higher subsampling:
// | -1 | 0 | 1 |
// then the vectors at -1 to 2 should be tested at the current subsampling.
// |-------------|
// | -2 -1 | 0 1 | 2 3 |
// This corresponds to a 4x4 full search.
let x_lo = po.x + (mv.col as isize / 8 - 1).max(mvx_min / 8);
let x_hi = po.x + (mv.col as isize / 8 + 2).min(mvx_max / 8);
let y_lo = po.y + (mv.row as isize / 8 - 1).max(mvy_min / 8);
let y_hi = po.y + (mv.row as isize / 8 + 2).min(mvy_max / 8);
let mut results = full_search(
fi, x_lo, x_hi, y_lo, y_hi, w, h, org_region, p_ref, po, 1, lambda, pmv,
);
// Scale motion vectors to full res size
results.mv = results.mv << ssdec;
Some(results)
} else {
None
}
}
#[profiling::function]
fn full_pixel_me<T: Pixel>(
fi: &FrameInvariants<T>, ts: &TileStateMut<'_, T>,
org_region: &PlaneRegion<T>, p_ref: &Plane<T>, tile_bo: TileBlockOffset,
po: PlaneOffset, lambda: u32, pmv: [MotionVector; 2], w: usize, h: usize,
mvx_min: isize, mvx_max: isize, mvy_min: isize, mvy_max: isize,
ref_frame: RefType, corner: MVSamplingMode, extensive_search: bool,
ssdec: u8,
) -> MotionSearchResult {
let ref_frame_id = ref_frame.to_index();
let tile_me_stats = &ts.me_stats[ref_frame_id].as_const();
let frame_ref = fi.rec_buffer.frames[fi.ref_frames[0] as usize]
.as_ref()
.map(|frame_ref| frame_ref.frame_me_stats.read().expect("poisoned lock"));
let subsets = get_subset_predictors(
tile_bo,
tile_me_stats,
frame_ref,
ref_frame_id,
w,
h,
mvx_min,
mvx_max,
mvy_min,
mvy_max,
corner,
ssdec,
);
let try_cands = |predictors: &[MotionVector],
best: &mut MotionSearchResult| {
let mut results = get_best_predictor(
fi,
po,
org_region,
p_ref,
predictors,
fi.sequence.bit_depth,
pmv,
lambda,
mvx_min,
mvx_max,
mvy_min,
mvy_max,
w,
h,
);
fullpel_diamond_search(
fi,
po,
org_region,
p_ref,
&mut results,
fi.sequence.bit_depth,
pmv,
lambda,
mvx_min,
mvx_max,
mvy_min,
mvy_max,
w,
h,
);
if results.rd.cost < best.rd.cost {
*best = results;
}
};
let mut best: MotionSearchResult = MotionSearchResult::empty();
if !extensive_search {
try_cands(&subsets.all_mvs(), &mut best);
best
} else {
// Perform a more thorough search before resorting to full search.
// Search the median, the best mvs of neighboring blocks, and motion vectors
// from the previous frame. Stop once a candidate with a sad less than a
// threshold is found.
let thresh = (subsets.min_sad as f32 * 1.2) as u32
+ (((w * h) as u32) << (fi.sequence.bit_depth - 8));
if let Some(median) = subsets.median {
try_cands(&[median], &mut best);
if best.rd.sad < thresh {
return best;
}
}
try_cands(&subsets.subset_b, &mut best);
if best.rd.sad < thresh {
return best;
}
try_cands(&subsets.subset_c, &mut best);
if best.rd.sad < thresh {
return best;
}
// Preform UMH search, either as the last possible search when full search
// is disabled, or as the last search before resorting to full search.
uneven_multi_hex_search(
fi,
po,
org_region,
p_ref,
&mut best,
fi.sequence.bit_depth,
pmv,
lambda,
mvx_min,
mvx_max,
mvy_min,
mvy_max,
w,
h,
// Use 24, since it is the largest range that x264 uses.
24,
);
if !fi.config.speed_settings.motion.me_allow_full_search
|| best.rd.sad < thresh
{
return best;
}
{
let range_x = (192 * fi.me_range_scale as isize) >> ssdec;
let range_y = (64 * fi.me_range_scale as isize) >> ssdec;
let x_lo = po.x + (-range_x).max(mvx_min / 8);
let x_hi = po.x + (range_x).min(mvx_max / 8);
let y_lo = po.y + (-range_y).max(mvy_min / 8);
let y_hi = po.y + (range_y).min(mvy_max / 8);
let results = full_search(
fi,
x_lo,
x_hi,
y_lo,
y_hi,
w,
h,
org_region,
p_ref,
po,
// Full search is run at quarter resolution, except for short edges.
// When subsampling is lower than usual, the step size is raised so that
// the number of search locations stays the same.
4 >> ssdec,
lambda,
[MotionVector::default(); 2],
);
if results.rd.cost < best.rd.cost {
results
} else {
best
}
}
}
}
fn sub_pixel_me<T: Pixel>(
fi: &FrameInvariants<T>, po: PlaneOffset, org_region: &PlaneRegion<T>,
p_ref: &Plane<T>, lambda: u32, pmv: [MotionVector; 2], mvx_min: isize,
mvx_max: isize, mvy_min: isize, mvy_max: isize, w: usize, h: usize,
use_satd: bool, best: &mut MotionSearchResult, ref_frame: RefType,
) {
subpel_diamond_search(
fi,
po,
org_region,
p_ref,
fi.sequence.bit_depth,
pmv,
lambda,
mvx_min,
mvx_max,
mvy_min,
mvy_max,
w,
h,
use_satd,
best,
ref_frame,
);
}
#[profiling::function]
fn get_best_predictor<T: Pixel>(
fi: &FrameInvariants<T>, po: PlaneOffset, org_region: &PlaneRegion<T>,
p_ref: &Plane<T>, predictors: &[MotionVector], bit_depth: usize,
pmv: [MotionVector; 2], lambda: u32, mvx_min: isize, mvx_max: isize,
mvy_min: isize, mvy_max: isize, w: usize, h: usize,
) -> MotionSearchResult {
let mut best: MotionSearchResult = MotionSearchResult::empty();
for &init_mv in predictors.iter() {
let rd = get_fullpel_mv_rd(
fi, po, org_region, p_ref, bit_depth, pmv, lambda, false, mvx_min,
mvx_max, mvy_min, mvy_max, w, h, init_mv,
);
if rd.cost < best.rd.cost {
best.mv = init_mv;
best.rd = rd;
}
}
best
}
/// Declares an array of motion vectors in structure of arrays syntax.
/// Compared to [`search_pattern_subpel`], this version creates motion vectors
/// in fullpel resolution (x8).
macro_rules! search_pattern {
($field_a:ident: [$($ll_a:expr),*], $field_b:ident: [$($ll_b:expr),*]) => {
[ $(MotionVector { $field_a: $ll_a << 3, $field_b: $ll_b << 3 } ),*]
};
}
/// Declares an array of motion vectors in structure of arrays syntax.
macro_rules! search_pattern_subpel {
($field_a:ident: [$($ll_a:expr),*], $field_b:ident: [$($ll_b:expr),*]) => {
[ $(MotionVector { $field_a: $ll_a, $field_b: $ll_b } ),*]
};
}
/// Diamond pattern of radius 1 as shown below. For fullpel search, use
/// `DIAMOND_R1_PATTERN_FULLPEL` since it has been scaled for fullpel search.
/// ```text
/// X
/// XoX
/// X
/// ```
/// 'X's are motion candidates and the 'o' is the center.
///
const DIAMOND_R1_PATTERN_SUBPEL: [MotionVector; 4] = search_pattern_subpel!(
col: [ 0, 1, 0, -1],
row: [ 1, 0, -1, 0]
);
/// Diamond pattern of radius 1 as shown below. Unlike `DIAMOND_R1_PATTERN`, the
/// vectors have been shifted fullpel scale.
/// ```text
/// X
/// XoX
/// X
/// ```
/// 'X's are motion candidates and the 'o' is the center.
const DIAMOND_R1_PATTERN: [MotionVector; 4] = search_pattern!(
col: [ 0, 1, 0, -1],
row: [ 1, 0, -1, 0]
);
/// Run a full pixel diamond search. The search is run on multiple step sizes.
///
/// For each step size, candidate motion vectors are examined for improvement
/// to the current search location. The search location is moved to the best
/// candidate (if any). This is repeated until the search location stops moving.
#[profiling::function]
fn fullpel_diamond_search<T: Pixel>(
fi: &FrameInvariants<T>, po: PlaneOffset, org_region: &PlaneRegion<T>,
p_ref: &Plane<T>, current: &mut MotionSearchResult, bit_depth: usize,
pmv: [MotionVector; 2], lambda: u32, mvx_min: isize, mvx_max: isize,
mvy_min: isize, mvy_max: isize, w: usize, h: usize,
) {
// Define the initial and the final scale (log2) of the diamond.
let (mut diamond_radius_log2, diamond_radius_end_log2) = (1u8, 0u8);
loop {
// Find the best candidate from the diamond pattern.
let mut best_cand: MotionSearchResult = MotionSearchResult::empty();
for &offset in &DIAMOND_R1_PATTERN {
let cand_mv = current.mv + (offset << diamond_radius_log2);
let rd = get_fullpel_mv_rd(
fi, po, org_region, p_ref, bit_depth, pmv, lambda, false, mvx_min,
mvx_max, mvy_min, mvy_max, w, h, cand_mv,
);
if rd.cost < best_cand.rd.cost {
best_cand.mv = cand_mv;
best_cand.rd = rd;
}
}
// Continue the search at this scale until the can't find a better candidate
// to use.
if current.rd.cost <= best_cand.rd.cost {
if diamond_radius_log2 == diamond_radius_end_log2 {
break;
} else {
diamond_radius_log2 -= 1;
}
} else {
*current = best_cand;
}
}
assert!(!current.is_empty());
}
/// A hexagon pattern around a center point. The pattern is ordered so that the
/// offsets circle around the center. This is done to allow pruning locations
/// covered by the last iteration.
/// ```text
/// 21012