forked from Unity-Technologies/UnityCsReference
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathWindowLayout.cs
1608 lines (1356 loc) · 61.2 KB
/
WindowLayout.cs
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
// Unity C# reference source
// Copyright (c) Unity Technologies. For terms of use, see
// https://unity3d.com/legal/licenses/Unity_Reference_Only_License
using System;
using System.Collections;
using System.Collections.Generic;
using System.Collections.ObjectModel;
using System.IO;
using System.Linq;
using System.Reflection;
using System.Text;
using JetBrains.Annotations;
using UnityEditor.ShortcutManagement;
using UnityEditor.VersionControl;
using UnityEditorInternal;
using UnityEngine;
using UnityEngine.Scripting;
using Directory = System.IO.Directory;
using UnityObject = UnityEngine.Object;
using JSONObject = System.Collections.IDictionary;
namespace UnityEditor
{
[InitializeOnLoad]
internal static class WindowLayout
{
struct LayoutViewInfo
{
public LayoutViewInfo(object key, float defaultSize, bool usedByDefault)
{
this.key = key;
used = usedByDefault;
this.defaultSize = defaultSize;
className = String.Empty;
type = null;
isContainer = false;
extendedData = null;
}
public object key;
public string className;
public Type type;
public bool used;
public float defaultSize;
public bool isContainer;
public JSONObject extendedData;
public float size
{
get
{
if (!used)
return 0;
return defaultSize;
}
}
}
private const string kMaximizeRestoreFile = "CurrentMaximizeLayout.dwlt";
private const string kLastLayoutName = "LastLayout.dwlt";
private const string kDefaultLayoutName = "Default.wlt";
// Backward compatibility: name of the old (non mode specific) per project layout
internal const string kOldCurrentLayoutPath = "Library/CurrentLayout.dwlt";
internal static string layoutsPreferencesPath => FileUtil.CombinePaths(InternalEditorUtility.unityPreferencesFolder, "Layouts");
internal static string layoutsModePreferencesPath => FileUtil.CombinePaths(layoutsPreferencesPath, ModeService.currentId);
internal static string layoutsDefaultModePreferencesPath => FileUtil.CombinePaths(layoutsPreferencesPath, "default");
internal static string layoutsProjectPath => Directory.GetCurrentDirectory() + "/Library";
// Backward compatibility: property for old global layout (for default mode only)
internal static string OldGlobalLayoutPath => Path.Combine(layoutsPreferencesPath, "__Current__.dwlt");
internal static string ProjectLayoutPath => GetProjectLayoutPerMode(ModeService.currentId);
internal static string LastLayoutPath => Path.Combine(layoutsModePreferencesPath, kLastLayoutName);
[UsedImplicitly, RequiredByNativeCode]
public static void LoadDefaultWindowPreferences()
{
LoadCurrentModeLayout(keepMainWindow: false);
}
public static void LoadCurrentModeLayout(bool keepMainWindow)
{
InitializeLayoutPreferencesFolder();
var layoutData = ModeService.GetModeDataSection(ModeDescriptor.LayoutKey) as JSONObject;
if (layoutData == null)
LoadProjectLayout(keepMainWindow);
else
{
var projectLayoutExists = File.Exists(ProjectLayoutPath);
if ((projectLayoutExists && Convert.ToBoolean(layoutData["restore_saved_layout"]))
|| !LoadModeDynamicLayout(keepMainWindow, layoutData))
LoadProjectLayout(keepMainWindow);
}
}
private static bool LoadModeDynamicLayout(bool keepMainWindow, JSONObject layoutData)
{
const string k_TopViewClassName = "top_view";
const string k_CenterViewClassName = "center_view";
const string k_BottomViewClassName = "bottom_view";
LayoutViewInfo topViewInfo = new LayoutViewInfo(k_TopViewClassName, MainView.kToolbarHeight, true);
LayoutViewInfo bottomViewInfo = new LayoutViewInfo(k_BottomViewClassName, MainView.kStatusbarHeight, true);
LayoutViewInfo centerViewInfo = new LayoutViewInfo(k_CenterViewClassName, 0, true);
var availableEditorWindowTypes = TypeCache.GetTypesDerivedFrom<EditorWindow>().ToArray();
if (!GetLayoutViewInfo(layoutData, availableEditorWindowTypes, ref centerViewInfo))
return false;
GetLayoutViewInfo(layoutData, availableEditorWindowTypes, ref topViewInfo);
GetLayoutViewInfo(layoutData, availableEditorWindowTypes, ref bottomViewInfo);
var mainWindow = GenerateLayout(keepMainWindow, availableEditorWindowTypes, centerViewInfo, topViewInfo, bottomViewInfo);
if (mainWindow)
mainWindow.m_DontSaveToLayout = !Convert.ToBoolean(layoutData["restore_saved_layout"]);
return mainWindow != null;
}
private static View LoadLayoutView<T>(Type[] availableEditorWindowTypes, LayoutViewInfo viewInfo, float width, float height) where T : View
{
if (!viewInfo.used)
return null;
View view = null;
if (viewInfo.isContainer)
{
bool useTabs = viewInfo.extendedData.Contains("tabs") && Convert.ToBoolean(viewInfo.extendedData["tabs"]);
bool useSplitter = viewInfo.extendedData.Contains("vertical") || viewInfo.extendedData.Contains("horizontal");
bool isVertical = viewInfo.extendedData.Contains("vertical") && Convert.ToBoolean(viewInfo.extendedData["vertical"]);
if (useSplitter)
{
var splitView = ScriptableObject.CreateInstance<SplitView>();
splitView.vertical = isVertical;
view = splitView;
}
else if (useTabs)
{
var dockAreaView = ScriptableObject.CreateInstance<DockArea>();
view = dockAreaView;
}
view.position = new Rect(0, 0, width, height);
var childrenData = viewInfo.extendedData["children"] as IList;
if (childrenData == null)
throw new InvalidDataException("Invalid split view data");
int childIndex = 0;
foreach (var childData in childrenData)
{
var lvi = new LayoutViewInfo(childIndex, useTabs ? 1f : 1f / childrenData.Count, true);
if (!ParseViewData(availableEditorWindowTypes, childData, ref lvi))
continue;
var cw = useTabs ? width : (isVertical ? width : width * lvi.size);
var ch = useTabs ? height : (isVertical ? height * lvi.size : height);
if (useTabs)
{
(view as DockArea).AddTab((EditorWindow)ScriptableObject.CreateInstance(lvi.type));
}
else
{
view.AddChild(LoadLayoutView<HostView>(availableEditorWindowTypes, lvi, cw, ch));
view.children[childIndex].position = new Rect(0, 0, cw, ch);
}
childIndex++;
}
}
else
{
if (viewInfo.type != null)
{
var hostView = ScriptableObject.CreateInstance<HostView>();
hostView.SetActualViewInternal(ScriptableObject.CreateInstance(viewInfo.type) as EditorWindow, true);
view = hostView;
}
else
view = ScriptableObject.CreateInstance<T>();
}
return view;
}
private static ContainerWindow GenerateLayout(bool keepMainWindow, Type[] availableEditorWindowTypes, LayoutViewInfo center, LayoutViewInfo top, LayoutViewInfo bottom)
{
ContainerWindow mainContainerWindow = null;
var containers = Resources.FindObjectsOfTypeAll(typeof(ContainerWindow));
foreach (ContainerWindow window in containers)
{
if (window.showMode != ShowMode.MainWindow)
continue;
mainContainerWindow = window;
break;
}
if (keepMainWindow && mainContainerWindow == null)
{
Debug.LogWarning($"No main window to restore layout from while loading dynamic layout for mode {ModeService.currentId}");
return null;
}
try
{
ContainerWindow.SetFreezeDisplay(true);
if (!mainContainerWindow)
mainContainerWindow = ScriptableObject.CreateInstance<ContainerWindow>();
mainContainerWindow.windowID = $"MainView_{ModeService.currentId}";
mainContainerWindow.LoadGeometry(true);
var width = mainContainerWindow.position.width;
var height = mainContainerWindow.position.height;
// Create center view
View centerView = LoadLayoutView<DockArea>(availableEditorWindowTypes, center, width, height);
var topView = LoadLayoutView<Toolbar>(availableEditorWindowTypes, top, width, height);
var bottomView = LoadLayoutView<AppStatusBar>(availableEditorWindowTypes, bottom, width, height);
var main = ScriptableObject.CreateInstance<MainView>();
main.useTopView = top.used;
main.useBottomView = bottom.used;
main.topViewHeight = top.size;
main.bottomViewHeight = bottom.size;
// Top View
if (topView)
{
topView.position = new Rect(0, 0, width, top.size);
main.AddChild(topView);
}
// Center View
var centerViewHeight = height - bottom.size - top.size;
centerView.position = new Rect(0, top.size, width, centerViewHeight);
main.AddChild(centerView);
// Bottom View
if (bottomView)
{
bottomView.position = new Rect(0, height - bottom.size, width, bottom.size);
main.AddChild(bottomView);
}
if (mainContainerWindow.rootView)
ScriptableObject.DestroyImmediate(mainContainerWindow.rootView, true);
mainContainerWindow.rootView = main;
mainContainerWindow.rootView.position = new Rect(0, 0, width, height);
mainContainerWindow.Show(ShowMode.MainWindow, true, true, true);
mainContainerWindow.DisplayAllViews();
}
finally
{
ContainerWindow.SetFreezeDisplay(false);
}
return mainContainerWindow;
}
private static bool GetLayoutViewInfo(JSONObject layoutData, Type[] availableEditorWindowTypes, ref LayoutViewInfo viewInfo)
{
if (!layoutData.Contains(viewInfo.key))
return false;
var viewData = layoutData[viewInfo.key];
return ParseViewData(availableEditorWindowTypes, viewData, ref viewInfo);
}
private static bool ParseViewData(Type[] availableEditorWindowTypes, object viewData, ref LayoutViewInfo viewInfo)
{
if (viewData is string)
{
viewInfo.className = Convert.ToString(viewData);
viewInfo.used = !String.IsNullOrEmpty(viewInfo.className);
if (!viewInfo.used)
return true;
}
else if (viewData is IDictionary)
{
var viewExpandedData = viewData as IDictionary;
if (viewExpandedData.Contains("children") || viewExpandedData.Contains("vertical") || viewExpandedData.Contains("horizontal") || viewExpandedData.Contains("tabs"))
{
viewInfo.isContainer = true;
viewInfo.className = String.Empty;
}
else
{
viewInfo.isContainer = false;
viewInfo.className = Convert.ToString(viewExpandedData["class_name"]);
}
if (viewExpandedData.Contains("size"))
viewInfo.defaultSize = Convert.ToSingle(viewExpandedData["size"]);
viewInfo.extendedData = viewExpandedData;
}
else
{
viewInfo.className = String.Empty;
viewInfo.type = null;
viewInfo.used = false;
return true;
}
if (String.IsNullOrEmpty(viewInfo.className))
return true;
foreach (var t in availableEditorWindowTypes)
{
if (t.Name != viewInfo.className)
continue;
viewInfo.type = t;
break;
}
if (viewInfo.type == null)
{
Debug.LogWarning($"Invalid layout view {viewInfo.key} with type {viewInfo.className} for mode {ModeService.currentId}");
return false;
}
return true;
}
private static void LoadProjectLayout(bool keepMainWindow)
{
var projectLayoutExists = File.Exists(ProjectLayoutPath);
if (!projectLayoutExists)
{
var currentLayoutPath = GetCurrentLayoutPath();
FileUtil.CopyFileOrDirectory(currentLayoutPath, ProjectLayoutPath);
}
Debug.Assert(File.Exists(ProjectLayoutPath));
// Load the current project layout
LoadWindowLayout(ProjectLayoutPath, !projectLayoutExists, false, keepMainWindow);
}
[UsedImplicitly, RequiredByNativeCode]
public static void SaveDefaultWindowPreferences()
{
// Do not save layout to default if running tests
if (!InternalEditorUtility.isHumanControllingUs)
return;
SaveCurrentLayoutPerMode(ModeService.currentId);
}
internal static void SaveCurrentLayoutPerMode(string modeId)
{
// Save Project Current Layout
SaveWindowLayout(FileUtil.CombinePaths(Directory.GetCurrentDirectory(), GetProjectLayoutPerMode(modeId)));
// Save Global Last Layout
SaveWindowLayout(FileUtil.CombinePaths(layoutsPreferencesPath, modeId, kLastLayoutName));
}
internal static string GetCurrentLayoutPath()
{
var currentLayoutPath = ProjectLayoutPath;
// Make sure we have a current layout file created
if (!File.Exists(ProjectLayoutPath))
{
currentLayoutPath = GetDefaultLayoutPath();
if (File.Exists(LastLayoutPath))
{
// First we try to load the last layout (per mode)
currentLayoutPath = LastLayoutPath;
}
else if (ModeService.currentId == ModeService.k_DefaultModeId)
{
// Backward compatibility check:
// Old non mode Library\CurrentLayout.dwlt
if (File.Exists(kOldCurrentLayoutPath))
{
currentLayoutPath = kOldCurrentLayoutPath;
}
else
{
// Older non mode <Prefs>\__Current__.dwlt
if (File.Exists(OldGlobalLayoutPath))
{
currentLayoutPath = OldGlobalLayoutPath;
}
}
}
}
return currentLayoutPath;
}
internal static string GetDefaultLayoutPath()
{
return Path.Combine(layoutsModePreferencesPath, kDefaultLayoutName);
}
internal static string GetProjectLayoutPerMode(string modeId)
{
return $"Library/CurrentLayout-{modeId}.dwlt";
}
private static void InitializeLayoutPreferencesFolder()
{
string defaultLayoutPath = GetDefaultLayoutPath();
string layoutResourcesPath = Path.Combine(EditorApplication.applicationContentsPath, "Resources/Layouts");
if (!Directory.Exists(layoutsPreferencesPath))
Directory.CreateDirectory(layoutsPreferencesPath);
if (!Directory.Exists(layoutsModePreferencesPath))
{
// Make sure we have a valid default mode folder initialized with the proper default layouts.
if (layoutsDefaultModePreferencesPath == layoutsModePreferencesPath)
{
// Backward compatibility: if the default layout folder doesn't exists but some layouts have been
// saved be sure to copy them to the "default layout per mode folder".
FileUtil.CopyFileOrDirectory(layoutResourcesPath, layoutsDefaultModePreferencesPath);
var defaultModeUserLayouts = Directory.GetFiles(layoutsPreferencesPath, "*.wlt");
foreach (var layoutPath in defaultModeUserLayouts)
{
var fileName = Path.GetFileName(layoutPath);
var dst = Path.Combine(layoutsDefaultModePreferencesPath, fileName);
if (!File.Exists(dst))
FileUtil.CopyFileIfExists(layoutPath, dst, false);
}
}
else
{
Directory.CreateDirectory(layoutsModePreferencesPath);
}
}
// Make sure we have the default layout file in the preferences folder
if (!File.Exists(defaultLayoutPath))
{
var defaultModeLayoutPath = ModeService.GetDefaultModeLayout();
if (!File.Exists(defaultModeLayoutPath))
{
// No mode default layout, use the editor_resources Default:
defaultModeLayoutPath = Path.Combine(layoutResourcesPath, kDefaultLayoutName);
}
// If not copy our default file to the preferences folder
FileUtil.CopyFileOrDirectory(defaultModeLayoutPath, defaultLayoutPath);
}
Debug.Assert(File.Exists(defaultLayoutPath));
}
static WindowLayout()
{
EditorApplication.update -= DelayReloadWindowLayoutMenu;
EditorApplication.update += DelayReloadWindowLayoutMenu;
}
internal static void DelayReloadWindowLayoutMenu()
{
EditorApplication.update -= DelayReloadWindowLayoutMenu;
if (ModeService.HasCapability(ModeCapability.LayoutWindowMenu, true))
{
ReloadWindowLayoutMenu();
EditorUtility.Internal_UpdateAllMenus();
}
}
internal static void ReloadWindowLayoutMenu()
{
Menu.RemoveMenuItem("Window/Layouts");
if (!ModeService.HasCapability(ModeCapability.LayoutWindowMenu, true))
return;
int layoutMenuItemPriority = 20;
// Get user saved layouts
if (Directory.Exists(layoutsModePreferencesPath))
{
var layoutPaths = Directory.GetFiles(layoutsModePreferencesPath).Where(path => path.EndsWith(".wlt")).ToArray();
foreach (var layoutPath in layoutPaths)
{
var name = Path.GetFileNameWithoutExtension(layoutPath);
Menu.AddMenuItem("Window/Layouts/" + name, "", false, layoutMenuItemPriority++, () => LoadWindowLayout(layoutPath, false), null);
}
layoutMenuItemPriority += 500;
}
// Get mode layouts
var modeLayoutPaths = ModeService.GetModeDataSection(ModeService.currentIndex, ModeDescriptor.LayoutsKey) as IList<object>;
if (modeLayoutPaths != null)
{
foreach (var layoutPath in modeLayoutPaths.Cast<string>())
{
if (!File.Exists(layoutPath))
continue;
var name = Path.GetFileNameWithoutExtension(layoutPath);
Menu.AddMenuItem("Window/Layouts/" + name, "", Toolbar.lastLoadedLayoutName == name, layoutMenuItemPriority++, () => LoadWindowLayout(layoutPath, false), null);
}
}
layoutMenuItemPriority += 500;
Menu.AddMenuItem("Window/Layouts/Save Layout...", "", false, layoutMenuItemPriority++, SaveGUI, null);
Menu.AddMenuItem("Window/Layouts/Delete Layout...", "", false, layoutMenuItemPriority++, DeleteGUI, null);
Menu.AddMenuItem("Window/Layouts/Revert Factory Settings...", "", false, layoutMenuItemPriority++, () => RevertFactorySettings(false), null);
}
internal static EditorWindow FindEditorWindowOfType(Type type)
{
UnityObject[] obj = Resources.FindObjectsOfTypeAll(type);
if (obj.Length > 0)
return obj[0] as EditorWindow;
return null;
}
internal static void CheckWindowConsistency()
{
UnityObject[] wins = Resources.FindObjectsOfTypeAll(typeof(EditorWindow));
foreach (EditorWindow win in wins)
{
if (win.m_Parent == null)
{
Debug.LogError("Invalid editor window " + win.GetType());
}
}
}
internal static EditorWindow TryGetLastFocusedWindowInSameDock()
{
// Get type of window that was docked together with game view and was focused before play mode
Type type = null;
string windowTypeName = WindowFocusState.instance.m_LastWindowTypeInSameDock;
if (windowTypeName != "")
type = Type.GetType(windowTypeName);
// Also get the PlayModeView Window
var playModeView = PlayModeView.GetMainPlayModeView();
if (type != null && playModeView && playModeView != null && playModeView.m_Parent is DockArea)
{
// Get all windows of that type
object[] potentials = Resources.FindObjectsOfTypeAll(type);
DockArea dock = playModeView.m_Parent as DockArea;
// Find the one that is actually docked together with the GameView
for (int i = 0; i < potentials.Length; i++)
{
EditorWindow window = potentials[i] as EditorWindow;
if (window && window.m_Parent == dock)
return window;
}
}
return null;
}
internal static void SaveCurrentFocusedWindowInSameDock(EditorWindow windowToBeFocused)
{
if (windowToBeFocused.m_Parent != null && windowToBeFocused.m_Parent is DockArea)
{
DockArea dock = windowToBeFocused.m_Parent as DockArea;
// Get currently focused window/tab in that dock
EditorWindow actualView = dock.actualView;
if (actualView)
WindowFocusState.instance.m_LastWindowTypeInSameDock = actualView.GetType().ToString();
}
}
internal static void FindFirstGameViewAndSetToMaximizeOnPlay()
{
GameView gameView = (GameView)FindEditorWindowOfType(typeof(GameView));
if (gameView)
gameView.maximizeOnPlay = true;
}
internal static EditorWindow TryFocusAppropriateWindow(bool enteringPlaymode)
{
if (enteringPlaymode)
{
var playModeView = PlayModeView.GetMainPlayModeView();
if (playModeView)
{
SaveCurrentFocusedWindowInSameDock(playModeView);
playModeView.Focus();
}
return playModeView;
}
else
{
// If we can retrieve what window type was active when we went into play mode,
// go back to focus a window of that type.
EditorWindow window = TryGetLastFocusedWindowInSameDock();
if (window)
window.ShowTab();
return window;
}
}
internal static EditorWindow GetMaximizedWindow()
{
UnityObject[] maximized = Resources.FindObjectsOfTypeAll(typeof(MaximizedHostView));
if (maximized.Length != 0)
{
MaximizedHostView maximizedView = maximized[0] as MaximizedHostView;
if (maximizedView.actualView)
return maximizedView.actualView;
}
return null;
}
internal static EditorWindow ShowAppropriateViewOnEnterExitPlaymode(bool entering)
{
// Prevent trying to go into the same state as we're already in, as it will break things
if (WindowFocusState.instance.m_CurrentlyInPlayMode == entering)
return null;
WindowFocusState.instance.m_CurrentlyInPlayMode = entering;
EditorWindow window = null;
EditorWindow maximized = GetMaximizedWindow();
if (entering)
{
WindowFocusState.instance.m_WasMaximizedBeforePlay = (maximized != null);
// If a view is already maximized before entering play mode,
// just keep that maximized view, no matter if it's the game view or some other.
// Trust that user has a good reason (desire by Ethan etc.)
if (maximized != null)
return maximized;
}
else
{
// If a view was already maximized before entering play mode,
// then it was kept when switching to play mode, and can simply still be kept when exiting
if (WindowFocusState.instance.m_WasMaximizedBeforePlay)
return maximized;
}
// Unmaximize if maximized
if (maximized)
Unmaximize(maximized);
// Try finding and focusing appropriate window/tab
window = TryFocusAppropriateWindow(entering);
if (window)
return window;
// If we are entering Play more and no Game View was found, create one
if (entering)
{
// Try to create and focus a Game View tab docked together with the Scene View tab
EditorWindow sceneView = FindEditorWindowOfType(typeof(SceneView));
GameView gameView;
if (sceneView && sceneView.m_Parent is DockArea)
{
DockArea dock = sceneView.m_Parent as DockArea;
if (dock)
{
WindowFocusState.instance.m_LastWindowTypeInSameDock = sceneView.GetType().ToString();
gameView = ScriptableObject.CreateInstance<GameView>();
dock.AddTab(gameView);
return gameView;
}
}
// If no Scene View was found at all, just create a floating Game View
gameView = ScriptableObject.CreateInstance<GameView>();
gameView.Show(true);
gameView.Focus();
return gameView;
}
return window;
}
internal static bool IsMaximized(EditorWindow window)
{
return window.m_Parent is MaximizedHostView;
}
public static void Unmaximize(EditorWindow win)
{
HostView maximizedHostView = win.m_Parent;
if (maximizedHostView == null)
{
Debug.LogError("Host view was not found");
RevertFactorySettings();
return;
}
UnityObject[] newWindows = InternalEditorUtility.LoadSerializedFileAndForget(Path.Combine(layoutsProjectPath, kMaximizeRestoreFile));
if (newWindows.Length < 2)
{
Debug.Log("Maximized serialized file backup not found");
RevertFactorySettings();
return;
}
SplitView oldRoot = newWindows[0] as SplitView;
EditorWindow oldWindow = newWindows[1] as EditorWindow;
if (oldRoot == null)
{
Debug.Log("Maximization failed because the root split view was not found");
RevertFactorySettings();
return;
}
ContainerWindow parentWindow = win.m_Parent.window;
if (parentWindow == null)
{
Debug.Log("Maximization failed because the root split view has no container window");
RevertFactorySettings();
return;
}
try
{
ContainerWindow.SetFreezeDisplay(true);
// Put the loaded SplitView where the MaximizedHostView was
if (maximizedHostView.parent)
{
int i = maximizedHostView.parent.IndexOfChild(maximizedHostView);
Rect r = maximizedHostView.position;
View parent = maximizedHostView.parent;
parent.RemoveChild(i);
parent.AddChild(oldRoot, i);
oldRoot.position = r;
// Move the Editor Window to the right spot in the
DockArea newDockArea = oldWindow.m_Parent as DockArea;
int oldDockAreaIndex = newDockArea.m_Panes.IndexOf(oldWindow);
maximizedHostView.actualView = null;
win.m_Parent = null;
newDockArea.AddTab(oldDockAreaIndex, win);
newDockArea.RemoveTab(oldWindow);
UnityObject.DestroyImmediate(oldWindow);
foreach (UnityObject o in newWindows)
{
EditorWindow curWin = o as EditorWindow;
if (curWin != null)
curWin.MakeParentsSettingsMatchMe();
}
parent.Initialize(parent.window);
//If parent window had to be resized, call this to make sure new size gets propagated
parent.position = parent.position;
oldRoot.Reflow();
}
else
{
throw new Exception();
}
// Kill the maximizedMainView
UnityObject.DestroyImmediate(maximizedHostView);
win.Focus();
parentWindow.DisplayAllViews();
win.m_Parent.MakeVistaDWMHappyDance();
}
catch (Exception ex)
{
Debug.Log("Maximization failed: " + ex);
RevertFactorySettings();
}
try
{
// Weird bug on AMD graphic cards under OSX Lion: Sometimes when unmaximizing we get stray white rectangles.
// work around that by issuing an extra repaint (case 438764)
if (Application.platform == RuntimePlatform.OSXEditor && SystemInfo.operatingSystem.Contains("10.7") && SystemInfo.graphicsDeviceVendor.Contains("ATI"))
{
foreach (GUIView v in Resources.FindObjectsOfTypeAll(typeof(GUIView)))
v.Repaint();
}
}
finally
{
ContainerWindow.SetFreezeDisplay(false);
}
}
internal static void MaximizeGestureHandler()
{
if (Event.current.type != EditorGUIUtility.magnifyGestureEventType || GUIUtility.hotControl != 0)
return;
var mouseOverWindow = EditorWindow.mouseOverWindow;
if (mouseOverWindow == null)
return;
var args = new ShortcutArguments { stage = ShortcutStage.End };
if (IsMaximized(mouseOverWindow))
args.context = Event.current.delta.x < -0.05f ? mouseOverWindow : null;
else
args.context = Event.current.delta.x > 0.05f ? mouseOverWindow : null;
if (args.context != null)
MaximizeKeyHandler(args);
}
[Shortcut("Window/Maximize View", KeyCode.Space, ShortcutModifiers.Shift)]
[FormerlyPrefKeyAs("Window/Maximize View", "# ")]
internal static void MaximizeKeyHandler(ShortcutArguments args)
{
if (args.context is PreviewWindow)
return;
var mouseOverWindow = EditorWindow.mouseOverWindow;
if (mouseOverWindow != null)
{
if (IsMaximized(mouseOverWindow))
Unmaximize(mouseOverWindow);
else
Maximize(mouseOverWindow);
}
}
public static void AddSplitViewAndChildrenRecurse(View splitview, ArrayList list)
{
list.Add(splitview);
DockArea dock = splitview as DockArea;
if (dock != null)
{
list.AddRange(dock.m_Panes);
list.Add(dock.actualView);
}
foreach (View child in splitview.children)
AddSplitViewAndChildrenRecurse(child, list);
}
public static void SaveSplitViewAndChildren(View splitview, EditorWindow win, string path)
{
ArrayList all = new ArrayList();
AddSplitViewAndChildrenRecurse(splitview, all);
all.Remove(splitview);
all.Remove(win);
all.Insert(0, splitview);
all.Insert(1, win);
InternalEditorUtility.SaveToSerializedFileAndForget(all.ToArray(typeof(UnityObject)) as UnityObject[], path, true);
}
public static void Maximize(EditorWindow win)
{
bool maximizePending = MaximizePrepare(win);
if (maximizePending)
MaximizePresent(win);
}
public static bool MaximizePrepare(EditorWindow win)
{
// Find Root SplitView
View itor = win.m_Parent.parent;
View rootSplit = itor;
while (itor != null && itor is SplitView)
{
rootSplit = itor;
itor = itor.parent;
}
// Make sure it has a dockarea
DockArea dockArea = win.m_Parent as DockArea;
if (dockArea == null)
return false;
if (itor == null)
return false;
var mainView = rootSplit.parent as MainView;
if (mainView == null)
return false;
ContainerWindow parentWindow = win.m_Parent.window;
if (parentWindow == null)
return false;
int oldDockIndex = dockArea.m_Panes.IndexOf(win);
if (oldDockIndex == -1)
return false;
dockArea.selected = oldDockIndex;
// Save current state to disk
SaveSplitViewAndChildren(rootSplit, win, Path.Combine(layoutsProjectPath, kMaximizeRestoreFile));
// Remove the window from the HostView now in order to invoke OnBecameInvisible before OnBecameVisible
dockArea.actualView = null;
dockArea.m_Panes[oldDockIndex] = null;
MaximizedHostView maximizedHostView = ScriptableObject.CreateInstance<MaximizedHostView>();
int i = itor.IndexOfChild(rootSplit);
Rect p = rootSplit.position;
itor.RemoveChild(rootSplit);
itor.AddChild(maximizedHostView, i);
maximizedHostView.actualView = win;
maximizedHostView.position = p; // Must be set after actualView so that value is propagated
var gv = win as GameView;
if (gv != null)
maximizedHostView.EnableVSync(gv.vSyncEnabled);
UnityObject.DestroyImmediate(rootSplit, true);
return true;
}
public static void MaximizePresent(EditorWindow win)
{
ContainerWindow.SetFreezeDisplay(true);
win.Focus();
CheckWindowConsistency();
ContainerWindow parentWindow = win.m_Parent.window;
parentWindow.DisplayAllViews();
win.m_Parent.MakeVistaDWMHappyDance();
ContainerWindow.SetFreezeDisplay(false);
}
public static bool LoadWindowLayout(string path, bool newProjectLayoutWasCreated)
{
return LoadWindowLayout(path, newProjectLayoutWasCreated, true, false);
}
public static bool LoadWindowLayout(string path, bool newProjectLayoutWasCreated, bool setLastLoadedLayoutName, bool keepMainWindow)
{
Rect mainWindowPosition = new Rect();
UnityObject[] containers = Resources.FindObjectsOfTypeAll(typeof(ContainerWindow));
foreach (ContainerWindow window in containers)
{
if (window.showMode == ShowMode.MainWindow)
{
mainWindowPosition = window.position;
}
}
bool layoutLoadingIssue = false;
// Load new windows and show them
try
{
ContainerWindow.SetFreezeDisplay(true);
CloseWindows(keepMainWindow);
ContainerWindow mainWindowToSetSize = null;
ContainerWindow mainWindow = null;
UnityObject[] remainingContainers = Resources.FindObjectsOfTypeAll(typeof(ContainerWindow));
foreach (ContainerWindow window in remainingContainers)
{
if (mainWindow == null && window.showMode == ShowMode.MainWindow)
mainWindow = window;
else
window.Close();
}
// Load data
UnityObject[] loadedWindows = InternalEditorUtility.LoadSerializedFileAndForget(path);
if (loadedWindows == null || loadedWindows.Length == 0)
{
throw new ArgumentException("Window layout at '" + path + "' could not be loaded.");
}
List<UnityObject> newWindows = new List<UnityObject>();
// At this point, unparented editor windows are neither desired nor desirable.
// This can be caused by (legacy) serialization of FallbackEditorWindows or
// other serialization hiccups (note that unparented editor windows should not exist in theory).