diff --git a/Source/Editor/Content/Proxy/AssetProxy.cs b/Source/Editor/Content/Proxy/AssetProxy.cs
index 3bd23ad03..7dbd178a9 100644
--- a/Source/Editor/Content/Proxy/AssetProxy.cs
+++ b/Source/Editor/Content/Proxy/AssetProxy.cs
@@ -22,6 +22,22 @@ namespace FlaxEditor.Content
///
public abstract string TypeName { get; }
+ ///
+ /// Gets a value indicating whether this instance is virtual Proxy not linked to any asset.
+ ///
+ protected virtual bool IsVirtual { get; }
+
+ ///
+ /// Determines whether [is virtual proxy].
+ ///
+ ///
+ /// true if [is virtual proxy]; otherwise, false.
+ ///
+ public bool IsVirtualProxy()
+ {
+ return IsVirtual && CanExport == false;
+ }
+
///
/// Checks if this proxy supports the given asset type id at the given path.
///
diff --git a/Source/Editor/CustomEditorWindow.cs b/Source/Editor/CustomEditorWindow.cs
index 242b4d28d..5c3fedd6c 100644
--- a/Source/Editor/CustomEditorWindow.cs
+++ b/Source/Editor/CustomEditorWindow.cs
@@ -1,9 +1,9 @@
// Copyright (c) 2012-2023 Wojciech Figat. All rights reserved.
using FlaxEditor.CustomEditors;
+using FlaxEditor.GUI.Docking;
using FlaxEditor.Windows;
using FlaxEngine.GUI;
-using DockState = FlaxEditor.GUI.Docking.DockState;
namespace FlaxEditor
{
@@ -97,9 +97,12 @@ namespace FlaxEditor
/// Shows the window.
///
/// Initial window state.
- public void Show(DockState state = DockState.Float)
+ /// The panel to dock to, if any.
+ /// Only used if is set. If true the window will be selected after docking it.
+ /// The splitter value to use if toDock is not null. If not specified, a default value will be used.
+ public void Show(DockState state = DockState.Float, DockPanel toDock = null, bool autoSelect = true, float? splitterValue = null)
{
- _win.Show(state);
+ _win.Show(state, toDock, autoSelect, splitterValue);
}
}
}
diff --git a/Source/Editor/CustomEditors/Editors/FloatEditor.cs b/Source/Editor/CustomEditors/Editors/FloatEditor.cs
index a79dc036f..07c07030e 100644
--- a/Source/Editor/CustomEditors/Editors/FloatEditor.cs
+++ b/Source/Editor/CustomEditors/Editors/FloatEditor.cs
@@ -88,6 +88,8 @@ namespace FlaxEditor.CustomEditors.Editors
_element.Value = asFloat;
else if (value is double asDouble)
_element.Value = (float)asDouble;
+ else if (value is int asInt)
+ _element.Value = (float)asInt;
else
throw new Exception(string.Format("Invalid value type {0}.", value?.GetType().ToString() ?? ""));
}
diff --git a/Source/Editor/CustomEditors/Editors/GenericEditor.cs b/Source/Editor/CustomEditors/Editors/GenericEditor.cs
index 68c24a675..3359054fe 100644
--- a/Source/Editor/CustomEditors/Editors/GenericEditor.cs
+++ b/Source/Editor/CustomEditors/Editors/GenericEditor.cs
@@ -66,9 +66,9 @@ namespace FlaxEditor.CustomEditors.Editors
public HeaderAttribute Header;
///
- /// The visible if attribute.
+ /// The visible if attributes.
///
- public VisibleIfAttribute VisibleIf;
+ public VisibleIfAttribute[] VisibleIfs;
///
/// The read-only attribute usage flag.
@@ -128,7 +128,7 @@ namespace FlaxEditor.CustomEditors.Editors
CustomEditorAlias = (CustomEditorAliasAttribute)attributes.FirstOrDefault(x => x is CustomEditorAliasAttribute);
Space = (SpaceAttribute)attributes.FirstOrDefault(x => x is SpaceAttribute);
Header = (HeaderAttribute)attributes.FirstOrDefault(x => x is HeaderAttribute);
- VisibleIf = (VisibleIfAttribute)attributes.FirstOrDefault(x => x is VisibleIfAttribute);
+ VisibleIfs = attributes.OfType().ToArray();
IsReadOnly = attributes.FirstOrDefault(x => x is ReadOnlyAttribute) != null;
ExpandGroups = attributes.FirstOrDefault(x => x is ExpandGroupsAttribute) != null;
@@ -210,17 +210,24 @@ namespace FlaxEditor.CustomEditors.Editors
private struct VisibleIfCache
{
public ScriptMemberInfo Target;
- public ScriptMemberInfo Source;
+ public ScriptMemberInfo[] Sources;
public PropertiesListElement PropertiesList;
public GroupElement Group;
- public bool Invert;
+ public bool[] InversionList;
public int LabelIndex;
public bool GetValue(object instance)
{
- var value = (bool)Source.GetValue(instance);
- if (Invert)
- value = !value;
+ bool value = true;
+
+ for (int i = 0; i < Sources.Length; i++)
+ {
+ bool currentValue = (bool)Sources[i].GetValue(instance);
+ if (InversionList[i])
+ currentValue = !currentValue;
+
+ value = value && currentValue;
+ }
return value;
}
}
@@ -298,40 +305,48 @@ namespace FlaxEditor.CustomEditors.Editors
return items;
}
- private static ScriptMemberInfo GetVisibleIfSource(ScriptType type, VisibleIfAttribute visibleIf)
+ private static ScriptMemberInfo[] GetVisibleIfSources(ScriptType type, VisibleIfAttribute[] visibleIfs)
{
- var property = type.GetProperty(visibleIf.MemberName, BindingFlags.Public | BindingFlags.NonPublic | BindingFlags.Instance | BindingFlags.Static);
- if (property != ScriptMemberInfo.Null)
+ ScriptMemberInfo[] members = Array.Empty();
+
+ for (int i = 0; i < visibleIfs.Length; i++)
{
- if (!property.HasGet)
+ var property = type.GetProperty(visibleIfs[i].MemberName, BindingFlags.Public | BindingFlags.NonPublic | BindingFlags.Instance | BindingFlags.Static);
+ if (property != ScriptMemberInfo.Null)
{
- Debug.LogError("Invalid VisibleIf rule. Property has missing getter " + visibleIf.MemberName);
- return ScriptMemberInfo.Null;
+ if (!property.HasGet)
+ {
+ Debug.LogError("Invalid VisibleIf rule. Property has missing getter " + visibleIfs[i].MemberName);
+ continue;
+ }
+
+ if (property.ValueType.Type != typeof(bool))
+ {
+ Debug.LogError("Invalid VisibleIf rule. Property has to return bool type " + visibleIfs[i].MemberName);
+ continue;
+ }
+
+ members = members.Append(property).ToArray();
+ continue;
}
- if (property.ValueType.Type != typeof(bool))
+ var field = type.GetField(visibleIfs[i].MemberName, BindingFlags.Public | BindingFlags.NonPublic | BindingFlags.Instance | BindingFlags.Static);
+ if (field != ScriptMemberInfo.Null)
{
- Debug.LogError("Invalid VisibleIf rule. Property has to return bool type " + visibleIf.MemberName);
- return ScriptMemberInfo.Null;
+ if (field.ValueType.Type != typeof(bool))
+ {
+ Debug.LogError("Invalid VisibleIf rule. Field has to be bool type " + visibleIfs[i].MemberName);
+ continue;
+ }
+
+ members = members.Append(field).ToArray();
+ continue;
}
- return property;
+ Debug.LogError("Invalid VisibleIf rule. Cannot find member " + visibleIfs[i].MemberName);
}
- var field = type.GetField(visibleIf.MemberName, BindingFlags.Public | BindingFlags.NonPublic | BindingFlags.Instance | BindingFlags.Static);
- if (field != ScriptMemberInfo.Null)
- {
- if (field.ValueType.Type != typeof(bool))
- {
- Debug.LogError("Invalid VisibleIf rule. Field has to be bool type " + visibleIf.MemberName);
- return ScriptMemberInfo.Null;
- }
-
- return field;
- }
-
- Debug.LogError("Invalid VisibleIf rule. Cannot find member " + visibleIf.MemberName);
- return ScriptMemberInfo.Null;
+ return members;
}
private static void GroupPanelCheckIfCanRevert(LayoutElementsContainer layout, ref bool canRevertReference, ref bool canRevertDefault)
@@ -575,7 +590,7 @@ namespace FlaxEditor.CustomEditors.Editors
protected virtual void SpawnProperty(LayoutElementsContainer itemLayout, ValueContainer itemValues, ItemInfo item)
{
int labelIndex = 0;
- if ((item.IsReadOnly || item.VisibleIf != null) &&
+ if ((item.IsReadOnly || item.VisibleIfs.Length > 0) &&
itemLayout.Children.Count > 0 &&
itemLayout.Children[itemLayout.Children.Count - 1] is PropertiesListElement propertiesListElement)
{
@@ -616,7 +631,7 @@ namespace FlaxEditor.CustomEditors.Editors
}
}
}
- if (item.VisibleIf != null && itemLayout.Children.Count > 0)
+ if (item.VisibleIfs.Length > 0 && itemLayout.Children.Count > 0)
{
PropertiesListElement list = null;
GroupElement group = null;
@@ -628,8 +643,8 @@ namespace FlaxEditor.CustomEditors.Editors
return;
// Get source member used to check rule
- var sourceMember = GetVisibleIfSource(item.Info.DeclaringType, item.VisibleIf);
- if (sourceMember == ScriptType.Null)
+ var sourceMembers = GetVisibleIfSources(item.Info.DeclaringType, item.VisibleIfs);
+ if (sourceMembers.Length == 0)
return;
// Resize cache
@@ -645,11 +660,11 @@ namespace FlaxEditor.CustomEditors.Editors
_visibleIfCaches[count] = new VisibleIfCache
{
Target = item.Info,
- Source = sourceMember,
+ Sources = sourceMembers,
PropertiesList = list,
Group = group,
LabelIndex = labelIndex,
- Invert = item.VisibleIf.Invert,
+ InversionList = item.VisibleIfs.Select((x, i) => x.Invert).ToArray(),
};
}
}
diff --git a/Source/Editor/CustomEditors/Editors/GuidEditor.cs b/Source/Editor/CustomEditors/Editors/GuidEditor.cs
index 28d93aa8e..4573def77 100644
--- a/Source/Editor/CustomEditors/Editors/GuidEditor.cs
+++ b/Source/Editor/CustomEditors/Editors/GuidEditor.cs
@@ -1,8 +1,12 @@
// Copyright (c) 2012-2023 Wojciech Figat. All rights reserved.
using System;
+using System.Linq;
using FlaxEditor.CustomEditors.Elements;
+using FlaxEditor.GUI;
+using FlaxEditor.Scripting;
using FlaxEngine;
+using FlaxEngine.Utilities;
namespace FlaxEditor.CustomEditors.Editors
{
@@ -13,6 +17,9 @@ namespace FlaxEditor.CustomEditors.Editors
public sealed class GuidEditor : CustomEditor
{
private TextBoxElement _element;
+ private AssetPicker _picker;
+ private bool _isReference;
+ private bool _isRefreshing;
///
public override DisplayStyle Style => DisplayStyle.Inline;
@@ -20,8 +27,55 @@ namespace FlaxEditor.CustomEditors.Editors
///
public override void Initialize(LayoutElementsContainer layout)
{
- _element = layout.TextBox();
- _element.TextBox.EditEnd += OnEditEnd;
+ var attributes = Values.GetAttributes();
+ var assetReference = (AssetReferenceAttribute)attributes?.FirstOrDefault(x => x is AssetReferenceAttribute);
+ if (assetReference != null)
+ {
+ _picker = layout.Custom().CustomControl;
+ ScriptType assetType = new ScriptType();
+
+ float height = 48;
+ if (assetReference.UseSmallPicker)
+ height = 32;
+
+ if (string.IsNullOrEmpty(assetReference.TypeName))
+ {
+ assetType = ScriptType.Void;
+ }
+ else if (assetReference.TypeName.Length > 1 && assetReference.TypeName[0] == '.')
+ {
+ // Generic file picker
+ assetType = ScriptType.Null;
+ _picker.Validator.FileExtension = assetReference.TypeName;
+ }
+ else
+ {
+ var customType = TypeUtils.GetType(assetReference.TypeName);
+ if (customType != ScriptType.Null)
+ assetType = customType;
+ else if (!Content.Settings.GameSettings.OptionalPlatformSettings.Contains(assetReference.TypeName))
+ Debug.LogWarning(string.Format("Unknown asset type '{0}' to use for asset picker filter.", assetReference.TypeName));
+ else
+ assetType = ScriptType.Void;
+ }
+
+ _picker.Validator.AssetType = assetType;
+ _picker.Height = height;
+ _picker.SelectedItemChanged += OnSelectedItemChanged;
+ _isReference = true;
+ }
+ else
+ {
+ _element = layout.TextBox();
+ _element.TextBox.EditEnd += OnEditEnd;
+ }
+ }
+
+ private void OnSelectedItemChanged()
+ {
+ if (_isRefreshing)
+ return;
+ SetValue(_picker.Validator.SelectedID);
}
private void OnEditEnd()
@@ -36,17 +90,32 @@ namespace FlaxEditor.CustomEditors.Editors
public override void Refresh()
{
base.Refresh();
-
+ _isRefreshing = true;
if (HasDifferentValues)
{
- _element.TextBox.Text = string.Empty;
- _element.TextBox.WatermarkText = "Different values";
+ if (_isReference)
+ {
+ // Not supported
+ }
+ else
+ {
+ _element.TextBox.Text = string.Empty;
+ _element.TextBox.WatermarkText = "Different values";
+ }
}
else
{
- _element.TextBox.Text = ((Guid)Values[0]).ToString("D");
- _element.TextBox.WatermarkText = string.Empty;
+ if (_isReference)
+ {
+ _picker.Validator.SelectedID = (Guid)Values[0];
+ }
+ else
+ {
+ _element.TextBox.Text = ((Guid)Values[0]).ToString("D");
+ _element.TextBox.WatermarkText = string.Empty;
+ }
}
+ _isRefreshing = false;
}
}
}
diff --git a/Source/Editor/GUI/ContextMenu/ContextMenu.cs b/Source/Editor/GUI/ContextMenu/ContextMenu.cs
index 25f45a1f8..072b01678 100644
--- a/Source/Editor/GUI/ContextMenu/ContextMenu.cs
+++ b/Source/Editor/GUI/ContextMenu/ContextMenu.cs
@@ -408,9 +408,9 @@ namespace FlaxEditor.GUI.ContextMenu
{
foreach (var child in _panel.Children)
{
- if (child is ContextMenuChildMenu item && item.Visible)
+ if (child is ContextMenuButton item && item.Visible)
{
- item.AdjustArrowAmount = -_panel.VScrollBar.Width;
+ item.ExtraAdjustmentAmount = -_panel.VScrollBar.Width;
}
}
}
diff --git a/Source/Editor/GUI/ContextMenu/ContextMenuButton.cs b/Source/Editor/GUI/ContextMenu/ContextMenuButton.cs
index e371f7c4b..485cde1a7 100644
--- a/Source/Editor/GUI/ContextMenu/ContextMenuButton.cs
+++ b/Source/Editor/GUI/ContextMenu/ContextMenuButton.cs
@@ -14,6 +14,11 @@ namespace FlaxEditor.GUI.ContextMenu
public class ContextMenuButton : ContextMenuItem
{
private bool _isMouseDown;
+
+ ///
+ /// The amount to adjust the short keys and arrow image by in x coordinates.
+ ///
+ public float ExtraAdjustmentAmount = 0;
///
/// Event fired when user clicks on the button.
@@ -133,7 +138,7 @@ namespace FlaxEditor.GUI.ContextMenu
if (!string.IsNullOrEmpty(ShortKeys))
{
// Draw short keys
- Render2D.DrawText(style.FontMedium, ShortKeys, textRect, textColor, TextAlignment.Far, TextAlignment.Center);
+ Render2D.DrawText(style.FontMedium, ShortKeys, new Rectangle(textRect.X + ExtraAdjustmentAmount, textRect.Y, textRect.Width, textRect.Height), textColor, TextAlignment.Far, TextAlignment.Center);
}
// Draw icon
diff --git a/Source/Editor/GUI/ContextMenu/ContextMenuChildMenu.cs b/Source/Editor/GUI/ContextMenu/ContextMenuChildMenu.cs
index 49a60a04e..d71166196 100644
--- a/Source/Editor/GUI/ContextMenu/ContextMenuChildMenu.cs
+++ b/Source/Editor/GUI/ContextMenu/ContextMenuChildMenu.cs
@@ -17,11 +17,6 @@ namespace FlaxEditor.GUI.ContextMenu
///
public readonly ContextMenu ContextMenu = new ContextMenu();
- ///
- /// The amount to adjust the arrow image by in x coordinates.
- ///
- public float AdjustArrowAmount = 0;
-
///
/// Initializes a new instance of the class.
///
@@ -49,7 +44,7 @@ namespace FlaxEditor.GUI.ContextMenu
// Draw arrow
if (ContextMenu.HasChildren)
- Render2D.DrawSprite(style.ArrowRight, new Rectangle(Width - 15 + AdjustArrowAmount, (Height - 12) / 2, 12, 12), Enabled ? isCMopened ? style.BackgroundSelected : style.Foreground : style.ForegroundDisabled);
+ Render2D.DrawSprite(style.ArrowRight, new Rectangle(Width - 15 + ExtraAdjustmentAmount, (Height - 12) / 2, 12, 12), Enabled ? isCMopened ? style.BackgroundSelected : style.Foreground : style.ForegroundDisabled);
}
///
diff --git a/Source/Editor/GUI/Docking/DockPanel.cs b/Source/Editor/GUI/Docking/DockPanel.cs
index b04aad08c..df6a75bef 100644
--- a/Source/Editor/GUI/Docking/DockPanel.cs
+++ b/Source/Editor/GUI/Docking/DockPanel.cs
@@ -518,9 +518,9 @@ namespace FlaxEditor.GUI.Docking
}
}
- internal virtual void DockWindowInternal(DockState state, DockWindow window)
+ internal virtual void DockWindowInternal(DockState state, DockWindow window, bool autoSelect = true, float? splitterValue = null)
{
- DockWindow(state, window);
+ DockWindow(state, window, autoSelect, splitterValue);
}
///
@@ -528,7 +528,9 @@ namespace FlaxEditor.GUI.Docking
///
/// The state.
/// The window.
- protected virtual void DockWindow(DockState state, DockWindow window)
+ /// Whether or not to automatically select the window after docking it.
+ /// The splitter value to use when docking to window.
+ protected virtual void DockWindow(DockState state, DockWindow window, bool autoSelect = true, float? splitterValue = null)
{
CreateTabsProxy();
@@ -536,12 +538,12 @@ namespace FlaxEditor.GUI.Docking
if (state == DockState.DockFill)
{
// Add tab
- AddTab(window);
+ AddTab(window, autoSelect);
}
else
{
// Create child panel
- var dockPanel = CreateChildPanel(state, DefaultSplitterValue);
+ var dockPanel = CreateChildPanel(state, splitterValue ?? DefaultSplitterValue);
// Dock window as a tab in a child panel
dockPanel.DockWindow(DockState.DockFill, window);
diff --git a/Source/Editor/GUI/Docking/DockWindow.cs b/Source/Editor/GUI/Docking/DockWindow.cs
index 72c74ad9e..15608d3e1 100644
--- a/Source/Editor/GUI/Docking/DockWindow.cs
+++ b/Source/Editor/GUI/Docking/DockWindow.cs
@@ -214,7 +214,9 @@ namespace FlaxEditor.GUI.Docking
///
/// Initial window state.
/// Panel to dock to it.
- public void Show(DockState state = DockState.Float, DockPanel toDock = null)
+ /// Only used if is set. If true the window will be selected after docking it.
+ /// Only used if is set. The splitter value to use. If not specified, a default value will be used.
+ public void Show(DockState state = DockState.Float, DockPanel toDock = null, bool autoSelect = true, float? splitterValue = null)
{
if (state == DockState.Hidden)
{
@@ -232,7 +234,7 @@ namespace FlaxEditor.GUI.Docking
Undock();
// Then dock
- (toDock ?? _masterPanel).DockWindowInternal(state, this);
+ (toDock ?? _masterPanel).DockWindowInternal(state, this, autoSelect, splitterValue);
OnShow();
PerformLayout();
}
diff --git a/Source/Editor/Modules/ContentDatabaseModule.cs b/Source/Editor/Modules/ContentDatabaseModule.cs
index 80f419a6f..fa023bf7b 100644
--- a/Source/Editor/Modules/ContentDatabaseModule.cs
+++ b/Source/Editor/Modules/ContentDatabaseModule.cs
@@ -196,6 +196,25 @@ namespace FlaxEditor.Modules
return null;
}
+ ///
+ /// Gets the virtual proxy object from given path.
+ ///
use case if the asset u trying to display is not a flax asset but u like to add custom functionality
+ ///
to context menu,or display it the asset
+ ///
+ /// The asset path.
+ /// Asset proxy or null if cannot find.
+ public AssetProxy GetAssetVirtuallProxy(string path)
+ {
+ for (int i = 0; i < Proxy.Count; i++)
+ {
+ if (Proxy[i] is AssetProxy proxy && proxy.IsVirtualProxy() && path.EndsWith(proxy.FileExtension, StringComparison.OrdinalIgnoreCase))
+ {
+ return proxy;
+ }
+ }
+
+ return null;
+ }
///
/// Refreshes the given item folder. Tries to find new content items and remove not existing ones.
@@ -996,7 +1015,14 @@ namespace FlaxEditor.Modules
item = proxy?.ConstructItem(path, assetInfo.TypeName, ref assetInfo.ID);
}
if (item == null)
- item = new FileItem(path);
+ {
+ var proxy = GetAssetVirtuallProxy(path);
+ item = proxy?.ConstructItem(path, assetInfo.TypeName, ref assetInfo.ID);
+ if (item == null)
+ {
+ item = new FileItem(path);
+ }
+ }
// Link
item.ParentFolder = parent.Folder;
diff --git a/Source/Editor/Modules/WindowsModule.cs b/Source/Editor/Modules/WindowsModule.cs
index 245fd4d5d..a935e73f2 100644
--- a/Source/Editor/Modules/WindowsModule.cs
+++ b/Source/Editor/Modules/WindowsModule.cs
@@ -36,6 +36,22 @@ namespace FlaxEditor.Modules
{
public string AssemblyName;
public string TypeName;
+
+ public DockState DockState;
+ public DockPanel DockedTo;
+ public float? SplitterValue = null;
+
+ public bool SelectOnShow = false;
+
+ public bool Maximize;
+ public bool Minimize;
+ public Float2 FloatSize;
+ public Float2 FloatPosition;
+
+ // Constructor, to allow for default values
+ public WindowRestoreData()
+ {
+ }
}
private readonly List _restoreWindows = new List();
@@ -802,10 +818,38 @@ namespace FlaxEditor.Modules
if (constructor == null || type.IsGenericType)
return;
- WindowRestoreData winData;
+ var winData = new WindowRestoreData();
+ var panel = win.Window.ParentDockPanel;
+
+ // Ensure that this window is only selected following recompilation
+ // if it was the active tab in its dock panel. Otherwise, there is a
+ // risk of interrupting the user's workflow by potentially selecting
+ // background tabs.
+ winData.SelectOnShow = panel.SelectedTab == win.Window;
+ if (panel is FloatWindowDockPanel)
+ {
+ winData.DockState = DockState.Float;
+ var window = win.Window.RootWindow.Window;
+ winData.FloatPosition = window.Position;
+ winData.FloatSize = window.ClientSize;
+ winData.Maximize = window.IsMaximized;
+ winData.Minimize = window.IsMinimized;
+ }
+ else
+ {
+ if (panel.TabsCount > 1)
+ {
+ winData.DockState = DockState.DockFill;
+ winData.DockedTo = panel;
+ }else
+ {
+ winData.DockState = panel.TryGetDockState(out var splitterValue);
+ winData.DockedTo = panel.ParentDockPanel;
+ winData.SplitterValue = splitterValue;
+ }
+ }
winData.AssemblyName = type.Assembly.GetName().Name;
winData.TypeName = type.FullName;
- // TODO: cache and restore docking info
_restoreWindows.Add(winData);
}
@@ -824,7 +868,24 @@ namespace FlaxEditor.Modules
if (type != null)
{
var win = (CustomEditorWindow)Activator.CreateInstance(type);
- win.Show();
+ win.Show(winData.DockState, winData.DockedTo, winData.SelectOnShow, winData.SplitterValue);
+ if (winData.DockState == DockState.Float)
+ {
+ var window = win.Window.RootWindow.Window;
+ window.Position = winData.FloatPosition;
+ if (winData.Maximize)
+ {
+ window.Maximize();
+ }
+ else if (winData.Minimize)
+ {
+ window.Minimize();
+ }
+ else
+ {
+ window.ClientSize = winData.FloatSize;
+ }
+ }
}
}
}
diff --git a/Source/Editor/Surface/AnimGraphSurface.cs b/Source/Editor/Surface/AnimGraphSurface.cs
index d7746662f..ccd78412a 100644
--- a/Source/Editor/Surface/AnimGraphSurface.cs
+++ b/Source/Editor/Surface/AnimGraphSurface.cs
@@ -113,6 +113,25 @@ namespace FlaxEditor.Surface
ScriptsBuilder.ScriptsReloadBegin += OnScriptsReloadBegin;
}
+ internal AnimGraphTraceEvent[] LastTraceEvents;
+
+ internal bool TryGetTraceEvent(SurfaceNode node, out AnimGraphTraceEvent traceEvent)
+ {
+ if (LastTraceEvents != null)
+ {
+ foreach (var e in LastTraceEvents)
+ {
+ if (e.NodeId == node.ID)
+ {
+ traceEvent = e;
+ return true;
+ }
+ }
+ }
+ traceEvent = default;
+ return false;
+ }
+
private static SurfaceStyle CreateStyle()
{
var editor = Editor.Instance;
@@ -383,6 +402,7 @@ namespace FlaxEditor.Surface
}
ScriptsBuilder.ScriptsReloadBegin -= OnScriptsReloadBegin;
_nodesCache.Wait();
+ LastTraceEvents = null;
base.OnDestroy();
}
diff --git a/Source/Editor/Surface/Archetypes/Animation.StateMachine.cs b/Source/Editor/Surface/Archetypes/Animation.StateMachine.cs
index 9d4367303..9ec1bab19 100644
--- a/Source/Editor/Surface/Archetypes/Animation.StateMachine.cs
+++ b/Source/Editor/Surface/Archetypes/Animation.StateMachine.cs
@@ -1583,14 +1583,24 @@ namespace FlaxEditor.Surface.Archetypes
None = 0,
///
- /// Transition rule will be rechecked during active transition with option to interrupt transition.
+ /// Transition rule will be rechecked during active transition with option to interrupt transition (to go back to the source state).
///
RuleRechecking = 1,
///
- /// Interrupted transition is immediately stopped without blending out.
+ /// Interrupted transition is immediately stopped without blending out (back to the source/destination state).
///
Instant = 2,
+
+ ///
+ /// Enables checking other transitions in the source state that might interrupt this one.
+ ///
+ SourceState = 4,
+
+ ///
+ /// Enables checking transitions in the destination state that might interrupt this one.
+ ///
+ DestinationState = 8,
}
///
@@ -1613,6 +1623,8 @@ namespace FlaxEditor.Surface.Archetypes
UseDefaultRule = 4,
InterruptionRuleRechecking = 8,
InterruptionInstant = 16,
+ InterruptionSourceState = 32,
+ InterruptionDestinationState = 64,
}
///
@@ -1773,7 +1785,7 @@ namespace FlaxEditor.Surface.Archetypes
}
///
- /// Transition interruption options.
+ /// Transition interruption options (flags, can select multiple values).
///
[EditorOrder(70), DefaultValue(InterruptionFlags.None)]
public InterruptionFlags Interruption
@@ -1785,12 +1797,18 @@ namespace FlaxEditor.Surface.Archetypes
flags |= InterruptionFlags.RuleRechecking;
if (_data.HasFlag(Data.FlagTypes.InterruptionInstant))
flags |= InterruptionFlags.Instant;
+ if (_data.HasFlag(Data.FlagTypes.InterruptionSourceState))
+ flags |= InterruptionFlags.SourceState;
+ if (_data.HasFlag(Data.FlagTypes.InterruptionDestinationState))
+ flags |= InterruptionFlags.DestinationState;
return flags;
}
set
{
_data.SetFlag(Data.FlagTypes.InterruptionRuleRechecking, value.HasFlag(InterruptionFlags.RuleRechecking));
_data.SetFlag(Data.FlagTypes.InterruptionInstant, value.HasFlag(InterruptionFlags.Instant));
+ _data.SetFlag(Data.FlagTypes.InterruptionSourceState, value.HasFlag(InterruptionFlags.SourceState));
+ _data.SetFlag(Data.FlagTypes.InterruptionDestinationState, value.HasFlag(InterruptionFlags.DestinationState));
SourceState.SaveTransitions(true);
}
}
diff --git a/Source/Editor/Surface/Archetypes/Animation.cs b/Source/Editor/Surface/Archetypes/Animation.cs
index 446883406..c659b475a 100644
--- a/Source/Editor/Surface/Archetypes/Animation.cs
+++ b/Source/Editor/Surface/Archetypes/Animation.cs
@@ -36,6 +36,7 @@ namespace FlaxEditor.Surface.Archetypes
{
private AssetSelect _assetSelect;
private Box _assetBox;
+ private ProgressBar _playbackPos;
///
public Sample(uint id, VisjectSurfaceContext context, NodeArchetype nodeArch, GroupArchetype groupArch)
@@ -93,6 +94,36 @@ namespace FlaxEditor.Surface.Archetypes
_assetSelect.Visible = !box.HasAnyConnection;
UpdateTitle();
}
+
+ ///
+ public override void Update(float deltaTime)
+ {
+ // Debug current playback position
+ if (((AnimGraphSurface)Surface).TryGetTraceEvent(this, out var traceEvent) && traceEvent.Asset is FlaxEngine.Animation anim)
+ {
+ if (_playbackPos == null)
+ {
+ _playbackPos = new ProgressBar
+ {
+ SmoothingScale = 0.0f,
+ Offsets = Margin.Zero,
+ AnchorPreset = AnchorPresets.HorizontalStretchBottom,
+ Parent = this,
+ Height = 12.0f,
+ };
+ _playbackPos.Y -= 16.0f;
+ }
+ _playbackPos.Visible = true;
+ _playbackPos.Maximum = anim.Duration;
+ _playbackPos.Value = traceEvent.Value; // AnimGraph reports position in animation frames, not time
+ }
+ else if (_playbackPos != null)
+ {
+ _playbackPos.Visible = false;
+ }
+
+ base.Update(deltaTime);
+ }
}
///
diff --git a/Source/Editor/Surface/Undo/ConnectBoxesAction.cs b/Source/Editor/Surface/Undo/ConnectBoxesAction.cs
index 72b9242a4..07118228e 100644
--- a/Source/Editor/Surface/Undo/ConnectBoxesAction.cs
+++ b/Source/Editor/Surface/Undo/ConnectBoxesAction.cs
@@ -24,6 +24,8 @@ namespace FlaxEditor.Surface.Undo
public ConnectBoxesAction(InputBox iB, OutputBox oB, bool connect)
{
+ if (iB == null || oB == null || iB.ParentNode == null || oB.ParentNode == null)
+ throw new System.ArgumentNullException();
_surface = iB.Surface;
_context = new ContextHandle(iB.ParentNode.Context);
_connect = connect;
diff --git a/Source/Editor/Utilities/Utils.cs b/Source/Editor/Utilities/Utils.cs
index 7184391d5..3d790ff81 100644
--- a/Source/Editor/Utilities/Utils.cs
+++ b/Source/Editor/Utilities/Utils.cs
@@ -1310,8 +1310,17 @@ namespace FlaxEditor.Utilities
inputActions.Add(options => options.BuildSDF, Editor.Instance.BuildAllMeshesSDF);
inputActions.Add(options => options.TakeScreenshot, Editor.Instance.Windows.TakeScreenshot);
inputActions.Add(options => options.ProfilerWindow, () => Editor.Instance.Windows.ProfilerWin.FocusOrShow());
- inputActions.Add(options => options.ProfilerStartStop, () => { Editor.Instance.Windows.ProfilerWin.LiveRecording = !Editor.Instance.Windows.ProfilerWin.LiveRecording; Editor.Instance.UI.AddStatusMessage($"Profiling {(Editor.Instance.Windows.ProfilerWin.LiveRecording ? "started" : "stopped")}."); });
- inputActions.Add(options => options.ProfilerClear, () => { Editor.Instance.Windows.ProfilerWin.Clear(); Editor.Instance.UI.AddStatusMessage($"Profiling results cleared."); });
+ inputActions.Add(options => options.ProfilerStartStop, () =>
+ {
+ bool recording = !Editor.Instance.Windows.ProfilerWin.LiveRecording;
+ Editor.Instance.Windows.ProfilerWin.LiveRecording = recording;
+ Editor.Instance.UI.AddStatusMessage($"Profiling {(recording ? "started" : "stopped")}.");
+ });
+ inputActions.Add(options => options.ProfilerClear, () =>
+ {
+ Editor.Instance.Windows.ProfilerWin.Clear();
+ Editor.Instance.UI.AddStatusMessage($"Profiling results cleared.");
+ });
inputActions.Add(options => options.SaveScenes, () => Editor.Instance.Scene.SaveScenes());
inputActions.Add(options => options.CloseScenes, () => Editor.Instance.Scene.CloseAllScenes());
inputActions.Add(options => options.OpenScriptsProject, () => Editor.Instance.CodeEditing.OpenSolution());
diff --git a/Source/Editor/Viewport/EditorViewport.cs b/Source/Editor/Viewport/EditorViewport.cs
index 9ac9b5571..526a84c45 100644
--- a/Source/Editor/Viewport/EditorViewport.cs
+++ b/Source/Editor/Viewport/EditorViewport.cs
@@ -1113,7 +1113,7 @@ namespace FlaxEditor.Viewport
private void OnFarPlaneChanged(FloatValueBox control)
{
_farPlane = control.Value;
- _editor.ProjectCache.SetCustomData("CameraNearPlaneValue", _farPlane.ToString());
+ _editor.ProjectCache.SetCustomData("CameraFarPlaneValue", _farPlane.ToString());
}
///
diff --git a/Source/Editor/Windows/Assets/AnimationGraphWindow.cs b/Source/Editor/Windows/Assets/AnimationGraphWindow.cs
index 12eac22b5..e0d8c9ded 100644
--- a/Source/Editor/Windows/Assets/AnimationGraphWindow.cs
+++ b/Source/Editor/Windows/Assets/AnimationGraphWindow.cs
@@ -396,6 +396,16 @@ namespace FlaxEditor.Windows.Assets
///
public override void OnUpdate()
{
+ // Extract animations playback state from the events tracing
+ var debugActor = _debugPicker.Value as AnimatedModel;
+ if (debugActor == null)
+ debugActor = _preview.PreviewActor;
+ if (debugActor != null)
+ {
+ debugActor.EnableTracing = true;
+ Surface.LastTraceEvents = debugActor.TraceEvents;
+ }
+
base.OnUpdate();
// Update graph execution flow debugging visualization
@@ -416,6 +426,8 @@ namespace FlaxEditor.Windows.Assets
///
public override void OnDestroy()
{
+ if (IsDisposing)
+ return;
Animations.DebugFlow -= OnDebugFlow;
_properties = null;
diff --git a/Source/Editor/Windows/Profiler/GPU.cs b/Source/Editor/Windows/Profiler/GPU.cs
index d2c34d335..6ddd5e704 100644
--- a/Source/Editor/Windows/Profiler/GPU.cs
+++ b/Source/Editor/Windows/Profiler/GPU.cs
@@ -321,8 +321,7 @@ namespace FlaxEditor.Windows.Profiler
var data = _events.Get(_drawTimeCPU.SelectedSampleIndex);
if (data == null || data.Length == 0)
return;
-
- float totalTimeMs = _drawTimeCPU.SelectedSample;
+ float totalTimeMs = _drawTimeGPU.SelectedSample;
// Add rows
var rowColor2 = Style.Current.Background * 1.4f;
@@ -343,14 +342,19 @@ namespace FlaxEditor.Windows.Profiler
row = new Row
{
Values = new object[6],
+ BackgroundColors = new Color[6],
};
+ for (int k = 0; k < row.BackgroundColors.Length; k++)
+ row.BackgroundColors[k] = Color.Transparent;
}
{
// Event
row.Values[0] = name;
// Total (%)
- row.Values[1] = (int)(e.Time / totalTimeMs * 1000.0f) / 10.0f;
+ float rowTimePerc = (float)(e.Time / totalTimeMs);
+ row.Values[1] = (int)(rowTimePerc * 1000.0f) / 10.0f;
+ row.BackgroundColors[1] = Color.Red.AlphaMultiplied(Mathf.Min(1, rowTimePerc) * 0.5f);
// GPU ms
row.Values[2] = (e.Time * 10000.0f) / 10000.0f;
diff --git a/Source/Editor/Windows/Profiler/ProfilerWindow.cs b/Source/Editor/Windows/Profiler/ProfilerWindow.cs
index f97e943ad..7a3924d1b 100644
--- a/Source/Editor/Windows/Profiler/ProfilerWindow.cs
+++ b/Source/Editor/Windows/Profiler/ProfilerWindow.cs
@@ -38,6 +38,7 @@ namespace FlaxEditor.Windows.Profiler
if (value != LiveRecording)
{
_liveRecordingButton.Checked = value;
+ OnLiveRecordingChanged();
}
}
}
diff --git a/Source/Engine/Animations/Graph/AnimGraph.Base.cpp b/Source/Engine/Animations/Graph/AnimGraph.Base.cpp
index 48fa7fed1..c05b82b70 100644
--- a/Source/Engine/Animations/Graph/AnimGraph.Base.cpp
+++ b/Source/Engine/Animations/Graph/AnimGraph.Base.cpp
@@ -99,10 +99,7 @@ void BlendPoseBucketInit(AnimGraphInstanceData::Bucket& bucket)
void StateMachineBucketInit(AnimGraphInstanceData::Bucket& bucket)
{
- bucket.StateMachine.LastUpdateFrame = 0;
- bucket.StateMachine.CurrentState = nullptr;
- bucket.StateMachine.ActiveTransition = nullptr;
- bucket.StateMachine.TransitionPosition = 0.0f;
+ Platform::MemoryClear(&bucket.StateMachine, sizeof(bucket.StateMachine));
}
void SlotBucketInit(AnimGraphInstanceData::Bucket& bucket)
diff --git a/Source/Engine/Animations/Graph/AnimGraph.cpp b/Source/Engine/Animations/Graph/AnimGraph.cpp
index 5aa720d31..f7b883bd7 100644
--- a/Source/Engine/Animations/Graph/AnimGraph.cpp
+++ b/Source/Engine/Animations/Graph/AnimGraph.cpp
@@ -39,6 +39,7 @@ void AnimGraphImpulse::SetNodeModelTransformation(SkeletonData& skeleton, int32
void AnimGraphInstanceData::Clear()
{
ClearState();
+ Slots.Clear();
Parameters.Resize(0);
}
@@ -55,7 +56,7 @@ void AnimGraphInstanceData::ClearState()
RootMotion = Transform::Identity;
State.Resize(0);
NodesPose.Resize(0);
- Slots.Clear();
+ TraceEvents.Clear();
}
void AnimGraphInstanceData::Invalidate()
@@ -238,6 +239,7 @@ void AnimGraphExecutor::Update(AnimGraphInstanceData& data, float dt)
}
for (auto& e : data.ActiveEvents)
e.Hit = false;
+ data.TraceEvents.Clear();
// Init empty nodes data
context.EmptyNodes.RootMotion = Transform::Identity;
@@ -282,6 +284,20 @@ void AnimGraphExecutor::Update(AnimGraphInstanceData& data, float dt)
}
}
}
+#if !BUILD_RELEASE
+ {
+ // Perform sanity check on nodes pose to prevent crashes due to NaNs
+ bool anyInvalid = animResult->RootMotion.IsNanOrInfinity();
+ for (int32 i = 0; i < animResult->Nodes.Count(); i++)
+ anyInvalid |= animResult->Nodes.Get()[i].IsNanOrInfinity();
+ if (anyInvalid)
+ {
+ LOG(Error, "Animated Model pose contains NaNs due to animations sampling/blending bug.");
+ context.Data = nullptr;
+ return;
+ }
+ }
+#endif
SkeletonData* animResultSkeleton = &skeleton;
// Retarget animation when using output pose from other skeleton
diff --git a/Source/Engine/Animations/Graph/AnimGraph.h b/Source/Engine/Animations/Graph/AnimGraph.h
index afaa4441b..c160b671c 100644
--- a/Source/Engine/Animations/Graph/AnimGraph.h
+++ b/Source/Engine/Animations/Graph/AnimGraph.h
@@ -129,6 +129,8 @@ public:
UseDefaultRule = 4,
InterruptionRuleRechecking = 8,
InterruptionInstant = 16,
+ InterruptionSourceState = 32,
+ InterruptionDestinationState = 64,
};
public:
@@ -197,6 +199,22 @@ struct FLAXENGINE_API AnimGraphSlot
float BlendOutTime = 0.0f;
int32 LoopCount = 0;
bool Pause = false;
+ bool Reset = false;
+};
+
+///
+/// The animation graph state container for a single node playback trace (eg. animation sample info or state transition). Can be used by Anim Graph debugging or custom scripting.
+///
+API_STRUCT() struct FLAXENGINE_API AnimGraphTraceEvent
+{
+ DECLARE_SCRIPTING_TYPE_MINIMAL(AnimGraphTraceEvent);
+
+ // Contextual asset used. For example, sampled animation.
+ API_FIELD() Asset* Asset = nullptr;
+ // Generic value contextual to playback type (eg. animation sample position).
+ API_FIELD() float Value = 0;
+ // Identifier of the node in the graph.
+ API_FIELD() uint32 NodeId = 0;
};
///
@@ -240,7 +258,10 @@ public:
uint64 LastUpdateFrame;
AnimGraphNode* CurrentState;
AnimGraphStateTransition* ActiveTransition;
+ AnimGraphStateTransition* BaseTransition;
+ AnimGraphNode* BaseTransitionState;
float TransitionPosition;
+ float BaseTransitionPosition;
};
struct SlotBucket
@@ -357,6 +378,12 @@ public:
///
void InvokeAnimEvents();
+public:
+ // Anim Graph logic tracing feature that allows to collect insights of animations sampling and skeleton poses operations.
+ bool EnableTracing = false;
+ // Trace events collected when using EnableTracing option.
+ Array TraceEvents;
+
private:
struct OutgoingEvent
{
@@ -836,7 +863,7 @@ public:
}
///
- /// Resets all the state bucket used by the given graph including sub-graphs (total). Can eb used to reset the animation state of the nested graph (including children).
+ /// Resets all the state bucket used by the given graph including sub-graphs (total). Can be used to reset the animation state of the nested graph (including children).
///
void ResetBuckets(AnimGraphContext& context, AnimGraphBase* graph);
@@ -865,5 +892,7 @@ private:
Variant SampleAnimationsWithBlend(AnimGraphNode* node, bool loop, float length, float startTimePos, float prevTimePos, float& newTimePos, Animation* animA, Animation* animB, Animation* animC, float speedA, float speedB, float speedC, float alphaA, float alphaB, float alphaC);
Variant Blend(AnimGraphNode* node, const Value& poseA, const Value& poseB, float alpha, AlphaBlendMode alphaMode);
Variant SampleState(AnimGraphNode* state);
+ void InitStateTransition(AnimGraphContext& context, AnimGraphInstanceData::StateMachineBucket& stateMachineBucket, AnimGraphStateTransition* transition = nullptr);
+ AnimGraphStateTransition* UpdateStateTransitions(AnimGraphContext& context, const AnimGraphNode::StateMachineData& stateMachineData, AnimGraphNode* state, AnimGraphNode* ignoreState = nullptr);
void UpdateStateTransitions(AnimGraphContext& context, const AnimGraphNode::StateMachineData& stateMachineData, AnimGraphInstanceData::StateMachineBucket& stateMachineBucket, const AnimGraphNode::StateBaseData& stateData);
};
diff --git a/Source/Engine/Animations/Graph/AnimGroup.Animation.cpp b/Source/Engine/Animations/Graph/AnimGroup.Animation.cpp
index 8a7751ecb..cdf1ebd84 100644
--- a/Source/Engine/Animations/Graph/AnimGroup.Animation.cpp
+++ b/Source/Engine/Animations/Graph/AnimGroup.Animation.cpp
@@ -219,6 +219,16 @@ void AnimGraphExecutor::ProcessAnimation(AnimGraphImpulse* nodes, AnimGraphNode*
const float animPos = GetAnimSamplePos(length, anim, pos, speed);
const float animPrevPos = GetAnimSamplePos(length, anim, prevPos, speed);
+ // Add to trace
+ auto& context = Context.Get();
+ if (context.Data->EnableTracing)
+ {
+ auto& trace = context.Data->TraceEvents.AddOne();
+ trace.Asset = anim;
+ trace.Value = animPos;
+ trace.NodeId = node->ID;
+ }
+
// Evaluate nested animations
bool hasNested = false;
if (anim->NestedAnims.Count() != 0)
@@ -460,10 +470,12 @@ Variant AnimGraphExecutor::Blend(AnimGraphNode* node, const Value& poseA, const
{
ANIM_GRAPH_PROFILE_EVENT("Blend Pose");
+ if (isnan(alpha) || isinf(alpha))
+ alpha = 0;
+ alpha = Math::Saturate(alpha);
alpha = AlphaBlend::Process(alpha, alphaMode);
const auto nodes = node->GetNodes(this);
-
auto nodesA = static_cast(poseA.AsPointer);
auto nodesB = static_cast(poseB.AsPointer);
if (!ANIM_GRAPH_IS_VALID_PTR(poseA))
@@ -484,32 +496,40 @@ Variant AnimGraphExecutor::Blend(AnimGraphNode* node, const Value& poseA, const
Variant AnimGraphExecutor::SampleState(AnimGraphNode* state)
{
- // Prepare
auto& data = state->Data.State;
if (data.Graph == nullptr || data.Graph->GetRootNode() == nullptr)
- {
- // Invalid state graph
return Value::Null;
- }
-
ANIM_GRAPH_PROFILE_EVENT("Evaluate State");
-
- // Evaluate state
auto rootNode = data.Graph->GetRootNode();
- auto result = eatBox((Node*)rootNode, &rootNode->Boxes[0]);
-
- return result;
+ return eatBox((Node*)rootNode, &rootNode->Boxes[0]);
}
-void AnimGraphExecutor::UpdateStateTransitions(AnimGraphContext& context, const AnimGraphNode::StateMachineData& stateMachineData, AnimGraphInstanceData::StateMachineBucket& stateMachineBucket, const AnimGraphNode::StateBaseData& stateData)
+void AnimGraphExecutor::InitStateTransition(AnimGraphContext& context, AnimGraphInstanceData::StateMachineBucket& stateMachineBucket, AnimGraphStateTransition* transition)
+{
+ // Reset transiton
+ stateMachineBucket.ActiveTransition = transition;
+ stateMachineBucket.TransitionPosition = 0.0f;
+
+ // End base transition
+ if (stateMachineBucket.BaseTransition)
+ {
+ ResetBuckets(context, stateMachineBucket.BaseTransitionState->Data.State.Graph);
+ stateMachineBucket.BaseTransition = nullptr;
+ stateMachineBucket.BaseTransitionState = nullptr;
+ stateMachineBucket.BaseTransitionPosition = 0.0f;
+ }
+}
+
+AnimGraphStateTransition* AnimGraphExecutor::UpdateStateTransitions(AnimGraphContext& context, const AnimGraphNode::StateMachineData& stateMachineData, AnimGraphNode* state, AnimGraphNode* ignoreState)
{
int32 transitionIndex = 0;
+ const AnimGraphNode::StateBaseData& stateData = state->Data.State;
while (transitionIndex < ANIM_GRAPH_MAX_STATE_TRANSITIONS && stateData.Transitions[transitionIndex] != AnimGraphNode::StateData::InvalidTransitionIndex)
{
const uint16 idx = stateData.Transitions[transitionIndex];
ASSERT(idx < stateMachineData.Graph->StateTransitions.Count());
auto& transition = stateMachineData.Graph->StateTransitions[idx];
- if (transition.Destination == stateMachineBucket.CurrentState)
+ if (transition.Destination == state || transition.Destination == ignoreState)
{
// Ignore transition to the current state
transitionIndex++;
@@ -517,7 +537,7 @@ void AnimGraphExecutor::UpdateStateTransitions(AnimGraphContext& context, const
}
// Evaluate source state transition data (position, length, etc.)
- const Value sourceStatePtr = SampleState(stateMachineBucket.CurrentState);
+ const Value sourceStatePtr = SampleState(state);
auto& transitionData = context.TransitionData; // Note: this could support nested transitions but who uses state machine inside transition rule?
if (ANIM_GRAPH_IS_VALID_PTR(sourceStatePtr))
{
@@ -538,6 +558,7 @@ void AnimGraphExecutor::UpdateStateTransitions(AnimGraphContext& context, const
if (transition.RuleGraph && !useDefaultRule)
{
// Execute transition rule
+ ANIM_GRAPH_PROFILE_EVENT("Rule");
auto rootNode = transition.RuleGraph->GetRootNode();
ASSERT(rootNode);
if (!(bool)eatBox((Node*)rootNode, &rootNode->Boxes[0]))
@@ -560,10 +581,7 @@ void AnimGraphExecutor::UpdateStateTransitions(AnimGraphContext& context, const
canEnter = true;
if (canEnter)
{
- // Start transition
- stateMachineBucket.ActiveTransition = &transition;
- stateMachineBucket.TransitionPosition = 0.0f;
- break;
+ return &transition;
}
// Skip after Solo transition
@@ -573,6 +591,18 @@ void AnimGraphExecutor::UpdateStateTransitions(AnimGraphContext& context, const
transitionIndex++;
}
+
+ // No transition
+ return nullptr;
+}
+
+void AnimGraphExecutor::UpdateStateTransitions(AnimGraphContext& context, const AnimGraphNode::StateMachineData& stateMachineData, AnimGraphInstanceData::StateMachineBucket& stateMachineBucket, const AnimGraphNode::StateBaseData& stateData)
+{
+ AnimGraphStateTransition* transition = UpdateStateTransitions(context, stateMachineData, stateMachineBucket.CurrentState);
+ if (transition)
+ {
+ InitStateTransition(context, stateMachineBucket, transition);
+ }
}
void ComputeMultiBlendLength(float& length, AnimGraphNode* node)
@@ -1367,33 +1397,29 @@ void AnimGraphExecutor::ProcessGroupAnimation(Box* boxBase, Node* nodeBase, Valu
}
// Use 1D blend if points are on the same line (degenerated triangle)
- // TODO: simplify this code
+ struct BlendData
+ {
+ float AlphaX, AlphaY;
+ Animation* AnimA, *AnimB;
+ const Float4* AnimAd, *AnimBd;
+ };
+ BlendData blendData;
if (v1.Y >= v0.Y)
{
if (p.Y < v0.Y && v1.Y >= v0.Y)
- {
- const float alpha = p.Y / v0.Y;
- value = SampleAnimationsWithBlend(node, loop, data.Length, startTimePos, bucket.TimePosition, newTimePos, aAnim, bAnim, aData.W, bData.W, alpha);
- }
+ blendData = { p.Y, v0.Y, aAnim, bAnim, &aData, &bData };
else
- {
- const float alpha = (p.Y - v0.Y) / (v1.Y - v0.Y);
- value = SampleAnimationsWithBlend(node, loop, data.Length, startTimePos, bucket.TimePosition, newTimePos, bAnim, cAnim, bData.W, cData.W, alpha);
- }
+ blendData = { p.Y - v0.Y, v1.Y - v0.Y, bAnim, cAnim, &bData, &cData };
}
else
{
if (p.Y < v1.Y)
- {
- const float alpha = p.Y / v1.Y;
- value = SampleAnimationsWithBlend(node, loop, data.Length, startTimePos, bucket.TimePosition, newTimePos, aAnim, cAnim, aData.W, cData.W, alpha);
- }
+ blendData = { p.Y, v1.Y, aAnim, cAnim, &aData, &cData };
else
- {
- const float alpha = (p.Y - v1.Y) / (v0.Y - v1.Y);
- value = SampleAnimationsWithBlend(node, loop, data.Length, startTimePos, bucket.TimePosition, newTimePos, cAnim, bAnim, cData.W, bData.W, alpha);
- }
+ blendData = { p.Y - v1.Y, v0.Y - v1.Y, cAnim, bAnim, &cData, &bData };
}
+ const float alpha = Math::IsZero(blendData.AlphaY) ? 0.0f : blendData.AlphaX / blendData.AlphaY;
+ value = SampleAnimationsWithBlend(node, loop, data.Length, startTimePos, bucket.TimePosition, newTimePos, blendData.AnimA, blendData.AnimB, blendData.AnimAd->W, blendData.AnimBd->W, alpha);
}
else
{
@@ -1505,10 +1531,9 @@ void AnimGraphExecutor::ProcessGroupAnimation(Box* boxBase, Node* nodeBase, Valu
// Blend two animations
{
- const float alpha = Math::Saturate(bucket.TransitionPosition / blendDuration);
+ const float alpha = bucket.TransitionPosition / blendDuration;
const auto valueA = tryGetValue(node->GetBox(FirstBlendPoseBoxIndex + bucket.PreviousBlendPoseIndex), Value::Null);
const auto valueB = tryGetValue(node->GetBox(FirstBlendPoseBoxIndex + poseIndex), Value::Null);
-
value = Blend(node, valueA, valueB, alpha, mode);
}
@@ -1614,22 +1639,21 @@ void AnimGraphExecutor::ProcessGroupAnimation(Box* boxBase, Node* nodeBase, Valu
// Enter to the first state pointed by the Entry node (without transitions)
bucket.CurrentState = data.Graph->GetRootNode();
- bucket.ActiveTransition = nullptr;
- bucket.TransitionPosition = 0.0f;
+ InitStateTransition(context, bucket);
- // Reset all state buckets pof the graphs and nodes included inside the state machine
+ // Reset all state buckets of the graphs and nodes included inside the state machine
ResetBuckets(context, data.Graph);
}
#define END_TRANSITION() \
ResetBuckets(context, bucket.CurrentState->Data.State.Graph); \
bucket.CurrentState = bucket.ActiveTransition->Destination; \
- bucket.ActiveTransition = nullptr; \
- bucket.TransitionPosition = 0.0f
+ InitStateTransition(context, bucket)
// Update the active transition
if (bucket.ActiveTransition)
{
bucket.TransitionPosition += context.DeltaTime;
+ ASSERT(bucket.CurrentState);
// Check for transition end
if (bucket.TransitionPosition >= bucket.ActiveTransition->BlendDuration)
@@ -1637,38 +1661,70 @@ void AnimGraphExecutor::ProcessGroupAnimation(Box* boxBase, Node* nodeBase, Valu
END_TRANSITION();
}
// Check for transition interruption
- else if (EnumHasAnyFlags(bucket.ActiveTransition->Flags, AnimGraphStateTransition::FlagTypes::InterruptionRuleRechecking))
+ else if (EnumHasAnyFlags(bucket.ActiveTransition->Flags, AnimGraphStateTransition::FlagTypes::InterruptionRuleRechecking) &&
+ EnumHasNoneFlags(bucket.ActiveTransition->Flags, AnimGraphStateTransition::FlagTypes::UseDefaultRule) &&
+ bucket.ActiveTransition->RuleGraph)
{
- const bool useDefaultRule = EnumHasAnyFlags(bucket.ActiveTransition->Flags, AnimGraphStateTransition::FlagTypes::UseDefaultRule);
- if (bucket.ActiveTransition->RuleGraph && !useDefaultRule)
+ // Execute transition rule
+ auto rootNode = bucket.ActiveTransition->RuleGraph->GetRootNode();
+ if (!(bool)eatBox((Node*)rootNode, &rootNode->Boxes[0]))
{
- // Execute transition rule
- auto rootNode = bucket.ActiveTransition->RuleGraph->GetRootNode();
- if (!(bool)eatBox((Node*)rootNode, &rootNode->Boxes[0]))
+ bool cancelTransition = false;
+ if (EnumHasAnyFlags(bucket.ActiveTransition->Flags, AnimGraphStateTransition::FlagTypes::InterruptionInstant))
{
- bool cancelTransition = false;
- if (EnumHasAnyFlags(bucket.ActiveTransition->Flags, AnimGraphStateTransition::FlagTypes::InterruptionInstant))
+ cancelTransition = true;
+ }
+ else
+ {
+ // Blend back to the source state (remove currently applied delta and rewind transition)
+ bucket.TransitionPosition -= context.DeltaTime;
+ bucket.TransitionPosition -= context.DeltaTime;
+ if (bucket.TransitionPosition <= ZeroTolerance)
{
cancelTransition = true;
}
- else
- {
- // Blend back to the source state (remove currently applied delta and rewind transition)
- bucket.TransitionPosition -= context.DeltaTime;
- bucket.TransitionPosition -= context.DeltaTime;
- if (bucket.TransitionPosition <= ZeroTolerance)
- {
- cancelTransition = true;
- }
- }
- if (cancelTransition)
- {
- // Go back to the source state
- ResetBuckets(context, bucket.CurrentState->Data.State.Graph);
- bucket.ActiveTransition = nullptr;
- bucket.TransitionPosition = 0.0f;
- }
}
+ if (cancelTransition)
+ {
+ // Go back to the source state
+ ResetBuckets(context, bucket.CurrentState->Data.State.Graph);
+ InitStateTransition(context, bucket);
+ }
+ }
+ }
+ if (bucket.ActiveTransition && !bucket.BaseTransition && EnumHasAnyFlags(bucket.ActiveTransition->Flags, AnimGraphStateTransition::FlagTypes::InterruptionSourceState))
+ {
+ // Try to interrupt with any other transition in the source state (except the current transition)
+ if (AnimGraphStateTransition* transition = UpdateStateTransitions(context, data, bucket.CurrentState, bucket.ActiveTransition->Destination))
+ {
+ // Change active transition to the interrupted one
+ if (EnumHasNoneFlags(bucket.ActiveTransition->Flags, AnimGraphStateTransition::FlagTypes::InterruptionInstant))
+ {
+ // Cache the current blending state to be used as a base when blending towards new destination state (seamless blending after interruption)
+ bucket.BaseTransition = bucket.ActiveTransition;
+ bucket.BaseTransitionState = bucket.CurrentState;
+ bucket.BaseTransitionPosition = bucket.TransitionPosition;
+ }
+ bucket.ActiveTransition = transition;
+ bucket.TransitionPosition = 0.0f;
+ }
+ }
+ if (bucket.ActiveTransition && !bucket.BaseTransition && EnumHasAnyFlags(bucket.ActiveTransition->Flags, AnimGraphStateTransition::FlagTypes::InterruptionDestinationState))
+ {
+ // Try to interrupt with any other transition in the destination state (except the transition back to the current state if exists)
+ if (AnimGraphStateTransition* transition = UpdateStateTransitions(context, data, bucket.ActiveTransition->Destination, bucket.CurrentState))
+ {
+ // Change active transition to the interrupted one
+ if (EnumHasNoneFlags(bucket.ActiveTransition->Flags, AnimGraphStateTransition::FlagTypes::InterruptionInstant))
+ {
+ // Cache the current blending state to be used as a base when blending towards new destination state (seamless blending after interruption)
+ bucket.BaseTransition = bucket.ActiveTransition;
+ bucket.BaseTransitionState = bucket.CurrentState;
+ bucket.BaseTransitionPosition = bucket.TransitionPosition;
+ }
+ bucket.CurrentState = bucket.ActiveTransition->Destination;
+ bucket.ActiveTransition = transition;
+ bucket.TransitionPosition = 0.0f;
}
}
}
@@ -1697,9 +1753,23 @@ void AnimGraphExecutor::ProcessGroupAnimation(Box* boxBase, Node* nodeBase, Valu
}
}
- // Sample the current state
- const auto currentState = SampleState(bucket.CurrentState);
- value = currentState;
+ if (bucket.BaseTransitionState)
+ {
+ // Sample the other state (eg. when blending from interrupted state to the another state from the old destination)
+ value = SampleState(bucket.BaseTransitionState);
+ if (bucket.BaseTransition)
+ {
+ // Evaluate the base pose from the time when transition was interrupted
+ const auto destinationState = SampleState(bucket.BaseTransition->Destination);
+ const float alpha = bucket.BaseTransitionPosition / bucket.BaseTransition->BlendDuration;
+ value = Blend(node, value, destinationState, alpha, bucket.BaseTransition->BlendMode);
+ }
+ }
+ else
+ {
+ // Sample the current state
+ value = SampleState(bucket.CurrentState);
+ }
// Handle active transition blending
if (bucket.ActiveTransition)
@@ -1708,14 +1778,12 @@ void AnimGraphExecutor::ProcessGroupAnimation(Box* boxBase, Node* nodeBase, Valu
const auto destinationState = SampleState(bucket.ActiveTransition->Destination);
// Perform blending
- const float alpha = Math::Saturate(bucket.TransitionPosition / bucket.ActiveTransition->BlendDuration);
- value = Blend(node, currentState, destinationState, alpha, bucket.ActiveTransition->BlendMode);
+ const float alpha = bucket.TransitionPosition / bucket.ActiveTransition->BlendDuration;
+ value = Blend(node, value, destinationState, alpha, bucket.ActiveTransition->BlendMode);
}
- // Update bucket
bucket.LastUpdateFrame = context.CurrentFrameIndex;
#undef END_TRANSITION
-
break;
}
// Entry
@@ -2102,6 +2170,12 @@ void AnimGraphExecutor::ProcessGroupAnimation(Box* boxBase, Node* nodeBase, Valu
auto& slot = slots[bucket.Index];
Animation* anim = slot.Animation;
ASSERT(slot.Animation && slot.Animation->IsLoaded());
+ if (slot.Reset)
+ {
+ // Start from the begining
+ slot.Reset = false;
+ bucket.TimePosition = 0.0f;
+ }
const float deltaTime = slot.Pause ? 0.0f : context.DeltaTime * slot.Speed;
const float length = anim->GetLength();
const bool loop = bucket.LoopsLeft != 0;
@@ -2130,7 +2204,7 @@ void AnimGraphExecutor::ProcessGroupAnimation(Box* boxBase, Node* nodeBase, Valu
// Blend out
auto input = tryGetValue(node->GetBox(1), Value::Null);
bucket.BlendOutPosition += deltaTime;
- const float alpha = Math::Saturate(bucket.BlendOutPosition / slot.BlendOutTime);
+ const float alpha = bucket.BlendOutPosition / slot.BlendOutTime;
value = Blend(node, value, input, alpha, AlphaBlendMode::HermiteCubic);
}
else if (bucket.LoopsDone == 0 && slot.BlendInTime > 0.0f && bucket.BlendInPosition < slot.BlendInTime)
@@ -2138,7 +2212,7 @@ void AnimGraphExecutor::ProcessGroupAnimation(Box* boxBase, Node* nodeBase, Valu
// Blend in
auto input = tryGetValue(node->GetBox(1), Value::Null);
bucket.BlendInPosition += deltaTime;
- const float alpha = Math::Saturate(bucket.BlendInPosition / slot.BlendInTime);
+ const float alpha = bucket.BlendInPosition / slot.BlendInTime;
value = Blend(node, input, value, alpha, AlphaBlendMode::HermiteCubic);
}
break;
diff --git a/Source/Engine/Core/Types/DateTime.cpp b/Source/Engine/Core/Types/DateTime.cpp
index a0d873b43..85b42378c 100644
--- a/Source/Engine/Core/Types/DateTime.cpp
+++ b/Source/Engine/Core/Types/DateTime.cpp
@@ -12,22 +12,22 @@ const int32 CachedDaysToMonth[] = { 0, 31, 59, 90, 120, 151, 181, 212, 243, 273,
DateTime::DateTime(int32 year, int32 month, int32 day, int32 hour, int32 minute, int32 second, int32 millisecond)
{
ASSERT_LOW_LAYER(Validate(year, month, day, hour, minute, second, millisecond));
- int32 totalDays = 0;
+ int32 daysSum = 0;
if (month > 2 && IsLeapYear(year))
- totalDays++;
+ daysSum++;
year--;
month--;
- totalDays += year * 365 + year / 4 - year / 100 + year / 400 + CachedDaysToMonth[month] + day - 1;
- Ticks = totalDays * Constants::TicksPerDay
- + hour * Constants::TicksPerHour
- + minute * Constants::TicksPerMinute
- + second * Constants::TicksPerSecond
- + millisecond * Constants::TicksPerMillisecond;
+ daysSum += year * 365 + year / 4 - year / 100 + year / 400 + CachedDaysToMonth[month] + day - 1;
+ Ticks = daysSum * TimeSpan::TicksPerDay
+ + hour * TimeSpan::TicksPerHour
+ + minute * TimeSpan::TicksPerMinute
+ + second * TimeSpan::TicksPerSecond
+ + millisecond * TimeSpan::TicksPerMillisecond;
}
DateTime DateTime::GetDate() const
{
- return DateTime(Ticks - Ticks % Constants::TicksPerDay);
+ return DateTime(Ticks - Ticks % TimeSpan::TicksPerDay);
}
void DateTime::GetDate(int32& year, int32& month, int32& day) const
@@ -35,8 +35,7 @@ void DateTime::GetDate(int32& year, int32& month, int32& day) const
// Based on:
// Fliegel, H. F. and van Flandern, T. C.,
// Communications of the ACM, Vol. 11, No. 10 (October 1968).
-
- int32 l = Math::FloorToInt(static_cast(GetJulianDay() + 0.5)) + 68569;
+ int32 l = Math::FloorToInt((float)(GetDate().GetJulianDay() + 0.5)) + 68569;
const int32 n = 4 * l / 146097;
l = l - (146097 * n + 3) / 4;
int32 i = 4000 * (l + 1) / 1461001;
@@ -46,7 +45,6 @@ void DateTime::GetDate(int32& year, int32& month, int32& day) const
l = j / 11;
j = j + 2 - 12 * l;
i = 100 * (n - 49) + i + l;
-
year = i;
month = j;
day = k;
@@ -61,7 +59,7 @@ int32 DateTime::GetDay() const
DayOfWeek DateTime::GetDayOfWeek() const
{
- return static_cast((Ticks / Constants::TicksPerDay) % 7);
+ return static_cast((Ticks / TimeSpan::TicksPerDay) % 7);
}
int32 DateTime::GetDayOfYear() const
@@ -75,7 +73,7 @@ int32 DateTime::GetDayOfYear() const
int32 DateTime::GetHour() const
{
- return static_cast(Ticks / Constants::TicksPerHour % 24);
+ return static_cast(Ticks / TimeSpan::TicksPerHour % 24);
}
int32 DateTime::GetHour12() const
@@ -90,7 +88,7 @@ int32 DateTime::GetHour12() const
double DateTime::GetJulianDay() const
{
- return 1721425.5 + static_cast(Ticks) / Constants::TicksPerDay;
+ return 1721425.5 + static_cast(Ticks) / TimeSpan::TicksPerDay;
}
double DateTime::GetModifiedJulianDay() const
@@ -100,12 +98,12 @@ double DateTime::GetModifiedJulianDay() const
int32 DateTime::GetMillisecond() const
{
- return static_cast(Ticks / Constants::TicksPerMillisecond % 1000);
+ return static_cast(Ticks / TimeSpan::TicksPerMillisecond % 1000);
}
int32 DateTime::GetMinute() const
{
- return static_cast(Ticks / Constants::TicksPerMinute % 60);
+ return static_cast(Ticks / TimeSpan::TicksPerMinute % 60);
}
int32 DateTime::GetMonth() const
@@ -122,12 +120,12 @@ MonthOfYear DateTime::GetMonthOfYear() const
int32 DateTime::GetSecond() const
{
- return static_cast(Ticks / Constants::TicksPerSecond % 60);
+ return static_cast(Ticks / TimeSpan::TicksPerSecond % 60);
}
TimeSpan DateTime::GetTimeOfDay() const
{
- return TimeSpan(Ticks % Constants::TicksPerDay);
+ return TimeSpan(Ticks % TimeSpan::TicksPerDay);
}
int32 DateTime::GetYear() const
@@ -137,11 +135,6 @@ int32 DateTime::GetYear() const
return year;
}
-int32 DateTime::ToUnixTimestamp() const
-{
- return static_cast((Ticks - DateTime(1970, 1, 1).Ticks) / Constants::TicksPerSecond);
-}
-
int32 DateTime::DaysInMonth(int32 year, int32 month)
{
ASSERT_LOW_LAYER((month >= 1) && (month <= 12));
@@ -155,16 +148,6 @@ int32 DateTime::DaysInYear(int32 year)
return IsLeapYear(year) ? 366 : 365;
}
-DateTime DateTime::FromJulianDay(double julianDay)
-{
- return DateTime(static_cast((julianDay - 1721425.5) * Constants::TicksPerDay));
-}
-
-DateTime DateTime::FromUnixTimestamp(int32 unixTime)
-{
- return DateTime(1970, 1, 1) + TimeSpan(static_cast(unixTime) * Constants::TicksPerSecond);
-}
-
bool DateTime::IsLeapYear(int32 year)
{
if ((year % 4) == 0)
@@ -176,7 +159,7 @@ bool DateTime::IsLeapYear(int32 year)
DateTime DateTime::MaxValue()
{
- return DateTime(3652059 * Constants::TicksPerDay - 1);
+ return DateTime(3652059 * TimeSpan::TicksPerDay - 1);
}
DateTime DateTime::Now()
diff --git a/Source/Engine/Core/Types/DateTime.h b/Source/Engine/Core/Types/DateTime.h
index 67b2d70ff..a89a69fcf 100644
--- a/Source/Engine/Core/Types/DateTime.h
+++ b/Source/Engine/Core/Types/DateTime.h
@@ -199,11 +199,6 @@ public:
///
int32 GetYear() const;
- ///
- /// Gets this date as the number of seconds since the Unix Epoch (January 1st of 1970).
- ///
- int32 ToUnixTimestamp() const;
-
public:
///
/// Gets the number of days in the year and month.
@@ -220,20 +215,6 @@ public:
/// The number of days.
static int32 DaysInYear(int32 year);
- ///
- /// Returns the proleptic Gregorian date for the given Julian Day.
- ///
- /// The Julian Day.
- /// Gregorian date and time.
- static DateTime FromJulianDay(double julianDay);
-
- ///
- /// Returns the date from Unix time (seconds from midnight 1970-01-01).
- ///
- /// The Unix time (seconds from midnight 1970-01-01).
- /// The Gregorian date and time.
- static DateTime FromUnixTimestamp(int32 unixTime);
-
///
/// Determines whether the specified year is a leap year.
///
diff --git a/Source/Engine/Core/Types/TimeSpan.cpp b/Source/Engine/Core/Types/TimeSpan.cpp
index 0e4aed407..287097672 100644
--- a/Source/Engine/Core/Types/TimeSpan.cpp
+++ b/Source/Engine/Core/Types/TimeSpan.cpp
@@ -6,38 +6,53 @@
TimeSpan TimeSpan::FromDays(double days)
{
ASSERT_LOW_LAYER((days >= MinValue().GetTotalDays()) && (days <= MaxValue().GetTotalDays()));
- return TimeSpan(static_cast(days * Constants::TicksPerDay));
+ return TimeSpan(static_cast(days * TicksPerDay));
}
TimeSpan TimeSpan::FromHours(double hours)
{
ASSERT_LOW_LAYER((hours >= MinValue().GetTotalHours()) && (hours <= MaxValue().GetTotalHours()));
- return TimeSpan(static_cast(hours * Constants::TicksPerHour));
+ return TimeSpan(static_cast(hours * TicksPerHour));
}
TimeSpan TimeSpan::FromMilliseconds(double milliseconds)
{
ASSERT_LOW_LAYER((milliseconds >= MinValue().GetTotalMilliseconds()) && (milliseconds <= MaxValue().GetTotalMilliseconds()));
- return TimeSpan(static_cast(milliseconds * Constants::TicksPerMillisecond));
+ return TimeSpan(static_cast(milliseconds * TicksPerMillisecond));
}
TimeSpan TimeSpan::FromMinutes(double minutes)
{
ASSERT_LOW_LAYER((minutes >= MinValue().GetTotalMinutes()) && (minutes <= MaxValue().GetTotalMinutes()));
- return TimeSpan(static_cast(minutes * Constants::TicksPerMinute));
+ return TimeSpan(static_cast(minutes * TicksPerMinute));
}
TimeSpan TimeSpan::FromSeconds(double seconds)
{
ASSERT_LOW_LAYER((seconds >= MinValue().GetTotalSeconds()) && (seconds <= MaxValue().GetTotalSeconds()));
- return TimeSpan(static_cast(seconds * Constants::TicksPerSecond));
+ return TimeSpan(static_cast(seconds * TicksPerSecond));
+}
+
+TimeSpan TimeSpan::MaxValue()
+{
+ return TimeSpan(9223372036854775807);
+}
+
+TimeSpan TimeSpan::MinValue()
+{
+ return TimeSpan(-9223372036854775807 - 1);
+}
+
+TimeSpan TimeSpan::Zero()
+{
+ return TimeSpan(0);
}
void TimeSpan::Set(int32 days, int32 hours, int32 minutes, int32 seconds, int32 milliseconds)
{
const int64 totalMs = 1000 * (60 * 60 * 24 * (int64)days + 60 * 60 * (int64)hours + 60 * (int64)minutes + (int64)seconds) + (int64)milliseconds;
ASSERT_LOW_LAYER((totalMs >= MinValue().GetTotalMilliseconds()) && (totalMs <= MaxValue().GetTotalMilliseconds()));
- Ticks = totalMs * Constants::TicksPerMillisecond;
+ Ticks = totalMs * TicksPerMillisecond;
}
String TimeSpan::ToString() const
diff --git a/Source/Engine/Core/Types/TimeSpan.h b/Source/Engine/Core/Types/TimeSpan.h
index 7545a21c0..f14a622a0 100644
--- a/Source/Engine/Core/Types/TimeSpan.h
+++ b/Source/Engine/Core/Types/TimeSpan.h
@@ -6,32 +6,30 @@
#include "Engine/Core/Formatting.h"
#include "Engine/Core/Templates.h"
-namespace Constants
-{
- // The number of timespan ticks per day.
- const int64 TicksPerDay = 864000000000;
-
- // The number of timespan ticks per hour.
- const int64 TicksPerHour = 36000000000;
-
- // The number of timespan ticks per millisecond.
- const int64 TicksPerMillisecond = 10000;
-
- // The number of timespan ticks per minute.
- const int64 TicksPerMinute = 600000000;
-
- // The number of timespan ticks per second.
- const int64 TicksPerSecond = 10000000;
-
- // The number of timespan ticks per week.
- const int64 TicksPerWeek = 6048000000000;
-}
-
///
/// Represents the difference between two dates and times.
///
API_STRUCT(InBuild, Namespace="System") struct FLAXENGINE_API TimeSpan
{
+public:
+ // The number of timespan ticks per day.
+ static constexpr int64 TicksPerDay = 864000000000;
+
+ // The number of timespan ticks per hour.
+ static constexpr int64 TicksPerHour = 36000000000;
+
+ // The number of timespan ticks per millisecond.
+ static constexpr int64 TicksPerMillisecond = 10000;
+
+ // The number of timespan ticks per minute.
+ static constexpr int64 TicksPerMinute = 600000000;
+
+ // The number of timespan ticks per second.
+ static constexpr int64 TicksPerSecond = 10000000;
+
+ // The number of timespan ticks per week.
+ static constexpr int64 TicksPerWeek = 6048000000000;
+
public:
///
/// Time span in 100 nanoseconds resolution.
@@ -170,7 +168,7 @@ public:
///
FORCE_INLINE int32 GetDays() const
{
- return (int32)(Ticks / Constants::TicksPerDay);
+ return (int32)(Ticks / TicksPerDay);
}
///
@@ -186,7 +184,7 @@ public:
///
FORCE_INLINE int32 GetHours() const
{
- return (int32)(Ticks / Constants::TicksPerHour % 24);
+ return (int32)(Ticks / TicksPerHour % 24);
}
///
@@ -194,7 +192,7 @@ public:
///
FORCE_INLINE int32 GetMilliseconds() const
{
- return (int32)(Ticks / Constants::TicksPerMillisecond % 1000);
+ return (int32)(Ticks / TicksPerMillisecond % 1000);
}
///
@@ -202,7 +200,7 @@ public:
///
FORCE_INLINE int32 GetMinutes() const
{
- return (int32)(Ticks / Constants::TicksPerMinute % 60);
+ return (int32)(Ticks / TicksPerMinute % 60);
}
///
@@ -210,7 +208,7 @@ public:
///
FORCE_INLINE int32 GetSeconds() const
{
- return (int32)(Ticks / Constants::TicksPerSecond % 60);
+ return (int32)(Ticks / TicksPerSecond % 60);
}
///
@@ -218,7 +216,7 @@ public:
///
FORCE_INLINE double GetTotalDays() const
{
- return (double)Ticks / Constants::TicksPerDay;
+ return (double)Ticks / TicksPerDay;
}
///
@@ -226,7 +224,7 @@ public:
///
FORCE_INLINE double GetTotalHours() const
{
- return (double)Ticks / Constants::TicksPerHour;
+ return (double)Ticks / TicksPerHour;
}
///
@@ -234,7 +232,7 @@ public:
///
FORCE_INLINE double GetTotalMilliseconds() const
{
- return (double)Ticks / Constants::TicksPerMillisecond;
+ return (double)Ticks / TicksPerMillisecond;
}
///
@@ -242,7 +240,7 @@ public:
///
FORCE_INLINE double GetTotalMinutes() const
{
- return (double)Ticks / Constants::TicksPerMinute;
+ return (double)Ticks / TicksPerMinute;
}
///
@@ -250,7 +248,7 @@ public:
///
FORCE_INLINE float GetTotalSeconds() const
{
- return static_cast(Ticks) / Constants::TicksPerSecond;
+ return static_cast(Ticks) / TicksPerSecond;
}
public:
@@ -293,29 +291,17 @@ public:
///
/// Returns the maximum time span value.
///
- /// The time span.
- static TimeSpan MaxValue()
- {
- return TimeSpan(9223372036854775807);
- }
+ static TimeSpan MaxValue();
///
/// Returns the minimum time span value.
///
- /// The time span.
- static TimeSpan MinValue()
- {
- return TimeSpan(-9223372036854775807 - 1);
- }
+ static TimeSpan MinValue();
///
/// Returns the zero time span value.
///
- /// The time span.
- static TimeSpan Zero()
- {
- return TimeSpan(0);
- }
+ static TimeSpan Zero();
private:
void Set(int32 days, int32 hours, int32 minutes, int32 seconds, int32 milliseconds);
diff --git a/Source/Engine/Core/Types/Variant.cpp b/Source/Engine/Core/Types/Variant.cpp
index 952e648e6..9e8b69b2c 100644
--- a/Source/Engine/Core/Types/Variant.cpp
+++ b/Source/Engine/Core/Types/Variant.cpp
@@ -139,6 +139,24 @@ VariantType::VariantType(const StringAnsiView& typeName)
return;
}
}
+ {
+ // Aliases
+ if (typeName == "FlaxEngine.Vector2")
+ {
+ new(this) VariantType(Vector2);
+ return;
+ }
+ if (typeName == "FlaxEngine.Vector3")
+ {
+ new(this) VariantType(Vector3);
+ return;
+ }
+ if (typeName == "FlaxEngine.Vector4")
+ {
+ new(this) VariantType(Vector4);
+ return;
+ }
+ }
// Check case for array
if (typeName.EndsWith(StringAnsiView("[]"), StringSearchCase::CaseSensitive))
@@ -3985,15 +4003,32 @@ void Variant::CopyStructure(void* src)
{
if (AsBlob.Data && src)
{
- const ScriptingTypeHandle typeHandle = Scripting::FindScriptingType(StringAnsiView(Type.TypeName));
+ const StringAnsiView typeName(Type.TypeName);
+ const ScriptingTypeHandle typeHandle = Scripting::FindScriptingType(typeName);
if (typeHandle)
{
auto& type = typeHandle.GetType();
type.Struct.Copy(AsBlob.Data, src);
}
+#if USE_CSHARP
+ else if (const auto mclass = Scripting::FindClass(typeName))
+ {
+ // Fallback to C#-only types
+ MCore::Thread::Attach();
+ if (MANAGED_GC_HANDLE && mclass->IsValueType())
+ {
+ MObject* instance = MCore::GCHandle::GetTarget(MANAGED_GC_HANDLE);
+ void* data = MCore::Object::Unbox(instance);
+ Platform::MemoryCopy(data, src, mclass->GetInstanceSize());
+ }
+ }
+#endif
else
{
- Platform::MemoryCopy(AsBlob.Data, src, AsBlob.Length);
+ if (typeName.Length() != 0)
+ {
+ LOG(Warning, "Missing scripting type \'{0}\'", String(typeName));
+ }
}
}
}
diff --git a/Source/Engine/Engine/Time.cpp b/Source/Engine/Engine/Time.cpp
index 3adccdbd9..bb0c856f8 100644
--- a/Source/Engine/Engine/Time.cpp
+++ b/Source/Engine/Engine/Time.cpp
@@ -67,7 +67,7 @@ void Time::TickData::OnBeforeRun(float targetFps, double currentTime)
{
Time = UnscaledTime = TimeSpan::Zero();
DeltaTime = UnscaledDeltaTime = targetFps > ZeroTolerance ? TimeSpan::FromSeconds(1.0f / targetFps) : TimeSpan::Zero();
- LastLength = static_cast(DeltaTime.Ticks) / Constants::TicksPerSecond;
+ LastLength = static_cast(DeltaTime.Ticks) / TimeSpan::TicksPerSecond;
LastBegin = currentTime - LastLength;
LastEnd = currentTime;
NextBegin = targetFps > ZeroTolerance ? LastBegin + (1.0f / targetFps) : 0.0;
@@ -76,7 +76,7 @@ void Time::TickData::OnBeforeRun(float targetFps, double currentTime)
void Time::TickData::OnReset(float targetFps, double currentTime)
{
DeltaTime = UnscaledDeltaTime = targetFps > ZeroTolerance ? TimeSpan::FromSeconds(1.0f / targetFps) : TimeSpan::Zero();
- LastLength = static_cast(DeltaTime.Ticks) / Constants::TicksPerSecond;
+ LastLength = static_cast(DeltaTime.Ticks) / TimeSpan::TicksPerSecond;
LastBegin = currentTime - LastLength;
LastEnd = currentTime;
}
diff --git a/Source/Engine/Graphics/Enums.h b/Source/Engine/Graphics/Enums.h
index bbf9c0de8..6ae9ad4ec 100644
--- a/Source/Engine/Graphics/Enums.h
+++ b/Source/Engine/Graphics/Enums.h
@@ -236,6 +236,27 @@ API_ENUM(Attributes="Flags") enum class ShadowsCastingMode
DECLARE_ENUM_OPERATORS(ShadowsCastingMode);
+///
+/// The partitioning mode for shadow cascades.
+///
+API_ENUM() enum class PartitionMode
+{
+ ///
+ /// Internally defined cascade splits.
+ ///
+ Manual = 0,
+
+ ///
+ /// Logarithmic cascade splits.
+ ///
+ Logarithmic = 1,
+
+ ///
+ /// PSSM cascade splits.
+ ///
+ PSSM = 2,
+};
+
///
/// Identifies expected GPU resource use during rendering. The usage directly reflects whether a resource is accessible by the CPU and/or the GPU.
///
diff --git a/Source/Engine/Level/Actor.cpp b/Source/Engine/Level/Actor.cpp
index ff40cc208..7e2329389 100644
--- a/Source/Engine/Level/Actor.cpp
+++ b/Source/Engine/Level/Actor.cpp
@@ -1359,7 +1359,7 @@ bool Actor::IsPrefabRoot() const
Actor* Actor::FindActor(const StringView& name) const
{
Actor* result = nullptr;
- if (StringUtils::Compare(*_name, *name) == 0)
+ if (_name == name)
{
result = const_cast(this);
}
@@ -1393,7 +1393,7 @@ Actor* Actor::FindActor(const MClass* type) const
Actor* Actor::FindActor(const MClass* type, const StringView& name) const
{
CHECK_RETURN(type, nullptr);
- if (GetClass()->IsSubClassOf(type) && StringUtils::Compare(*_name, *name) == 0)
+ if (GetClass()->IsSubClassOf(type) && _name == name)
return const_cast(this);
for (auto child : Children)
{
diff --git a/Source/Engine/Level/Actors/AnimatedModel.cpp b/Source/Engine/Level/Actors/AnimatedModel.cpp
index c1b5af398..319def475 100644
--- a/Source/Engine/Level/Actors/AnimatedModel.cpp
+++ b/Source/Engine/Level/Actors/AnimatedModel.cpp
@@ -225,6 +225,17 @@ void AnimatedModel::SetMasterPoseModel(AnimatedModel* masterPose)
_masterPose->AnimationUpdated.Bind(this);
}
+const Array& AnimatedModel::GetTraceEvents() const
+{
+#if !BUILD_RELEASE
+ if (!GetEnableTracing())
+ {
+ LOG(Warning, "Accessing AnimatedModel.TraceEvents with tracing disabled.");
+ }
+#endif
+ return GraphInstance.TraceEvents;
+}
+
#define CHECK_ANIM_GRAPH_PARAM_ACCESS() \
if (!AnimationGraph) \
{ \
@@ -494,6 +505,7 @@ void AnimatedModel::StopSlotAnimation(const StringView& slotName, Animation* ani
if (slot.Animation == anim && slot.Name == slotName)
{
slot.Animation = nullptr;
+ slot.Reset = true;
break;
}
}
diff --git a/Source/Engine/Level/Actors/AnimatedModel.h b/Source/Engine/Level/Actors/AnimatedModel.h
index 029e17b62..bd03e824e 100644
--- a/Source/Engine/Level/Actors/AnimatedModel.h
+++ b/Source/Engine/Level/Actors/AnimatedModel.h
@@ -259,6 +259,27 @@ public:
/// The master pose actor to use.
API_FUNCTION() void SetMasterPoseModel(AnimatedModel* masterPose);
+ ///
+ /// Enables extracting animation playback insights for debugging or custom scripting.
+ ///
+ API_PROPERTY(Attributes="HideInEditor, NoSerialize") bool GetEnableTracing() const
+ {
+ return GraphInstance.EnableTracing;
+ }
+
+ ///
+ /// Enables extracting animation playback insights for debugging or custom scripting.
+ ///
+ API_PROPERTY() void SetEnableTracing(bool value)
+ {
+ GraphInstance.EnableTracing = value;
+ }
+
+ ///
+ /// Gets the trace events from the last animation update. Valid only when EnableTracing is active.
+ ///
+ API_PROPERTY(Attributes="HideInEditor, NoSerialize") const Array& GetTraceEvents() const;
+
public:
///
/// Gets the anim graph instance parameters collection.
diff --git a/Source/Engine/Level/Actors/DirectionalLight.cpp b/Source/Engine/Level/Actors/DirectionalLight.cpp
index 43450fd8e..32bb61653 100644
--- a/Source/Engine/Level/Actors/DirectionalLight.cpp
+++ b/Source/Engine/Level/Actors/DirectionalLight.cpp
@@ -41,6 +41,12 @@ void DirectionalLight::Draw(RenderContext& renderContext)
data.RenderedVolumetricFog = 0;
data.ShadowsMode = ShadowsMode;
data.CascadeCount = CascadeCount;
+ data.Cascade1Spacing = Cascade1Spacing;
+ data.Cascade2Spacing = Cascade2Spacing;
+ data.Cascade3Spacing = Cascade3Spacing;
+ data.Cascade4Spacing = Cascade4Spacing;
+
+ data.PartitionMode = PartitionMode;
data.ContactShadowsLength = ContactShadowsLength;
data.StaticFlags = GetStaticFlags();
data.ID = GetID();
@@ -56,6 +62,12 @@ void DirectionalLight::Serialize(SerializeStream& stream, const void* otherObj)
SERIALIZE_GET_OTHER_OBJ(DirectionalLight);
SERIALIZE(CascadeCount);
+ SERIALIZE(Cascade1Spacing);
+ SERIALIZE(Cascade2Spacing);
+ SERIALIZE(Cascade3Spacing);
+ SERIALIZE(Cascade4Spacing);
+
+ SERIALIZE(PartitionMode);
}
void DirectionalLight::Deserialize(DeserializeStream& stream, ISerializeModifier* modifier)
@@ -64,6 +76,12 @@ void DirectionalLight::Deserialize(DeserializeStream& stream, ISerializeModifier
LightWithShadow::Deserialize(stream, modifier);
DESERIALIZE(CascadeCount);
+ DESERIALIZE(Cascade1Spacing);
+ DESERIALIZE(Cascade2Spacing);
+ DESERIALIZE(Cascade3Spacing);
+ DESERIALIZE(Cascade4Spacing);
+
+ DESERIALIZE(PartitionMode);
}
bool DirectionalLight::IntersectsItself(const Ray& ray, Real& distance, Vector3& normal)
diff --git a/Source/Engine/Level/Actors/DirectionalLight.h b/Source/Engine/Level/Actors/DirectionalLight.h
index d5f31324a..cb29112c0 100644
--- a/Source/Engine/Level/Actors/DirectionalLight.h
+++ b/Source/Engine/Level/Actors/DirectionalLight.h
@@ -12,12 +12,42 @@ class FLAXENGINE_API DirectionalLight : public LightWithShadow
{
DECLARE_SCENE_OBJECT(DirectionalLight);
public:
+ ///
+ /// The partitioning mode for the shadow cascades.
+ ///
+ API_FIELD(Attributes = "EditorOrder(64), DefaultValue(PartitionMode.Manual), EditorDisplay(\"Shadow\")")
+ PartitionMode PartitionMode = PartitionMode::Manual;
+
///
/// The number of cascades used for slicing the range of depth covered by the light during shadow rendering. Values are 1, 2 or 4 cascades; a typical scene uses 4 cascades.
///
API_FIELD(Attributes="EditorOrder(65), DefaultValue(4), Limit(1, 4), EditorDisplay(\"Shadow\")")
int32 CascadeCount = 4;
+ ///
+ /// Percentage of the shadow distance used by the first cascade.
+ ///
+ API_FIELD(Attributes = "EditorOrder(66), DefaultValue(0.05f), VisibleIf(nameof(ShowCascade1)), Limit(0, 1, 0.001f), EditorDisplay(\"Shadow\")")
+ float Cascade1Spacing = 0.05f;
+
+ ///
+ /// Percentage of the shadow distance used by the second cascade.
+ ///
+ API_FIELD(Attributes = "EditorOrder(67), DefaultValue(0.15f), VisibleIf(nameof(ShowCascade2)), Limit(0, 1, 0.001f), EditorDisplay(\"Shadow\")")
+ float Cascade2Spacing = 0.15f;
+
+ ///
+ /// Percentage of the shadow distance used by the third cascade.
+ ///
+ API_FIELD(Attributes = "EditorOrder(68), DefaultValue(0.50f), VisibleIf(nameof(ShowCascade3)), Limit(0, 1, 0.001f), EditorDisplay(\"Shadow\")")
+ float Cascade3Spacing = 0.50f;
+
+ ///
+ /// Percentage of the shadow distance used by the fourth cascade.
+ ///
+ API_FIELD(Attributes = "EditorOrder(69), DefaultValue(1.0f), VisibleIf(nameof(ShowCascade4)), Limit(0, 1, 0.001f), EditorDisplay(\"Shadow\")")
+ float Cascade4Spacing = 1.0f;
+
public:
// [LightWithShadow]
void Draw(RenderContext& renderContext) override;
diff --git a/Source/Engine/Level/DirectionalLight.cs b/Source/Engine/Level/DirectionalLight.cs
new file mode 100644
index 000000000..201d35dc1
--- /dev/null
+++ b/Source/Engine/Level/DirectionalLight.cs
@@ -0,0 +1,10 @@
+namespace FlaxEngine
+{
+ public partial class DirectionalLight
+ {
+ bool ShowCascade1 => CascadeCount >= 1 && PartitionMode == PartitionMode.Manual;
+ bool ShowCascade2 => CascadeCount >= 2 && PartitionMode == PartitionMode.Manual;
+ bool ShowCascade3 => CascadeCount >= 3 && PartitionMode == PartitionMode.Manual;
+ bool ShowCascade4 => CascadeCount >= 4 && PartitionMode == PartitionMode.Manual;
+ }
+}
diff --git a/Source/Engine/Networking/NetworkConfig.h b/Source/Engine/Networking/NetworkConfig.h
index b92d822cb..0768d3402 100644
--- a/Source/Engine/Networking/NetworkConfig.h
+++ b/Source/Engine/Networking/NetworkConfig.h
@@ -43,7 +43,7 @@ API_STRUCT(Namespace="FlaxEngine.Networking") struct FLAXENGINE_API NetworkConfi
///
/// Object is managed by the created network peer (will be deleted on peer shutdown).
API_FIELD()
- ScriptingObject* NetworkDriver;
+ ScriptingObject* NetworkDriver = nullptr;
///
/// The upper limit on how many peers can join when we're listening.
diff --git a/Source/Engine/Networking/NetworkReplicator.cpp b/Source/Engine/Networking/NetworkReplicator.cpp
index c6311cd7a..f9efba4a5 100644
--- a/Source/Engine/Networking/NetworkReplicator.cpp
+++ b/Source/Engine/Networking/NetworkReplicator.cpp
@@ -2151,6 +2151,18 @@ void NetworkInternal::OnNetworkMessageObjectRpc(NetworkEvent& event, NetworkClie
NetworkMessageObjectRpc msgData;
event.Message.ReadStructure(msgData);
ScopeLock lock(ObjectsLock);
+
+ // Find RPC info
+ NetworkRpcName name;
+ name.First = Scripting::FindScriptingType(msgData.RpcTypeName);
+ name.Second = msgData.RpcName;
+ const NetworkRpcInfo* info = NetworkRpcInfo::RPCsTable.TryGet(name);
+ if (!info)
+ {
+ NETWORK_REPLICATOR_LOG(Error, "[NetworkReplicator] Unknown RPC {}::{} for object {}", String(msgData.RpcTypeName), String(msgData.RpcName), msgData.ObjectId);
+ return;
+ }
+
NetworkReplicatedObject* e = ResolveObject(msgData.ObjectId, msgData.ParentId, msgData.ObjectTypeName);
if (e)
{
@@ -2159,17 +2171,7 @@ void NetworkInternal::OnNetworkMessageObjectRpc(NetworkEvent& event, NetworkClie
if (!obj)
return;
- // Find RPC info
- NetworkRpcName name;
- name.First = Scripting::FindScriptingType(msgData.RpcTypeName);
- name.Second = msgData.RpcName;
- const NetworkRpcInfo* info = NetworkRpcInfo::RPCsTable.TryGet(name);
- if (!info)
- {
- NETWORK_REPLICATOR_LOG(Error, "[NetworkReplicator] Unknown RPC {}::{} for object {}", String(msgData.RpcTypeName), String(msgData.RpcName), msgData.ObjectId);
- return;
- }
-
+
// Validate RPC
if (info->Server && NetworkManager::IsClient())
{
@@ -2192,7 +2194,7 @@ void NetworkInternal::OnNetworkMessageObjectRpc(NetworkEvent& event, NetworkClie
// Execute RPC
info->Execute(obj, stream, info->Tag);
}
- else
+ else if(info->Channel != static_cast(NetworkChannelType::Unreliable) && info->Channel != static_cast(NetworkChannelType::UnreliableOrdered))
{
NETWORK_REPLICATOR_LOG(Error, "[NetworkReplicator] Unknown object {} RPC {}::{}", msgData.ObjectId, String(msgData.RpcTypeName), String(msgData.RpcName));
}
diff --git a/Source/Engine/Physics/PhysX/PhysicsBackendPhysX.cpp b/Source/Engine/Physics/PhysX/PhysicsBackendPhysX.cpp
index e55965034..b9d0387d8 100644
--- a/Source/Engine/Physics/PhysX/PhysicsBackendPhysX.cpp
+++ b/Source/Engine/Physics/PhysX/PhysicsBackendPhysX.cpp
@@ -2414,7 +2414,13 @@ void PhysicsBackend::SetRigidActorPose(void* actor, const Vector3& position, con
if (kinematic)
{
auto actorPhysX = (PxRigidDynamic*)actor;
- actorPhysX->setKinematicTarget(trans);
+ if (actorPhysX->getActorFlags() & PxActorFlag::eDISABLE_SIMULATION)
+ {
+ // Ensures the disabled kinematic actor ends up in the correct pose after enabling simulation
+ actorPhysX->setGlobalPose(trans, wakeUp);
+ }
+ else
+ actorPhysX->setKinematicTarget(trans);
}
else
{
diff --git a/Source/Engine/Platform/Android/AndroidFileSystem.cpp b/Source/Engine/Platform/Android/AndroidFileSystem.cpp
index 6ea5b394b..0d40f7517 100644
--- a/Source/Engine/Platform/Android/AndroidFileSystem.cpp
+++ b/Source/Engine/Platform/Android/AndroidFileSystem.cpp
@@ -517,7 +517,7 @@ DateTime AndroidFileSystem::GetFileLastEditTime(const StringView& path)
const StringAsANSI<> pathANSI(*path, path.Length());
if (stat(pathANSI.Get(), &fileInfo) == -1)
return DateTime::MinValue();
- const TimeSpan timeSinceEpoch(0, 0, fileInfo.st_mtime);
+ const TimeSpan timeSinceEpoch(0, 0, 0, fileInfo.st_mtime);
const DateTime UnixEpoch(1970, 1, 1);
return UnixEpoch + timeSinceEpoch;
}
diff --git a/Source/Engine/Platform/Apple/AppleFileSystem.cpp b/Source/Engine/Platform/Apple/AppleFileSystem.cpp
index 0d36f1dfb..8f2930ea9 100644
--- a/Source/Engine/Platform/Apple/AppleFileSystem.cpp
+++ b/Source/Engine/Platform/Apple/AppleFileSystem.cpp
@@ -498,7 +498,7 @@ DateTime AppleFileSystem::GetFileLastEditTime(const StringView& path)
return DateTime::MinValue();
}
- const TimeSpan timeSinceEpoch(0, 0, fileInfo.st_mtime);
+ const TimeSpan timeSinceEpoch(0, 0, 0, fileInfo.st_mtime);
return UnixEpoch + timeSinceEpoch;
}
diff --git a/Source/Engine/Platform/Linux/LinuxFileSystem.cpp b/Source/Engine/Platform/Linux/LinuxFileSystem.cpp
index 23d47a029..a814c5dab 100644
--- a/Source/Engine/Platform/Linux/LinuxFileSystem.cpp
+++ b/Source/Engine/Platform/Linux/LinuxFileSystem.cpp
@@ -657,7 +657,7 @@ DateTime LinuxFileSystem::GetFileLastEditTime(const StringView& path)
return DateTime::MinValue();
}
- const TimeSpan timeSinceEpoch(0, 0, fileInfo.st_mtime);
+ const TimeSpan timeSinceEpoch(0, 0, 0, fileInfo.st_mtime);
return UnixEpoch + timeSinceEpoch;
}
diff --git a/Source/Engine/Platform/Unix/UnixFile.cpp b/Source/Engine/Platform/Unix/UnixFile.cpp
index 5fbc75f2e..9cf629d2c 100644
--- a/Source/Engine/Platform/Unix/UnixFile.cpp
+++ b/Source/Engine/Platform/Unix/UnixFile.cpp
@@ -137,7 +137,7 @@ DateTime UnixFile::GetLastWriteTime() const
{
return DateTime::MinValue();
}
- const TimeSpan timeSinceEpoch(0, 0, fileInfo.st_mtime);
+ const TimeSpan timeSinceEpoch(0, 0, 0, fileInfo.st_mtime);
const DateTime unixEpoch(1970, 1, 1);
return unixEpoch + timeSinceEpoch;
}
diff --git a/Source/Engine/Renderer/RenderList.h b/Source/Engine/Renderer/RenderList.h
index a2cd48696..3f9a25694 100644
--- a/Source/Engine/Renderer/RenderList.h
+++ b/Source/Engine/Renderer/RenderList.h
@@ -46,6 +46,12 @@ struct RendererDirectionalLightData
float ShadowsDistance;
int32 CascadeCount;
+ float Cascade1Spacing;
+ float Cascade2Spacing;
+ float Cascade3Spacing;
+ float Cascade4Spacing;
+
+ PartitionMode PartitionMode;
float ContactShadowsLength;
ShadowsCastingMode ShadowsMode;
diff --git a/Source/Engine/Renderer/ShadowsPass.cpp b/Source/Engine/Renderer/ShadowsPass.cpp
index ba326b728..937cd9e99 100644
--- a/Source/Engine/Renderer/ShadowsPass.cpp
+++ b/Source/Engine/Renderer/ShadowsPass.cpp
@@ -247,19 +247,12 @@ void ShadowsPass::SetupLight(RenderContext& renderContext, RenderContextBatch& r
minDistance = cameraNear;
maxDistance = cameraNear + shadowsDistance;
- // TODO: expose partition mode?
- enum class PartitionMode
- {
- Manual = 0,
- Logarithmic = 1,
- PSSM = 2,
- };
- PartitionMode partitionMode = PartitionMode::Manual;
+ PartitionMode partitionMode = light.PartitionMode;
float pssmFactor = 0.5f;
- float splitDistance0 = 0.05f;
- float splitDistance1 = 0.15f;
- float splitDistance2 = 0.50f;
- float splitDistance3 = 1.00f;
+ float splitDistance0 = light.Cascade1Spacing;
+ float splitDistance1 = Math::Max(splitDistance0, light.Cascade2Spacing);
+ float splitDistance2 = Math::Max(splitDistance1, light.Cascade3Spacing);
+ float splitDistance3 = Math::Max(splitDistance2, light.Cascade4Spacing);
// Compute the split distances based on the partitioning mode
if (partitionMode == PartitionMode::Manual)
diff --git a/Source/Engine/Scripting/Attributes/Editor/VisibleIfAttribute.cs b/Source/Engine/Scripting/Attributes/Editor/VisibleIfAttribute.cs
index 5e690caa8..3d606370a 100644
--- a/Source/Engine/Scripting/Attributes/Editor/VisibleIfAttribute.cs
+++ b/Source/Engine/Scripting/Attributes/Editor/VisibleIfAttribute.cs
@@ -5,11 +5,11 @@ using System;
namespace FlaxEngine
{
///
- /// Shows property/field in the editor only if the specified member has a given value. Can be used to hide properties based on other properties (also private properties). The given member has to be bool type.
+ /// Shows property/field in the editor only if the specified member has a given value. Can be used to hide properties based on other properties (also private properties). The given member has to be bool type. Multiple VisibleIf attributes can be added for additional conditions to be met.
///
///
[Serializable]
- [AttributeUsage(AttributeTargets.Field | AttributeTargets.Property)]
+ [AttributeUsage(AttributeTargets.Field | AttributeTargets.Property, AllowMultiple = true)]
public sealed class VisibleIfAttribute : Attribute
{
///
diff --git a/Source/Engine/Tests/TestTime.cpp b/Source/Engine/Tests/TestTime.cpp
new file mode 100644
index 000000000..0419c5e13
--- /dev/null
+++ b/Source/Engine/Tests/TestTime.cpp
@@ -0,0 +1,26 @@
+// Copyright (c) 2012-2023 Wojciech Figat. All rights reserved.
+
+#include "Engine/Core/Types/DateTime.h"
+#include
+
+TEST_CASE("DateTime")
+{
+ SECTION("Test Convertion")
+ {
+ constexpr int year = 2023;
+ constexpr int month = 12;
+ constexpr int day = 16;
+ constexpr int hour = 23;
+ constexpr int minute = 50;
+ constexpr int second = 13;
+ constexpr int millisecond = 5;
+ const DateTime dt1(year, month, day, hour, minute, second, millisecond);
+ CHECK(dt1.GetYear() == year);
+ CHECK(dt1.GetMonth() == month);
+ CHECK(dt1.GetDay() == day);
+ CHECK(dt1.GetHour() == hour);
+ CHECK(dt1.GetMinute() == minute);
+ CHECK(dt1.GetSecond() == second);
+ CHECK(dt1.GetMillisecond() == millisecond);
+ }
+}
diff --git a/Source/Engine/Tools/MaterialGenerator/MaterialGenerator.Textures.cpp b/Source/Engine/Tools/MaterialGenerator/MaterialGenerator.Textures.cpp
index ed79b5edc..a24c5e108 100644
--- a/Source/Engine/Tools/MaterialGenerator/MaterialGenerator.Textures.cpp
+++ b/Source/Engine/Tools/MaterialGenerator/MaterialGenerator.Textures.cpp
@@ -584,7 +584,6 @@ void MaterialGenerator::ProcessGroupTextures(Box* box, Node* node, Value& value)
{
// Procedural Texture Sample
textureBox->Cache = writeLocal(Value::InitForZero(ValueType::Float4), node);
- createGradients(node);
auto proceduralSample = String::Format(TEXT(
" {{\n"
" float3 weights;\n"
@@ -613,19 +612,19 @@ void MaterialGenerator::ProcessGroupTextures(Box* box, Node* node, Value& value)
" uv1 = {0} + frac(sin(mul(float2x2(127.1, 311.7, 269.5, 183.3), vertex1)) * 43758.5453);\n"
" uv2 = {0} + frac(sin(mul(float2x2(127.1, 311.7, 269.5, 183.3), vertex2)) * 43758.5453);\n"
" uv3 = {0} + frac(sin(mul(float2x2(127.1, 311.7, 269.5, 183.3), vertex3)) * 43758.5453);\n"
- " float4 tex1 = {1}.SampleGrad({4}, uv1, {2}, {3}, {6}) * weights.x;\n"
- " float4 tex2 = {1}.SampleGrad({4}, uv2, {2}, {3}, {6}) * weights.y;\n"
- " float4 tex3 = {1}.SampleGrad({4}, uv3, {2}, {3}, {6}) * weights.z;\n"
- " {5} = tex1 + tex2 + tex3;\n"
+ " float2 fdx = ddx({0});\n"
+ " float2 fdy = ddy({0});\n"
+ " float4 tex1 = {1}.SampleGrad({2}, uv1, fdx, fdy, {4}) * weights.x;\n"
+ " float4 tex2 = {1}.SampleGrad({2}, uv2, fdx, fdy, {4}) * weights.y;\n"
+ " float4 tex3 = {1}.SampleGrad({2}, uv3, fdx, fdy, {4}) * weights.z;\n"
+ " {3} = tex1 + tex2 + tex3;\n"
" }}\n"
),
uvs.Value, // {0}
texture.Value, // {1}
- _ddx.Value, // {2}
- _ddy.Value, // {3}
- samplerName, // {4}
- textureBox->Cache.Value, // {5}
- offset.Value // {6}
+ samplerName, // {2}
+ textureBox->Cache.Value, // {3}
+ offset.Value // {4}
);
_writer.Write(*proceduralSample);
diff --git a/Source/Engine/Tools/ModelTool/ModelTool.cpp b/Source/Engine/Tools/ModelTool/ModelTool.cpp
index e2b2f5d8d..d0aa537f6 100644
--- a/Source/Engine/Tools/ModelTool/ModelTool.cpp
+++ b/Source/Engine/Tools/ModelTool/ModelTool.cpp
@@ -374,6 +374,7 @@ void ModelTool::Options::Serialize(SerializeStream& stream, const void* otherObj
SERIALIZE(InstanceToImportAs);
SERIALIZE(ImportTextures);
SERIALIZE(RestoreMaterialsOnReimport);
+ SERIALIZE(SkipExistingMaterialsOnReimport);
SERIALIZE(GenerateSDF);
SERIALIZE(SDFResolution);
SERIALIZE(SplitObjects);
@@ -422,6 +423,7 @@ void ModelTool::Options::Deserialize(DeserializeStream& stream, ISerializeModifi
DESERIALIZE(InstanceToImportAs);
DESERIALIZE(ImportTextures);
DESERIALIZE(RestoreMaterialsOnReimport);
+ DESERIALIZE(SkipExistingMaterialsOnReimport);
DESERIALIZE(GenerateSDF);
DESERIALIZE(SDFResolution);
DESERIALIZE(SplitObjects);
@@ -1154,6 +1156,18 @@ bool ModelTool::ImportModel(const String& path, ModelData& data, Options& option
continue;
}
+ // Skip any materials that already exist from the model.
+ // This allows the use of "import as material instances" without material properties getting overridden on each import.
+ if (options.SkipExistingMaterialsOnReimport)
+ {
+ AssetInfo info;
+ if (Content::GetAssetInfo(assetPath, info))
+ {
+ material.AssetID = info.ID;
+ continue;
+ }
+ }
+
if (options.ImportMaterialsAsInstances)
{
// Create material instance
diff --git a/Source/Engine/Tools/ModelTool/ModelTool.h b/Source/Engine/Tools/ModelTool/ModelTool.h
index 416505631..df89a1519 100644
--- a/Source/Engine/Tools/ModelTool/ModelTool.h
+++ b/Source/Engine/Tools/ModelTool/ModelTool.h
@@ -260,17 +260,20 @@ public:
API_FIELD(Attributes="EditorOrder(400), EditorDisplay(\"Materials\"), VisibleIf(nameof(ShowGeometry))")
bool ImportMaterials = true;
// If checked, the importer will create the model's materials as instances of a base material.
- API_FIELD(Attributes = "EditorOrder(401), EditorDisplay(\"Materials\"), VisibleIf(nameof(ImportMaterials))")
+ API_FIELD(Attributes = "EditorOrder(401), EditorDisplay(\"Materials\"), VisibleIf(nameof(ImportMaterials)), VisibleIf(nameof(ShowGeometry))")
bool ImportMaterialsAsInstances = false;
// The material used as the base material that will be instanced as the imported model's material.
- API_FIELD(Attributes = "EditorOrder(402), EditorDisplay(\"Materials\"), VisibleIf(nameof(ImportMaterialsAsInstances))")
+ API_FIELD(Attributes = "EditorOrder(402), EditorDisplay(\"Materials\"), VisibleIf(nameof(ImportMaterialsAsInstances)), VisibleIf(nameof(ShowGeometry))")
AssetReference InstanceToImportAs;
// If checked, the importer will import texture files used by the model and any embedded texture resources.
API_FIELD(Attributes="EditorOrder(410), EditorDisplay(\"Materials\"), VisibleIf(nameof(ShowGeometry))")
bool ImportTextures = true;
- // If checked, the importer will try to keep the model's current material slots, instead of importing materials from the source file.
- API_FIELD(Attributes="EditorOrder(420), EditorDisplay(\"Materials\", \"Keep Material Slots on Reimport\"), VisibleIf(nameof(ShowGeometry))")
+ // If checked, the importer will try to keep the model's current overridden material slots, instead of importing materials from the source file.
+ API_FIELD(Attributes="EditorOrder(420), EditorDisplay(\"Materials\", \"Keep Overridden Materials\"), VisibleIf(nameof(ShowGeometry))")
bool RestoreMaterialsOnReimport = true;
+ // If checked, the importer will not reimport any material from this model which already exist in the sub-asset folder.
+ API_FIELD(Attributes = "EditorOrder(421), EditorDisplay(\"Materials\", \"Skip Existing Materials\"), VisibleIf(nameof(ShowGeometry))")
+ bool SkipExistingMaterialsOnReimport = true;
public: // SDF
diff --git a/Source/Engine/Visject/VisjectGraph.cpp b/Source/Engine/Visject/VisjectGraph.cpp
index 64164ecec..ea2824e77 100644
--- a/Source/Engine/Visject/VisjectGraph.cpp
+++ b/Source/Engine/Visject/VisjectGraph.cpp
@@ -685,9 +685,9 @@ void VisjectExecutor::ProcessGroupPacking(Box* box, Node* node, Value& value)
case 36:
{
// Get value with structure data
- Variant structureValue = eatBox(node, node->GetBox(0)->FirstConnection());
if (!node->GetBox(0)->HasConnection())
return;
+ Variant structureValue = eatBox(node, node->GetBox(0)->FirstConnection());
// Find type
const StringView typeName(node->Values[0]);
@@ -741,6 +741,12 @@ void VisjectExecutor::ProcessGroupPacking(Box* box, Node* node, Value& value)
return;
}
const ScriptingType& type = typeHandle.GetType();
+ if (structureValue.Type.Type != VariantType::Structure) // If structureValue is eg. Float we can try to cast it to a required structure type
+ {
+ VariantType typeVariantType(typeNameAnsiView);
+ if (Variant::CanCast(structureValue, typeVariantType))
+ structureValue = Variant::Cast(structureValue, typeVariantType);
+ }
structureValue.InvertInline(); // Extract any Float3/Int32 into Structure type from inlined format
const ScriptingTypeHandle structureValueTypeHandle = Scripting::FindScriptingType(structureValue.Type.GetTypeName());
if (structureValue.Type.Type != VariantType::Structure || typeHandle != structureValueTypeHandle)
diff --git a/Source/Tools/Flax.Build/Projects/VisualStudio/VCProjectGenerator.cs b/Source/Tools/Flax.Build/Projects/VisualStudio/VCProjectGenerator.cs
index 4eba06cb0..4facc73c0 100644
--- a/Source/Tools/Flax.Build/Projects/VisualStudio/VCProjectGenerator.cs
+++ b/Source/Tools/Flax.Build/Projects/VisualStudio/VCProjectGenerator.cs
@@ -179,7 +179,10 @@ namespace Flax.Build.Projects.VisualStudio
customizer.WriteVisualStudioBuildProperties(vsProject, platform, toolchain, configuration, vcProjectFileContent, vcFiltersFileContent, vcUserFileContent);
vcProjectFileContent.AppendLine(string.Format(" {0}", targetBuildOptions.IntermediateFolder));
vcProjectFileContent.AppendLine(string.Format(" {0}", targetBuildOptions.OutputFolder));
- vcProjectFileContent.AppendLine(" ");
+ if (includePaths.Count != 0)
+ vcProjectFileContent.AppendLine(string.Format(" $(IncludePath);{0}", string.Join(";", includePaths)));
+ else
+ vcProjectFileContent.AppendLine(" ");
vcProjectFileContent.AppendLine(" ");
vcProjectFileContent.AppendLine(" ");
vcProjectFileContent.AppendLine(" ");
diff --git a/Source/Tools/Flax.Build/Projects/VisualStudio/VisualStudioProjectGenerator.cs b/Source/Tools/Flax.Build/Projects/VisualStudio/VisualStudioProjectGenerator.cs
index 5cc1b2205..3438f8960 100644
--- a/Source/Tools/Flax.Build/Projects/VisualStudio/VisualStudioProjectGenerator.cs
+++ b/Source/Tools/Flax.Build/Projects/VisualStudio/VisualStudioProjectGenerator.cs
@@ -296,7 +296,7 @@ namespace Flax.Build.Projects.VisualStudio
var folderIdMatches = new Regex("Project\\(\"{2150E333-8FDC-42A3-9474-1A3956D46DE8}\"\\) = \"(.*?)\", \"(.*?)\", \"{(.*?)}\"").Matches(contents);
foreach (Match match in folderIdMatches)
{
- var folder = match.Groups[1].Value;
+ var folder = match.Groups[2].Value;
var folderId = Guid.ParseExact(match.Groups[3].Value, "D");
folderIds[folder] = folderId;
}
@@ -385,8 +385,7 @@ namespace Flax.Build.Projects.VisualStudio
{
if (!folderIds.TryGetValue(folderPath, out project.FolderGuid))
{
- if (!folderIds.TryGetValue(folderParents[i], out project.FolderGuid))
- project.FolderGuid = Guid.NewGuid();
+ project.FolderGuid = Guid.NewGuid();
folderIds.Add(folderPath, project.FolderGuid);
}
folderNames.Add(folderPath);
@@ -401,7 +400,7 @@ namespace Flax.Build.Projects.VisualStudio
var lastSplit = folder.LastIndexOf('\\');
var name = lastSplit != -1 ? folder.Substring(lastSplit + 1) : folder;
- vcSolutionFileContent.AppendLine(string.Format("Project(\"{0}\") = \"{1}\", \"{2}\", \"{3}\"", typeGuid, name, name, folderGuid));
+ vcSolutionFileContent.AppendLine(string.Format("Project(\"{0}\") = \"{1}\", \"{2}\", \"{3}\"", typeGuid, name, folder, folderGuid));
vcSolutionFileContent.AppendLine("EndProject");
}
}