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
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
1349
1350
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
1454
1455
1456
1457
1458
1459
1460
1461
1462
1463
1464
1465
ash / wm / overview / overview_item.cc [blame]
// Copyright 2013 The Chromium Authors
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "ash/wm/overview/overview_item.h"
#include <utility>
#include <vector>
#include "ash/accessibility/accessibility_controller.h"
#include "ash/public/cpp/window_properties.h"
#include "ash/shell.h"
#include "ash/strings/grit/ash_strings.h"
#include "ash/style/rounded_label_widget.h"
#include "ash/style/system_shadow.h"
#include "ash/wm/desks/desks_util.h"
#include "ash/wm/desks/templates/saved_desk_animations.h"
#include "ash/wm/drag_window_controller.h"
#include "ash/wm/overview/delayed_animation_observer_impl.h"
#include "ash/wm/overview/overview_constants.h"
#include "ash/wm/overview/overview_controller.h"
#include "ash/wm/overview/overview_drop_target.h"
#include "ash/wm/overview/overview_grid.h"
#include "ash/wm/overview/overview_grid_event_handler.h"
#include "ash/wm/overview/overview_item_base.h"
#include "ash/wm/overview/overview_item_view.h"
#include "ash/wm/overview/overview_item_view_scheduler.h"
#include "ash/wm/overview/overview_types.h"
#include "ash/wm/overview/overview_utils.h"
#include "ash/wm/overview/overview_window_drag_controller.h"
#include "ash/wm/overview/scoped_overview_animation_settings.h"
#include "ash/wm/overview/scoped_overview_hide_windows.h"
#include "ash/wm/raster_scale/raster_scale_controller.h"
#include "ash/wm/snap_group/snap_group_controller.h"
#include "ash/wm/splitview/layout_divider_controller.h"
#include "ash/wm/splitview/split_view_constants.h"
#include "ash/wm/splitview/split_view_utils.h"
#include "ash/wm/window_mini_view_header_view.h"
#include "ash/wm/window_preview_view.h"
#include "ash/wm/window_properties.h"
#include "ash/wm/window_state.h"
#include "ash/wm/window_transient_descendant_iterator.h"
#include "ash/wm/window_util.h"
#include "ash/wm/wm_constants.h"
#include "base/auto_reset.h"
#include "base/debug/crash_logging.h"
#include "base/functional/bind.h"
#include "base/functional/callback_helpers.h"
#include "base/memory/raw_ptr.h"
#include "base/metrics/user_metrics.h"
#include "base/numerics/safe_conversions.h"
#include "base/trace_event/trace_event.h"
#include "chromeos/ui/base/window_properties.h"
#include "chromeos/ui/base/window_state_type.h"
#include "third_party/abseil-cpp/absl/cleanup/cleanup.h"
#include "ui/aura/client/aura_constants.h"
#include "ui/base/l10n/l10n_util.h"
#include "ui/compositor/layer.h"
#include "ui/compositor/layer_animation_observer.h"
#include "ui/compositor/layer_animation_sequence.h"
#include "ui/compositor/scoped_layer_animation_settings.h"
#include "ui/compositor_extra/shadow.h"
#include "ui/display/screen.h"
#include "ui/gfx/geometry/rounded_corners_f.h"
#include "ui/gfx/geometry/transform_util.h"
#include "ui/views/background.h"
#include "ui/views/widget/widget.h"
#include "ui/wm/core/coordinate_conversion.h"
#include "ui/wm/core/window_animations.h"
#include "ui/wm/core/window_util.h"
namespace ash {
namespace {
using chromeos::WindowStateType;
// Opacity for fading out during closing a window.
constexpr float kClosingItemOpacity = 0.8f;
// Before closing a window animate both the window and the caption to shrink by
// this fraction of size.
constexpr float kPreCloseScale = 0.02f;
// The amount of translation an item animates by when it is closed by using
// swipe to close.
constexpr int kSwipeToCloseCloseTranslationDp = 96;
// When an item is being dragged, the bounds are outset horizontally by this
// fraction of the width, and vertically by this fraction of the height. The
// outset in each dimension is on both sides, for a total of twice this much
// change in the size of the item along that dimension.
constexpr float kDragWindowScale = 0.05f;
// A self-deleting animation observer that runs the given callback when its
// associated animation completes. Optionally takes a callback that is run when
// the animation starts.
class AnimationObserver : public ui::ImplicitAnimationObserver {
public:
explicit AnimationObserver(base::OnceClosure on_animation_finished)
: AnimationObserver(base::NullCallback(),
std::move(on_animation_finished)) {}
AnimationObserver(base::OnceClosure on_animation_started,
base::OnceClosure on_animation_finished)
: on_animation_started_(std::move(on_animation_started)),
on_animation_finished_(std::move(on_animation_finished)) {
DCHECK(!on_animation_finished_.is_null());
}
AnimationObserver(const AnimationObserver&) = delete;
AnimationObserver& operator=(const AnimationObserver&) = delete;
~AnimationObserver() override = default;
// ui::ImplicitAnimationObserver:
void OnLayerAnimationStarted(ui::LayerAnimationSequence* sequence) override {
if (!on_animation_started_.is_null())
std::move(on_animation_started_).Run();
}
void OnImplicitAnimationsCompleted() override {
std::move(on_animation_finished_).Run();
delete this;
}
private:
base::OnceClosure on_animation_started_;
base::OnceClosure on_animation_finished_;
};
// Applies |new_bounds_in_screen| to |widget|, animating and observing the
// transform if necessary.
void SetWidgetBoundsAndMaybeAnimateTransform(
views::Widget* widget,
const gfx::Rect& new_bounds_in_screen,
OverviewAnimationType animation_type,
ui::ImplicitAnimationObserver* observer) {
aura::Window* window = widget->GetNativeWindow();
gfx::RectF previous_bounds = gfx::RectF(window->GetBoundsInScreen());
window->SetBoundsInScreen(
new_bounds_in_screen,
display::Screen::GetScreen()->GetDisplayNearestWindow(window));
if (animation_type == OVERVIEW_ANIMATION_NONE ||
animation_type == OVERVIEW_ANIMATION_ENTER_FROM_HOME_LAUNCHER ||
previous_bounds.IsEmpty()) {
window->SetTransform(gfx::Transform());
// Make sure that |observer|, which could be a self-deleting object, will
// not be leaked.
DCHECK(!observer);
return;
}
// For animations, compute the transform needed to place the widget at its
// new bounds back to the old bounds, and then apply the idenity
// transform. This so the bounds visually line up the concurrent transform
// animations. Also transform animations may be more performant.
const gfx::RectF current_bounds = gfx::RectF(window->GetBoundsInScreen());
window->SetTransform(
gfx::TransformBetweenRects(current_bounds, previous_bounds));
ScopedOverviewAnimationSettings settings(animation_type, window);
if (observer)
settings.AddObserver(observer);
window->SetTransform(gfx::Transform());
}
bool IsContinuousScrollInProgress() {
return features::IsContinuousOverviewScrollAnimationEnabled() &&
OverviewController::Get()->is_continuous_scroll_in_progress();
}
} // namespace
OverviewItem::OverviewItem(aura::Window* window,
OverviewSession* overview_session,
OverviewGrid* overview_grid,
WindowDestructionDelegate* destruction_delegate,
EventHandlerDelegate* event_handler_delegate,
bool eligible_for_shadow_config)
: OverviewItemBase(overview_session,
overview_grid,
window->GetRootWindow()),
root_window_(window->GetRootWindow()),
transform_window_(this, window),
window_destruction_delegate_(destruction_delegate),
event_handler_delegate_(event_handler_delegate),
eligible_for_shadow_config_(eligible_for_shadow_config),
animation_disabler_(window) {
CHECK(window_destruction_delegate_);
CreateItemWidget(event_handler_delegate);
window->AddObserver(this);
WindowState::Get(window)->AddObserver(this);
}
OverviewItem::~OverviewItem() {
aura::Window* window = GetWindow();
WindowState::Get(window)->RemoveObserver(this);
window->RemoveObserver(this);
}
void OverviewItem::CloseWindow() {
RefreshShadowVisuals(/*shadow_visible=*/false);
gfx::RectF inset_bounds(target_bounds_);
inset_bounds.Inset(gfx::InsetsF::VH(target_bounds_.height() * kPreCloseScale,
target_bounds_.width() * kPreCloseScale));
// Scale down both the window and label.
SetBounds(inset_bounds, OVERVIEW_ANIMATION_CLOSING_OVERVIEW_ITEM);
// First animate opacity to an intermediate value concurrently with the
// scaling animation.
AnimateOpacity(kClosingItemOpacity, OVERVIEW_ANIMATION_CLOSING_OVERVIEW_ITEM);
// Fade out the window and the label, effectively hiding them.
AnimateOpacity(/*opacity=*/0.0, OVERVIEW_ANIMATION_CLOSE_OVERVIEW_ITEM);
// `transform_window_` will delete `this` by deleting the widget associated
// with `this`.
transform_window_.Close();
}
void OverviewItem::OnFocusedViewActivated() {
overview_session_->OnFocusedItemActivated(this);
}
void OverviewItem::OnFocusedViewClosed() {
overview_session_->OnFocusedItemClosed(this);
}
void OverviewItem::UpdateRoundedCorners() {
OverviewController* overview_controller = OverviewController::Get();
// If the feature ContinuousOverviewScrollAnimation is enabled, always show
// rounded corners for minimized windows, and show rounded corners for
// non-minimized windows after the continuous scroll has ended.
bool show_rounded_corners_for_start_animation = false;
if (features::IsContinuousOverviewScrollAnimationEnabled() &&
!display::Screen::GetScreen()->InTabletMode()) {
show_rounded_corners_for_start_animation =
transform_window_.IsMinimizedOrTucked() ||
!IsContinuousScrollInProgress();
} else {
show_rounded_corners_for_start_animation =
!overview_controller->IsInStartAnimation();
}
// Do not show the rounded corners and the shadow if overview is shutting
// down or we're currently in entering overview animation. Also don't update
// or animate the window's frame header clip under these conditions.
const bool is_shutting_down =
!overview_controller || !overview_controller->InOverviewSession();
const bool should_show_rounded_corners =
!is_shutting_down && show_rounded_corners_for_start_animation;
if (should_show_rounded_corners) {
if (overview_item_view_) {
overview_item_view_->RefreshItemVisuals();
}
if (!transform_window_.IsMinimizedOrTucked()) {
transform_window_.UpdateRoundedCorners(should_show_rounded_corners);
}
}
}
int OverviewItem::GetTopInset() const {
return transform_window_.GetTopInset();
}
OverviewAnimationType OverviewItem::GetExitOverviewAnimationType() const {
if (overview_session_->enter_exit_overview_type() ==
OverviewEnterExitType::kImmediateExit) {
return OVERVIEW_ANIMATION_NONE;
}
return should_animate_when_exiting_
? OVERVIEW_ANIMATION_LAYOUT_OVERVIEW_ITEMS_ON_EXIT
: OVERVIEW_ANIMATION_NONE;
}
OverviewAnimationType OverviewItem::GetExitTransformAnimationType() const {
if (is_moving_to_another_desk_ ||
overview_session_->enter_exit_overview_type() ==
OverviewEnterExitType::kImmediateExit) {
return OVERVIEW_ANIMATION_NONE;
}
return should_animate_when_exiting_ ? OVERVIEW_ANIMATION_RESTORE_WINDOW
: OVERVIEW_ANIMATION_RESTORE_WINDOW_ZERO;
}
void OverviewItem::SetOpacity(float opacity) {
OverviewItemBase::SetOpacity(opacity);
transform_window_.SetOpacity(opacity);
}
aura::Window::Windows OverviewItem::GetWindowsForHomeGesture() {
aura::Window::Windows windows = OverviewItemBase::GetWindowsForHomeGesture();
if (!transform_window_.IsMinimizedOrTucked()) {
for (auto* window : GetTransientTreeIterator(GetWindow())) {
windows.push_back(window);
}
}
return windows;
}
void OverviewItem::HideForSavedDeskLibrary(bool animate) {
OverviewItemBase::HideForSavedDeskLibrary(animate);
auto* window = GetWindow();
// To hide the window, we will set its layer opacity to 0. This would
// normally also hide the window from the mini view, which we don't want. By
// setting a property on the window, we can force it to stay visible.
window->SetProperty(kForceVisibleInMiniViewKey, true);
for (aura::Window* transient_child : GetTransientTreeIterator(window)) {
// This is needed for the split view divider, which can be a transient child
// of the window. The visibility of the divider is explicitly controlled by
// the owning snap group, and we should not fade it out here. See the bug in
// http://b/335301800 for more details.
if (!transient_child->TargetVisibility()) {
continue;
}
transient_child->SetProperty(kForceVisibleInMiniViewKey, true);
PerformFadeOutLayer(transient_child->layer(), animate, base::DoNothing());
}
}
void OverviewItem::RevertHideForSavedDeskLibrary(bool animate) {
// TODO(http://b/339121787): Decide if we should reset
// `kForceVisibleInMiniViewKey` on the window and its transient children back
// to false.
OverviewItemBase::RevertHideForSavedDeskLibrary(animate);
for (aura::Window* transient_child : GetTransientTreeIterator(GetWindow())) {
PerformFadeInLayer(transient_child->layer(), animate);
}
}
void OverviewItem::UpdateMirrorsForDragging(bool is_touch_dragging) {
OverviewItemBase::UpdateMirrorsForDragging(is_touch_dragging);
// Minimized or tucked windows don't need to mirror the source as its already
// in `item_widget_`.
if (transform_window_.IsMinimizedOrTucked()) {
return;
}
if (!window_mirror_for_dragging_) {
window_mirror_for_dragging_ = std::make_unique<DragWindowController>(
GetWindow(), is_touch_dragging, /*create_window_shadow=*/false);
}
window_mirror_for_dragging_->Update();
}
void OverviewItem::DestroyMirrorsForDragging() {
OverviewItemBase::DestroyMirrorsForDragging();
window_mirror_for_dragging_.reset();
}
aura::Window* OverviewItem::GetWindow() {
return transform_window_.window();
}
std::vector<raw_ptr<aura::Window, VectorExperimental>>
OverviewItem::GetWindows() {
return {transform_window_.window()};
}
bool OverviewItem::HasVisibleOnAllDesksWindow() {
return desks_util::IsWindowVisibleOnAllWorkspaces(GetWindow());
}
bool OverviewItem::Contains(const aura::Window* target) const {
return transform_window_.Contains(target);
}
OverviewItem* OverviewItem::GetLeafItemForWindow(aura::Window* window) {
return window == GetWindow() ? this : nullptr;
}
void OverviewItem::SetBounds(const gfx::RectF& target_bounds,
OverviewAnimationType animation_type) {
// Pause raster scale updates during SetBounds. For example, if we perform an
// item spawned animation, we set the initial transform but immediately start
// an animation, so we don't want to trigger a raster scale update for the
// initial transform.
ScopedPauseRasterScaleUpdates scoped_pause;
if (in_bounds_update_ || transform_window_.is_restoring() ||
!OverviewController::Get()->InOverviewSession()) {
return;
}
// Do not animate if the resulting bounds does not change or current animation
// is still in progress. The original window may change bounds so we still
// need to call `SetItemBounds()` to update the window transform.
OverviewAnimationType new_animation_type = animation_type;
if (GetWindow()->layer()->GetAnimator()->is_animating() ||
target_bounds == target_bounds_) {
new_animation_type = OVERVIEW_ANIMATION_NONE;
}
base::AutoReset<bool> auto_reset_in_bounds_update(&in_bounds_update_, true);
// If `target_bounds_` is empty, this is the first update. Let
// `UpdateHeaderLayout()` know, as we do not want `item_widget_` to be
// animated with the window.
const bool is_first_update = target_bounds_.IsEmpty();
target_bounds_ = target_bounds;
// Run at the exit of this function to update rounded corners, shadow and the
// cannot snap widget.
// TODO(dcheng): This can probably just capture `this`.
absl::Cleanup at_exit_runner = [item = weak_ptr_factory_.GetWeakPtr(),
new_animation_type] {
CHECK(item);
// Shadow is normally set after an animation is finished. In the case of
// no animations, manually set the shadow. Shadow relies on both the
// window transform and `item_widget_`'s new bounds so set it after
// `SetItemBounds()` and `UpdateHeaderLayout()`. Do not apply the shadow
// for drop target.
if (new_animation_type == OVERVIEW_ANIMATION_NONE) {
item->UpdateRoundedCornersAndShadow();
}
if (RoundedLabelWidget* widget = item->cannot_snap_widget_.get()) {
SetWidgetBoundsAndMaybeAnimateTransform(
widget,
widget->GetBoundsCenteredIn(
ToStableSizeRoundedRect(item->GetTargetBoundsWithInsets())),
new_animation_type, nullptr);
}
};
// For non minimized or tucked windows, we simply apply the transform and
// update the header.
if (!transform_window_.IsMinimizedOrTucked()) {
UpdateHeaderLayout(is_first_update ? OVERVIEW_ANIMATION_NONE
: new_animation_type);
SetItemBounds(target_bounds, new_animation_type, is_first_update);
return;
}
// If the window is minimized we can avoid applying transforms on the original
// window.
item_widget_->GetLayer()->GetAnimator()->StopAnimating();
const gfx::Rect minimized_bounds = ToStableSizeRoundedRect(target_bounds);
OverviewAnimationType minimized_animation_type =
is_first_update ? OVERVIEW_ANIMATION_NONE : new_animation_type;
SetWidgetBoundsAndMaybeAnimateTransform(
item_widget_.get(), minimized_bounds, minimized_animation_type,
minimized_animation_type ==
OVERVIEW_ANIMATION_LAYOUT_OVERVIEW_ITEMS_IN_OVERVIEW
? new AnimationObserver{base::BindOnce(
&OverviewItem::
OnItemBoundsAnimationStarted,
weak_ptr_factory_.GetWeakPtr()),
base::BindOnce(
&OverviewItem::OnItemBoundsAnimationEnded,
weak_ptr_factory_.GetWeakPtr())}
: nullptr);
// If the window was minimized while in overview, the preview may not exist.
// `OverviewItemView::SetShowPreview()` is a no-op if the preview already
// exists, so it is free to ensure it here.
GetOrCreateOverviewItemView().SetShowPreview(true);
ui::Layer* preview_layer =
GetOrCreateOverviewItemView().preview_view()->layer();
// Minimized windows have a `WindowPreviewView` which mirrors content from the
// window. `target_bounds` may not have a matching aspect ratio to the
// actual window (eg. in splitview overview). In this case, the contents
// will be squashed to fit the given bounds. To get around this, stretch out
// the contents so that it matches `unclipped_size_`, then clip the layer to
// match `target_bounds`. This is what is done on non-minimized windows.
if (unclipped_size_) {
gfx::SizeF target_size(*unclipped_size_);
gfx::SizeF preview_size = GetTargetBoundsWithInsets().size();
target_size.Enlarge(0, -kWindowMiniViewHeaderHeight);
const float x_scale = target_size.width() / preview_size.width();
const float y_scale = target_size.height() / preview_size.height();
const auto transform = gfx::Transform::MakeScale(x_scale, y_scale);
preview_layer->SetTransform(transform);
// Transform affects clip rect so scale the clip rect so that the final
// size is equal to the untransformed layer.
gfx::Size clip_size(preview_layer->size());
clip_size =
gfx::ScaleToRoundedSize(clip_size, 1.f / x_scale, 1.f / y_scale);
preview_layer->SetClipRect(gfx::Rect(clip_size));
} else {
preview_layer->SetClipRect(gfx::Rect());
preview_layer->SetTransform(gfx::Transform());
}
if (!is_first_update) {
return;
}
// On the first update show `item_widget_`. It's created on creation of
// `this`, and needs to be shown as soon as its bounds have been determined
// as it contains a mirror view of the window in its contents. The header
// will be faded in later to match non minimized windows.
if (!should_animate_when_entering_) {
item_widget_->GetLayer()->SetOpacity(1.f);
return;
}
if (new_animation_type == OVERVIEW_ANIMATION_SPAWN_ITEM_IN_OVERVIEW) {
PerformItemSpawnedAnimation(item_widget_->GetNativeWindow(),
gfx::Transform{});
return;
}
// If entering from home launcher, use the home specific (fade) animation.
OverviewAnimationType fade_animation = animation_type;
if (fade_animation != OVERVIEW_ANIMATION_ENTER_FROM_HOME_LAUNCHER) {
fade_animation = OVERVIEW_ANIMATION_ENTER_OVERVIEW_MODE_FADE_IN;
}
FadeInWidgetToOverview(item_widget_.get(), fade_animation,
/*observe=*/true);
}
gfx::Transform OverviewItem::ComputeTargetTransform(
const gfx::RectF& target_bounds) {
gfx::RectF screen_rect = gfx::RectF(GetWindowsUnionScreenBounds());
// Avoid division by zero by ensuring screen bounds is not empty.
gfx::SizeF screen_size(screen_rect.size());
screen_size.SetToMax(gfx::SizeF(1.f, 1.f));
screen_rect.set_size(screen_size);
gfx::RectF transformed_bounds = target_bounds;
// Update `transformed_bounds` to match the unclipped size of the window, so
// we transform the window to the correct size.
if (unclipped_size_) {
transformed_bounds.set_size(gfx::SizeF(*unclipped_size_));
}
const int top_view_inset = GetTopInset();
gfx::RectF overview_item_bounds =
transform_window_.ShrinkRectToFitPreservingAspectRatio(
screen_rect, transformed_bounds, top_view_inset,
kWindowMiniViewHeaderHeight);
if (transform_window_.fill_mode() == OverviewItemFillMode::kNormal ||
transform_window_.fill_mode() == OverviewItemFillMode::kLetterBoxed) {
overview_item_bounds.set_x(transformed_bounds.x());
overview_item_bounds.set_width(transformed_bounds.width());
}
// Adjust the `overview_item_bounds` y position and height if the window has
// normal or pillar dimensions type to make sure there's no gap between the
// header and the window and no empty space at the end of the overview item
// container.
if (transform_window_.fill_mode() == OverviewItemFillMode::kNormal ||
transform_window_.fill_mode() == OverviewItemFillMode::kPillarBoxed) {
// The window top bar's target height with the transform.
const float window_top_inset_target_height =
target_bounds.height() / screen_rect.height() * top_view_inset;
const int header_view_bottom =
base::ClampRound(transformed_bounds.y() + kWindowMiniViewHeaderHeight);
overview_item_bounds.set_y(header_view_bottom -
window_top_inset_target_height);
overview_item_bounds.set_height(target_bounds.height() -
kWindowMiniViewHeaderHeight +
window_top_inset_target_height);
}
return gfx::TransformBetweenRects(screen_rect, overview_item_bounds);
}
void OverviewItem::RestoreWindow(bool reset_transform, bool animate) {
TRACE_EVENT0("ui", "OverviewItem::RestoreWindow");
// TODO(oshima): SplitViewController has its own logic to adjust the
// target state in `SplitViewController::OnOverviewModeEnding`.
// Unify the mechanism to control it and remove ifs.
if (display::Screen::GetScreen()->InTabletMode() &&
!SplitViewController::Get(root_window_)->InSplitViewMode() &&
reset_transform) {
MaximizeIfSnapped(GetWindow());
}
GetWindow()->ClearProperty(kForceVisibleInMiniViewKey);
for (aura::Window* transient_child : GetTransientTreeIterator(GetWindow())) {
transient_child->ClearProperty(kForceVisibleInMiniViewKey);
}
if (overview_item_view_) {
overview_item_view_->OnOverviewItemWindowRestoring();
}
transform_window_.RestoreWindow(reset_transform, animate);
if (!transform_window_.IsMinimizedOrTucked()) {
return;
}
const OverviewEnterExitType enter_exit_type =
overview_session_->enter_exit_overview_type();
if (is_moving_to_another_desk_ ||
enter_exit_type == OverviewEnterExitType::kImmediateExit) {
ImmediatelyCloseWidgetOnExit(std::move(item_widget_));
overview_item_view_ = nullptr;
return;
}
OverviewAnimationType animation_type =
GetExitOverviewAnimationTypeForMinimizedWindow(enter_exit_type);
FadeOutWidgetFromOverview(std::move(item_widget_), animation_type);
}
gfx::RectF OverviewItem::GetWindowsUnionScreenBounds() const {
return GetUnionScreenBoundsForWindow(transform_window_.window());
}
gfx::RectF OverviewItem::GetTargetBoundsWithInsets() const {
gfx::RectF target_bounds = target_bounds_;
target_bounds.Inset(gfx::InsetsF::TLBR(kWindowMiniViewHeaderHeight, 0, 0, 0));
return target_bounds;
}
gfx::RectF OverviewItem::GetTransformedBounds() const {
return transform_window_.GetTransformedBounds();
}
float OverviewItem::GetItemScale(int height) {
return ScopedOverviewTransformWindow::GetItemScale(
GetWindowsUnionScreenBounds().height(), height, GetTopInset(),
kWindowMiniViewHeaderHeight);
}
void OverviewItem::ScaleUpSelectedItem(OverviewAnimationType animation_type) {
gfx::RectF scaled_bounds = target_bounds();
scaled_bounds.Inset(
gfx::InsetsF::VH(-scaled_bounds.height() * kDragWindowScale,
-scaled_bounds.width() * kDragWindowScale));
if (unclipped_size_) {
// If a clipped item is scaled up, we need to recalculate the unclipped
// size.
const int height = scaled_bounds.height();
const int width =
overview_grid_->CalculateWidthAndMaybeSetUnclippedBounds(this, height);
DCHECK(unclipped_size_);
const gfx::SizeF new_size(width, height);
scaled_bounds.set_size(new_size);
scaled_bounds.ClampToCenteredSize(new_size);
}
SetBounds(scaled_bounds, animation_type);
}
void OverviewItem::EnsureVisible() {
transform_window_.EnsureVisible();
}
std::vector<views::Widget*> OverviewItem::GetFocusableWidgets() {
return {item_widget_.get()};
}
views::View* OverviewItem::GetBackDropView() const {
return overview_item_view_ ? overview_item_view_->backdrop_view() : nullptr;
}
bool OverviewItem::ShouldHaveShadow() const {
return eligible_for_shadow_config_;
}
void OverviewItem::UpdateRoundedCornersAndShadow() {
UpdateRoundedCorners();
// The shadow should not be created if `this` is hosted by an
// `OverviewGroupItem` together with another `OverviewItem` (the group-level
// shadow will be installed instead).
if (!eligible_for_shadow_config_) {
return;
}
// The shadow should be hidden if
// 1) Rounded corners are available;
// 2) `this` is being animated.
const bool is_animating = transform_window_.GetOverviewWindow()
->layer()
->GetAnimator()
->is_animating() ||
IsContinuousScrollInProgress();
const bool shadow_visible = !GetRoundedCorners().IsEmpty() &&
!is_animating;
// The shadow should always match the size of the item minus the border
// instead of the transformed window or preview view, since for the window
// which has `kPillarBoxed` or `kLetterBoxed` dimension types, it doesn't
// occupy the whole remaining area of the overview item widget minus the
// header view in which case, the shadow will look weird if it matches the
// size of the transformed window or preview view.
RefreshShadowVisuals(shadow_visible);
}
float OverviewItem::GetOpacity() const {
return item_widget_->GetNativeWindow()->layer()->GetTargetOpacity();
}
void OverviewItem::PrepareForOverview() {
// Forced overview items to be visible if they won't have a snapshot.
if (!Shell::Get()->overview_controller()->windows_have_snapshot()) {
scoped_force_visible_.emplace(GetWindow());
}
transform_window_.PrepareForOverview();
prepared_for_overview_ = true;
}
void OverviewItem::SetShouldUseSpawnAnimation(bool value) {
should_use_spawn_animation_ = value;
}
void OverviewItem::OnStartingAnimationComplete() {
CHECK(item_widget_);
if (!IsContinuousScrollInProgress() &&
overview_session_->enter_exit_overview_type() ==
OverviewEnterExitType::kContinuousAnimationEnterOnScrollUpdate) {
// If a continuous scroll has ended, make the header visible again.
item_widget_->GetLayer()->SetOpacity(1.f);
} else {
FadeInWidgetToOverview(item_widget_.get(),
OVERVIEW_ANIMATION_ENTER_OVERVIEW_MODE_FADE_IN,
/*observe=*/false);
}
const bool show_backdrop =
GetOverviewItemFillMode() != OverviewItemFillMode::kNormal;
GetOrCreateOverviewItemView().SetBackdropVisibility(show_backdrop);
UpdateCannotSnapWarningVisibility(/*animate=*/true);
}
void OverviewItem::Restack() {
aura::Window* parent_window = transform_window_.window()->parent();
aura::Window* stacking_target = GetStackBelowTarget();
aura::Window* window = GetWindow();
if (stacking_target) {
DCHECK_EQ(parent_window, stacking_target->parent());
parent_window->StackChildBelow(window, stacking_target);
}
}
void OverviewItem::StartDrag() {
// Stack the window at the top. This is to ensure that they appear above other
// app windows, as well as above the desks bar.
aura::Window* window = GetWindow();
window->parent()->StackChildAtTop(window);
// Clear the focus ring from the `item_widget_` if it is currently focused.
item_widget_->GetFocusManager()->ClearFocus();
}
void OverviewItem::OnOverviewItemDragStarted() {
GetOrCreateOverviewItemView().SetCloseButtonVisible(false);
}
void OverviewItem::OnOverviewItemDragEnded(bool snap) {
if (snap) {
if (!IsDragItem()) {
GetOrCreateOverviewItemView().HideCloseInstantlyAndThenShowItSlowly();
}
} else {
GetOrCreateOverviewItemView().SetCloseButtonVisible(true);
}
}
void OverviewItem::OnOverviewItemContinuousScroll(
const gfx::Transform& target_transform,
float scroll_ratio) {
auto* window = GetWindow();
// TODO(sammiequon): This should use
// `ScopedOverviewTransformWindow::IsMinimizedOrTucked()` since tucked
// windows behave like minimized windows in overview, even if continuous
// scroll and tucked windows will not be supported together.
// Minimized windows slowly fade towards their target opacity 1.f. All other
// windows transform towards their target transform. The operation may be
// no-ops if the windows are at their final opacity and transform, which can
// happen if the windows were completely occluded before entering overview.
if (WindowState::Get(window)->IsMinimized()) {
item_widget()->GetLayer()->SetOpacity(std::clamp(0.01f, scroll_ratio, 1.f));
} else {
gfx::Transform transform = gfx::Tween::TransformValueBetween(
scroll_ratio, gfx::Transform(), target_transform);
window_util::SetTransform(window, transform);
}
}
void OverviewItem::UpdateCannotSnapWarningVisibility(bool animate) {
// Windows which can snap will never show this warning.
bool visible = true;
if (SplitViewController::Get(root_window_)
->ComputeAutoSnapRatio(GetWindow())
.has_value()) {
visible = false;
} else {
const SplitViewController::State state =
SplitViewController::Get(root_window_)->state();
visible = state == SplitViewController::State::kPrimarySnapped ||
state == SplitViewController::State::kSecondarySnapped;
}
if (!visible && !cannot_snap_widget_) {
return;
}
if (!cannot_snap_widget_) {
RoundedLabelWidget::InitParams params;
params.horizontal_padding = kSplitviewLabelHorizontalInsetDp;
params.vertical_padding = kSplitviewLabelVerticalInsetDp;
params.rounding_dp = kSplitviewLabelRoundRectRadiusDp;
params.preferred_height = kSplitviewLabelPreferredHeightDp;
params.message = IDS_ASH_SPLIT_VIEW_CANNOT_SNAP;
params.parent = GetWindow()->parent();
cannot_snap_widget_ = std::make_unique<RoundedLabelWidget>();
cannot_snap_widget_->Init(std::move(params));
GetWindow()->parent()->StackChildAbove(
cannot_snap_widget_->GetNativeWindow(), GetWindow());
}
if (animate) {
DoSplitviewOpacityAnimation(
cannot_snap_widget_->GetLayer(),
visible ? SPLITVIEW_ANIMATION_OVERVIEW_ITEM_FADE_IN
: SPLITVIEW_ANIMATION_OVERVIEW_ITEM_FADE_OUT);
} else {
cannot_snap_widget_->GetLayer()->SetOpacity(visible ? 1.f : 0.f);
}
const gfx::Rect bounds = ToStableSizeRoundedRect(GetTargetBoundsWithInsets());
cannot_snap_widget_->SetBoundsCenteredIn(bounds, /*animate=*/false);
}
void OverviewItem::HideCannotSnapWarning(bool animate) {
if (!cannot_snap_widget_) {
return;
}
if (animate) {
DoSplitviewOpacityAnimation(cannot_snap_widget_->GetLayer(),
SPLITVIEW_ANIMATION_OVERVIEW_ITEM_FADE_OUT);
} else {
cannot_snap_widget_->GetLayer()->SetOpacity(0.f);
}
}
void OverviewItem::OnMovingItemToAnotherDesk() {
is_moving_to_another_desk_ = true;
// Restore the dragged item window, so that its transform is reset to
// identity.
RestoreWindow(/*reset_transform=*/true, /*animate=*/true);
}
void OverviewItem::Shutdown() {
TRACE_EVENT0("ui", "OverviewItem::Shutdown");
// If `hide_windows` still manages the visibility of this overview item
// window, remove it from the list without showing.
ScopedOverviewHideWindows* hide_windows =
overview_session_->hide_windows_for_saved_desks_grid();
if (item_widget_ && hide_windows &&
hide_windows->HasWindow(item_widget_->GetNativeWindow())) {
hide_windows->RemoveWindow(item_widget_->GetNativeWindow(),
/*show_window=*/false);
}
DestroyMirrorsForDragging();
item_widget_.reset();
overview_item_view_ = nullptr;
}
void OverviewItem::AnimateAndCloseItem(bool up) {
base::RecordAction(base::UserMetricsAction("WindowSelector_SwipeToClose"));
animating_to_close_ = true;
overview_session_->PositionWindows(/*animate=*/true);
if (overview_item_view_) {
overview_item_view_->OnOverviewItemWindowRestoring();
}
const int translation_y = kSwipeToCloseCloseTranslationDp * (up ? -1 : 1);
gfx::Transform transform;
transform.Translate(gfx::Vector2d(0, translation_y));
auto animate_window = [this](aura::Window* window,
const gfx::Transform& transform, bool observe) {
ScopedOverviewAnimationSettings settings(
OVERVIEW_ANIMATION_CLOSE_OVERVIEW_ITEM, window);
gfx::Transform original_transform = window->transform();
original_transform.PostConcat(transform);
window->SetTransform(original_transform);
if (observe) {
settings.AddObserver(new AnimationObserver{
base::BindOnce(&OverviewItem::OnWindowCloseAnimationCompleted,
weak_ptr_factory_.GetWeakPtr())});
}
};
AnimateOpacity(0.0, OVERVIEW_ANIMATION_CLOSE_OVERVIEW_ITEM);
if (cannot_snap_widget_) {
animate_window(cannot_snap_widget_->GetNativeWindow(), transform, false);
}
if (!transform_window_.IsMinimizedOrTucked()) {
animate_window(GetWindow(), transform, false);
}
animate_window(item_widget_->GetNativeWindow(), transform, true);
}
void OverviewItem::StopWidgetAnimation() {
CHECK(item_widget_.get());
item_widget_->GetNativeWindow()->layer()->GetAnimator()->StopAnimating();
}
OverviewItemFillMode OverviewItem::GetOverviewItemFillMode() const {
return transform_window_.fill_mode();
}
void OverviewItem::UpdateOverviewItemFillMode() {
transform_window_.UpdateOverviewItemFillMode();
const bool show_backdrop =
GetOverviewItemFillMode() != OverviewItemFillMode::kNormal;
if (overview_item_view_) {
overview_item_view_->SetBackdropVisibility(show_backdrop);
}
}
const gfx::RoundedCornersF OverviewItem::GetRoundedCorners() const {
if (!overview_item_view_) {
return gfx::RoundedCornersF();
}
if (transform_window_.IsMinimizedOrTucked()) {
return overview_item_view_->GetRoundedCorners();
}
const aura::Window* window = transform_window_.window();
const auto header_rounded_corners =
overview_item_view_->header_view()->layer()->rounded_corner_radii();
const auto* layer = window->layer();
const gfx::RoundedCornersF& transform_window_rounded_corners =
layer->rounded_corner_radii();
const float scale = layer->transform().To2dScale().x();
return gfx::RoundedCornersF(
header_rounded_corners.upper_left(), header_rounded_corners.upper_right(),
transform_window_rounded_corners.lower_right() * scale,
transform_window_rounded_corners.lower_left() * scale);
}
void OverviewItem::OnWindowPropertyChanged(aura::Window* window,
const void* key,
intptr_t old) {
DCHECK_EQ(GetWindow(), window);
if (!prepared_for_overview_)
return;
if (key != aura::client::kTopViewInset)
return;
if (window->GetProperty(aura::client::kTopViewInset) !=
static_cast<int>(old)) {
overview_grid_->PositionWindows(/*animate=*/false);
}
}
void OverviewItem::OnWindowParentChanged(aura::Window* window,
aura::Window* parent) {
if (!parent || !prepared_for_overview_ ||
!OverviewController::Get()->InOverviewSession()) {
return;
}
if (root_window_ != window->GetRootWindow()) {
overview_session_->AddItemInMruOrder(
window, /*reposition=*/false, /*animate=*/true,
/*restack=*/true, /*use_spawn_animation=*/true);
window_destruction_delegate_->OnOverviewItemWindowDestroying(
this, /*reposition=*/true);
}
}
void OverviewItem::OnWindowBoundsChanged(aura::Window* window,
const gfx::Rect& old_bounds,
const gfx::Rect& new_bounds,
ui::PropertyChangeReason reason) {
CHECK_EQ(GetWindow(), window);
// During preparation, window bounds can change. Ignore bounds change
// notifications in this case; we'll reposition soon.
if (!prepared_for_overview_)
return;
// Do not update the overview bounds if we're shutting down.
if (!OverviewController::Get()->InOverviewSession()) {
return;
}
// Do not update the overview item if the window is to be snapped into split
// view. It will be removed from overview soon and will update overview grid
// at that moment.
if (SplitViewController::Get(window)->IsWindowInTransitionalState(window)) {
return;
}
// During the `OnWindowParentChanged()`, there's a possibility that the parent
// window might be null, leading to the OverviewItem not being correctly added
// to the intended display. Early return here so that The `OverviewItem` can
// be added to the correct display when `OnWindowParentChanged()` is called
// again and the parent window is not null.
if (root_window_ != window->GetRootWindow()) {
return;
}
if (reason == ui::PropertyChangeReason::NOT_FROM_ANIMATION &&
overview_item_view_) {
overview_item_view_->RefreshPreviewView();
}
// Immediately finish any active bounds animation.
window->layer()->GetAnimator()->StopAnimatingProperty(
ui::LayerAnimationElement::BOUNDS);
UpdateOverviewItemFillMode();
overview_grid_->PositionWindows(/*animate=*/false);
}
void OverviewItem::OnWindowStackingChanged(aura::Window* window) {
if (overview_session_ && overview_session_->is_shutting_down()) {
return;
}
CHECK(item_widget_);
auto* parent_window = window->parent();
auto* item_widget_window = item_widget_->GetNativeWindow();
// Window parent change should be handled in
// `OverviewItem::OnWindowParentChanged()`.
if (parent_window != item_widget_window->parent()) {
return;
}
parent_window->StackChildBelow(item_widget_window, window);
if (cannot_snap_widget_) {
CHECK_EQ(parent_window, cannot_snap_widget_->GetNativeWindow()->parent());
parent_window->StackChildAbove(cannot_snap_widget_->GetNativeWindow(),
window);
}
}
void OverviewItem::OnWindowDestroying(aura::Window* window) {
// TODO(b/298518626): Create a Delegate class to handle window destroying as
// the current case may no longer apply to group item. We should inform its
// direct parent to remove the item.
CHECK_EQ(GetWindow(), window);
if (IsDragItem()) {
auto* drag_controller = overview_session_->window_drag_controller();
CHECK(drag_controller);
drag_controller->ResetGesture();
}
CHECK(window_destruction_delegate_);
window_destruction_delegate_->OnOverviewItemWindowDestroying(
this, /*reposition=*/!animating_to_close_);
// Trigger a11y alert about the window represented by `this` is being
// destroyed.
Shell::Get()
->accessibility_controller()
->TriggerAccessibilityAlertWithMessage(l10n_util::GetStringFUTF8(
IDS_ASH_OVERVIEW_WINDOW_CLOSING_A11Y_ALERT, window->GetTitle()));
}
void OverviewItem::OnPreWindowStateTypeChange(WindowState* window_state,
WindowStateType old_type) {
// If entering overview and PIP happen at the same time, the PIP window is
// incorrectly listed in the overview list, which is not allowed.
if (window_state->IsPip())
overview_session_->RemoveItem(this);
}
void OverviewItem::OnPostWindowStateTypeChange(WindowState* window_state,
WindowStateType old_type) {
// During preparation, window state can change, e.g. updating shelf
// visibility may show the temporarily hidden (minimized) panels.
if (!prepared_for_overview_)
return;
// Minimizing an originally active window will activate and unminimize the
// window upon exiting, and the item window will be "moved" to fade out in
// 'RestoreWindow'.
if (!item_widget_)
return;
WindowStateType new_type = window_state->GetStateType();
if (chromeos::IsMinimizedWindowStateType(old_type) ==
chromeos::IsMinimizedWindowStateType(new_type)) {
return;
}
const bool minimized_or_tucked = transform_window_.IsMinimizedOrTucked();
GetOrCreateOverviewItemView().SetShowPreview(minimized_or_tucked);
if (!minimized_or_tucked) {
EnsureVisible();
}
// Ensures the item widget is visible. |item_widget_| opacity is set to 0.f
// and shown at either |SetBounds| or |OnStartingAnimationComplete| based on
// the minimized state. It's possible the minimized state changes in between
// for ARC apps, so just force show it here.
item_widget_->GetLayer()->SetOpacity(1.f);
overview_grid_->PositionWindows(/*animate=*/false);
}
void OverviewItem::CreateItemWidget(
EventHandlerDelegate* event_handler_delegate) {
TRACE_EVENT0("ui", "OverviewItem::CreateItemWidget");
views::Widget::InitParams params = CreateOverviewItemWidgetParams(
GetWindow()->parent(), "OverviewItemWidget",
/*accept_events=*/true);
// The key is not needed for all `OverviewItemBase` objects, such as the drop
// target.
params.init_properties_container.SetProperty(kIsOverviewItemKey, true);
item_widget_ = std::make_unique<views::Widget>(std::move(params));
item_widget_->set_focus_on_creation(false);
aura::Window* widget_window = item_widget_->GetNativeWindow();
widget_window->parent()->StackChildBelow(widget_window, GetWindow());
// Overview uses custom animations so remove the default ones.
wm::SetWindowVisibilityAnimationTransition(widget_window, wm::ANIMATE_NONE);
if (eligible_for_shadow_config_) {
CreateShadow();
}
const bool should_enter_without_animations =
overview_session_ && overview_session_->ShouldEnterWithoutAnimations();
ScheduleOverviewItemViewInitialization(
*GetWindow(), *item_widget_, overview_grid_->enter_animation_task_pool(),
should_enter_without_animations,
base::BindOnce(
base::IgnoreResult(&OverviewItem::GetOrCreateOverviewItemView),
weak_ptr_factory_.GetWeakPtr()));
item_widget_->Show();
item_widget_->SetOpacity(should_enter_without_animations ? 1.f : 0.f);
item_widget_->GetLayer()->SetMasksToBounds(/*masks_to_bounds=*/false);
}
void OverviewItem::OnWindowCloseAnimationCompleted() {
transform_window_.Close();
}
void OverviewItem::OnItemSpawnedAnimationCompleted() {
UpdateRoundedCornersAndShadow();
if (should_restack_on_animation_end_) {
Restack();
should_restack_on_animation_end_ = false;
}
OnStartingAnimationComplete();
}
void OverviewItem::OnItemBoundsAnimationStarted() {
// Remove the shadow before animating because it may affect animation
// performance. The shadow will be added back once the animation is completed.
// Note that we can't use `UpdateRoundedCornersAndShadow()` since we don't
// want to update the rounded corners.
RefreshShadowVisuals(/*shadow_visible=*/false);
}
void OverviewItem::OnItemBoundsAnimationEnded() {
// Do nothing if overview is shutting down. See crbug.com/1025267 for when it
// might happen.
if (!OverviewController::Get()->InOverviewSession()) {
return;
}
if (overview_session_->IsShowingSavedDeskLibrary()) {
HideForSavedDeskLibrary(false);
return;
}
UpdateRoundedCornersAndShadow();
if (should_restack_on_animation_end_) {
Restack();
should_restack_on_animation_end_ = false;
}
}
aura::Window* OverviewItem::GetStackBelowTarget() const {
aura::Window* stacking_target = nullptr;
aura::Window* window = transform_window_.window();
aura::Window* parent_window = window->parent();
SplitViewController* split_view_controller =
SplitViewController::Get(root_window_);
if (split_view_controller->InSplitViewMode()) {
aura::Window* snapped_window =
split_view_controller->GetDefaultSnappedWindow();
if (snapped_window->parent() == parent_window) {
stacking_target = snapped_window;
}
}
// Find the last window in `overview_grid_` that comes before `window` and has
// the same parent.
for (const std::unique_ptr<OverviewItemBase>& overview_item :
overview_grid_->item_list()) {
// `overview_item` could represent an overview group item, which would never
// be strictly equal to this. However, the group item would contain `this`.
// Using `Contains()` ensures `this` check works correctly for both single
// overview items and group items.
if (overview_item->Contains(window) ||
overview_item.get() == overview_grid_->drop_target()) {
break;
}
// The parent window of `overview_item` can be different than
// `parent_window`, particularly when `overview_item` represents a float
// window.
if (overview_item->GetWindow()->parent() == parent_window) {
stacking_target = overview_item->item_widget()->GetNativeWindow();
}
}
return stacking_target;
}
void OverviewItem::PerformItemSpawnedAnimation(
aura::Window* window,
const gfx::Transform& target_transform) {
DCHECK(should_use_spawn_animation_);
should_use_spawn_animation_ = false;
constexpr float kInitialScaler = 0.1f;
constexpr float kTargetScaler = 1.0f;
// Scale-up |window| and fade it in along with the |cannot_snap_widget_|'s
// window.
gfx::Transform initial_transform = target_transform;
initial_transform.Scale(kInitialScaler, kInitialScaler);
window_util::SetTransform(window, initial_transform);
transform_window_.SetOpacity(kInitialScaler);
ScopedOverviewTransformWindow::ScopedAnimationSettings animation_settings;
for (auto* window_iter :
window_util::GetVisibleTransientTreeIterator(window)) {
auto settings = std::make_unique<ScopedOverviewAnimationSettings>(
OVERVIEW_ANIMATION_SPAWN_ITEM_IN_OVERVIEW, window_iter);
settings->DeferPaint();
animation_settings.push_back(std::move(settings));
}
if (!animation_settings.empty()) {
animation_settings.front()->AddObserver(new AnimationObserver{
base::BindOnce(&OverviewItem::OnItemSpawnedAnimationCompleted,
weak_ptr_factory_.GetWeakPtr())});
}
window_util::SetTransform(window, target_transform);
transform_window_.SetOpacity(kTargetScaler);
if (cannot_snap_widget_) {
aura::Window* cannot_snap_window = cannot_snap_widget_->GetNativeWindow();
cannot_snap_window->layer()->SetOpacity(kInitialScaler);
ScopedOverviewAnimationSettings label_animation_settings(
OVERVIEW_ANIMATION_SPAWN_ITEM_IN_OVERVIEW, cannot_snap_window);
cannot_snap_window->layer()->SetOpacity(kTargetScaler);
}
}
void OverviewItem::SetItemBounds(const gfx::RectF& target_bounds,
OverviewAnimationType animation_type,
bool is_first_update) {
aura::Window* window = GetWindow();
CHECK_EQ(root_window_, window->GetRootWindow());
const gfx::Transform transform = ComputeTargetTransform(target_bounds);
// Determine the amount of clipping we should put on the window. Note that the
// clipping goes after setting a transform, as layer transform affects layer
// clip.
gfx::Rect clip_rect;
if (unclipped_size_) {
gfx::SizeF clip_size(GetTargetBoundsWithInsets().size());
// Transform affects the clip rect, so take that into account.
const gfx::Vector2dF scale = transform.To2dScale();
clip_size.Scale(1 / scale.x(), 1 / scale.y());
gfx::RectF clip_rect_f(clip_size);
clip_rect = gfx::ToRoundedRect(clip_rect_f);
} else {
clip_rect = gfx::Rect(window->bounds().size());
// We add 1 to the `top_inset`, because in some cases, the header is not
// clipped fully due to what seems to be a rounding error.
// TODO(afakhry|sammiequon): Investigate a proper fix for this.
const int top_inset = GetTopInset();
if (top_inset > 0 && !clip_rect.IsEmpty()) {
clip_rect.Inset(gfx::Insets::TLBR(top_inset + 1, 0, 0, 0));
}
}
if (is_first_update &&
animation_type == OVERVIEW_ANIMATION_SPAWN_ITEM_IN_OVERVIEW) {
PerformItemSpawnedAnimation(window, transform);
transform_window_.SetClipping(clip_rect);
return;
}
ScopedOverviewTransformWindow::ScopedAnimationSettings animation_settings;
transform_window_.BeginScopedAnimation(animation_type, &animation_settings);
if (animation_type == OVERVIEW_ANIMATION_LAYOUT_OVERVIEW_ITEMS_IN_OVERVIEW &&
!animation_settings.empty() && !GetWindow()->is_destroying()) {
animation_settings.front()->AddObserver(new AnimationObserver{
base::BindOnce(&OverviewItem::OnItemBoundsAnimationStarted,
weak_ptr_factory_.GetWeakPtr()),
base::BindOnce(&OverviewItem::OnItemBoundsAnimationEnded,
weak_ptr_factory_.GetWeakPtr())});
}
window_util::SetTransform(window, transform);
transform_window_.SetClipping(clip_rect);
}
void OverviewItem::UpdateHeaderLayout(OverviewAnimationType animation_type) {
gfx::RectF current_item_bounds(item_widget_->GetWindowBoundsInScreen());
gfx::RectF target_item_bounds = target_bounds_;
wm::TranslateRectFromScreen(root_window_, ¤t_item_bounds);
wm::TranslateRectFromScreen(root_window_, &target_item_bounds);
aura::Window* widget_window = item_widget_->GetNativeWindow();
if (current_item_bounds.IsEmpty()) {
widget_window->SetBounds(ToStableSizeRoundedRect(target_item_bounds));
return;
}
const gfx::Transform item_bounds_transform =
gfx::TransformBetweenRects(target_item_bounds, current_item_bounds);
widget_window->SetBounds(ToStableSizeRoundedRect(target_item_bounds));
widget_window->SetTransform(item_bounds_transform);
ScopedOverviewAnimationSettings item_animation_settings(animation_type,
widget_window);
if (animation_type == OVERVIEW_ANIMATION_LAYOUT_OVERVIEW_ITEMS_ON_ENTER ||
animation_type == OVERVIEW_ANIMATION_ENTER_FROM_HOME_LAUNCHER) {
auto enter_observer = std::make_unique<EnterAnimationObserver>();
item_animation_settings.AddObserver(enter_observer.get());
OverviewController::Get()->AddEnterAnimationObserver(
std::move(enter_observer));
}
widget_window->SetTransform(gfx::Transform());
if (!overview_item_view_) {
return;
}
// The header doesn't need to be painted to a layer unless been dragged.
WindowMiniViewHeaderView* header_view = overview_item_view_->header_view();
if (!header_view->layer()) {
header_view->SetPaintToLayer();
header_view->layer()->SetFillsBoundsOpaquely(false);
}
ui::Layer* header_layer = overview_item_view_->header_view()->layer();
// Since header view is a child view of the overview item view, the bounds
// animation will be applied to the header view when it's applied to the
// overview item. When calculating the target bounds for the window,
// it assumes that the header's height is `kWindowMiniViewHeaderHeight`
// without considering the gap between the header view and the window. In
// order to neutralize the gap, apply a separate vertical transform to the
// header view.
float vertical_scale = item_bounds_transform.To2dScale().y();
gfx::Transform vertical_reverse_transform =
gfx::Transform::MakeScale(1.f, 1.f / vertical_scale);
header_layer->SetTransform(vertical_reverse_transform);
ScopedOverviewAnimationSettings header_animation_settings(
animation_type, header_layer->GetAnimator());
header_layer->SetTransform(gfx::Transform());
}
OverviewAnimationType
OverviewItem::GetExitOverviewAnimationTypeForMinimizedWindow(
OverviewEnterExitType type) {
// We should never get here when overview mode should exit immediately. The
// minimized window's `item_widget_` should be closed and destroyed
// immediately.
DCHECK_NE(type, OverviewEnterExitType::kImmediateExit);
// If the managed window has been hidden by the saved desk library, then
// we must avoid animating a minimized window. See http://b/260001863.
if (ScopedOverviewHideWindows* hide_windows =
overview_session_->hide_windows_for_saved_desks_grid()) {
if (hide_windows->HasWindow(item_widget_->GetNativeWindow())) {
return OVERVIEW_ANIMATION_NONE;
}
}
// OverviewEnterExitType can only be set to `kWindowMinimized` in tablet mode.
// Fade out the minimized window without animation if switch from tablet mode
// to clamshell mode.
if (type == OverviewEnterExitType::kFadeOutExit) {
return display::Screen::GetScreen()->InTabletMode()
? OVERVIEW_ANIMATION_EXIT_TO_HOME_LAUNCHER
: OVERVIEW_ANIMATION_NONE;
}
return should_animate_when_exiting_
? OVERVIEW_ANIMATION_EXIT_OVERVIEW_MODE_FADE_OUT
: OVERVIEW_ANIMATION_RESTORE_WINDOW_ZERO;
}
void OverviewItem::AnimateOpacity(float opacity,
OverviewAnimationType animation_type) {
DCHECK_GE(opacity, 0.f);
DCHECK_LE(opacity, 1.f);
ScopedOverviewTransformWindow::ScopedAnimationSettings animation_settings;
transform_window_.BeginScopedAnimation(animation_type, &animation_settings);
transform_window_.SetOpacity(opacity);
ScopedOverviewAnimationSettings scoped_animation_settings(
animation_type, item_widget_->GetNativeWindow());
item_widget_->SetOpacity(opacity);
if (cannot_snap_widget_) {
aura::Window* cannot_snap_widget_window =
cannot_snap_widget_->GetNativeWindow();
ScopedOverviewAnimationSettings scoped_animation_settings_2(
animation_type, cannot_snap_widget_window);
cannot_snap_widget_window->layer()->SetOpacity(opacity);
}
}
void OverviewItem::CloseButtonPressed() {
base::RecordAction(
base::UserMetricsAction("WindowSelector_OverviewCloseButton"));
if (display::Screen::GetScreen()->InTabletMode()) {
base::RecordAction(
base::UserMetricsAction("Tablet_WindowCloseFromOverviewButton"));
}
CloseWindow();
}
OverviewItemView& OverviewItem::GetOrCreateOverviewItemView() {
if (overview_item_view_) {
return *overview_item_view_;
}
overview_item_view_ =
item_widget_->SetContentsView(std::make_unique<OverviewItemView>(
this, event_handler_delegate_ ? event_handler_delegate_ : this,
base::BindRepeating(&OverviewItem::CloseButtonPressed,
base::Unretained(this)),
GetWindow(), transform_window_.IsMinimizedOrTucked()));
return *overview_item_view_;
}
} // namespace ash