mirror of
https://jihulab.com/DGP-Studio/Snap.Hutao.git
synced 2025-11-19 21:02:53 +08:00
Compare commits
14 Commits
feat/daily
...
fix/1633
| Author | SHA1 | Date | |
|---|---|---|---|
|
|
23b95b1d13 | ||
|
|
492e867391 | ||
|
|
9cbb36f3e6 | ||
|
|
e15c06a194 | ||
|
|
f71a2a3d40 | ||
|
|
fb89e5f9f0 | ||
|
|
3f97f4207c | ||
|
|
a4ea798ad0 | ||
|
|
80a0daf02d | ||
|
|
c511d27b2f | ||
|
|
c5dcbc9c79 | ||
|
|
91949214ba | ||
|
|
a126a330ff | ||
|
|
055846dfd6 |
@@ -1,5 +1,4 @@
|
||||
using Microsoft.VisualStudio.TestTools.UnitTesting;
|
||||
using System;
|
||||
using System;
|
||||
|
||||
namespace Snap.Hutao.Test.BaseClassLibrary;
|
||||
|
||||
|
||||
@@ -16,7 +16,7 @@ public class UnsafeAccessorTest
|
||||
[UnsafeAccessor(UnsafeAccessorKind.Method, Name = "get_TestProperty")]
|
||||
private static extern int InternalGetInterfaceProperty(ITestInterface instance);
|
||||
|
||||
interface ITestInterface
|
||||
internal interface ITestInterface
|
||||
{
|
||||
internal int TestProperty { get; }
|
||||
}
|
||||
|
||||
@@ -7,7 +7,6 @@
|
||||
<ResourceDictionary.MergedDictionaries>
|
||||
<XamlControlsResources/>
|
||||
<ResourceDictionary Source="ms-appx:///CommunityToolkit.WinUI.Controls.SettingsControls/SettingsCard/SettingsCard.xaml"/>
|
||||
<ResourceDictionary Source="ms-appx:///CommunityToolkit.WinUI.Controls.TokenizingTextBox/TokenizingTextBox.xaml"/>
|
||||
<ResourceDictionary Source="ms-appx:///Control/Loading.xaml"/>
|
||||
<ResourceDictionary Source="ms-appx:///Control/Image/CachedImage.xaml"/>
|
||||
<ResourceDictionary Source="ms-appx:///Control/Theme/Card.xaml"/>
|
||||
@@ -30,6 +29,7 @@
|
||||
<ResourceDictionary Source="ms-appx:///Control/Theme/TransitionCollection.xaml"/>
|
||||
<ResourceDictionary Source="ms-appx:///Control/Theme/Uri.xaml"/>
|
||||
<ResourceDictionary Source="ms-appx:///Control/Theme/WindowOverride.xaml"/>
|
||||
<ResourceDictionary Source="ms-appx:///Control/TokenizingTextBox/TokenizingTextBox.xaml"/>
|
||||
<ResourceDictionary Source="ms-appx:///View/Card/Primitive/CardProgressBar.xaml"/>
|
||||
</ResourceDictionary.MergedDictionaries>
|
||||
|
||||
|
||||
@@ -1,12 +1,10 @@
|
||||
// Copyright (c) DGP Studio. All rights reserved.
|
||||
// Licensed under the MIT license.
|
||||
|
||||
using CommunityToolkit.WinUI;
|
||||
using CommunityToolkit.WinUI.Controls;
|
||||
using Microsoft.UI.Xaml;
|
||||
using Microsoft.UI.Xaml.Controls;
|
||||
using Microsoft.UI.Xaml.Controls.Primitives;
|
||||
using Snap.Hutao.Control.Extension;
|
||||
using Snap.Hutao.Control.TokenizingTextBox;
|
||||
using System.Collections;
|
||||
|
||||
namespace Snap.Hutao.Control.AutoSuggestBox;
|
||||
@@ -14,33 +12,16 @@ namespace Snap.Hutao.Control.AutoSuggestBox;
|
||||
[DependencyProperty("FilterCommand", typeof(ICommand))]
|
||||
[DependencyProperty("FilterCommandParameter", typeof(object))]
|
||||
[DependencyProperty("AvailableTokens", typeof(IReadOnlyDictionary<string, SearchToken>))]
|
||||
internal sealed partial class AutoSuggestTokenBox : TokenizingTextBox
|
||||
internal sealed partial class AutoSuggestTokenBox : TokenizingTextBox.TokenizingTextBox
|
||||
{
|
||||
public AutoSuggestTokenBox()
|
||||
{
|
||||
DefaultStyleKey = typeof(TokenizingTextBox);
|
||||
DefaultStyleKey = typeof(TokenizingTextBox.TokenizingTextBox);
|
||||
TextChanged += OnFilterSuggestionRequested;
|
||||
QuerySubmitted += OnQuerySubmitted;
|
||||
TokenItemAdding += OnTokenItemAdding;
|
||||
TokenItemAdded += OnTokenItemCollectionChanged;
|
||||
TokenItemRemoved += OnTokenItemCollectionChanged;
|
||||
Loaded += OnLoaded;
|
||||
}
|
||||
|
||||
private void OnLoaded(object sender, RoutedEventArgs e)
|
||||
{
|
||||
if (this.FindDescendant("SuggestionsPopup") is Popup { Child: Border { Child: ListView listView } border })
|
||||
{
|
||||
IAppResourceProvider appResourceProvider = this.ServiceProvider().GetRequiredService<IAppResourceProvider>();
|
||||
|
||||
listView.Background = null;
|
||||
listView.Margin = appResourceProvider.GetResource<Thickness>("AutoSuggestListPadding");
|
||||
|
||||
border.Background = appResourceProvider.GetResource<Microsoft.UI.Xaml.Media.Brush>("AutoSuggestBoxSuggestionsListBackground");
|
||||
CornerRadius overlayCornerRadius = appResourceProvider.GetResource<CornerRadius>("OverlayCornerRadius");
|
||||
CornerRadiusFilterConverter cornerRadiusFilterConverter = new() { Filter = CornerRadiusFilterKind.Bottom };
|
||||
border.CornerRadius = (CornerRadius)cornerRadiusFilterConverter.Convert(overlayCornerRadius, typeof(CornerRadius), default, default);
|
||||
}
|
||||
}
|
||||
|
||||
private void OnFilterSuggestionRequested(Microsoft.UI.Xaml.Controls.AutoSuggestBox sender, AutoSuggestBoxTextChangedEventArgs args)
|
||||
@@ -73,7 +54,7 @@ internal sealed partial class AutoSuggestTokenBox : TokenizingTextBox
|
||||
CommandInvocation.TryExecute(FilterCommand, FilterCommandParameter);
|
||||
}
|
||||
|
||||
private void OnTokenItemAdding(TokenizingTextBox sender, TokenItemAddingEventArgs args)
|
||||
private void OnTokenItemAdding(TokenizingTextBox.TokenizingTextBox sender, TokenItemAddingEventArgs args)
|
||||
{
|
||||
if (string.IsNullOrWhiteSpace(args.TokenText))
|
||||
{
|
||||
@@ -90,7 +71,7 @@ internal sealed partial class AutoSuggestTokenBox : TokenizingTextBox
|
||||
}
|
||||
}
|
||||
|
||||
private void OnTokenItemCollectionChanged(TokenizingTextBox sender, object args)
|
||||
private void OnTokenItemCollectionChanged(TokenizingTextBox.TokenizingTextBox sender, object args)
|
||||
{
|
||||
if (args is SearchToken { Kind: SearchTokenKind.None } token)
|
||||
{
|
||||
|
||||
@@ -7,7 +7,7 @@ namespace Snap.Hutao.Control.Collection.AdvancedCollectionView;
|
||||
|
||||
internal sealed class VectorChangedEventArgs : IVectorChangedEventArgs
|
||||
{
|
||||
public VectorChangedEventArgs(CollectionChange cc, int index = -1, object item = null!)
|
||||
public VectorChangedEventArgs(CollectionChange cc, int index = -1, object item = default!)
|
||||
{
|
||||
CollectionChange = cc;
|
||||
Index = (uint)index;
|
||||
|
||||
@@ -3,6 +3,7 @@
|
||||
|
||||
using Microsoft.UI.Xaml;
|
||||
using Microsoft.UI.Xaml.Data;
|
||||
using Snap.Hutao.Core.ExceptionService;
|
||||
|
||||
namespace Snap.Hutao.Control;
|
||||
|
||||
@@ -40,6 +41,6 @@ internal abstract class DependencyValueConverter<TFrom, TTo> : DependencyObject,
|
||||
/// <returns>源</returns>
|
||||
public virtual TFrom ConvertBack(TTo to)
|
||||
{
|
||||
throw Must.NeverHappen();
|
||||
throw HutaoException.NotSupported();
|
||||
}
|
||||
}
|
||||
@@ -39,7 +39,6 @@ internal static class FrameworkElementExtension
|
||||
}
|
||||
catch (Exception ex)
|
||||
{
|
||||
|
||||
ILogger? logger = service.GetRequiredService(typeof(ILogger<>).MakeGenericType([frameworkElement.GetType()])) as ILogger;
|
||||
logger?.LogError(ex, "Failed to initialize DataContext");
|
||||
throw;
|
||||
|
||||
@@ -7,6 +7,8 @@ namespace Snap.Hutao.Control.Helper;
|
||||
|
||||
[SuppressMessage("", "SH001")]
|
||||
[DependencyProperty("SquareLength", typeof(double), 0D, nameof(OnSquareLengthChanged), IsAttached = true, AttachedType = typeof(FrameworkElement))]
|
||||
[DependencyProperty("IsActualThemeBindingEnabled", typeof(bool), false, nameof(OnIsActualThemeBindingEnabled), IsAttached = true, AttachedType = typeof(FrameworkElement))]
|
||||
[DependencyProperty("ActualTheme", typeof(ElementTheme), ElementTheme.Default, IsAttached = true, AttachedType = typeof(FrameworkElement))]
|
||||
public sealed partial class FrameworkElementHelper
|
||||
{
|
||||
private static void OnSquareLengthChanged(DependencyObject dp, DependencyPropertyChangedEventArgs e)
|
||||
@@ -15,4 +17,22 @@ public sealed partial class FrameworkElementHelper
|
||||
element.Width = (double)e.NewValue;
|
||||
element.Height = (double)e.NewValue;
|
||||
}
|
||||
|
||||
private static void OnIsActualThemeBindingEnabled(DependencyObject dp, DependencyPropertyChangedEventArgs e)
|
||||
{
|
||||
FrameworkElement element = (FrameworkElement)dp;
|
||||
if ((bool)e.NewValue)
|
||||
{
|
||||
element.ActualThemeChanged += OnActualThemeChanged;
|
||||
}
|
||||
else
|
||||
{
|
||||
element.ActualThemeChanged -= OnActualThemeChanged;
|
||||
}
|
||||
|
||||
static void OnActualThemeChanged(FrameworkElement sender, object args)
|
||||
{
|
||||
SetActualTheme(sender, sender.ActualTheme);
|
||||
}
|
||||
}
|
||||
}
|
||||
@@ -1,8 +1,6 @@
|
||||
// Copyright (c) DGP Studio. All rights reserved.
|
||||
// Licensed under the MIT license.
|
||||
|
||||
using Microsoft.UI.Xaml.Media;
|
||||
using Microsoft.UI.Xaml.Media.Imaging;
|
||||
using Snap.Hutao.Control.Extension;
|
||||
using Snap.Hutao.Core.Caching;
|
||||
using Snap.Hutao.Core.ExceptionService;
|
||||
|
||||
@@ -6,9 +6,6 @@ using Microsoft.UI.Composition;
|
||||
using Microsoft.UI.Xaml;
|
||||
using Microsoft.UI.Xaml.Media;
|
||||
using Microsoft.UI.Xaml.Media.Imaging;
|
||||
using Snap.Hutao.Win32;
|
||||
using System.IO;
|
||||
using Windows.Foundation;
|
||||
|
||||
namespace Snap.Hutao.Control.Image.Implementation;
|
||||
|
||||
|
||||
@@ -8,13 +8,13 @@ namespace Snap.Hutao.Control.Layout;
|
||||
|
||||
internal sealed class WrapItem
|
||||
{
|
||||
public static Point EmptyPosition { get; } = new(float.NegativeInfinity, float.NegativeInfinity);
|
||||
|
||||
public WrapItem(int index)
|
||||
{
|
||||
Index = index;
|
||||
}
|
||||
|
||||
public static Point EmptyPosition { get; } = new(float.NegativeInfinity, float.NegativeInfinity);
|
||||
|
||||
public int Index { get; }
|
||||
|
||||
public Size Size { get; set; } = Size.Empty;
|
||||
|
||||
@@ -25,10 +25,7 @@ internal sealed class WrapLayoutState
|
||||
|
||||
public WrapItem GetItemAt(int index)
|
||||
{
|
||||
if (index < 0)
|
||||
{
|
||||
throw new IndexOutOfRangeException();
|
||||
}
|
||||
ArgumentOutOfRangeException.ThrowIfNegative(index);
|
||||
|
||||
if (index <= (items.Count - 1))
|
||||
{
|
||||
|
||||
@@ -1,6 +1,8 @@
|
||||
// Copyright (c) DGP Studio. All rights reserved.
|
||||
// Licensed under the MIT license.
|
||||
|
||||
using Snap.Hutao.Core.ExceptionService;
|
||||
|
||||
namespace Snap.Hutao.Control.Text.Syntax.MiHoYo;
|
||||
|
||||
internal sealed class MiHoYoColorTextSyntax : MiHoYoXmlElementSyntax
|
||||
@@ -27,7 +29,7 @@ internal sealed class MiHoYoColorTextSyntax : MiHoYoXmlElementSyntax
|
||||
{
|
||||
MiHoYoColorKind.Rgba => new(Position.Start + 17, Position.End - 8),
|
||||
MiHoYoColorKind.Rgb => new(Position.Start + 15, Position.End - 8),
|
||||
_ => throw Must.NeverHappen(),
|
||||
_ => throw HutaoException.NotSupported(),
|
||||
};
|
||||
}
|
||||
}
|
||||
@@ -40,7 +42,7 @@ internal sealed class MiHoYoColorTextSyntax : MiHoYoXmlElementSyntax
|
||||
{
|
||||
MiHoYoColorKind.Rgba => new(Position.Start + 8, Position.Start + 16),
|
||||
MiHoYoColorKind.Rgb => new(Position.Start + 8, Position.Start + 14),
|
||||
_ => throw Must.NeverHappen(),
|
||||
_ => throw HutaoException.NotSupported(),
|
||||
};
|
||||
}
|
||||
}
|
||||
|
||||
@@ -1,8 +1,11 @@
|
||||
// Copyright (c) DGP Studio. All rights reserved.
|
||||
// Licensed under the MIT license.
|
||||
|
||||
using Snap.Hutao.Core.ExceptionService;
|
||||
|
||||
namespace Snap.Hutao.Control.Text.Syntax.MiHoYo;
|
||||
|
||||
// TODO: Pooling syntax nodes to reduce memory allocation
|
||||
internal sealed class MiHoYoSyntaxTree
|
||||
{
|
||||
public MiHoYoSyntaxNode Root { get; set; } = default!;
|
||||
@@ -75,7 +78,7 @@ internal sealed class MiHoYoSyntaxTree
|
||||
{
|
||||
17 => MiHoYoColorKind.Rgba,
|
||||
15 => MiHoYoColorKind.Rgb,
|
||||
_ => throw Must.NeverHappen(),
|
||||
_ => throw HutaoException.NotSupported(),
|
||||
};
|
||||
|
||||
TextPosition position = new(0, endOfXmlColorRightClosingAtUnprocessedContent);
|
||||
|
||||
@@ -0,0 +1,11 @@
|
||||
// Copyright (c) DGP Studio. All rights reserved.
|
||||
// Licensed under the MIT license.
|
||||
|
||||
namespace Snap.Hutao.Control.TokenizingTextBox;
|
||||
|
||||
internal interface ITokenStringContainer
|
||||
{
|
||||
string Text { get; set; }
|
||||
|
||||
bool IsLast { get; }
|
||||
}
|
||||
@@ -0,0 +1,350 @@
|
||||
// Copyright (c) DGP Studio. All rights reserved.
|
||||
// Licensed under the MIT license.
|
||||
|
||||
using CommunityToolkit.WinUI.Helpers;
|
||||
using System.Collections;
|
||||
using System.Collections.Specialized;
|
||||
|
||||
namespace Snap.Hutao.Control.TokenizingTextBox;
|
||||
|
||||
internal sealed class InterspersedObservableCollection : IList, IEnumerable<object>, INotifyCollectionChanged
|
||||
{
|
||||
private readonly Dictionary<int?, object> interspersedObjects = [];
|
||||
private bool isInsertingOriginal;
|
||||
|
||||
public InterspersedObservableCollection(object itemsSource)
|
||||
{
|
||||
if (itemsSource is not IList list)
|
||||
{
|
||||
throw new ArgumentException("The input items source must be assignable to the System.Collections.IList type.");
|
||||
}
|
||||
|
||||
ItemsSource = list;
|
||||
|
||||
if (ItemsSource is INotifyCollectionChanged notifier)
|
||||
{
|
||||
WeakEventListener<InterspersedObservableCollection, object?, NotifyCollectionChangedEventArgs> weakPropertyChangedListener = new(this)
|
||||
{
|
||||
OnEventAction = static (instance, source, eventArgs) => instance.ItemsSource_CollectionChanged(source, eventArgs),
|
||||
OnDetachAction = (weakEventListener) => notifier.CollectionChanged -= weakEventListener.OnEvent, // Use Local Reference Only
|
||||
};
|
||||
notifier.CollectionChanged += weakPropertyChangedListener.OnEvent;
|
||||
}
|
||||
}
|
||||
|
||||
public event NotifyCollectionChangedEventHandler? CollectionChanged;
|
||||
|
||||
public IList ItemsSource { get; private set; }
|
||||
|
||||
public bool IsFixedSize => false;
|
||||
|
||||
public bool IsReadOnly => false;
|
||||
|
||||
public int Count => ItemsSource.Count + interspersedObjects.Count;
|
||||
|
||||
public bool IsSynchronized => false;
|
||||
|
||||
public object SyncRoot => new();
|
||||
|
||||
public object? this[int index]
|
||||
{
|
||||
get
|
||||
{
|
||||
if (interspersedObjects.TryGetValue(index, out object? value))
|
||||
{
|
||||
return value;
|
||||
}
|
||||
|
||||
// Find out the number of elements in our dictionary with keys below ours.
|
||||
return ItemsSource[ToInnerIndex(index)];
|
||||
}
|
||||
set => throw new NotImplementedException();
|
||||
}
|
||||
|
||||
public void Insert(int index, object? obj)
|
||||
{
|
||||
MoveKeysForward(index, 1); // Move existing keys at index over to make room for new item
|
||||
|
||||
ArgumentNullException.ThrowIfNull(obj);
|
||||
interspersedObjects[index] = obj;
|
||||
|
||||
CollectionChanged?.Invoke(this, new(NotifyCollectionChangedAction.Add, obj, index));
|
||||
}
|
||||
|
||||
public void InsertAt(int outerIndex, object obj)
|
||||
{
|
||||
// Find out our closest index based on interspersed keys
|
||||
int index = outerIndex - interspersedObjects.Keys.Count(key => key!.Value < outerIndex); // Note: we exclude the = from ToInnerIndex here
|
||||
|
||||
// If we're inserting where we would normally, then just do that, otherwise we need extra room to not move other keys
|
||||
if (index != outerIndex)
|
||||
{
|
||||
MoveKeysForward(outerIndex, 1); // Skip over until the current spot unlike normal
|
||||
|
||||
isInsertingOriginal = true; // Prevent Collection callback from moving keys forward on insert
|
||||
}
|
||||
|
||||
// Insert into original collection
|
||||
ItemsSource.Insert(index, obj);
|
||||
|
||||
// TODO: handle manipulation/notification if not observable
|
||||
}
|
||||
|
||||
public IEnumerator<object> GetEnumerator()
|
||||
{
|
||||
int i = 0; // Index of our current 'virtual' position
|
||||
int count = 0;
|
||||
int realized = 0;
|
||||
|
||||
foreach (object element in ItemsSource)
|
||||
{
|
||||
while (interspersedObjects.TryGetValue(i++, out object? obj))
|
||||
{
|
||||
realized++; // Track interspersed items used
|
||||
|
||||
yield return obj;
|
||||
}
|
||||
|
||||
count++; // Track original items used
|
||||
|
||||
yield return element;
|
||||
}
|
||||
|
||||
// Add any remaining items in our interspersed collection past the index we reached in the original collection
|
||||
if (realized < interspersedObjects.Count)
|
||||
{
|
||||
// Only select items past our current index, but make sure we've sorted them by their index as well.
|
||||
foreach ((int? _, object value) in interspersedObjects.Where(kvp => kvp.Key >= i).OrderBy(kvp => kvp.Key))
|
||||
{
|
||||
yield return value;
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
public int Add(object? value)
|
||||
{
|
||||
ArgumentNullException.ThrowIfNull(value);
|
||||
int index = ItemsSource.Add(value); //// TODO: If the collection isn't observable, we should do manipulations/notifications here...?
|
||||
return ToOuterIndex(index);
|
||||
}
|
||||
|
||||
public void Clear()
|
||||
{
|
||||
ItemsSource.Clear();
|
||||
interspersedObjects.Clear();
|
||||
}
|
||||
|
||||
public bool Contains(object? value)
|
||||
{
|
||||
ArgumentNullException.ThrowIfNull(value);
|
||||
return interspersedObjects.ContainsValue(value) || ItemsSource.Contains(value);
|
||||
}
|
||||
|
||||
public int IndexOf(object? value)
|
||||
{
|
||||
ArgumentNullException.ThrowIfNull(value);
|
||||
(int? key, object _) = ItemKeySearch(value);
|
||||
|
||||
if (key is int k)
|
||||
{
|
||||
return k;
|
||||
}
|
||||
|
||||
int index = ItemsSource.IndexOf(value);
|
||||
|
||||
// Find out the number of elements in our dictionary with keys below ours.
|
||||
return index == -1 ? -1 : ToOuterIndex(index);
|
||||
}
|
||||
|
||||
public void Remove(object? value)
|
||||
{
|
||||
ArgumentNullException.ThrowIfNull(value);
|
||||
(int? key, object obj) = ItemKeySearch(value);
|
||||
|
||||
if (key is int k)
|
||||
{
|
||||
interspersedObjects.Remove(k);
|
||||
|
||||
MoveKeysBackward(k, 1); // Move other interspersed items back
|
||||
|
||||
CollectionChanged?.Invoke(this, new NotifyCollectionChangedEventArgs(NotifyCollectionChangedAction.Remove, obj, k));
|
||||
}
|
||||
else
|
||||
{
|
||||
ItemsSource.Remove(value); // TODO: If not observable, update indices?
|
||||
}
|
||||
}
|
||||
|
||||
public void RemoveAt(int index)
|
||||
{
|
||||
throw new NotImplementedException();
|
||||
}
|
||||
|
||||
public void CopyTo(Array array, int index)
|
||||
{
|
||||
throw new NotImplementedException();
|
||||
}
|
||||
|
||||
IEnumerator IEnumerable.GetEnumerator()
|
||||
{
|
||||
return GetEnumerator();
|
||||
}
|
||||
|
||||
private void ItemsSource_CollectionChanged(object? source, NotifyCollectionChangedEventArgs eventArgs)
|
||||
{
|
||||
switch (eventArgs.Action)
|
||||
{
|
||||
case NotifyCollectionChangedAction.Add:
|
||||
// Shift any existing interspersed items after the inserted item
|
||||
ArgumentNullException.ThrowIfNull(eventArgs.NewItems);
|
||||
int count = eventArgs.NewItems.Count;
|
||||
|
||||
if (count > 0)
|
||||
{
|
||||
if (!isInsertingOriginal)
|
||||
{
|
||||
MoveKeysForward(eventArgs.NewStartingIndex, count);
|
||||
}
|
||||
|
||||
isInsertingOriginal = false;
|
||||
|
||||
CollectionChanged?.Invoke(this, new(NotifyCollectionChangedAction.Add, eventArgs.NewItems, ToOuterIndex(eventArgs.NewStartingIndex)));
|
||||
}
|
||||
|
||||
break;
|
||||
case NotifyCollectionChangedAction.Remove:
|
||||
ArgumentNullException.ThrowIfNull(eventArgs.OldItems);
|
||||
count = eventArgs.OldItems.Count;
|
||||
|
||||
if (count > 0)
|
||||
{
|
||||
int outerIndex = ToOuterIndexAfterRemoval(eventArgs.OldStartingIndex);
|
||||
|
||||
MoveKeysBackward(outerIndex, count);
|
||||
|
||||
CollectionChanged?.Invoke(this, new(NotifyCollectionChangedAction.Remove, eventArgs.OldItems, outerIndex));
|
||||
}
|
||||
|
||||
break;
|
||||
case NotifyCollectionChangedAction.Reset:
|
||||
|
||||
ReadjustKeys();
|
||||
|
||||
// TODO: ListView doesn't like this notification and throws a visual tree duplication exception...
|
||||
// Not sure what to do with that yet...
|
||||
CollectionChanged?.Invoke(this, eventArgs);
|
||||
break;
|
||||
}
|
||||
}
|
||||
|
||||
private void MoveKeysForward(int pivot, int amount)
|
||||
{
|
||||
// Sort in reverse order to work from highest to lowest
|
||||
foreach (int? key in interspersedObjects.Keys.OrderByDescending(v => v))
|
||||
{
|
||||
if (key < pivot) //// If it's the last item in the collection, we still want to move our last key, otherwise we'd use <=
|
||||
{
|
||||
break;
|
||||
}
|
||||
|
||||
interspersedObjects[key + amount] = interspersedObjects[key];
|
||||
interspersedObjects.Remove(key);
|
||||
}
|
||||
}
|
||||
|
||||
private void MoveKeysBackward(int pivot, int amount)
|
||||
{
|
||||
// Sort in regular order to work from the earliest indices onwards
|
||||
foreach (int? key in interspersedObjects.Keys.OrderBy(v => v))
|
||||
{
|
||||
// Skip elements before the pivot point
|
||||
if (key <= pivot) //// Include pivot point as that's the point where we start modifying beyond
|
||||
{
|
||||
continue;
|
||||
}
|
||||
|
||||
interspersedObjects[key - amount] = interspersedObjects[key];
|
||||
interspersedObjects.Remove(key);
|
||||
}
|
||||
}
|
||||
|
||||
private void ReadjustKeys()
|
||||
{
|
||||
int count = ItemsSource.Count;
|
||||
int existing = 0;
|
||||
|
||||
foreach (int? key in interspersedObjects.Keys.OrderBy(v => v))
|
||||
{
|
||||
if (key <= count)
|
||||
{
|
||||
existing++;
|
||||
continue;
|
||||
}
|
||||
|
||||
interspersedObjects[count + existing++] = interspersedObjects[key];
|
||||
interspersedObjects.Remove(key);
|
||||
}
|
||||
}
|
||||
|
||||
private int ToInnerIndex(int outerIndex)
|
||||
{
|
||||
ArgumentOutOfRangeException.ThrowIfGreaterThanOrEqual(outerIndex, Count);
|
||||
|
||||
if (interspersedObjects.ContainsKey(outerIndex))
|
||||
{
|
||||
throw new ArgumentException("The outer index can't be inserted as a key to the original collection.");
|
||||
}
|
||||
|
||||
return outerIndex - interspersedObjects.Keys.Count(key => key!.Value <= outerIndex);
|
||||
}
|
||||
|
||||
private int ToOuterIndex(int innerIndex)
|
||||
{
|
||||
ArgumentOutOfRangeException.ThrowIfGreaterThanOrEqual(innerIndex, ItemsSource.Count);
|
||||
|
||||
foreach ((int? key, object _) in interspersedObjects.OrderBy(v => v.Key))
|
||||
{
|
||||
if (innerIndex >= key)
|
||||
{
|
||||
innerIndex++;
|
||||
}
|
||||
else
|
||||
{
|
||||
break;
|
||||
}
|
||||
}
|
||||
|
||||
return innerIndex;
|
||||
}
|
||||
|
||||
private int ToOuterIndexAfterRemoval(int innerIndexToProject)
|
||||
{
|
||||
ArgumentOutOfRangeException.ThrowIfGreaterThanOrEqual(innerIndexToProject, ItemsSource.Count + 1);
|
||||
|
||||
//// TODO: Deal with bounds (0 / Count)? Or is it the same?
|
||||
|
||||
foreach ((int? key, object _) in interspersedObjects.OrderBy(v => v.Key))
|
||||
{
|
||||
if (innerIndexToProject >= key)
|
||||
{
|
||||
innerIndexToProject++;
|
||||
}
|
||||
else
|
||||
{
|
||||
break;
|
||||
}
|
||||
}
|
||||
|
||||
return innerIndexToProject;
|
||||
}
|
||||
|
||||
private KeyValuePair<int?, object> ItemKeySearch(object value)
|
||||
{
|
||||
if (value is null)
|
||||
{
|
||||
return interspersedObjects.FirstOrDefault(kvp => kvp.Value is null);
|
||||
}
|
||||
|
||||
return interspersedObjects.FirstOrDefault(kvp => kvp.Value.Equals(value));
|
||||
}
|
||||
}
|
||||
@@ -0,0 +1,27 @@
|
||||
// Copyright (c) DGP Studio. All rights reserved.
|
||||
// Licensed under the MIT license.
|
||||
|
||||
using Microsoft.UI.Xaml;
|
||||
|
||||
namespace Snap.Hutao.Control.TokenizingTextBox;
|
||||
|
||||
[DependencyProperty("Text", typeof(string))]
|
||||
internal sealed partial class PretokenStringContainer : DependencyObject, ITokenStringContainer
|
||||
{
|
||||
public PretokenStringContainer(bool isLast = false)
|
||||
{
|
||||
IsLast = isLast;
|
||||
}
|
||||
|
||||
public PretokenStringContainer(string text)
|
||||
{
|
||||
Text = text;
|
||||
}
|
||||
|
||||
public bool IsLast { get; private set; }
|
||||
|
||||
public override string ToString()
|
||||
{
|
||||
return Text;
|
||||
}
|
||||
}
|
||||
@@ -0,0 +1,18 @@
|
||||
// Copyright (c) DGP Studio. All rights reserved.
|
||||
// Licensed under the MIT license.
|
||||
|
||||
using CommunityToolkit.Common.Deferred;
|
||||
|
||||
namespace Snap.Hutao.Control.TokenizingTextBox;
|
||||
|
||||
internal sealed class TokenItemAddingEventArgs : DeferredCancelEventArgs
|
||||
{
|
||||
public TokenItemAddingEventArgs(string token)
|
||||
{
|
||||
TokenText = token;
|
||||
}
|
||||
|
||||
public string TokenText { get; private set; }
|
||||
|
||||
public object? Item { get; set; }
|
||||
}
|
||||
@@ -0,0 +1,19 @@
|
||||
// Copyright (c) DGP Studio. All rights reserved.
|
||||
// Licensed under the MIT license.
|
||||
|
||||
using CommunityToolkit.Common.Deferred;
|
||||
|
||||
namespace Snap.Hutao.Control.TokenizingTextBox;
|
||||
|
||||
internal sealed class TokenItemRemovingEventArgs : DeferredCancelEventArgs
|
||||
{
|
||||
public TokenItemRemovingEventArgs(object item, TokenizingTextBoxItem token)
|
||||
{
|
||||
Item = item;
|
||||
Token = token;
|
||||
}
|
||||
|
||||
public object Item { get; private set; }
|
||||
|
||||
public TokenizingTextBoxItem Token { get; private set; }
|
||||
}
|
||||
@@ -0,0 +1,951 @@
|
||||
// Copyright (c) DGP Studio. All rights reserved.
|
||||
// Licensed under the MIT license.
|
||||
|
||||
using CommunityToolkit.WinUI;
|
||||
using CommunityToolkit.WinUI.Deferred;
|
||||
using CommunityToolkit.WinUI.Helpers;
|
||||
using Microsoft.UI.Input;
|
||||
using Microsoft.UI.Xaml;
|
||||
using Microsoft.UI.Xaml.Automation.Peers;
|
||||
using Microsoft.UI.Xaml.Controls;
|
||||
using Microsoft.UI.Xaml.Input;
|
||||
using System.Collections.ObjectModel;
|
||||
using Windows.ApplicationModel.DataTransfer;
|
||||
using Windows.Foundation;
|
||||
using Windows.Foundation.Metadata;
|
||||
using Windows.System;
|
||||
using Windows.UI.Core;
|
||||
using DispatcherQueue = Microsoft.UI.Dispatching.DispatcherQueue;
|
||||
using DispatcherQueuePriority = Microsoft.UI.Dispatching.DispatcherQueuePriority;
|
||||
|
||||
namespace Snap.Hutao.Control.TokenizingTextBox;
|
||||
|
||||
[DependencyProperty("AutoSuggestBoxStyle", typeof(Style))]
|
||||
[DependencyProperty("AutoSuggestBoxTextBoxStyle", typeof(Style))]
|
||||
[DependencyProperty("MaximumTokens", typeof(int), -1, nameof(OnMaximumTokensChanged))]
|
||||
[DependencyProperty("PlaceholderText", typeof(string))]
|
||||
[DependencyProperty("QueryIcon", typeof(IconSource))]
|
||||
[DependencyProperty("SuggestedItemsSource", typeof(object))]
|
||||
[DependencyProperty("SuggestedItemTemplate", typeof(DataTemplate))]
|
||||
[DependencyProperty("SuggestedItemTemplateSelector", typeof(DataTemplateSelector))]
|
||||
[DependencyProperty("SuggestedItemContainerStyle", typeof(Style))]
|
||||
[DependencyProperty("TabNavigateBackOnArrow", typeof(bool), false)]
|
||||
[DependencyProperty("Text", typeof(string), default, nameof(TextPropertyChanged))]
|
||||
[DependencyProperty("TextMemberPath", typeof(string))]
|
||||
[DependencyProperty("TokenItemTemplate", typeof(DataTemplate))]
|
||||
[DependencyProperty("TokenItemTemplateSelector", typeof(DataTemplateSelector))]
|
||||
[DependencyProperty("TokenDelimiter", typeof(string), " ")]
|
||||
[DependencyProperty("TokenSpacing", typeof(double))]
|
||||
[TemplatePart(Name = NormalState, Type = typeof(VisualState))]
|
||||
[TemplatePart(Name = PointerOverState, Type = typeof(VisualState))]
|
||||
[TemplatePart(Name = FocusedState, Type = typeof(VisualState))]
|
||||
[TemplatePart(Name = UnfocusedState, Type = typeof(VisualState))]
|
||||
[TemplatePart(Name = MaxReachedState, Type = typeof(VisualState))]
|
||||
[TemplatePart(Name = MaxUnreachedState, Type = typeof(VisualState))]
|
||||
[SuppressMessage("", "SA1124")]
|
||||
internal partial class TokenizingTextBox : ListViewBase
|
||||
{
|
||||
public const string NormalState = "Normal";
|
||||
public const string PointerOverState = "PointerOver";
|
||||
public const string FocusedState = "Focused";
|
||||
public const string UnfocusedState = "Unfocused";
|
||||
public const string MaxReachedState = "MaxReachedState";
|
||||
public const string MaxUnreachedState = "MaxUnreachedState";
|
||||
|
||||
private DispatcherQueue dispatcherQueue;
|
||||
private InterspersedObservableCollection innerItemsSource;
|
||||
private ITokenStringContainer currentTextEdit; // Don't update this directly outside of initialization, use UpdateCurrentTextEdit Method
|
||||
private ITokenStringContainer lastTextEdit;
|
||||
|
||||
public TokenizingTextBox()
|
||||
{
|
||||
// Setup our base state of our collection
|
||||
innerItemsSource = new InterspersedObservableCollection(new ObservableCollection<object>()); // TODO: Test this still will let us bind to ItemsSource in XAML?
|
||||
currentTextEdit = lastTextEdit = new PretokenStringContainer(true);
|
||||
innerItemsSource.Insert(innerItemsSource.Count, currentTextEdit);
|
||||
ItemsSource = innerItemsSource;
|
||||
//// TODO: Consolidate with callback below for ItemsSourceProperty changed?
|
||||
|
||||
DefaultStyleKey = typeof(TokenizingTextBox);
|
||||
|
||||
// TODO: Do we want to support ItemsSource better? Need to investigate how that works with adding...
|
||||
RegisterPropertyChangedCallback(ItemsSourceProperty, ItemsSource_PropertyChanged);
|
||||
PreviewKeyDown += TokenizingTextBox_PreviewKeyDown;
|
||||
PreviewKeyUp += TokenizingTextBox_PreviewKeyUp;
|
||||
CharacterReceived += TokenizingTextBox_CharacterReceived;
|
||||
ItemClick += TokenizingTextBox_ItemClick;
|
||||
|
||||
dispatcherQueue = DispatcherQueue;
|
||||
}
|
||||
|
||||
public event TypedEventHandler<Microsoft.UI.Xaml.Controls.AutoSuggestBox, AutoSuggestBoxTextChangedEventArgs>? TextChanged;
|
||||
|
||||
public event TypedEventHandler<Microsoft.UI.Xaml.Controls.AutoSuggestBox, AutoSuggestBoxSuggestionChosenEventArgs>? SuggestionChosen;
|
||||
|
||||
public event TypedEventHandler<Microsoft.UI.Xaml.Controls.AutoSuggestBox, AutoSuggestBoxQuerySubmittedEventArgs>? QuerySubmitted;
|
||||
|
||||
public event TypedEventHandler<TokenizingTextBox, TokenItemAddingEventArgs>? TokenItemAdding;
|
||||
|
||||
public event TypedEventHandler<TokenizingTextBox, object>? TokenItemAdded;
|
||||
|
||||
public event TypedEventHandler<TokenizingTextBox, TokenItemRemovingEventArgs>? TokenItemRemoving;
|
||||
|
||||
public event TypedEventHandler<TokenizingTextBox, object>? TokenItemRemoved;
|
||||
|
||||
private enum MoveDirection
|
||||
{
|
||||
Next,
|
||||
Previous,
|
||||
}
|
||||
|
||||
public static bool IsShiftPressed => InputKeyboardSource.GetKeyStateForCurrentThread(VirtualKey.Shift).HasFlag(CoreVirtualKeyStates.Down);
|
||||
|
||||
public static bool IsXamlRootAvailable { get; } = ApiInformation.IsPropertyPresent("Windows.UI.Xaml.UIElement", "XamlRoot");
|
||||
|
||||
public static bool IsControlPressed => InputKeyboardSource.GetKeyStateForCurrentThread(VirtualKey.Control).HasFlag(CoreVirtualKeyStates.Down);
|
||||
|
||||
public bool PauseTokenClearOnFocus { get; set; }
|
||||
|
||||
public bool IsClearingForClick { get; set; }
|
||||
|
||||
public string SelectedTokenText
|
||||
{
|
||||
get => PrepareSelectionForClipboard();
|
||||
}
|
||||
|
||||
public void RaiseQuerySubmitted(Microsoft.UI.Xaml.Controls.AutoSuggestBox sender, AutoSuggestBoxQuerySubmittedEventArgs args)
|
||||
{
|
||||
QuerySubmitted?.Invoke(sender, args);
|
||||
}
|
||||
|
||||
public void RaiseSuggestionChosen(Microsoft.UI.Xaml.Controls.AutoSuggestBox sender, AutoSuggestBoxSuggestionChosenEventArgs args)
|
||||
{
|
||||
SuggestionChosen?.Invoke(sender, args);
|
||||
}
|
||||
|
||||
public void RaiseTextChanged(Microsoft.UI.Xaml.Controls.AutoSuggestBox sender, AutoSuggestBoxTextChangedEventArgs args)
|
||||
{
|
||||
TextChanged?.Invoke(sender, args);
|
||||
}
|
||||
|
||||
public void AddTokenItem(object data, bool atEnd = false)
|
||||
{
|
||||
_ = AddTokenAsync(data, atEnd);
|
||||
}
|
||||
|
||||
public async ValueTask ClearAsync()
|
||||
{
|
||||
while (innerItemsSource.Count > 1)
|
||||
{
|
||||
if (ContainerFromItem(innerItemsSource[0]) is TokenizingTextBoxItem container)
|
||||
{
|
||||
if (!await RemoveTokenAsync(container, innerItemsSource[0]).ConfigureAwait(true))
|
||||
{
|
||||
// if a removal operation fails then stop the clear process
|
||||
break;
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
// Clear the active pretoken string.
|
||||
// Setting the text property directly avoids a delay when setting the text in the autosuggest box.
|
||||
Text = string.Empty;
|
||||
}
|
||||
|
||||
public async Task AddTokenAsync(object data, bool? atEnd = default)
|
||||
{
|
||||
if (MaximumTokens >= 0 && MaximumTokens <= innerItemsSource.ItemsSource.Count)
|
||||
{
|
||||
// No tokens for you
|
||||
return;
|
||||
}
|
||||
|
||||
if (data is string str && TokenItemAdding is not null)
|
||||
{
|
||||
TokenItemAddingEventArgs tiaea = new(str);
|
||||
await TokenItemAdding.InvokeAsync(this, tiaea).ConfigureAwait(true);
|
||||
|
||||
if (tiaea.Cancel)
|
||||
{
|
||||
return;
|
||||
}
|
||||
|
||||
if (tiaea.Item is not null)
|
||||
{
|
||||
data = tiaea.Item; // Transformed by event implementor
|
||||
}
|
||||
}
|
||||
|
||||
// If we've been typing in the last box, just add this to the end of our collection
|
||||
if (atEnd == true || currentTextEdit == lastTextEdit)
|
||||
{
|
||||
innerItemsSource.InsertAt(innerItemsSource.Count - 1, data);
|
||||
}
|
||||
else
|
||||
{
|
||||
// Otherwise, we'll insert before our current box
|
||||
ITokenStringContainer edit = currentTextEdit;
|
||||
int index = innerItemsSource.IndexOf(edit);
|
||||
|
||||
// Insert our new data item at the location of our textbox
|
||||
innerItemsSource.InsertAt(index, data);
|
||||
|
||||
// Remove our textbox
|
||||
innerItemsSource.Remove(edit);
|
||||
}
|
||||
|
||||
// Focus back to our end box as Outlook does.
|
||||
TokenizingTextBoxItem last = (TokenizingTextBoxItem)ContainerFromItem(lastTextEdit);
|
||||
last?.AutoSuggestTextBox.Focus(FocusState.Keyboard);
|
||||
|
||||
TokenItemAdded?.Invoke(this, data);
|
||||
|
||||
GuardAgainstPlaceholderTextLayoutIssue();
|
||||
}
|
||||
|
||||
public async ValueTask RemoveAllSelectedTokens()
|
||||
{
|
||||
while (SelectedItems.Count > 0)
|
||||
{
|
||||
if (ContainerFromItem(SelectedItems[0]) is TokenizingTextBoxItem container)
|
||||
{
|
||||
if (IndexFromContainer(container) != Items.Count - 1)
|
||||
{
|
||||
// if its a text box, remove any selected text, and if its then empty remove the container, unless its focused
|
||||
if (SelectedItems[0] is ITokenStringContainer)
|
||||
{
|
||||
TextBox asb = container.AutoSuggestTextBox;
|
||||
|
||||
// grab any selected text
|
||||
string tempStr = asb.SelectionStart == 0
|
||||
? string.Empty
|
||||
: asb.Text[..asb.SelectionStart];
|
||||
tempStr +=
|
||||
asb.SelectionStart +
|
||||
asb.SelectionLength < asb.Text.Length
|
||||
? asb.Text[(asb.SelectionStart + asb.SelectionLength)..]
|
||||
: string.Empty;
|
||||
|
||||
if (tempStr.Length is 0)
|
||||
{
|
||||
// Need to be careful not to remove the last item in the list
|
||||
await RemoveTokenAsync(container).ConfigureAwait(true);
|
||||
}
|
||||
else
|
||||
{
|
||||
asb.Text = tempStr;
|
||||
}
|
||||
}
|
||||
else
|
||||
{
|
||||
// if the item is a token just remove it.
|
||||
await RemoveTokenAsync(container).ConfigureAwait(true);
|
||||
}
|
||||
}
|
||||
else
|
||||
{
|
||||
if (SelectedItems.Count == 1)
|
||||
{
|
||||
// at this point we have one selection and its the default textbox.
|
||||
// stop the iteration here
|
||||
break;
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
public bool SelectPreviousItem(TokenizingTextBoxItem item)
|
||||
{
|
||||
return SelectNewItem(item, -1, i => i > 0);
|
||||
}
|
||||
|
||||
public bool SelectNextItem(TokenizingTextBoxItem item)
|
||||
{
|
||||
return SelectNewItem(item, 1, i => i < Items.Count - 1);
|
||||
}
|
||||
|
||||
public void SelectAllTokensAndText()
|
||||
{
|
||||
void SelectAllTokensAndTextCore()
|
||||
{
|
||||
this.SelectAllSafe();
|
||||
|
||||
// need to synchronize the select all and the focus behavior on the text box
|
||||
// because there is no way to identify that the focus has been set from this point
|
||||
// to avoid instantly clearing the selection of tokens
|
||||
PauseTokenClearOnFocus = true;
|
||||
|
||||
foreach (object? item in Items)
|
||||
{
|
||||
if (item is ITokenStringContainer)
|
||||
{
|
||||
// grab any selected text
|
||||
if (ContainerFromItem(item) is TokenizingTextBoxItem pretoken)
|
||||
{
|
||||
pretoken.AutoSuggestTextBox.SelectionStart = 0;
|
||||
pretoken.AutoSuggestTextBox.SelectionLength = pretoken.AutoSuggestTextBox.Text.Length;
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
if (ContainerFromIndex(Items.Count - 1) is TokenizingTextBoxItem container)
|
||||
{
|
||||
container.Focus(FocusState.Programmatic);
|
||||
}
|
||||
}
|
||||
|
||||
_ = dispatcherQueue.EnqueueAsync(SelectAllTokensAndTextCore, DispatcherQueuePriority.Normal);
|
||||
}
|
||||
|
||||
public void DeselectAllTokensAndText(TokenizingTextBoxItem? ignoreItem = default)
|
||||
{
|
||||
this.DeselectAll();
|
||||
ClearAllTextSelections(ignoreItem);
|
||||
}
|
||||
|
||||
protected void UpdateCurrentTextEdit(ITokenStringContainer edit)
|
||||
{
|
||||
currentTextEdit = edit;
|
||||
|
||||
Text = edit.Text; // Update our text property.
|
||||
}
|
||||
|
||||
protected override AutomationPeer OnCreateAutomationPeer()
|
||||
{
|
||||
return new TokenizingTextBoxAutomationPeer(this);
|
||||
}
|
||||
|
||||
/// <inheritdoc/>
|
||||
protected override void OnApplyTemplate()
|
||||
{
|
||||
base.OnApplyTemplate();
|
||||
|
||||
MenuFlyoutItem selectAllMenuItem = new()
|
||||
{
|
||||
Text = "Select all",
|
||||
};
|
||||
selectAllMenuItem.Click += (s, e) => SelectAllTokensAndText();
|
||||
MenuFlyout menuFlyout = new();
|
||||
menuFlyout.Items.Add(selectAllMenuItem);
|
||||
|
||||
if (IsXamlRootAvailable && XamlRoot is not null)
|
||||
{
|
||||
menuFlyout.XamlRoot = XamlRoot;
|
||||
}
|
||||
|
||||
ContextFlyout = menuFlyout;
|
||||
}
|
||||
|
||||
/// <inheritdoc/>
|
||||
protected override DependencyObject GetContainerForItemOverride()
|
||||
{
|
||||
return new TokenizingTextBoxItem();
|
||||
}
|
||||
|
||||
/// <inheritdoc/>
|
||||
protected override bool IsItemItsOwnContainerOverride(object item)
|
||||
{
|
||||
return item is TokenizingTextBoxItem;
|
||||
}
|
||||
|
||||
/// <inheritdoc/>
|
||||
protected override void PrepareContainerForItemOverride(DependencyObject element, object item)
|
||||
{
|
||||
base.PrepareContainerForItemOverride(element, item);
|
||||
|
||||
if (element is TokenizingTextBoxItem tokenitem)
|
||||
{
|
||||
tokenitem.Owner = this;
|
||||
|
||||
tokenitem.ContentTemplateSelector = TokenItemTemplateSelector;
|
||||
tokenitem.ContentTemplate = TokenItemTemplate;
|
||||
|
||||
tokenitem.ClearClicked -= TokenizingTextBoxItem_ClearClicked;
|
||||
tokenitem.ClearClicked += TokenizingTextBoxItem_ClearClicked;
|
||||
|
||||
tokenitem.ClearAllAction -= TokenizingTextBoxItem_ClearAllAction;
|
||||
tokenitem.ClearAllAction += TokenizingTextBoxItem_ClearAllAction;
|
||||
|
||||
tokenitem.GotFocus -= TokenizingTextBoxItem_GotFocus;
|
||||
tokenitem.GotFocus += TokenizingTextBoxItem_GotFocus;
|
||||
|
||||
tokenitem.LostFocus -= TokenizingTextBoxItem_LostFocus;
|
||||
tokenitem.LostFocus += TokenizingTextBoxItem_LostFocus;
|
||||
|
||||
MenuFlyout menuFlyout = new();
|
||||
|
||||
MenuFlyoutItem removeMenuItem = new()
|
||||
{
|
||||
Text = "Remove",
|
||||
};
|
||||
removeMenuItem.Click += (s, e) => TokenizingTextBoxItem_ClearClicked(tokenitem, default);
|
||||
|
||||
menuFlyout.Items.Add(removeMenuItem);
|
||||
|
||||
if (IsXamlRootAvailable && XamlRoot is not null)
|
||||
{
|
||||
menuFlyout.XamlRoot = XamlRoot;
|
||||
}
|
||||
|
||||
MenuFlyoutItem selectAllMenuItem = new()
|
||||
{
|
||||
Text = "Select all",
|
||||
};
|
||||
selectAllMenuItem.Click += (s, e) => SelectAllTokensAndText();
|
||||
|
||||
menuFlyout.Items.Add(selectAllMenuItem);
|
||||
|
||||
tokenitem.ContextFlyout = menuFlyout;
|
||||
}
|
||||
}
|
||||
|
||||
private static void TextPropertyChanged(DependencyObject d, DependencyPropertyChangedEventArgs e)
|
||||
{
|
||||
if (d is TokenizingTextBox { currentTextEdit: { } } ttb)
|
||||
{
|
||||
if (e.NewValue is string newValue)
|
||||
{
|
||||
ttb.currentTextEdit.Text = newValue;
|
||||
|
||||
// Notify inner container of text change, see issue #4749
|
||||
TokenizingTextBoxItem item = (TokenizingTextBoxItem)ttb.ContainerFromItem(ttb.currentTextEdit);
|
||||
item?.UpdateText(ttb.currentTextEdit.Text);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
private static void OnMaximumTokensChanged(DependencyObject d, DependencyPropertyChangedEventArgs e)
|
||||
{
|
||||
if (d is TokenizingTextBox { MaximumTokens: >= 0 } ttb && e.NewValue is int newMaxTokens)
|
||||
{
|
||||
int tokenCount = ttb.innerItemsSource.ItemsSource.Count;
|
||||
if (tokenCount > 0 && tokenCount > newMaxTokens)
|
||||
{
|
||||
int tokensToRemove = tokenCount - Math.Max(newMaxTokens, 0);
|
||||
|
||||
// Start at the end, remove any extra tokens.
|
||||
for (int i = tokenCount; i > tokenCount - tokensToRemove; --i)
|
||||
{
|
||||
object? token = ttb.innerItemsSource.ItemsSource[i - 1];
|
||||
|
||||
if (token is not null)
|
||||
{
|
||||
// Force remove the items. No warning and no option to cancel.
|
||||
ttb.innerItemsSource.Remove(token);
|
||||
ttb.TokenItemRemoved?.Invoke(ttb, token);
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
private void ItemsSource_PropertyChanged(DependencyObject sender, DependencyProperty dp)
|
||||
{
|
||||
// If we're given a different ItemsSource, we need to wrap that collection in our helper class.
|
||||
if (ItemsSource is { } and not InterspersedObservableCollection)
|
||||
{
|
||||
innerItemsSource = new(ItemsSource);
|
||||
|
||||
if (MaximumTokens >= 0 && innerItemsSource.ItemsSource.Count >= MaximumTokens)
|
||||
{
|
||||
// Reduce down to below the max as necessary.
|
||||
int endCount = MaximumTokens > 0 ? MaximumTokens : 0;
|
||||
for (int i = innerItemsSource.ItemsSource.Count - 1; i >= endCount; --i)
|
||||
{
|
||||
innerItemsSource.Remove(innerItemsSource[i]);
|
||||
}
|
||||
}
|
||||
|
||||
// Add our text box at the end of items and set its default value to our initial text, fix for #4749
|
||||
currentTextEdit = lastTextEdit = new PretokenStringContainer(true) { Text = Text };
|
||||
innerItemsSource.Insert(innerItemsSource.Count, currentTextEdit);
|
||||
ItemsSource = innerItemsSource;
|
||||
}
|
||||
}
|
||||
|
||||
private void TokenizingTextBox_ItemClick(object sender, ItemClickEventArgs e)
|
||||
{
|
||||
// If the user taps an item in the list, make sure to clear any text selection as required
|
||||
// Note, token selection is cleared by the listview default behavior
|
||||
if (!IsControlPressed)
|
||||
{
|
||||
// Set class state flag to prevent click item being immediately deselected
|
||||
IsClearingForClick = true;
|
||||
ClearAllTextSelections(default);
|
||||
}
|
||||
}
|
||||
|
||||
private void TokenizingTextBox_PreviewKeyUp(object sender, KeyRoutedEventArgs e)
|
||||
{
|
||||
switch (e.Key)
|
||||
{
|
||||
case VirtualKey.Escape:
|
||||
// Clear any selection and place the focus back into the text box
|
||||
DeselectAllTokensAndText();
|
||||
FocusPrimaryAutoSuggestBox();
|
||||
break;
|
||||
}
|
||||
}
|
||||
|
||||
private void FocusPrimaryAutoSuggestBox()
|
||||
{
|
||||
if (Items?.Count > 0)
|
||||
{
|
||||
if (ContainerFromIndex(Items.Count - 1) is TokenizingTextBoxItem container)
|
||||
{
|
||||
container.Focus(FocusState.Programmatic);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
private async void TokenizingTextBox_PreviewKeyDown(object sender, KeyRoutedEventArgs e)
|
||||
{
|
||||
switch (e.Key)
|
||||
{
|
||||
case VirtualKey.C:
|
||||
if (IsControlPressed)
|
||||
{
|
||||
CopySelectedToClipboard();
|
||||
e.Handled = true;
|
||||
return;
|
||||
}
|
||||
|
||||
break;
|
||||
|
||||
case VirtualKey.X:
|
||||
if (IsControlPressed)
|
||||
{
|
||||
CopySelectedToClipboard();
|
||||
|
||||
// now clear all selected tokens and text, or all if none are selected
|
||||
await RemoveAllSelectedTokens().ConfigureAwait(false);
|
||||
}
|
||||
|
||||
break;
|
||||
|
||||
// For moving between tokens
|
||||
case VirtualKey.Left:
|
||||
e.Handled = MoveFocusAndSelection(MoveDirection.Previous);
|
||||
return;
|
||||
|
||||
case VirtualKey.Right:
|
||||
e.Handled = MoveFocusAndSelection(MoveDirection.Next);
|
||||
return;
|
||||
|
||||
case VirtualKey.A:
|
||||
// modify the select-all behavior to ensure the text in the edit box gets selected.
|
||||
if (IsControlPressed)
|
||||
{
|
||||
SelectAllTokensAndText();
|
||||
e.Handled = true;
|
||||
return;
|
||||
}
|
||||
|
||||
break;
|
||||
}
|
||||
}
|
||||
|
||||
private async void TokenizingTextBox_CharacterReceived(UIElement sender, CharacterReceivedRoutedEventArgs args)
|
||||
{
|
||||
TokenizingTextBoxItem container = (TokenizingTextBoxItem)ContainerFromItem(currentTextEdit);
|
||||
|
||||
if (container is not null && !(GetFocusedElement().Equals(container.AutoSuggestTextBox) || char.IsControl(args.Character)))
|
||||
{
|
||||
if (SelectedItems.Count > 0)
|
||||
{
|
||||
int index = innerItemsSource.IndexOf(SelectedItems.First());
|
||||
|
||||
await RemoveAllSelectedTokens().ConfigureAwait(false);
|
||||
|
||||
void RemoveOldItems()
|
||||
{
|
||||
// If we're before the last textbox and it's empty, redirect focus to that one instead
|
||||
if (index == innerItemsSource.Count - 1 && string.IsNullOrWhiteSpace(lastTextEdit.Text))
|
||||
{
|
||||
if (ContainerFromItem(lastTextEdit) is TokenizingTextBoxItem lastContainer)
|
||||
{
|
||||
lastContainer.UseCharacterAsUser = true; // Make sure we trigger a refresh of suggested items.
|
||||
|
||||
lastTextEdit.Text = string.Empty + args.Character;
|
||||
|
||||
UpdateCurrentTextEdit(lastTextEdit);
|
||||
|
||||
lastContainer.AutoSuggestTextBox.SelectionStart = 1; // Set position to after our new character inserted
|
||||
|
||||
lastContainer.AutoSuggestTextBox.Focus(FocusState.Keyboard);
|
||||
}
|
||||
}
|
||||
else
|
||||
{
|
||||
//// Otherwise, create a new textbox for this text.
|
||||
|
||||
UpdateCurrentTextEdit(new PretokenStringContainer((string.Empty + args.Character).Trim())); // Trim so that 'space' isn't inserted and can be used to insert a new box.
|
||||
|
||||
innerItemsSource.Insert(index, currentTextEdit);
|
||||
|
||||
void Containerization()
|
||||
{
|
||||
if (ContainerFromIndex(index) is TokenizingTextBoxItem newContainer) // Should be our last text box
|
||||
{
|
||||
newContainer.UseCharacterAsUser = true; // Make sure we trigger a refresh of suggested items.
|
||||
|
||||
void WaitForLoad(object s, RoutedEventArgs eargs)
|
||||
{
|
||||
if (newContainer.AutoSuggestTextBox is not null)
|
||||
{
|
||||
newContainer.AutoSuggestTextBox.SelectionStart = 1; // Set position to after our new character inserted
|
||||
|
||||
newContainer.AutoSuggestTextBox.Focus(FocusState.Keyboard);
|
||||
}
|
||||
|
||||
newContainer.Loaded -= WaitForLoad;
|
||||
}
|
||||
|
||||
newContainer.AutoSuggestTextBoxLoaded += WaitForLoad;
|
||||
}
|
||||
}
|
||||
|
||||
// Need to wait for containerization
|
||||
_ = DispatcherQueue.EnqueueAsync(Containerization, DispatcherQueuePriority.Normal);
|
||||
}
|
||||
}
|
||||
|
||||
// Wait for removal of old items
|
||||
_ = DispatcherQueue.EnqueueAsync(RemoveOldItems, DispatcherQueuePriority.Normal);
|
||||
}
|
||||
else
|
||||
{
|
||||
// If no items are selected, send input to the last active string container.
|
||||
// This code is only fires during an edgecase where an item is in the process of being deleted and the user inputs a character before the focus has been redirected to a string container.
|
||||
if (innerItemsSource[^1] is ITokenStringContainer textToken)
|
||||
{
|
||||
if (ContainerFromIndex(Items.Count - 1) is TokenizingTextBoxItem last) // Should be our last text box
|
||||
{
|
||||
string text = last.AutoSuggestTextBox.Text;
|
||||
int selectionStart = last.AutoSuggestTextBox.SelectionStart;
|
||||
int position = selectionStart > text.Length ? text.Length : selectionStart;
|
||||
textToken.Text = text[..position] + args.Character + text[position..];
|
||||
|
||||
last.AutoSuggestTextBox.SelectionStart = position + 1; // Set position to after our new character inserted
|
||||
|
||||
last.AutoSuggestTextBox.Focus(FocusState.Keyboard);
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
private object GetFocusedElement()
|
||||
{
|
||||
if (IsXamlRootAvailable && XamlRoot is not null)
|
||||
{
|
||||
return FocusManager.GetFocusedElement(XamlRoot);
|
||||
}
|
||||
else
|
||||
{
|
||||
return FocusManager.GetFocusedElement();
|
||||
}
|
||||
}
|
||||
|
||||
private void TokenizingTextBoxItem_GotFocus(object sender, RoutedEventArgs e)
|
||||
{
|
||||
// Keep track of our currently focused textbox
|
||||
if (sender is TokenizingTextBoxItem { Content: ITokenStringContainer text })
|
||||
{
|
||||
UpdateCurrentTextEdit(text);
|
||||
}
|
||||
}
|
||||
|
||||
private void TokenizingTextBoxItem_LostFocus(object sender, RoutedEventArgs e)
|
||||
{
|
||||
// Keep track of our currently focused textbox
|
||||
if (sender is TokenizingTextBoxItem { Content: ITokenStringContainer text } &&
|
||||
string.IsNullOrWhiteSpace(text.Text) && text != lastTextEdit)
|
||||
{
|
||||
// We're leaving an inner textbox that's blank, so we'll remove it
|
||||
innerItemsSource.Remove(text);
|
||||
|
||||
UpdateCurrentTextEdit(lastTextEdit);
|
||||
|
||||
GuardAgainstPlaceholderTextLayoutIssue();
|
||||
}
|
||||
}
|
||||
|
||||
private async ValueTask<bool> RemoveTokenAsync(TokenizingTextBoxItem item, object? data = null)
|
||||
{
|
||||
data ??= ItemFromContainer(item);
|
||||
|
||||
if (TokenItemRemoving is not null)
|
||||
{
|
||||
TokenItemRemovingEventArgs tirea = new(data, item);
|
||||
await TokenItemRemoving.InvokeAsync(this, tirea).ConfigureAwait(true);
|
||||
|
||||
if (tirea.Cancel)
|
||||
{
|
||||
return false;
|
||||
}
|
||||
}
|
||||
|
||||
innerItemsSource.Remove(data);
|
||||
|
||||
TokenItemRemoved?.Invoke(this, data);
|
||||
|
||||
GuardAgainstPlaceholderTextLayoutIssue();
|
||||
|
||||
return true;
|
||||
}
|
||||
|
||||
private void GuardAgainstPlaceholderTextLayoutIssue()
|
||||
{
|
||||
// If the *PlaceholderText is visible* on the last AutoSuggestBox, it can incorrectly layout itself
|
||||
// when the *ASB has focus*. We think this is an optimization in the platform, but haven't been able to
|
||||
// isolate a straight-reproduction of this issue outside of this control (though we have eliminated
|
||||
// most Toolkit influences like ASB/TextBox Style, the InterspersedObservableCollection, etc...).
|
||||
// The only Toolkit component involved here should be WrapPanel (which is a straight-forward Panel).
|
||||
// We also know the ASB itself is adjusting it's size correctly, it's the inner component.
|
||||
//
|
||||
// To combat this issue:
|
||||
// We toggle the visibility of the Placeholder ContentControl in order to force it's layout to update properly
|
||||
FrameworkElement? placeholder = ContainerFromItem(lastTextEdit)?.FindDescendant("PlaceholderTextContentPresenter");
|
||||
|
||||
if (placeholder?.Visibility == Visibility.Visible)
|
||||
{
|
||||
placeholder.Visibility = Visibility.Collapsed;
|
||||
|
||||
// After we ensure we've hid the control, make it visible again (this is imperceptible to the user).
|
||||
_ = CompositionTargetHelper.ExecuteAfterCompositionRenderingAsync(() =>
|
||||
{
|
||||
placeholder.Visibility = Visibility.Visible;
|
||||
});
|
||||
}
|
||||
}
|
||||
|
||||
private bool MoveFocusAndSelection(MoveDirection direction)
|
||||
{
|
||||
bool retVal = false;
|
||||
|
||||
if (GetCurrentContainerItem() is { } currentContainerItem)
|
||||
{
|
||||
object? currentItem = ItemFromContainer(currentContainerItem);
|
||||
int previousIndex = Items.IndexOf(currentItem);
|
||||
int index = previousIndex;
|
||||
|
||||
if (direction == MoveDirection.Previous)
|
||||
{
|
||||
if (previousIndex > 0)
|
||||
{
|
||||
index -= 1;
|
||||
}
|
||||
else
|
||||
{
|
||||
if (TabNavigateBackOnArrow)
|
||||
{
|
||||
FocusManager.TryMoveFocus(FocusNavigationDirection.Previous, new FindNextElementOptions
|
||||
{
|
||||
SearchRoot = XamlRoot.Content,
|
||||
});
|
||||
}
|
||||
|
||||
retVal = true;
|
||||
}
|
||||
}
|
||||
else if (direction == MoveDirection.Next)
|
||||
{
|
||||
if (previousIndex < Items.Count - 1)
|
||||
{
|
||||
index += 1;
|
||||
}
|
||||
}
|
||||
|
||||
// Only do stuff if the index is actually changing
|
||||
if (index != previousIndex)
|
||||
{
|
||||
if (ContainerFromIndex(index) is TokenizingTextBoxItem newItem)
|
||||
{
|
||||
// Check for the new item being a text control.
|
||||
// this must happen before focus is set to avoid seeing the caret
|
||||
// jump in come cases
|
||||
if (Items[index] is ITokenStringContainer && !IsShiftPressed)
|
||||
{
|
||||
newItem.AutoSuggestTextBox.SelectionLength = 0;
|
||||
newItem.AutoSuggestTextBox.SelectionStart = direction == MoveDirection.Next
|
||||
? 0
|
||||
: newItem.AutoSuggestTextBox.Text.Length;
|
||||
}
|
||||
|
||||
newItem.Focus(FocusState.Keyboard);
|
||||
|
||||
// if no control keys are selected then the selection also becomes just this item
|
||||
if (IsShiftPressed)
|
||||
{
|
||||
// What we do here depends on where the selection started
|
||||
// if the previous item is between the start and new position then we add the new item to the selected range
|
||||
// if the new item is between the start and the previous position then we remove the previous position
|
||||
int newDistance = Math.Abs(SelectedIndex - index);
|
||||
int oldDistance = Math.Abs(SelectedIndex - previousIndex);
|
||||
|
||||
if (newDistance > oldDistance)
|
||||
{
|
||||
SelectedItems.Add(Items[index]);
|
||||
}
|
||||
else
|
||||
{
|
||||
SelectedItems.Remove(Items[previousIndex]);
|
||||
}
|
||||
}
|
||||
else if (!IsControlPressed)
|
||||
{
|
||||
SelectedIndex = index;
|
||||
|
||||
// This looks like a bug in the underlying ListViewBase control.
|
||||
// Might need to be reviewed if the base behavior is fixed
|
||||
// When two consecutive items are selected and the navigation moves between them,
|
||||
// the first time that happens the old focused item is not unselected
|
||||
if (SelectedItems.Count > 1)
|
||||
{
|
||||
SelectedItems.Clear();
|
||||
SelectedIndex = index;
|
||||
}
|
||||
}
|
||||
|
||||
retVal = true;
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
return retVal;
|
||||
}
|
||||
|
||||
private TokenizingTextBoxItem? GetCurrentContainerItem()
|
||||
{
|
||||
if (IsXamlRootAvailable && XamlRoot is not null)
|
||||
{
|
||||
return (TokenizingTextBoxItem)FocusManager.GetFocusedElement(XamlRoot);
|
||||
}
|
||||
else
|
||||
{
|
||||
return (TokenizingTextBoxItem)FocusManager.GetFocusedElement();
|
||||
}
|
||||
}
|
||||
|
||||
private void ClearAllTextSelections(TokenizingTextBoxItem? ignoreItem)
|
||||
{
|
||||
// Clear any selection in the text box
|
||||
foreach (object? item in Items)
|
||||
{
|
||||
if (item is ITokenStringContainer)
|
||||
{
|
||||
if (ContainerFromItem(item) is TokenizingTextBoxItem container)
|
||||
{
|
||||
if (container != ignoreItem)
|
||||
{
|
||||
container.AutoSuggestTextBox.SelectionLength = 0;
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
private bool SelectNewItem(TokenizingTextBoxItem item, int increment, Func<int, bool> testFunc)
|
||||
{
|
||||
// find the item in the list
|
||||
int currentIndex = IndexFromContainer(item);
|
||||
|
||||
// Select previous token item (if there is one).
|
||||
if (testFunc(currentIndex))
|
||||
{
|
||||
if (ContainerFromItem(Items[currentIndex + increment]) is ListViewItem newItem)
|
||||
{
|
||||
newItem.Focus(FocusState.Keyboard);
|
||||
SelectedItems.Add(Items[currentIndex + increment]);
|
||||
return true;
|
||||
}
|
||||
}
|
||||
|
||||
return false;
|
||||
}
|
||||
|
||||
private async void TokenizingTextBoxItem_ClearAllAction(TokenizingTextBoxItem sender, RoutedEventArgs args)
|
||||
{
|
||||
// find the first item selected
|
||||
int newSelectedIndex = -1;
|
||||
|
||||
if (SelectedRanges.Count > 0)
|
||||
{
|
||||
newSelectedIndex = SelectedRanges[0].FirstIndex - 1;
|
||||
}
|
||||
|
||||
await RemoveAllSelectedTokens().ConfigureAwait(true);
|
||||
|
||||
SelectedIndex = newSelectedIndex;
|
||||
|
||||
if (newSelectedIndex is -1)
|
||||
{
|
||||
newSelectedIndex = Items.Count - 1;
|
||||
}
|
||||
|
||||
// focus the item prior to the first selected item
|
||||
if (ContainerFromIndex(newSelectedIndex) is TokenizingTextBoxItem container)
|
||||
{
|
||||
container.Focus(FocusState.Keyboard);
|
||||
}
|
||||
}
|
||||
|
||||
private async void TokenizingTextBoxItem_ClearClicked(TokenizingTextBoxItem sender, RoutedEventArgs? args)
|
||||
{
|
||||
await RemoveTokenAsync(sender).ConfigureAwait(true);
|
||||
}
|
||||
|
||||
private void CopySelectedToClipboard()
|
||||
{
|
||||
DataPackage dataPackage = new()
|
||||
{
|
||||
RequestedOperation = DataPackageOperation.Copy,
|
||||
};
|
||||
|
||||
string tokenString = PrepareSelectionForClipboard();
|
||||
|
||||
if (!string.IsNullOrEmpty(tokenString))
|
||||
{
|
||||
dataPackage.SetText(tokenString);
|
||||
Clipboard.SetContent(dataPackage);
|
||||
}
|
||||
}
|
||||
|
||||
private string PrepareSelectionForClipboard()
|
||||
{
|
||||
string tokenString = string.Empty;
|
||||
bool addSeparator = false;
|
||||
|
||||
// Copy all items if none selected (and no text selected)
|
||||
foreach (object? item in SelectedItems.Count > 0 ? SelectedItems : Items)
|
||||
{
|
||||
if (addSeparator)
|
||||
{
|
||||
tokenString += TokenDelimiter;
|
||||
}
|
||||
else
|
||||
{
|
||||
addSeparator = true;
|
||||
}
|
||||
|
||||
if (item is ITokenStringContainer)
|
||||
{
|
||||
// grab any selected text
|
||||
if (ContainerFromItem(item) is TokenizingTextBoxItem { AutoSuggestTextBox: { } textBox })
|
||||
{
|
||||
tokenString += textBox.Text.Substring(
|
||||
textBox.SelectionStart,
|
||||
textBox.SelectionLength);
|
||||
}
|
||||
}
|
||||
else
|
||||
{
|
||||
tokenString += item.ToString();
|
||||
}
|
||||
}
|
||||
|
||||
return tokenString;
|
||||
}
|
||||
}
|
||||
@@ -0,0 +1,172 @@
|
||||
<ResourceDictionary
|
||||
xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
|
||||
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
|
||||
xmlns:cw="using:CommunityToolkit.WinUI"
|
||||
xmlns:cwc="using:CommunityToolkit.WinUI.Controls"
|
||||
xmlns:shct="using:Snap.Hutao.Control.TokenizingTextBox"
|
||||
xmlns:win="http://schemas.microsoft.com/winfx/2006/xaml/presentation">
|
||||
<ResourceDictionary.MergedDictionaries>
|
||||
<ResourceDictionary Source="ms-appx:///Control/TokenizingTextBox/TokenizingTextBoxItem.xaml"/>
|
||||
</ResourceDictionary.MergedDictionaries>
|
||||
|
||||
<!-- Resources for TokenizingTextBox -->
|
||||
<Thickness x:Key="TokenizingTextBoxPadding">3,2,3,2</Thickness>
|
||||
<Thickness x:Key="TokenizingTextBoxPresenterMargin">0,0,6,0</Thickness>
|
||||
<x:Double x:Key="TokenizingTextBoxTokenSpacing">2</x:Double>
|
||||
|
||||
<shct:TokenizingTextBoxStyleSelector
|
||||
x:Key="TokenizingTextBoxStyleSelector"
|
||||
TextStyle="{StaticResource TokenizingTextBoxItemTextStyle}"
|
||||
TokenStyle="{StaticResource TokenizingTextBoxItemTokenStyle}"/>
|
||||
|
||||
<!-- Default style for TokenizingTextBox -->
|
||||
<Style BasedOn="{StaticResource DefaultTokenizingTextBoxStyle}" TargetType="shct:TokenizingTextBox"/>
|
||||
|
||||
<Style x:Key="DefaultTokenizingTextBoxStyle" TargetType="shct:TokenizingTextBox">
|
||||
<Setter Property="AutoSuggestBoxTextBoxStyle" Value="{StaticResource TokenizingTextBoxTextBoxStyle}"/>
|
||||
<Setter Property="Foreground" Value="{ThemeResource TextControlForeground}"/>
|
||||
<Setter Property="Background" Value="{ThemeResource TextControlBackground}"/>
|
||||
<Setter Property="BorderBrush" Value="{ThemeResource TextControlBorderBrush}"/>
|
||||
<Setter Property="BorderThickness" Value="{StaticResource TextControlBorderThemeThickness}"/>
|
||||
<Setter Property="IsTabStop" Value="False"/>
|
||||
<Setter Property="TabNavigation" Value="Once"/>
|
||||
<win:Setter Property="IsSwipeEnabled" Value="False"/>
|
||||
<Setter Property="CornerRadius" Value="{ThemeResource ControlCornerRadius}"/>
|
||||
<Setter Property="Padding" Value="{StaticResource TokenizingTextBoxPadding}"/>
|
||||
<Setter Property="SelectionMode" Value="Extended"/>
|
||||
<Setter Property="ScrollViewer.HorizontalScrollBarVisibility" Value="Disabled"/>
|
||||
<Setter Property="ScrollViewer.VerticalScrollBarVisibility" Value="Auto"/>
|
||||
<Setter Property="ScrollViewer.HorizontalScrollMode" Value="Disabled"/>
|
||||
<win:Setter Property="ScrollViewer.IsHorizontalRailEnabled" Value="True"/>
|
||||
<Setter Property="ScrollViewer.VerticalScrollMode" Value="Enabled"/>
|
||||
<win:Setter Property="ScrollViewer.IsVerticalRailEnabled" Value="True"/>
|
||||
<Setter Property="ScrollViewer.ZoomMode" Value="Disabled"/>
|
||||
<win:Setter Property="ScrollViewer.IsDeferredScrollingEnabled" Value="False"/>
|
||||
<Setter Property="ScrollViewer.BringIntoViewOnFocusChange" Value="True"/>
|
||||
<Setter Property="TokenSpacing" Value="{StaticResource TokenizingTextBoxTokenSpacing}"/>
|
||||
<Setter Property="UseSystemFocusVisuals" Value="{StaticResource UseSystemFocusVisuals}"/>
|
||||
<Setter Property="IsItemClickEnabled" Value="True"/>
|
||||
<win:Setter Property="ItemContainerTransitions">
|
||||
<Setter.Value>
|
||||
<TransitionCollection/>
|
||||
</Setter.Value>
|
||||
</win:Setter>
|
||||
<Setter Property="ItemsPanel">
|
||||
<Setter.Value>
|
||||
<ItemsPanelTemplate>
|
||||
<cwc:WrapPanel
|
||||
cw:FrameworkElementExtensions.AncestorType="shct:TokenizingTextBox"
|
||||
HorizontalSpacing="{Binding (cw:FrameworkElementExtensions.Ancestor).TokenSpacing, RelativeSource={RelativeSource Self}}"
|
||||
StretchChild="Last"
|
||||
VerticalSpacing="{Binding (cw:FrameworkElementExtensions.Ancestor).TokenSpacing, RelativeSource={RelativeSource Self}}"/>
|
||||
</ItemsPanelTemplate>
|
||||
</Setter.Value>
|
||||
</Setter>
|
||||
<Setter Property="ItemContainerStyleSelector" Value="{StaticResource TokenizingTextBoxStyleSelector}"/>
|
||||
<Setter Property="Template" Value="{StaticResource TokenizingTextBoxTemplate}"/>
|
||||
</Style>
|
||||
|
||||
<ControlTemplate x:Key="TokenizingTextBoxTemplate" TargetType="shct:TokenizingTextBox">
|
||||
<Grid Name="RootPanel">
|
||||
<Grid.RowDefinitions>
|
||||
<RowDefinition Height="Auto"/>
|
||||
<RowDefinition Height="*"/>
|
||||
<RowDefinition Height="Auto"/>
|
||||
</Grid.RowDefinitions>
|
||||
|
||||
<ContentPresenter
|
||||
Margin="{ThemeResource TextBoxTopHeaderMargin}"
|
||||
VerticalAlignment="Top"
|
||||
Content="{TemplateBinding Header}"
|
||||
ContentTemplate="{TemplateBinding HeaderTemplate}"
|
||||
FontWeight="Normal"
|
||||
Foreground="{ThemeResource TextControlHeaderForeground}"
|
||||
TextWrapping="Wrap"
|
||||
Transitions="{TemplateBinding HeaderTransitions}"/>
|
||||
<Border
|
||||
x:Name="BackgroundVisual"
|
||||
Grid.Row="1"
|
||||
Background="{TemplateBinding Background}"
|
||||
BorderBrush="{TemplateBinding BorderBrush}"
|
||||
BorderThickness="{TemplateBinding BorderThickness}"
|
||||
CornerRadius="{TemplateBinding CornerRadius}"/>
|
||||
|
||||
<Border
|
||||
x:Name="FocusVisual"
|
||||
Grid.Row="1"
|
||||
Background="{ThemeResource TextControlBackgroundFocused}"
|
||||
BorderBrush="{ThemeResource TextControlBorderBrushFocused}"
|
||||
BorderThickness="{TemplateBinding BorderThickness}"
|
||||
CornerRadius="{TemplateBinding CornerRadius}"
|
||||
Opacity="0"/>
|
||||
<!-- Background in WinUI is TextControlBackgroundFocused, but that uses a different resource in WinUI than system -->
|
||||
|
||||
<ScrollViewer
|
||||
x:Name="ScrollViewer"
|
||||
Grid.Row="1"
|
||||
win:AutomationProperties.AccessibilityView="Raw"
|
||||
win:IsDeferredScrollingEnabled="{TemplateBinding ScrollViewer.IsDeferredScrollingEnabled}"
|
||||
win:IsHorizontalRailEnabled="{TemplateBinding ScrollViewer.IsHorizontalRailEnabled}"
|
||||
win:IsHorizontalScrollChainingEnabled="{TemplateBinding ScrollViewer.IsHorizontalScrollChainingEnabled}"
|
||||
win:IsVerticalRailEnabled="{TemplateBinding ScrollViewer.IsVerticalRailEnabled}"
|
||||
win:IsVerticalScrollChainingEnabled="{TemplateBinding ScrollViewer.IsVerticalScrollChainingEnabled}"
|
||||
BringIntoViewOnFocusChange="{TemplateBinding ScrollViewer.BringIntoViewOnFocusChange}"
|
||||
HorizontalScrollBarVisibility="{TemplateBinding ScrollViewer.HorizontalScrollBarVisibility}"
|
||||
HorizontalScrollMode="{TemplateBinding ScrollViewer.HorizontalScrollMode}"
|
||||
TabNavigation="{TemplateBinding TabNavigation}"
|
||||
VerticalScrollBarVisibility="{TemplateBinding ScrollViewer.VerticalScrollBarVisibility}"
|
||||
VerticalScrollMode="{TemplateBinding ScrollViewer.VerticalScrollMode}"
|
||||
ZoomMode="{TemplateBinding ScrollViewer.ZoomMode}">
|
||||
|
||||
<ItemsPresenter Margin="{StaticResource TokenizingTextBoxPresenterMargin}" Padding="{TemplateBinding Padding}"/>
|
||||
</ScrollViewer>
|
||||
|
||||
<ContentPresenter
|
||||
Grid.Row="2"
|
||||
VerticalAlignment="Top"
|
||||
Content="{TemplateBinding Footer}"
|
||||
ContentTemplate="{TemplateBinding FooterTemplate}"
|
||||
FontWeight="Normal"
|
||||
TextWrapping="Wrap"
|
||||
Transitions="{TemplateBinding FooterTransitions}"/>
|
||||
|
||||
<VisualStateManager.VisualStateGroups>
|
||||
<VisualStateGroup x:Name="CommonStates">
|
||||
<VisualState x:Name="Disabled">
|
||||
<Storyboard>
|
||||
<ObjectAnimationUsingKeyFrames Storyboard.TargetName="BackgroundVisual" Storyboard.TargetProperty="Background">
|
||||
<DiscreteObjectKeyFrame KeyTime="0" Value="{ThemeResource TextControlBackgroundDisabled}"/>
|
||||
</ObjectAnimationUsingKeyFrames>
|
||||
<ObjectAnimationUsingKeyFrames Storyboard.TargetName="BackgroundVisual" Storyboard.TargetProperty="BorderBrush">
|
||||
<DiscreteObjectKeyFrame KeyTime="0" Value="{ThemeResource TextControlBorderBrushDisabled}"/>
|
||||
</ObjectAnimationUsingKeyFrames>
|
||||
|
||||
</Storyboard>
|
||||
</VisualState>
|
||||
<VisualState x:Name="Normal"/>
|
||||
<VisualState x:Name="PointerOver">
|
||||
<Storyboard>
|
||||
<ObjectAnimationUsingKeyFrames Storyboard.TargetName="BackgroundVisual" Storyboard.TargetProperty="BorderBrush">
|
||||
<DiscreteObjectKeyFrame KeyTime="0" Value="{ThemeResource TextControlBorderBrushPointerOver}"/>
|
||||
</ObjectAnimationUsingKeyFrames>
|
||||
<ObjectAnimationUsingKeyFrames Storyboard.TargetName="BackgroundVisual" Storyboard.TargetProperty="Background">
|
||||
<DiscreteObjectKeyFrame KeyTime="0" Value="{ThemeResource TextControlBackgroundPointerOver}"/>
|
||||
</ObjectAnimationUsingKeyFrames>
|
||||
</Storyboard>
|
||||
</VisualState>
|
||||
</VisualStateGroup>
|
||||
|
||||
<VisualStateGroup x:Name="FocusStates">
|
||||
<VisualState x:Name="Focused">
|
||||
<VisualState.Setters>
|
||||
<Setter Target="BackgroundVisual.BorderBrush" Value="Transparent"/>
|
||||
<Setter Target="FocusVisual.BorderThickness" Value="{ThemeResource TextControlBorderThemeThicknessFocused}"/>
|
||||
<Setter Target="FocusVisual.Opacity" Value="1"/>
|
||||
</VisualState.Setters>
|
||||
</VisualState>
|
||||
<VisualState x:Name="Unfocused"/>
|
||||
</VisualStateGroup>
|
||||
</VisualStateManager.VisualStateGroups>
|
||||
</Grid>
|
||||
</ControlTemplate>
|
||||
</ResourceDictionary>
|
||||
@@ -0,0 +1,84 @@
|
||||
// Copyright (c) DGP Studio. All rights reserved.
|
||||
// Licensed under the MIT license.
|
||||
|
||||
using Microsoft.UI.Xaml.Automation;
|
||||
using Microsoft.UI.Xaml.Automation.Peers;
|
||||
using Microsoft.UI.Xaml.Automation.Provider;
|
||||
using Microsoft.UI.Xaml.Controls;
|
||||
|
||||
namespace Snap.Hutao.Control.TokenizingTextBox;
|
||||
|
||||
internal class TokenizingTextBoxAutomationPeer : ListViewBaseAutomationPeer, IValueProvider
|
||||
{
|
||||
public TokenizingTextBoxAutomationPeer(TokenizingTextBox owner)
|
||||
: base(owner)
|
||||
{
|
||||
}
|
||||
|
||||
public bool IsReadOnly => !OwningTokenizingTextBox.IsEnabled;
|
||||
|
||||
public string Value => OwningTokenizingTextBox.Text;
|
||||
|
||||
private TokenizingTextBox OwningTokenizingTextBox
|
||||
{
|
||||
get => (TokenizingTextBox)Owner;
|
||||
}
|
||||
|
||||
public void SetValue(string value)
|
||||
{
|
||||
if (IsReadOnly)
|
||||
{
|
||||
throw new ElementNotEnabledException($"Could not set the value of the {nameof(TokenizingTextBox)} ");
|
||||
}
|
||||
|
||||
OwningTokenizingTextBox.Text = value;
|
||||
}
|
||||
|
||||
protected override string GetClassNameCore()
|
||||
{
|
||||
return Owner.GetType().Name;
|
||||
}
|
||||
|
||||
protected override string GetNameCore()
|
||||
{
|
||||
string name = OwningTokenizingTextBox.Name;
|
||||
if (!string.IsNullOrWhiteSpace(name))
|
||||
{
|
||||
return name;
|
||||
}
|
||||
|
||||
name = AutomationProperties.GetName(OwningTokenizingTextBox);
|
||||
return !string.IsNullOrWhiteSpace(name) ? name : base.GetNameCore();
|
||||
}
|
||||
|
||||
protected override object GetPatternCore(PatternInterface patternInterface)
|
||||
{
|
||||
return patternInterface switch
|
||||
{
|
||||
PatternInterface.Value => this,
|
||||
_ => base.GetPatternCore(patternInterface),
|
||||
};
|
||||
}
|
||||
|
||||
protected override IList<AutomationPeer> GetChildrenCore()
|
||||
{
|
||||
TokenizingTextBox owner = OwningTokenizingTextBox;
|
||||
|
||||
ItemCollection items = owner.Items;
|
||||
if (items.Count <= 0)
|
||||
{
|
||||
return default!;
|
||||
}
|
||||
|
||||
List<AutomationPeer> peers = new(items.Count);
|
||||
for (int i = 0; i < items.Count; i++)
|
||||
{
|
||||
if (owner.ContainerFromIndex(i) is TokenizingTextBoxItem element)
|
||||
{
|
||||
peers.Add(FromElement(element) ?? CreatePeerForElement(element));
|
||||
}
|
||||
}
|
||||
|
||||
return peers;
|
||||
}
|
||||
}
|
||||
@@ -0,0 +1,480 @@
|
||||
// Copyright (c) DGP Studio. All rights reserved.
|
||||
// Licensed under the MIT license.
|
||||
|
||||
using CommunityToolkit.WinUI;
|
||||
using Microsoft.UI.Xaml;
|
||||
using Microsoft.UI.Xaml.Controls;
|
||||
using Microsoft.UI.Xaml.Controls.Primitives;
|
||||
using Microsoft.UI.Xaml.Data;
|
||||
using Microsoft.UI.Xaml.Input;
|
||||
using Windows.Foundation;
|
||||
using Windows.System;
|
||||
|
||||
namespace Snap.Hutao.Control.TokenizingTextBox;
|
||||
|
||||
[DependencyProperty("ClearButtonStyle", typeof(Style))]
|
||||
[DependencyProperty("Owner", typeof(TokenizingTextBox))]
|
||||
[TemplatePart(Name = PART_ClearButton, Type = typeof(ButtonBase))] //// Token case
|
||||
[TemplatePart(Name = PART_AutoSuggestBox, Type = typeof(Microsoft.UI.Xaml.Controls.AutoSuggestBox))] //// String case
|
||||
[TemplatePart(Name = PART_TokensCounter, Type = typeof(TextBlock))]
|
||||
[SuppressMessage("", "SA1124")]
|
||||
internal partial class TokenizingTextBoxItem : ListViewItem
|
||||
{
|
||||
private const string PART_ClearButton = "PART_RemoveButton";
|
||||
private const string PART_AutoSuggestBox = "PART_AutoSuggestBox";
|
||||
private const string PART_TokensCounter = "PART_TokensCounter";
|
||||
private const string QueryButton = "QueryButton";
|
||||
|
||||
private Microsoft.UI.Xaml.Controls.AutoSuggestBox autoSuggestBox;
|
||||
private TextBox autoSuggestTextBox;
|
||||
private Button clearButton;
|
||||
private bool isSelectedFocusOnFirstCharacter;
|
||||
private bool isSelectedFocusOnLastCharacter;
|
||||
|
||||
public TokenizingTextBoxItem()
|
||||
{
|
||||
DefaultStyleKey = typeof(TokenizingTextBoxItem);
|
||||
|
||||
// TODO: only add these if token?
|
||||
RightTapped += TokenizingTextBoxItem_RightTapped;
|
||||
KeyDown += TokenizingTextBoxItem_KeyDown;
|
||||
}
|
||||
|
||||
public event TypedEventHandler<TokenizingTextBoxItem, RoutedEventArgs>? AutoSuggestTextBoxLoaded;
|
||||
|
||||
public event TypedEventHandler<TokenizingTextBoxItem, RoutedEventArgs>? ClearClicked;
|
||||
|
||||
public event TypedEventHandler<TokenizingTextBoxItem, RoutedEventArgs>? ClearAllAction;
|
||||
|
||||
public TextBox AutoSuggestTextBox { get => autoSuggestTextBox; }
|
||||
|
||||
public bool UseCharacterAsUser { get; set; }
|
||||
|
||||
private bool IsCaretAtStart
|
||||
{
|
||||
get => autoSuggestTextBox?.SelectionStart is 0;
|
||||
}
|
||||
|
||||
private bool IsCaretAtEnd
|
||||
{
|
||||
get => autoSuggestTextBox?.SelectionStart == autoSuggestTextBox?.Text.Length || autoSuggestTextBox?.SelectionStart + autoSuggestTextBox?.SelectionLength == autoSuggestTextBox?.Text.Length;
|
||||
}
|
||||
|
||||
private bool IsAllSelected
|
||||
{
|
||||
get => autoSuggestTextBox?.SelectedText == autoSuggestTextBox?.Text && !string.IsNullOrEmpty(autoSuggestTextBox?.Text);
|
||||
}
|
||||
|
||||
// Called to update text by link:TokenizingTextBox.Properties.cs:TextPropertyChanged
|
||||
public void UpdateText(string text)
|
||||
{
|
||||
if (autoSuggestBox is not null)
|
||||
{
|
||||
autoSuggestBox.Text = text;
|
||||
}
|
||||
else
|
||||
{
|
||||
void WaitForLoad(object s, RoutedEventArgs eargs)
|
||||
{
|
||||
if (autoSuggestTextBox is not null)
|
||||
{
|
||||
autoSuggestTextBox.Text = text;
|
||||
}
|
||||
|
||||
AutoSuggestTextBoxLoaded -= WaitForLoad;
|
||||
}
|
||||
|
||||
AutoSuggestTextBoxLoaded += WaitForLoad;
|
||||
}
|
||||
}
|
||||
|
||||
/// <inheritdoc/>
|
||||
protected override void OnApplyTemplate()
|
||||
{
|
||||
base.OnApplyTemplate();
|
||||
|
||||
if (GetTemplateChild(PART_AutoSuggestBox) is Microsoft.UI.Xaml.Controls.AutoSuggestBox suggestbox)
|
||||
{
|
||||
OnApplyTemplateAutoSuggestBox(suggestbox);
|
||||
}
|
||||
|
||||
if (clearButton is not null)
|
||||
{
|
||||
clearButton.Click -= ClearButton_Click;
|
||||
}
|
||||
|
||||
clearButton = (Button)GetTemplateChild(PART_ClearButton);
|
||||
|
||||
if (clearButton is not null)
|
||||
{
|
||||
clearButton.Click += ClearButton_Click;
|
||||
}
|
||||
}
|
||||
|
||||
private void ClearButton_Click(object sender, RoutedEventArgs e)
|
||||
{
|
||||
ClearClicked?.Invoke(this, e);
|
||||
}
|
||||
|
||||
private void TokenizingTextBoxItem_RightTapped(object sender, RightTappedRoutedEventArgs e)
|
||||
{
|
||||
ContextFlyout.ShowAt(this);
|
||||
}
|
||||
|
||||
private void TokenizingTextBoxItem_KeyDown(object sender, KeyRoutedEventArgs e)
|
||||
{
|
||||
if (Content is not ITokenStringContainer)
|
||||
{
|
||||
// We only want to 'remove' our token if we're not a textbox.
|
||||
switch (e.Key)
|
||||
{
|
||||
case VirtualKey.Back:
|
||||
case VirtualKey.Delete:
|
||||
{
|
||||
ClearAllAction?.Invoke(this, e);
|
||||
break;
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
/// Called from <see cref="OnApplyTemplate"/>
|
||||
private void OnApplyTemplateAutoSuggestBox(Microsoft.UI.Xaml.Controls.AutoSuggestBox auto)
|
||||
{
|
||||
if (autoSuggestBox is not null)
|
||||
{
|
||||
autoSuggestBox.Loaded -= OnASBLoaded;
|
||||
|
||||
autoSuggestBox.QuerySubmitted -= AutoSuggestBox_QuerySubmitted;
|
||||
autoSuggestBox.SuggestionChosen -= AutoSuggestBox_SuggestionChosen;
|
||||
autoSuggestBox.TextChanged -= AutoSuggestBox_TextChanged;
|
||||
autoSuggestBox.PointerEntered -= AutoSuggestBox_PointerEntered;
|
||||
autoSuggestBox.PointerExited -= AutoSuggestBox_PointerExited;
|
||||
autoSuggestBox.PointerCanceled -= AutoSuggestBox_PointerExited;
|
||||
autoSuggestBox.PointerCaptureLost -= AutoSuggestBox_PointerExited;
|
||||
autoSuggestBox.GotFocus -= AutoSuggestBox_GotFocus;
|
||||
autoSuggestBox.LostFocus -= AutoSuggestBox_LostFocus;
|
||||
|
||||
// Remove any previous QueryIcon
|
||||
autoSuggestBox.QueryIcon = default;
|
||||
}
|
||||
|
||||
autoSuggestBox = auto;
|
||||
|
||||
if (autoSuggestBox is not null)
|
||||
{
|
||||
autoSuggestBox.Loaded += OnASBLoaded;
|
||||
|
||||
autoSuggestBox.QuerySubmitted += AutoSuggestBox_QuerySubmitted;
|
||||
autoSuggestBox.SuggestionChosen += AutoSuggestBox_SuggestionChosen;
|
||||
autoSuggestBox.TextChanged += AutoSuggestBox_TextChanged;
|
||||
autoSuggestBox.PointerEntered += AutoSuggestBox_PointerEntered;
|
||||
autoSuggestBox.PointerExited += AutoSuggestBox_PointerExited;
|
||||
autoSuggestBox.PointerCanceled += AutoSuggestBox_PointerExited;
|
||||
autoSuggestBox.PointerCaptureLost += AutoSuggestBox_PointerExited;
|
||||
autoSuggestBox.GotFocus += AutoSuggestBox_GotFocus;
|
||||
autoSuggestBox.LostFocus += AutoSuggestBox_LostFocus;
|
||||
|
||||
// Setup a binding to the QueryIcon of the Parent if we're the last box.
|
||||
if (Content is ITokenStringContainer str)
|
||||
{
|
||||
// We need to set our initial text in all cases.
|
||||
autoSuggestBox.Text = str.Text;
|
||||
|
||||
// We only set/bind some properties on the last textbox to mimic the autosuggestbox look
|
||||
if (str.IsLast)
|
||||
{
|
||||
// Workaround for https://github.com/microsoft/microsoft-ui-xaml/issues/2568
|
||||
if (Owner.QueryIcon is FontIconSource fis &&
|
||||
fis.ReadLocalValue(FontIconSource.FontSizeProperty) == DependencyProperty.UnsetValue)
|
||||
{
|
||||
// This can be expensive, could we optimize?
|
||||
// Also, this is changing the FontSize on the IconSource (which could be shared?)
|
||||
fis.FontSize = Owner.TryFindResource("TokenizingTextBoxIconFontSize") as double? ?? 16;
|
||||
}
|
||||
|
||||
Binding iconBinding = new()
|
||||
{
|
||||
Source = Owner,
|
||||
Path = new PropertyPath(nameof(Owner.QueryIcon)),
|
||||
RelativeSource = new()
|
||||
{
|
||||
Mode = RelativeSourceMode.TemplatedParent,
|
||||
},
|
||||
};
|
||||
|
||||
IconSourceElement iconSourceElement = new();
|
||||
iconSourceElement.SetBinding(IconSourceElement.IconSourceProperty, iconBinding);
|
||||
autoSuggestBox.QueryIcon = iconSourceElement;
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
private async void AutoSuggestBox_QuerySubmitted(Microsoft.UI.Xaml.Controls.AutoSuggestBox sender, AutoSuggestBoxQuerySubmittedEventArgs args)
|
||||
{
|
||||
Owner.RaiseQuerySubmitted(sender, args);
|
||||
|
||||
object? chosenItem = default;
|
||||
if (args.ChosenSuggestion is not null)
|
||||
{
|
||||
chosenItem = args.ChosenSuggestion;
|
||||
}
|
||||
else if (!string.IsNullOrWhiteSpace(args.QueryText))
|
||||
{
|
||||
chosenItem = args.QueryText;
|
||||
}
|
||||
|
||||
if (chosenItem is not null)
|
||||
{
|
||||
await Owner.AddTokenAsync(chosenItem).ConfigureAwait(true); // TODO: Need to pass index?
|
||||
sender.Text = string.Empty;
|
||||
Owner.Text = string.Empty;
|
||||
sender.Focus(FocusState.Programmatic);
|
||||
}
|
||||
}
|
||||
|
||||
private void AutoSuggestBox_SuggestionChosen(Microsoft.UI.Xaml.Controls.AutoSuggestBox sender, AutoSuggestBoxSuggestionChosenEventArgs args)
|
||||
{
|
||||
Owner.RaiseSuggestionChosen(sender, args);
|
||||
}
|
||||
|
||||
private void AutoSuggestBox_TextChanged(Microsoft.UI.Xaml.Controls.AutoSuggestBox sender, AutoSuggestBoxTextChangedEventArgs args)
|
||||
{
|
||||
if (sender.Text is null)
|
||||
{
|
||||
return;
|
||||
}
|
||||
|
||||
if (!EqualityComparer<string>.Default.Equals(sender.Text, Owner.Text))
|
||||
{
|
||||
Owner.Text = sender.Text; // Update parent text property, if different
|
||||
}
|
||||
|
||||
// Override our programmatic manipulation as we're redirecting input for the user
|
||||
if (UseCharacterAsUser)
|
||||
{
|
||||
UseCharacterAsUser = false;
|
||||
|
||||
args.Reason = AutoSuggestionBoxTextChangeReason.UserInput;
|
||||
}
|
||||
|
||||
Owner.RaiseTextChanged(sender, args);
|
||||
|
||||
string t = sender.Text?.Trim() ?? string.Empty;
|
||||
|
||||
// Look for Token Delimiters to create new tokens when text changes.
|
||||
if (!string.IsNullOrEmpty(Owner.TokenDelimiter) && t.Contains(Owner.TokenDelimiter, StringComparison.OrdinalIgnoreCase))
|
||||
{
|
||||
bool lastDelimited = t[^1] == Owner.TokenDelimiter[0];
|
||||
|
||||
string[] tokens = t.Split(Owner.TokenDelimiter);
|
||||
int numberToProcess = lastDelimited ? tokens.Length : tokens.Length - 1;
|
||||
for (int position = 0; position < numberToProcess; position++)
|
||||
{
|
||||
string token = tokens[position];
|
||||
token = token.Trim();
|
||||
if (token.Length > 0)
|
||||
{
|
||||
_ = Owner.AddTokenAsync(token); //// TODO: Pass Index?
|
||||
}
|
||||
}
|
||||
|
||||
if (lastDelimited)
|
||||
{
|
||||
sender.Text = string.Empty;
|
||||
}
|
||||
else
|
||||
{
|
||||
sender.Text = tokens[^1].Trim();
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
private void AutoSuggestBox_PointerEntered(object sender, PointerRoutedEventArgs e)
|
||||
{
|
||||
VisualStateManager.GoToState(Owner, TokenizingTextBox.PointerOverState, true);
|
||||
}
|
||||
|
||||
private void AutoSuggestBox_PointerExited(object sender, PointerRoutedEventArgs e)
|
||||
{
|
||||
VisualStateManager.GoToState(Owner, TokenizingTextBox.NormalState, true);
|
||||
}
|
||||
|
||||
private void AutoSuggestBox_LostFocus(object sender, RoutedEventArgs e)
|
||||
{
|
||||
VisualStateManager.GoToState(Owner, TokenizingTextBox.UnfocusedState, true);
|
||||
}
|
||||
|
||||
private void AutoSuggestBox_GotFocus(object sender, RoutedEventArgs e)
|
||||
{
|
||||
// Verify if the usual behavior of clearing token selection is required
|
||||
if (Owner.PauseTokenClearOnFocus == false && !TokenizingTextBox.IsShiftPressed)
|
||||
{
|
||||
// Clear any selected tokens
|
||||
Owner.DeselectAll();
|
||||
}
|
||||
|
||||
Owner.PauseTokenClearOnFocus = false;
|
||||
|
||||
VisualStateManager.GoToState(Owner, TokenizingTextBox.FocusedState, true);
|
||||
}
|
||||
|
||||
private void OnASBLoaded(object sender, RoutedEventArgs e)
|
||||
{
|
||||
if (autoSuggestTextBox is not null)
|
||||
{
|
||||
autoSuggestTextBox.PreviewKeyDown -= AutoSuggestTextBox_PreviewKeyDown;
|
||||
autoSuggestTextBox.TextChanging -= AutoSuggestTextBox_TextChangingAsync;
|
||||
autoSuggestTextBox.SelectionChanged -= AutoSuggestTextBox_SelectionChanged;
|
||||
autoSuggestTextBox.SelectionChanging -= AutoSuggestTextBox_SelectionChanging;
|
||||
}
|
||||
|
||||
autoSuggestTextBox ??= autoSuggestBox.FindDescendant<TextBox>()!;
|
||||
|
||||
UpdateQueryIconVisibility();
|
||||
UpdateTokensCounter(this);
|
||||
|
||||
// Local function for Selection changed
|
||||
void AutoSuggestTextBox_SelectionChanged(object box, RoutedEventArgs args)
|
||||
{
|
||||
if (!(IsAllSelected || TokenizingTextBox.IsShiftPressed || Owner.IsClearingForClick))
|
||||
{
|
||||
Owner.DeselectAllTokensAndText(this);
|
||||
}
|
||||
|
||||
// Ensure flag is always reset
|
||||
Owner.IsClearingForClick = false;
|
||||
}
|
||||
|
||||
// local function for clearing selection on interaction with text box
|
||||
async void AutoSuggestTextBox_TextChangingAsync(TextBox o, TextBoxTextChangingEventArgs args)
|
||||
{
|
||||
// remove any selected tokens.
|
||||
if (Owner.SelectedItems.Count > 1)
|
||||
{
|
||||
await Owner.RemoveAllSelectedTokens().ConfigureAwait(true);
|
||||
}
|
||||
}
|
||||
|
||||
if (autoSuggestTextBox is not null)
|
||||
{
|
||||
autoSuggestTextBox.PreviewKeyDown += AutoSuggestTextBox_PreviewKeyDown;
|
||||
autoSuggestTextBox.TextChanging += AutoSuggestTextBox_TextChangingAsync;
|
||||
autoSuggestTextBox.SelectionChanged += AutoSuggestTextBox_SelectionChanged;
|
||||
autoSuggestTextBox.SelectionChanging += AutoSuggestTextBox_SelectionChanging;
|
||||
|
||||
AutoSuggestTextBoxLoaded?.Invoke(this, e);
|
||||
}
|
||||
}
|
||||
|
||||
private void AutoSuggestTextBox_SelectionChanging(TextBox sender, TextBoxSelectionChangingEventArgs args)
|
||||
{
|
||||
isSelectedFocusOnFirstCharacter = args.SelectionLength > 0 && args.SelectionStart is 0 && autoSuggestTextBox.SelectionStart > 0;
|
||||
isSelectedFocusOnLastCharacter =
|
||||
//// see if we are NOW on the last character.
|
||||
//// test if the new selection includes the last character, and the current selection doesn't
|
||||
(args.SelectionStart + args.SelectionLength == autoSuggestTextBox.Text.Length) &&
|
||||
(autoSuggestTextBox.SelectionStart + autoSuggestTextBox.SelectionLength != autoSuggestTextBox.Text.Length);
|
||||
}
|
||||
|
||||
private void AutoSuggestTextBox_PreviewKeyDown(object sender, KeyRoutedEventArgs e)
|
||||
{
|
||||
if (IsCaretAtStart &&
|
||||
(e.Key is VirtualKey.Back ||
|
||||
e.Key is VirtualKey.Left))
|
||||
{
|
||||
// if the back key is pressed and there is any selection in the text box then the text box can handle it
|
||||
if ((e.Key is VirtualKey.Left && isSelectedFocusOnFirstCharacter) ||
|
||||
autoSuggestTextBox.SelectionLength is 0)
|
||||
{
|
||||
if (Owner.SelectPreviousItem(this))
|
||||
{
|
||||
if (!TokenizingTextBox.IsShiftPressed)
|
||||
{
|
||||
// Clear any text box selection
|
||||
autoSuggestTextBox.SelectionLength = 0;
|
||||
}
|
||||
|
||||
e.Handled = true;
|
||||
}
|
||||
}
|
||||
}
|
||||
else if (IsCaretAtEnd && e.Key is VirtualKey.Right)
|
||||
{
|
||||
// if the back key is pressed and there is any selection in the text box then the text box can handle it
|
||||
if (isSelectedFocusOnLastCharacter || autoSuggestTextBox.SelectionLength is 0)
|
||||
{
|
||||
if (Owner.SelectNextItem(this))
|
||||
{
|
||||
if (!TokenizingTextBox.IsShiftPressed)
|
||||
{
|
||||
// Clear any text box selection
|
||||
autoSuggestTextBox.SelectionLength = 0;
|
||||
}
|
||||
|
||||
e.Handled = true;
|
||||
}
|
||||
}
|
||||
}
|
||||
else if (e.Key is VirtualKey.A && TokenizingTextBox.IsControlPressed)
|
||||
{
|
||||
// Need to provide this shortcut from the textbox only, as ListViewBase will do it for us on token.
|
||||
Owner.SelectAllTokensAndText();
|
||||
}
|
||||
}
|
||||
|
||||
private void UpdateTokensCounter(TokenizingTextBoxItem ttbi)
|
||||
{
|
||||
if (autoSuggestBox?.FindDescendant(PART_TokensCounter) is TextBlock maxTokensCounter)
|
||||
{
|
||||
void OnTokenCountChanged(TokenizingTextBox ttb, object? value = default)
|
||||
{
|
||||
if (ttb.ItemsSource is InterspersedObservableCollection itemsSource)
|
||||
{
|
||||
int currentTokens = itemsSource.ItemsSource.Count;
|
||||
int maxTokens = ttb.MaximumTokens;
|
||||
|
||||
maxTokensCounter.Text = $"{currentTokens}/{maxTokens}";
|
||||
maxTokensCounter.Visibility = Visibility.Visible;
|
||||
|
||||
string targetState = (currentTokens >= maxTokens)
|
||||
? TokenizingTextBox.MaxReachedState
|
||||
: TokenizingTextBox.MaxUnreachedState;
|
||||
|
||||
VisualStateManager.GoToState(autoSuggestTextBox, targetState, true);
|
||||
}
|
||||
}
|
||||
|
||||
ttbi.Owner.TokenItemAdded -= OnTokenCountChanged;
|
||||
ttbi.Owner.TokenItemRemoved -= OnTokenCountChanged;
|
||||
|
||||
if (Content is ITokenStringContainer { IsLast: true } str && ttbi is { Owner.MaximumTokens: >= 0 })
|
||||
{
|
||||
ttbi.Owner.TokenItemAdded += OnTokenCountChanged;
|
||||
ttbi.Owner.TokenItemRemoved += OnTokenCountChanged;
|
||||
OnTokenCountChanged(ttbi.Owner);
|
||||
}
|
||||
else
|
||||
{
|
||||
maxTokensCounter.Visibility = Visibility.Collapsed;
|
||||
maxTokensCounter.Text = string.Empty;
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
private void UpdateQueryIconVisibility()
|
||||
{
|
||||
if (autoSuggestBox.FindDescendant(QueryButton) is Button queryButton)
|
||||
{
|
||||
if (Owner.QueryIcon is not null)
|
||||
{
|
||||
queryButton.Visibility = Visibility.Visible;
|
||||
}
|
||||
else
|
||||
{
|
||||
queryButton.Visibility = Visibility.Collapsed;
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
@@ -0,0 +1,837 @@
|
||||
<ResourceDictionary
|
||||
xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
|
||||
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
|
||||
xmlns:muxc="using:Microsoft.UI.Xaml.Controls"
|
||||
xmlns:shct="using:Snap.Hutao.Control.TokenizingTextBox"
|
||||
xmlns:win="http://schemas.microsoft.com/winfx/2006/xaml/presentation">
|
||||
|
||||
<ResourceDictionary.ThemeDictionaries>
|
||||
<ResourceDictionary x:Key="Default">
|
||||
<StaticResource x:Key="TokenItemBackground" ResourceKey="ControlFillColorDefaultBrush"/>
|
||||
<StaticResource x:Key="TokenItemBackgroundPointerOver" ResourceKey="ControlFillColorSecondaryBrush"/>
|
||||
<StaticResource x:Key="TokenItemBackgroundPressed" ResourceKey="ControlFillColorSecondaryBrush"/>
|
||||
<StaticResource x:Key="TokenItemBackgroundSelected" ResourceKey="AccentFillColorDefaultBrush"/>
|
||||
<StaticResource x:Key="TokenItemBackgroundPointerOverSelected" ResourceKey="AccentFillColorSecondaryBrush"/>
|
||||
<StaticResource x:Key="TokenItemBackgroundPressedSelected" ResourceKey="AccentFillColorTertiaryBrush"/>
|
||||
<StaticResource x:Key="TokenItemBorderBrush" ResourceKey="ControlStrokeColorDefaultBrush"/>
|
||||
<StaticResource x:Key="TokenItemBorderBrushPointerOver" ResourceKey="ControlStrokeColorDefaultBrush"/>
|
||||
<StaticResource x:Key="TokenItemBorderBrushPressed" ResourceKey="ControlStrokeColorDefaultBrush"/>
|
||||
<StaticResource x:Key="TokenItemBorderBrushSelected" ResourceKey="AccentFillColorDefaultBrush"/>
|
||||
<StaticResource x:Key="TokenItemBorderBrushPointerOverSelected" ResourceKey="AccentFillColorSecondaryBrush"/>
|
||||
<StaticResource x:Key="TokenItemBorderBrushPressedSelected" ResourceKey="AccentFillColorTertiaryBrush"/>
|
||||
<StaticResource x:Key="TokenItemForeground" ResourceKey="TextFillColorPrimaryBrush"/>
|
||||
<StaticResource x:Key="TokenItemForegroundPointerOver" ResourceKey="TextFillColorPrimaryBrush"/>
|
||||
<StaticResource x:Key="TokenItemForegroundPressed" ResourceKey="TextFillColorSecondaryBrush"/>
|
||||
<StaticResource x:Key="TokenItemForegroundSelected" ResourceKey="TextOnAccentFillColorPrimaryBrush"/>
|
||||
<StaticResource x:Key="TokenItemForegroundPointerOverSelected" ResourceKey="TextOnAccentFillColorPrimaryBrush"/>
|
||||
<StaticResource x:Key="TokenItemForegroundPressedSelected" ResourceKey="TextOnAccentFillColorSecondaryBrush"/>
|
||||
<Thickness x:Key="TokenItemBorderThickness">1</Thickness>
|
||||
</ResourceDictionary>
|
||||
<ResourceDictionary x:Key="Light">
|
||||
<StaticResource x:Key="TokenItemBackground" ResourceKey="ControlFillColorDefaultBrush"/>
|
||||
<StaticResource x:Key="TokenItemBackgroundPointerOver" ResourceKey="ControlFillColorSecondaryBrush"/>
|
||||
<StaticResource x:Key="TokenItemBackgroundPressed" ResourceKey="ControlFillColorSecondaryBrush"/>
|
||||
<StaticResource x:Key="TokenItemBackgroundSelected" ResourceKey="AccentFillColorDefaultBrush"/>
|
||||
<StaticResource x:Key="TokenItemBackgroundPointerOverSelected" ResourceKey="AccentFillColorSecondaryBrush"/>
|
||||
<StaticResource x:Key="TokenItemBackgroundPressedSelected" ResourceKey="AccentFillColorTertiaryBrush"/>
|
||||
<StaticResource x:Key="TokenItemBorderBrush" ResourceKey="ControlStrokeColorDefaultBrush"/>
|
||||
<StaticResource x:Key="TokenItemBorderBrushPointerOver" ResourceKey="ControlStrokeColorDefaultBrush"/>
|
||||
<StaticResource x:Key="TokenItemBorderBrushPressed" ResourceKey="ControlStrokeColorDefaultBrush"/>
|
||||
<StaticResource x:Key="TokenItemBorderBrushSelected" ResourceKey="AccentFillColorDefaultBrush"/>
|
||||
<StaticResource x:Key="TokenItemBorderBrushPointerOverSelected" ResourceKey="AccentFillColorSecondaryBrush"/>
|
||||
<StaticResource x:Key="TokenItemBorderBrushPressedSelected" ResourceKey="AccentFillColorTertiaryBrush"/>
|
||||
<StaticResource x:Key="TokenItemForeground" ResourceKey="TextFillColorPrimaryBrush"/>
|
||||
<StaticResource x:Key="TokenItemForegroundPointerOver" ResourceKey="TextFillColorPrimaryBrush"/>
|
||||
<StaticResource x:Key="TokenItemForegroundPressed" ResourceKey="TextFillColorSecondaryBrush"/>
|
||||
<StaticResource x:Key="TokenItemForegroundSelected" ResourceKey="TextOnAccentFillColorPrimaryBrush"/>
|
||||
<StaticResource x:Key="TokenItemForegroundPointerOverSelected" ResourceKey="TextOnAccentFillColorPrimaryBrush"/>
|
||||
<StaticResource x:Key="TokenItemForegroundPressedSelected" ResourceKey="TextOnAccentFillColorSecondaryBrush"/>
|
||||
<Thickness x:Key="TokenItemBorderThickness">1</Thickness>
|
||||
</ResourceDictionary>
|
||||
<ResourceDictionary x:Key="HighContrast">
|
||||
<StaticResource x:Key="TokenItemBackground" ResourceKey="ControlFillColorDefaultBrush"/>
|
||||
<StaticResource x:Key="TokenItemBackgroundPointerOver" ResourceKey="ControlFillColorSecondaryBrush"/>
|
||||
<StaticResource x:Key="TokenItemBackgroundPressed" ResourceKey="ControlFillColorSecondaryBrush"/>
|
||||
<StaticResource x:Key="TokenItemBackgroundSelected" ResourceKey="AccentFillColorDefaultBrush"/>
|
||||
<StaticResource x:Key="TokenItemBackgroundPointerOverSelected" ResourceKey="AccentFillColorSecondaryBrush"/>
|
||||
<StaticResource x:Key="TokenItemBackgroundPressedSelected" ResourceKey="AccentFillColorTertiaryBrush"/>
|
||||
<StaticResource x:Key="TokenItemBorderBrush" ResourceKey="ControlStrokeColorDefaultBrush"/>
|
||||
<StaticResource x:Key="TokenItemBorderBrushPointerOver" ResourceKey="ControlStrokeColorDefaultBrush"/>
|
||||
<StaticResource x:Key="TokenItemBorderBrushPressed" ResourceKey="ControlStrokeColorDefaultBrush"/>
|
||||
<StaticResource x:Key="TokenItemBorderBrushSelected" ResourceKey="AccentFillColorDefaultBrush"/>
|
||||
<StaticResource x:Key="TokenItemBorderBrushPointerOverSelected" ResourceKey="AccentFillColorSecondaryBrush"/>
|
||||
<StaticResource x:Key="TokenItemBorderBrushPressedSelected" ResourceKey="AccentFillColorTertiaryBrush"/>
|
||||
<StaticResource x:Key="TokenItemForeground" ResourceKey="TextFillColorPrimaryBrush"/>
|
||||
<StaticResource x:Key="TokenItemForegroundPointerOver" ResourceKey="TextFillColorPrimaryBrush"/>
|
||||
<StaticResource x:Key="TokenItemForegroundPressed" ResourceKey="TextFillColorSecondaryBrush"/>
|
||||
<StaticResource x:Key="TokenItemForegroundSelected" ResourceKey="TextOnAccentFillColorPrimaryBrush"/>
|
||||
<StaticResource x:Key="TokenItemForegroundPointerOverSelected" ResourceKey="TextOnAccentFillColorPrimaryBrush"/>
|
||||
<StaticResource x:Key="TokenItemForegroundPressedSelected" ResourceKey="TextOnAccentFillColorSecondaryBrush"/>
|
||||
<Thickness x:Key="TokenItemBorderThickness">1</Thickness>
|
||||
</ResourceDictionary>
|
||||
</ResourceDictionary.ThemeDictionaries>
|
||||
|
||||
<!--<Thickness x:Key="ButtonPadding">8,4,8,5</Thickness> Not sure if we'll also need this later-->
|
||||
<Thickness x:Key="TextControlThemePadding">10,3,6,6</Thickness>
|
||||
<!-- Need local copy of this, as including WinUI overrides this to something that adds too much padding for our inner box -->
|
||||
<x:Double x:Key="TokenizingTextBoxIconFontSize">10</x:Double>
|
||||
|
||||
<Thickness x:Key="TokenItemPadding">8,4,4,4</Thickness>
|
||||
<Thickness x:Key="TokenizingTextBoxItemPresenterMargin">0,-2,0,1</Thickness>
|
||||
<HorizontalAlignment x:Key="TokenizingTextBoxItemHorizontalContentAlignment">Center</HorizontalAlignment>
|
||||
<VerticalAlignment x:Key="TokenizingTextBoxItemVerticalContentAlignment">Center</VerticalAlignment>
|
||||
|
||||
<CornerRadius x:Key="PopupOverlayCornerRadius">0,0,0,8</CornerRadius>
|
||||
|
||||
<Style x:Key="TokenizingTextBoxDeleteButtonStyle" TargetType="Button">
|
||||
<Setter Property="Template">
|
||||
<Setter.Value>
|
||||
<ControlTemplate TargetType="Button">
|
||||
<Grid
|
||||
x:Name="ButtonLayoutGrid"
|
||||
Margin="{StaticResource AutoSuggestBoxDeleteButtonMargin}"
|
||||
Background="{ThemeResource TextControlButtonBackground}"
|
||||
BorderBrush="{ThemeResource TextControlButtonBorderBrush}"
|
||||
BorderThickness="{TemplateBinding BorderThickness}"
|
||||
CornerRadius="{ThemeResource ControlCornerRadius}">
|
||||
<!-- FontSize is ignored here, see https://github.com/microsoft/microsoft-ui-xaml/issues/2568 -->
|
||||
<!-- Set in code-behind link:TokenizingTextBoxItem.AutoSuggestBox.cs#L104 -->
|
||||
<TextBlock
|
||||
x:Name="GlyphElement"
|
||||
HorizontalAlignment="Center"
|
||||
VerticalAlignment="Center"
|
||||
win:AutomationProperties.AccessibilityView="Raw"
|
||||
FontFamily="{ThemeResource SymbolThemeFontFamily}"
|
||||
FontSize="{ThemeResource TokenizingTextBoxIconFontSize}"
|
||||
FontStyle="Normal"
|
||||
Foreground="{ThemeResource TextControlButtonForeground}"
|
||||
Text=""/>
|
||||
<VisualStateManager.VisualStateGroups>
|
||||
<VisualStateGroup x:Name="CommonStates">
|
||||
<VisualState x:Name="Normal"/>
|
||||
<VisualState x:Name="PointerOver">
|
||||
<Storyboard>
|
||||
<ObjectAnimationUsingKeyFrames Storyboard.TargetName="ButtonLayoutGrid" Storyboard.TargetProperty="Background">
|
||||
<DiscreteObjectKeyFrame KeyTime="0" Value="{ThemeResource TextControlButtonBackgroundPointerOver}"/>
|
||||
</ObjectAnimationUsingKeyFrames>
|
||||
<ObjectAnimationUsingKeyFrames Storyboard.TargetName="ButtonLayoutGrid" Storyboard.TargetProperty="BorderBrush">
|
||||
<DiscreteObjectKeyFrame KeyTime="0" Value="{ThemeResource TextControlButtonBorderBrushPointerOver}"/>
|
||||
</ObjectAnimationUsingKeyFrames>
|
||||
<ObjectAnimationUsingKeyFrames Storyboard.TargetName="GlyphElement" Storyboard.TargetProperty="Foreground">
|
||||
<DiscreteObjectKeyFrame KeyTime="0" Value="{ThemeResource TextControlButtonForegroundPointerOver}"/>
|
||||
</ObjectAnimationUsingKeyFrames>
|
||||
</Storyboard>
|
||||
</VisualState>
|
||||
<VisualState x:Name="Pressed">
|
||||
<Storyboard>
|
||||
<ObjectAnimationUsingKeyFrames Storyboard.TargetName="ButtonLayoutGrid" Storyboard.TargetProperty="Background">
|
||||
<DiscreteObjectKeyFrame KeyTime="0" Value="{ThemeResource TextControlButtonBackgroundPressed}"/>
|
||||
</ObjectAnimationUsingKeyFrames>
|
||||
<ObjectAnimationUsingKeyFrames Storyboard.TargetName="ButtonLayoutGrid" Storyboard.TargetProperty="BorderBrush">
|
||||
<DiscreteObjectKeyFrame KeyTime="0" Value="{ThemeResource TextControlButtonBorderBrushPressed}"/>
|
||||
</ObjectAnimationUsingKeyFrames>
|
||||
<ObjectAnimationUsingKeyFrames Storyboard.TargetName="GlyphElement" Storyboard.TargetProperty="Foreground">
|
||||
<DiscreteObjectKeyFrame KeyTime="0" Value="{ThemeResource TextControlButtonForegroundPressed}"/>
|
||||
</ObjectAnimationUsingKeyFrames>
|
||||
</Storyboard>
|
||||
</VisualState>
|
||||
<VisualState x:Name="Disabled">
|
||||
<Storyboard>
|
||||
<DoubleAnimation
|
||||
Storyboard.TargetName="ButtonLayoutGrid"
|
||||
Storyboard.TargetProperty="Opacity"
|
||||
To="0"
|
||||
Duration="0"/>
|
||||
</Storyboard>
|
||||
</VisualState>
|
||||
</VisualStateGroup>
|
||||
</VisualStateManager.VisualStateGroups>
|
||||
</Grid>
|
||||
</ControlTemplate>
|
||||
</Setter.Value>
|
||||
</Setter>
|
||||
</Style>
|
||||
|
||||
<Style x:Name="TokenizingTextBoxQueryButtonStyle" TargetType="Button">
|
||||
<Setter Property="Template">
|
||||
<Setter.Value>
|
||||
<ControlTemplate TargetType="Button">
|
||||
<ContentPresenter
|
||||
x:Name="ContentPresenter"
|
||||
Margin="{ThemeResource AutoSuggestBoxInnerButtonMargin}"
|
||||
Padding="{TemplateBinding Padding}"
|
||||
HorizontalContentAlignment="{TemplateBinding HorizontalContentAlignment}"
|
||||
VerticalContentAlignment="{TemplateBinding VerticalContentAlignment}"
|
||||
muxc:AnimatedIcon.State="Normal"
|
||||
win:AutomationProperties.AccessibilityView="Raw"
|
||||
Background="{ThemeResource TextControlButtonBackground}"
|
||||
BackgroundSizing="{TemplateBinding BackgroundSizing}"
|
||||
BorderBrush="{ThemeResource TextControlButtonBorderBrush}"
|
||||
BorderThickness="{TemplateBinding BorderThickness}"
|
||||
Content="{TemplateBinding Content}"
|
||||
ContentTemplate="{TemplateBinding ContentTemplate}"
|
||||
ContentTransitions="{TemplateBinding ContentTransitions}"
|
||||
CornerRadius="{TemplateBinding CornerRadius}"
|
||||
FontSize="{TemplateBinding FontSize}">
|
||||
<VisualStateManager.VisualStateGroups>
|
||||
<VisualStateGroup x:Name="CommonStates">
|
||||
<VisualState x:Name="Normal"/>
|
||||
|
||||
<VisualState x:Name="PointerOver">
|
||||
<Storyboard>
|
||||
<ObjectAnimationUsingKeyFrames Storyboard.TargetName="ContentPresenter" Storyboard.TargetProperty="Background">
|
||||
<DiscreteObjectKeyFrame KeyTime="0" Value="{ThemeResource TextControlButtonBackgroundPointerOver}"/>
|
||||
</ObjectAnimationUsingKeyFrames>
|
||||
<ObjectAnimationUsingKeyFrames Storyboard.TargetName="ContentPresenter" Storyboard.TargetProperty="BorderBrush">
|
||||
<DiscreteObjectKeyFrame KeyTime="0" Value="{ThemeResource TextControlButtonBorderBrushPointerOver}"/>
|
||||
</ObjectAnimationUsingKeyFrames>
|
||||
<ObjectAnimationUsingKeyFrames Storyboard.TargetName="ContentPresenter" Storyboard.TargetProperty="Foreground">
|
||||
<DiscreteObjectKeyFrame KeyTime="0" Value="{ThemeResource TextControlButtonForegroundPointerOver}"/>
|
||||
</ObjectAnimationUsingKeyFrames>
|
||||
</Storyboard>
|
||||
<VisualState.Setters>
|
||||
<Setter Target="ContentPresenter.(muxc:AnimatedIcon.State)" Value="PointerOver"/>
|
||||
</VisualState.Setters>
|
||||
</VisualState>
|
||||
|
||||
<VisualState x:Name="Pressed">
|
||||
<Storyboard>
|
||||
<ObjectAnimationUsingKeyFrames Storyboard.TargetName="ContentPresenter" Storyboard.TargetProperty="Background">
|
||||
<DiscreteObjectKeyFrame KeyTime="0" Value="{ThemeResource TextControlButtonBackgroundPressed}"/>
|
||||
</ObjectAnimationUsingKeyFrames>
|
||||
<ObjectAnimationUsingKeyFrames Storyboard.TargetName="ContentPresenter" Storyboard.TargetProperty="BorderBrush">
|
||||
<DiscreteObjectKeyFrame KeyTime="0" Value="{ThemeResource TextControlButtonBorderBrushPressed}"/>
|
||||
</ObjectAnimationUsingKeyFrames>
|
||||
<ObjectAnimationUsingKeyFrames Storyboard.TargetName="ContentPresenter" Storyboard.TargetProperty="Foreground">
|
||||
<DiscreteObjectKeyFrame KeyTime="0" Value="{ThemeResource TextControlButtonForegroundPressed}"/>
|
||||
</ObjectAnimationUsingKeyFrames>
|
||||
</Storyboard>
|
||||
<VisualState.Setters>
|
||||
<Setter Target="ContentPresenter.(muxc:AnimatedIcon.State)" Value="Pressed"/>
|
||||
</VisualState.Setters>
|
||||
</VisualState>
|
||||
|
||||
<VisualState x:Name="Disabled">
|
||||
<Storyboard>
|
||||
<DoubleAnimation
|
||||
Storyboard.TargetName="ContentPresenter"
|
||||
Storyboard.TargetProperty="Opacity"
|
||||
To="0"
|
||||
Duration="0"/>
|
||||
</Storyboard>
|
||||
</VisualState>
|
||||
</VisualStateGroup>
|
||||
</VisualStateManager.VisualStateGroups>
|
||||
</ContentPresenter>
|
||||
</ControlTemplate>
|
||||
</Setter.Value>
|
||||
</Setter>
|
||||
</Style>
|
||||
|
||||
<!-- Inner TextBox Style with removed borders to look like part of the outer textbox facade we've setup -->
|
||||
<Style
|
||||
x:Key="TokenizingTextBoxTextBoxStyle"
|
||||
BasedOn="{StaticResource AutoSuggestBoxTextBoxStyle}"
|
||||
TargetType="TextBox">
|
||||
<Setter Property="MinWidth" Value="{ThemeResource TextControlThemeMinWidth}"/>
|
||||
<Setter Property="Foreground" Value="{ThemeResource TextControlForeground}"/>
|
||||
<Setter Property="Background" Value="Transparent"/>
|
||||
<Setter Property="BorderBrush" Value="Transparent"/>
|
||||
<Setter Property="SelectionHighlightColor" Value="{ThemeResource TextControlSelectionHighlightColor}"/>
|
||||
<Setter Property="BorderThickness" Value="0"/>
|
||||
<!-- Override -->
|
||||
<Setter Property="FontFamily" Value="{ThemeResource ContentControlThemeFontFamily}"/>
|
||||
<Setter Property="FontSize" Value="{ThemeResource ControlContentThemeFontSize}"/>
|
||||
<Setter Property="ScrollViewer.HorizontalScrollMode" Value="Auto"/>
|
||||
<Setter Property="ScrollViewer.VerticalScrollMode" Value="Auto"/>
|
||||
<Setter Property="ScrollViewer.HorizontalScrollBarVisibility" Value="Hidden"/>
|
||||
<Setter Property="ScrollViewer.VerticalScrollBarVisibility" Value="Hidden"/>
|
||||
<win:Setter Property="ScrollViewer.IsDeferredScrollingEnabled" Value="False"/>
|
||||
<Setter Property="Padding" Value="8,5,6,6"/>
|
||||
<Setter Property="CornerRadius" Value="{ThemeResource ControlCornerRadius}"/>
|
||||
<Setter Property="MinHeight" Value="28"/>
|
||||
<!-- Override -->
|
||||
<win:Setter Property="SelectionHighlightColorWhenNotFocused" Value="{ThemeResource TextControlSelectionHighlightColor}"/>
|
||||
<!-- Override -->
|
||||
<Setter Property="Template">
|
||||
<Setter.Value>
|
||||
<ControlTemplate TargetType="TextBox">
|
||||
<Grid ColumnSpacing="2">
|
||||
<Grid.ColumnDefinitions>
|
||||
<ColumnDefinition Width="*"/>
|
||||
<ColumnDefinition Width="Auto"/>
|
||||
<ColumnDefinition Width="Auto"/>
|
||||
<ColumnDefinition Width="Auto"/>
|
||||
</Grid.ColumnDefinitions>
|
||||
<Grid.RowDefinitions>
|
||||
<RowDefinition Height="Auto"/>
|
||||
<RowDefinition Height="*"/>
|
||||
</Grid.RowDefinitions>
|
||||
<Border
|
||||
x:Name="BorderElement"
|
||||
Grid.Row="1"
|
||||
Grid.RowSpan="1"
|
||||
Grid.ColumnSpan="3"
|
||||
BorderBrush="{TemplateBinding BorderBrush}"
|
||||
BorderThickness="{TemplateBinding BorderThickness}"/>
|
||||
<ContentPresenter
|
||||
x:Name="HeaderContentPresenter"
|
||||
Grid.Row="0"
|
||||
Grid.ColumnSpan="3"
|
||||
Margin="{ThemeResource AutoSuggestBoxTopHeaderMargin}"
|
||||
x:DeferLoadStrategy="Lazy"
|
||||
Content="{TemplateBinding Header}"
|
||||
ContentTemplate="{TemplateBinding HeaderTemplate}"
|
||||
FontWeight="Normal"
|
||||
Foreground="{ThemeResource TextControlHeaderForeground}"
|
||||
TextWrapping="Wrap"
|
||||
Visibility="Collapsed"/>
|
||||
<ScrollViewer
|
||||
x:Name="ContentElement"
|
||||
Grid.Row="1"
|
||||
Margin="{TemplateBinding BorderThickness}"
|
||||
Padding="{TemplateBinding Padding}"
|
||||
win:AutomationProperties.AccessibilityView="Raw"
|
||||
win:IsDeferredScrollingEnabled="{TemplateBinding ScrollViewer.IsDeferredScrollingEnabled}"
|
||||
win:IsHorizontalRailEnabled="{TemplateBinding ScrollViewer.IsHorizontalRailEnabled}"
|
||||
win:IsVerticalRailEnabled="{TemplateBinding ScrollViewer.IsVerticalRailEnabled}"
|
||||
HorizontalScrollBarVisibility="{TemplateBinding ScrollViewer.HorizontalScrollBarVisibility}"
|
||||
HorizontalScrollMode="{TemplateBinding ScrollViewer.HorizontalScrollMode}"
|
||||
IsTabStop="False"
|
||||
VerticalScrollBarVisibility="{TemplateBinding ScrollViewer.VerticalScrollBarVisibility}"
|
||||
VerticalScrollMode="{TemplateBinding ScrollViewer.VerticalScrollMode}"
|
||||
ZoomMode="Disabled"/>
|
||||
<ContentControl
|
||||
x:Name="PlaceholderTextContentPresenter"
|
||||
Grid.Row="1"
|
||||
Grid.ColumnSpan="2"
|
||||
Padding="{TemplateBinding Padding}"
|
||||
VerticalContentAlignment="Center"
|
||||
Content="{TemplateBinding PlaceholderText}"
|
||||
Foreground="{ThemeResource TextControlPlaceholderForeground}"
|
||||
IsHitTestVisible="False"
|
||||
IsTabStop="False"/>
|
||||
<Button
|
||||
x:Name="DeleteButton"
|
||||
Grid.Row="1"
|
||||
Grid.Column="1"
|
||||
Width="32"
|
||||
Height="28"
|
||||
Padding="{ThemeResource HelperButtonThemePadding}"
|
||||
VerticalAlignment="Stretch"
|
||||
win:AutomationProperties.AccessibilityView="Raw"
|
||||
BorderThickness="{TemplateBinding BorderThickness}"
|
||||
CornerRadius="{TemplateBinding CornerRadius}"
|
||||
FontSize="{TemplateBinding FontSize}"
|
||||
IsTabStop="False"
|
||||
Style="{StaticResource TokenizingTextBoxDeleteButtonStyle}"
|
||||
Visibility="Collapsed"/>
|
||||
|
||||
<TextBlock
|
||||
Name="PART_TokensCounter"
|
||||
Grid.Row="1"
|
||||
Grid.Column="2"
|
||||
Margin="2,0,0,2"
|
||||
VerticalAlignment="Center"
|
||||
Foreground="{ThemeResource TextFillColorSecondaryBrush}"
|
||||
Style="{StaticResource CaptionTextBlockStyle}"/>
|
||||
|
||||
<Button
|
||||
x:Name="QueryButton"
|
||||
Grid.Row="1"
|
||||
Grid.Column="3"
|
||||
Width="32"
|
||||
Height="28"
|
||||
Margin="0,0,2,0"
|
||||
Padding="0"
|
||||
VerticalAlignment="Stretch"
|
||||
win:AutomationProperties.AccessibilityView="Raw"
|
||||
BorderThickness="{TemplateBinding BorderThickness}"
|
||||
CornerRadius="{TemplateBinding CornerRadius}"
|
||||
FontSize="{TemplateBinding FontSize}"
|
||||
IsTabStop="False"
|
||||
Style="{StaticResource TokenizingTextBoxQueryButtonStyle}"/>
|
||||
|
||||
<VisualStateManager.VisualStateGroups>
|
||||
<VisualStateGroup x:Name="CommonStates">
|
||||
<VisualState x:Name="Disabled">
|
||||
<Storyboard>
|
||||
<ObjectAnimationUsingKeyFrames Storyboard.TargetName="HeaderContentPresenter" Storyboard.TargetProperty="Foreground">
|
||||
<DiscreteObjectKeyFrame KeyTime="0" Value="{ThemeResource TextControlHeaderForegroundDisabled}"/>
|
||||
</ObjectAnimationUsingKeyFrames>
|
||||
<ObjectAnimationUsingKeyFrames Storyboard.TargetName="ContentElement" Storyboard.TargetProperty="Foreground">
|
||||
<DiscreteObjectKeyFrame KeyTime="0" Value="{ThemeResource TextControlForegroundDisabled}"/>
|
||||
</ObjectAnimationUsingKeyFrames>
|
||||
<ObjectAnimationUsingKeyFrames Storyboard.TargetName="PlaceholderTextContentPresenter" Storyboard.TargetProperty="Foreground">
|
||||
<DiscreteObjectKeyFrame KeyTime="0" Value="{ThemeResource TextControlPlaceholderForegroundDisabled}"/>
|
||||
</ObjectAnimationUsingKeyFrames>
|
||||
</Storyboard>
|
||||
</VisualState>
|
||||
<VisualState x:Name="Normal"/>
|
||||
<VisualState x:Name="PointerOver">
|
||||
<Storyboard>
|
||||
<ObjectAnimationUsingKeyFrames Storyboard.TargetName="PlaceholderTextContentPresenter" Storyboard.TargetProperty="Foreground">
|
||||
<DiscreteObjectKeyFrame KeyTime="0" Value="{ThemeResource TextControlPlaceholderForegroundPointerOver}"/>
|
||||
</ObjectAnimationUsingKeyFrames>
|
||||
<ObjectAnimationUsingKeyFrames Storyboard.TargetName="ContentElement" Storyboard.TargetProperty="Foreground">
|
||||
<DiscreteObjectKeyFrame KeyTime="0" Value="{ThemeResource TextControlForegroundPointerOver}"/>
|
||||
</ObjectAnimationUsingKeyFrames>
|
||||
</Storyboard>
|
||||
</VisualState>
|
||||
<VisualState x:Name="Focused">
|
||||
<Storyboard>
|
||||
<ObjectAnimationUsingKeyFrames Storyboard.TargetName="PlaceholderTextContentPresenter" Storyboard.TargetProperty="Foreground">
|
||||
<DiscreteObjectKeyFrame KeyTime="0" Value="{ThemeResource TextControlPlaceholderForegroundFocused}"/>
|
||||
<!-- WinUI override -->
|
||||
</ObjectAnimationUsingKeyFrames>
|
||||
<ObjectAnimationUsingKeyFrames Storyboard.TargetName="ContentElement" Storyboard.TargetProperty="Foreground">
|
||||
<DiscreteObjectKeyFrame KeyTime="0" Value="{ThemeResource TextControlForegroundFocused}"/>
|
||||
<!-- WinUI override -->
|
||||
</ObjectAnimationUsingKeyFrames>
|
||||
<!--<ObjectAnimationUsingKeyFrames Storyboard.TargetName="ContentElement"
|
||||
Storyboard.TargetProperty="RequestedTheme">
|
||||
<DiscreteObjectKeyFrame KeyTime="0"
|
||||
Value="Light" />
|
||||
</ObjectAnimationUsingKeyFrames>-->
|
||||
<ObjectAnimationUsingKeyFrames Storyboard.TargetName="QueryButton" Storyboard.TargetProperty="Foreground">
|
||||
<DiscreteObjectKeyFrame KeyTime="0" Value="{ThemeResource TextControlButtonForeground}"/>
|
||||
</ObjectAnimationUsingKeyFrames>
|
||||
</Storyboard>
|
||||
</VisualState>
|
||||
</VisualStateGroup>
|
||||
<VisualStateGroup x:Name="ButtonStates">
|
||||
<VisualState x:Name="ButtonVisible">
|
||||
<Storyboard>
|
||||
<ObjectAnimationUsingKeyFrames Storyboard.TargetName="DeleteButton" Storyboard.TargetProperty="Visibility">
|
||||
<DiscreteObjectKeyFrame KeyTime="0">
|
||||
<DiscreteObjectKeyFrame.Value>
|
||||
<Visibility>Visible</Visibility>
|
||||
</DiscreteObjectKeyFrame.Value>
|
||||
</DiscreteObjectKeyFrame>
|
||||
</ObjectAnimationUsingKeyFrames>
|
||||
</Storyboard>
|
||||
</VisualState>
|
||||
<VisualState x:Name="ButtonCollapsed"/>
|
||||
</VisualStateGroup>
|
||||
<VisualStateGroup x:Name="TokensCounterStates">
|
||||
<VisualState x:Name="MaxReachedState">
|
||||
<Storyboard>
|
||||
<ObjectAnimationUsingKeyFrames Storyboard.TargetName="PART_TokensCounter" Storyboard.TargetProperty="Foreground">
|
||||
<DiscreteObjectKeyFrame KeyTime="0" Value="{ThemeResource SystemFillColorCriticalBrush}"/>
|
||||
</ObjectAnimationUsingKeyFrames>
|
||||
</Storyboard>
|
||||
</VisualState>
|
||||
<VisualState x:Name="MaxUnreachedState"/>
|
||||
</VisualStateGroup>
|
||||
</VisualStateManager.VisualStateGroups>
|
||||
</Grid>
|
||||
</ControlTemplate>
|
||||
</Setter.Value>
|
||||
</Setter>
|
||||
</Style>
|
||||
|
||||
<Style x:Key="TokenizingTextBoxItemTextStyle" TargetType="shct:TokenizingTextBoxItem">
|
||||
<Setter Property="Background" Value="{ThemeResource SystemControlBackgroundChromeMediumLowBrush}"/>
|
||||
<Setter Property="BorderBrush" Value="{ThemeResource SystemControlTransparentBrush}"/>
|
||||
<Setter Property="IsTabStop" Value="False"/>
|
||||
<Setter Property="UseSystemFocusVisuals" Value="False"/>
|
||||
<Setter Property="MinWidth" Value="128"/>
|
||||
<Setter Property="Template">
|
||||
<Setter.Value>
|
||||
<ControlTemplate TargetType="shct:TokenizingTextBoxItem">
|
||||
<AutoSuggestBox
|
||||
Name="PART_AutoSuggestBox"
|
||||
DisplayMemberPath="{Binding Path=Owner.DisplayMemberPath, RelativeSource={RelativeSource Mode=TemplatedParent}}"
|
||||
ItemTemplate="{Binding Path=Owner.SuggestedItemTemplate, RelativeSource={RelativeSource Mode=TemplatedParent}}"
|
||||
ItemsSource="{Binding Path=Owner.SuggestedItemsSource, RelativeSource={RelativeSource Mode=TemplatedParent}}"
|
||||
PlaceholderText="{Binding Path=Owner.PlaceholderText, RelativeSource={RelativeSource Mode=TemplatedParent}}"
|
||||
Style="{StaticResource SystemAutoSuggestBoxStyle}"
|
||||
Text="{Binding Text, Mode=TwoWay}"
|
||||
TextBoxStyle="{StaticResource TokenizingTextBoxTextBoxStyle}"
|
||||
TextMemberPath="{Binding Path=Owner.TextMemberPath, RelativeSource={RelativeSource Mode=TemplatedParent}}"
|
||||
UpdateTextOnSelect="False"/>
|
||||
</ControlTemplate>
|
||||
</Setter.Value>
|
||||
</Setter>
|
||||
</Style>
|
||||
|
||||
<!-- Copy of System Style from 18362 to try and workaround WinUI Styles -->
|
||||
<Style x:Key="SystemAutoSuggestBoxStyle" TargetType="AutoSuggestBox">
|
||||
<Setter Property="VerticalAlignment" Value="Top"/>
|
||||
<Setter Property="IsTabStop" Value="False"/>
|
||||
<Setter Property="TextBoxStyle" Value="{StaticResource AutoSuggestBoxTextBoxStyle}"/>
|
||||
<Setter Property="UseSystemFocusVisuals" Value="{ThemeResource IsApplicationFocusVisualKindReveal}"/>
|
||||
<Setter Property="Template">
|
||||
<Setter.Value>
|
||||
<ControlTemplate TargetType="AutoSuggestBox">
|
||||
<Grid x:Name="LayoutRoot">
|
||||
<Grid.ColumnDefinitions>
|
||||
<ColumnDefinition Width="*"/>
|
||||
</Grid.ColumnDefinitions>
|
||||
|
||||
<Grid.RowDefinitions>
|
||||
<RowDefinition Height="*"/>
|
||||
</Grid.RowDefinitions>
|
||||
|
||||
<TextBox
|
||||
x:Name="TextBox"
|
||||
Width="{TemplateBinding Width}"
|
||||
Margin="0"
|
||||
win:DesiredCandidateWindowAlignment="BottomEdge"
|
||||
Canvas.ZIndex="0"
|
||||
CornerRadius="4"
|
||||
Header="{TemplateBinding Header}"
|
||||
PlaceholderText="{TemplateBinding PlaceholderText}"
|
||||
ScrollViewer.BringIntoViewOnFocusChange="False"
|
||||
Style="{TemplateBinding TextBoxStyle}"
|
||||
UseSystemFocusVisuals="{TemplateBinding UseSystemFocusVisuals}"/>
|
||||
|
||||
<Popup x:Name="SuggestionsPopup">
|
||||
<Border
|
||||
x:Name="SuggestionsContainer"
|
||||
Background="{ThemeResource AutoSuggestBoxSuggestionsListBackground}"
|
||||
CornerRadius="{StaticResource PopupOverlayCornerRadius}">
|
||||
<ListView
|
||||
x:Name="SuggestionsList"
|
||||
MaxHeight="{ThemeResource AutoSuggestListMaxHeight}"
|
||||
Margin="{ThemeResource AutoSuggestListPadding}"
|
||||
Padding="{ThemeResource AutoSuggestListPadding}"
|
||||
BorderBrush="{ThemeResource AutoSuggestBoxSuggestionsListBorderBrush}"
|
||||
BorderThickness="{ThemeResource AutoSuggestListBorderThemeThickness}"
|
||||
DisplayMemberPath="{TemplateBinding DisplayMemberPath}"
|
||||
IsItemClickEnabled="True"
|
||||
ItemContainerStyle="{TemplateBinding ItemContainerStyle}"
|
||||
ItemTemplate="{TemplateBinding ItemTemplate}"
|
||||
ItemTemplateSelector="{TemplateBinding ItemTemplateSelector}"/>
|
||||
</Border>
|
||||
</Popup>
|
||||
|
||||
<VisualStateManager.VisualStateGroups>
|
||||
<VisualStateGroup x:Name="Orientation">
|
||||
<VisualState x:Name="Landscape"/>
|
||||
<VisualState x:Name="Portrait"/>
|
||||
|
||||
</VisualStateGroup>
|
||||
|
||||
</VisualStateManager.VisualStateGroups>
|
||||
</Grid>
|
||||
|
||||
</ControlTemplate>
|
||||
</Setter.Value>
|
||||
</Setter>
|
||||
</Style>
|
||||
|
||||
|
||||
|
||||
<Style x:Key="TokenizingTextBoxItemTokenStyle" TargetType="shct:TokenizingTextBoxItem">
|
||||
<Setter Property="ClearButtonStyle" Value="{StaticResource SubtleButtonStyle}"/>
|
||||
<Setter Property="HorizontalContentAlignment" Value="{StaticResource TokenizingTextBoxItemHorizontalContentAlignment}"/>
|
||||
<Setter Property="VerticalContentAlignment" Value="{StaticResource TokenizingTextBoxItemVerticalContentAlignment}"/>
|
||||
<!--<Setter Property="HorizontalAlignment" Value="Center" />-->
|
||||
<Setter Property="VerticalAlignment" Value="Center"/>
|
||||
<Setter Property="FontFamily" Value="{ThemeResource ContentControlThemeFontFamily}"/>
|
||||
<Setter Property="Background" Value="{ThemeResource TokenItemBackground}"/>
|
||||
<Setter Property="BorderBrush" Value="{ThemeResource TokenItemBorderBrush}"/>
|
||||
<Setter Property="BorderThickness" Value="{ThemeResource TokenItemBorderThickness}"/>
|
||||
<Setter Property="CornerRadius" Value="2"/>
|
||||
<Setter Property="Padding" Value="{ThemeResource TokenItemPadding}"/>
|
||||
<Setter Property="IsTabStop" Value="True"/>
|
||||
<Setter Property="TabNavigation" Value="Local"/>
|
||||
<Setter Property="Foreground" Value="{ThemeResource TokenItemForeground}"/>
|
||||
<Setter Property="FontWeight" Value="Normal"/>
|
||||
<Setter Property="UseSystemFocusVisuals" Value="True"/>
|
||||
<Setter Property="FocusVisualMargin" Value="-3"/>
|
||||
<Setter Property="BackgroundSizing" Value="InnerBorderEdge"/>
|
||||
<Setter Property="FontSize" Value="{ThemeResource ControlContentThemeFontSize}"/>
|
||||
<Setter Property="Template">
|
||||
<Setter.Value>
|
||||
<ControlTemplate TargetType="shct:TokenizingTextBoxItem">
|
||||
<Grid
|
||||
x:Name="PART_RootGrid"
|
||||
Height="{TemplateBinding Height}"
|
||||
Padding="{TemplateBinding Padding}"
|
||||
HorizontalAlignment="{TemplateBinding HorizontalAlignment}"
|
||||
VerticalAlignment="{TemplateBinding VerticalAlignment}"
|
||||
Background="{TemplateBinding Background}"
|
||||
BackgroundSizing="{TemplateBinding BackgroundSizing}"
|
||||
BorderBrush="{TemplateBinding BorderBrush}"
|
||||
BorderThickness="{TemplateBinding BorderThickness}"
|
||||
ColumnSpacing="8"
|
||||
Control.IsTemplateFocusTarget="True"
|
||||
CornerRadius="{TemplateBinding CornerRadius}">
|
||||
<win:Grid.BackgroundTransition>
|
||||
<win:BrushTransition Duration="0:0:0.083"/>
|
||||
</win:Grid.BackgroundTransition>
|
||||
<Grid.ColumnDefinitions>
|
||||
<ColumnDefinition Width="Auto"/>
|
||||
<ColumnDefinition Width="Auto"/>
|
||||
</Grid.ColumnDefinitions>
|
||||
<!-- Content -->
|
||||
<ContentPresenter
|
||||
x:Name="PART_ContentPresenter"
|
||||
Margin="0,-1,0,0"
|
||||
VerticalAlignment="Center"
|
||||
HorizontalContentAlignment="{TemplateBinding HorizontalContentAlignment}"
|
||||
VerticalContentAlignment="{TemplateBinding VerticalContentAlignment}"
|
||||
win:OpticalMarginAlignment="TrimSideBearings"
|
||||
BackgroundSizing="{TemplateBinding BackgroundSizing}"
|
||||
Content="{TemplateBinding Content}"
|
||||
ContentTransitions="{TemplateBinding ContentTransitions}"
|
||||
FontWeight="{TemplateBinding FontWeight}"
|
||||
Foreground="{TemplateBinding Foreground}"/>
|
||||
<Button
|
||||
x:Name="PART_RemoveButton"
|
||||
Grid.Row="1"
|
||||
Grid.Column="1"
|
||||
Width="20"
|
||||
Height="20"
|
||||
MinWidth="0"
|
||||
MinHeight="0"
|
||||
Margin="0,0,0,-2"
|
||||
Padding="2"
|
||||
VerticalAlignment="Center"
|
||||
CornerRadius="99"
|
||||
IsTabStop="False"
|
||||
Style="{TemplateBinding ClearButtonStyle}">
|
||||
<FontIcon FontSize="12" Glyph=""/>
|
||||
</Button>
|
||||
<VisualStateManager.VisualStateGroups>
|
||||
<VisualStateGroup x:Name="CommonStates">
|
||||
<VisualState x:Name="Normal"/>
|
||||
<VisualState x:Name="PointerOver">
|
||||
<VisualState.Setters>
|
||||
<Setter Target="PART_RootGrid.Background" Value="{ThemeResource TokenItemBackgroundPointerOver}"/>
|
||||
</VisualState.Setters>
|
||||
</VisualState>
|
||||
<VisualState x:Name="Pressed">
|
||||
<VisualState.Setters>
|
||||
<Setter Target="PART_RootGrid.Background" Value="{ThemeResource TokenItemBackgroundPressed}"/>
|
||||
<Setter Target="PART_RootGrid.BorderBrush" Value="{ThemeResource TokenItemBorderBrushPointerOver}"/>
|
||||
<Setter Target="PART_ContentPresenter.Foreground" Value="{ThemeResource TokenItemForegroundPointerOver}"/>
|
||||
<Setter Target="PART_RemoveButton.Foreground" Value="{ThemeResource TokenItemForegroundPointerOver}"/>
|
||||
</VisualState.Setters>
|
||||
</VisualState>
|
||||
<VisualState x:Name="Selected">
|
||||
<VisualState.Setters>
|
||||
<Setter Target="PART_RootGrid.Background" Value="{ThemeResource TokenItemBackgroundSelected}"/>
|
||||
<Setter Target="PART_RootGrid.BorderBrush" Value="{ThemeResource TokenItemBorderBrushSelected}"/>
|
||||
<Setter Target="PART_ContentPresenter.Foreground" Value="{ThemeResource TokenItemForegroundSelected}"/>
|
||||
<Setter Target="PART_RemoveButton.Style" Value="{ThemeResource SubtleAccentButtonStyle}"/>
|
||||
<Setter Target="PART_RootGrid.BackgroundSizing" Value="OuterBorderEdge"/>
|
||||
</VisualState.Setters>
|
||||
</VisualState>
|
||||
<VisualState x:Name="PointerOverSelected">
|
||||
<VisualState.Setters>
|
||||
<Setter Target="PART_RootGrid.Background" Value="{ThemeResource TokenItemBackgroundPointerOverSelected}"/>
|
||||
<Setter Target="PART_RootGrid.BorderBrush" Value="{ThemeResource TokenItemBorderBrushPointerOverSelected}"/>
|
||||
<Setter Target="PART_ContentPresenter.Foreground" Value="{ThemeResource TokenItemForegroundPointerOverSelected}"/>
|
||||
<Setter Target="PART_RemoveButton.Style" Value="{ThemeResource SubtleAccentButtonStyle}"/>
|
||||
<Setter Target="PART_RootGrid.BackgroundSizing" Value="OuterBorderEdge"/>
|
||||
</VisualState.Setters>
|
||||
</VisualState>
|
||||
<VisualState x:Name="PressedSelected">
|
||||
<VisualState.Setters>
|
||||
<Setter Target="PART_RootGrid.Background" Value="{ThemeResource TokenItemBackgroundPressedSelected}"/>
|
||||
<Setter Target="PART_RootGrid.BorderBrush" Value="{ThemeResource TokenItemBorderBrushPressedSelected}"/>
|
||||
<Setter Target="PART_ContentPresenter.Foreground" Value="{ThemeResource TokenItemForegroundPressedSelected}"/>
|
||||
<Setter Target="PART_RemoveButton.Style" Value="{ThemeResource SubtleAccentButtonStyle}"/>
|
||||
<Setter Target="PART_RootGrid.BackgroundSizing" Value="OuterBorderEdge"/>
|
||||
</VisualState.Setters>
|
||||
</VisualState>
|
||||
</VisualStateGroup>
|
||||
<VisualStateGroup x:Name="DisabledStates">
|
||||
<VisualState x:Name="Enabled"/>
|
||||
<VisualState x:Name="Disabled">
|
||||
<VisualState.Setters>
|
||||
<Setter Target="PART_ContentPresenter.Opacity" Value="{ThemeResource ListViewItemDisabledThemeOpacity}"/>
|
||||
</VisualState.Setters>
|
||||
</VisualState>
|
||||
</VisualStateGroup>
|
||||
</VisualStateManager.VisualStateGroups>
|
||||
</Grid>
|
||||
</ControlTemplate>
|
||||
</Setter.Value>
|
||||
</Setter>
|
||||
</Style>
|
||||
|
||||
<!-- Default style for TokenizingTextBoxItem -->
|
||||
<Style BasedOn="{StaticResource TokenizingTextBoxItemTokenStyle}" TargetType="shct:TokenizingTextBoxItem"/>
|
||||
|
||||
<Style x:Key="SubtleButtonStyle" TargetType="Button">
|
||||
<Setter Property="Background" Value="{ThemeResource SubtleFillColorTransparent}"/>
|
||||
<Setter Property="BackgroundSizing" Value="InnerBorderEdge"/>
|
||||
<Setter Property="Foreground" Value="{ThemeResource TextFillColorPrimary}"/>
|
||||
<Setter Property="BorderThickness" Value="0"/>
|
||||
<Setter Property="Padding" Value="{StaticResource ButtonPadding}"/>
|
||||
<Setter Property="HorizontalAlignment" Value="Left"/>
|
||||
<Setter Property="VerticalAlignment" Value="Center"/>
|
||||
<Setter Property="FontFamily" Value="{ThemeResource ContentControlThemeFontFamily}"/>
|
||||
<Setter Property="FontWeight" Value="Normal"/>
|
||||
<Setter Property="FontSize" Value="{ThemeResource ControlContentThemeFontSize}"/>
|
||||
<Setter Property="UseSystemFocusVisuals" Value="{StaticResource UseSystemFocusVisuals}"/>
|
||||
<Setter Property="FocusVisualMargin" Value="-3"/>
|
||||
<Setter Property="CornerRadius" Value="{ThemeResource ControlCornerRadius}"/>
|
||||
<Setter Property="Template">
|
||||
<Setter.Value>
|
||||
<ControlTemplate TargetType="Button">
|
||||
<ContentPresenter
|
||||
x:Name="ContentPresenter"
|
||||
Padding="{TemplateBinding Padding}"
|
||||
HorizontalContentAlignment="{TemplateBinding HorizontalContentAlignment}"
|
||||
VerticalContentAlignment="{TemplateBinding VerticalContentAlignment}"
|
||||
muxc:AnimatedIcon.State="Normal"
|
||||
win:AutomationProperties.AccessibilityView="Raw"
|
||||
Background="{TemplateBinding Background}"
|
||||
BackgroundSizing="{TemplateBinding BackgroundSizing}"
|
||||
BorderBrush="{TemplateBinding BorderBrush}"
|
||||
BorderThickness="{TemplateBinding BorderThickness}"
|
||||
Content="{TemplateBinding Content}"
|
||||
ContentTemplate="{TemplateBinding ContentTemplate}"
|
||||
ContentTransitions="{TemplateBinding ContentTransitions}"
|
||||
CornerRadius="{TemplateBinding CornerRadius}">
|
||||
<win:ContentPresenter.BackgroundTransition>
|
||||
<win:BrushTransition Duration="0:0:0.083"/>
|
||||
</win:ContentPresenter.BackgroundTransition>
|
||||
|
||||
<VisualStateManager.VisualStateGroups>
|
||||
<VisualStateGroup x:Name="CommonStates">
|
||||
<VisualState x:Name="Normal"/>
|
||||
<VisualState x:Name="PointerOver">
|
||||
<Storyboard>
|
||||
<ObjectAnimationUsingKeyFrames Storyboard.TargetName="ContentPresenter" Storyboard.TargetProperty="Background">
|
||||
<DiscreteObjectKeyFrame KeyTime="0" Value="{ThemeResource SubtleFillColorSecondary}"/>
|
||||
</ObjectAnimationUsingKeyFrames>
|
||||
<ObjectAnimationUsingKeyFrames Storyboard.TargetName="ContentPresenter" Storyboard.TargetProperty="Foreground">
|
||||
<DiscreteObjectKeyFrame KeyTime="0" Value="{ThemeResource TextFillColorPrimary}"/>
|
||||
</ObjectAnimationUsingKeyFrames>
|
||||
</Storyboard>
|
||||
<VisualState.Setters>
|
||||
<Setter Target="ContentPresenter.(muxc:AnimatedIcon.State)" Value="PointerOver"/>
|
||||
</VisualState.Setters>
|
||||
</VisualState>
|
||||
|
||||
<VisualState x:Name="Pressed">
|
||||
<Storyboard>
|
||||
<ObjectAnimationUsingKeyFrames Storyboard.TargetName="ContentPresenter" Storyboard.TargetProperty="Background">
|
||||
<DiscreteObjectKeyFrame KeyTime="0" Value="{ThemeResource SubtleFillColorTertiary}"/>
|
||||
</ObjectAnimationUsingKeyFrames>
|
||||
<ObjectAnimationUsingKeyFrames Storyboard.TargetName="ContentPresenter" Storyboard.TargetProperty="Foreground">
|
||||
<DiscreteObjectKeyFrame KeyTime="0" Value="{ThemeResource TextFillColorSecondary}"/>
|
||||
</ObjectAnimationUsingKeyFrames>
|
||||
</Storyboard>
|
||||
<VisualState.Setters>
|
||||
<Setter Target="ContentPresenter.(muxc:AnimatedIcon.State)" Value="Pressed"/>
|
||||
</VisualState.Setters>
|
||||
</VisualState>
|
||||
|
||||
<VisualState x:Name="Disabled">
|
||||
<Storyboard>
|
||||
<ObjectAnimationUsingKeyFrames Storyboard.TargetName="ContentPresenter" Storyboard.TargetProperty="Background">
|
||||
<DiscreteObjectKeyFrame KeyTime="0" Value="{ThemeResource ControlFillColorDisabled}"/>
|
||||
</ObjectAnimationUsingKeyFrames>
|
||||
<ObjectAnimationUsingKeyFrames Storyboard.TargetName="ContentPresenter" Storyboard.TargetProperty="Foreground">
|
||||
<DiscreteObjectKeyFrame KeyTime="0" Value="{ThemeResource TextFillColorDisabled}"/>
|
||||
</ObjectAnimationUsingKeyFrames>
|
||||
</Storyboard>
|
||||
<VisualState.Setters>
|
||||
<!-- DisabledVisual Should be handled by the control, not the animated icon. -->
|
||||
<Setter Target="ContentPresenter.(muxc:AnimatedIcon.State)" Value="Normal"/>
|
||||
</VisualState.Setters>
|
||||
</VisualState>
|
||||
</VisualStateGroup>
|
||||
</VisualStateManager.VisualStateGroups>
|
||||
</ContentPresenter>
|
||||
</ControlTemplate>
|
||||
</Setter.Value>
|
||||
</Setter>
|
||||
</Style>
|
||||
|
||||
<Style x:Key="SubtleAccentButtonStyle" TargetType="Button">
|
||||
<Setter Property="Background" Value="{ThemeResource SubtleFillColorTransparent}"/>
|
||||
<Setter Property="BackgroundSizing" Value="InnerBorderEdge"/>
|
||||
<Setter Property="Foreground" Value="{ThemeResource TextOnAccentFillColorPrimaryBrush}"/>
|
||||
<Setter Property="BorderThickness" Value="0"/>
|
||||
<Setter Property="Padding" Value="{StaticResource ButtonPadding}"/>
|
||||
<Setter Property="HorizontalAlignment" Value="Left"/>
|
||||
<Setter Property="VerticalAlignment" Value="Center"/>
|
||||
<Setter Property="FontFamily" Value="{ThemeResource ContentControlThemeFontFamily}"/>
|
||||
<Setter Property="FontWeight" Value="Normal"/>
|
||||
<Setter Property="FontSize" Value="{ThemeResource ControlContentThemeFontSize}"/>
|
||||
<Setter Property="UseSystemFocusVisuals" Value="{StaticResource UseSystemFocusVisuals}"/>
|
||||
<Setter Property="FocusVisualMargin" Value="-3"/>
|
||||
<Setter Property="CornerRadius" Value="{ThemeResource ControlCornerRadius}"/>
|
||||
<Setter Property="Template">
|
||||
<Setter.Value>
|
||||
<ControlTemplate TargetType="Button">
|
||||
<ContentPresenter
|
||||
x:Name="ContentPresenter"
|
||||
Padding="{TemplateBinding Padding}"
|
||||
HorizontalContentAlignment="{TemplateBinding HorizontalContentAlignment}"
|
||||
VerticalContentAlignment="{TemplateBinding VerticalContentAlignment}"
|
||||
muxc:AnimatedIcon.State="Normal"
|
||||
win:AutomationProperties.AccessibilityView="Raw"
|
||||
Background="{TemplateBinding Background}"
|
||||
BackgroundSizing="{TemplateBinding BackgroundSizing}"
|
||||
BorderBrush="{TemplateBinding BorderBrush}"
|
||||
BorderThickness="{TemplateBinding BorderThickness}"
|
||||
Content="{TemplateBinding Content}"
|
||||
ContentTemplate="{TemplateBinding ContentTemplate}"
|
||||
ContentTransitions="{TemplateBinding ContentTransitions}"
|
||||
CornerRadius="{TemplateBinding CornerRadius}">
|
||||
<win:ContentPresenter.BackgroundTransition>
|
||||
<win:BrushTransition Duration="0:0:0.083"/>
|
||||
</win:ContentPresenter.BackgroundTransition>
|
||||
|
||||
<VisualStateManager.VisualStateGroups>
|
||||
<VisualStateGroup x:Name="CommonStates">
|
||||
<VisualState x:Name="Normal"/>
|
||||
<VisualState x:Name="PointerOver">
|
||||
<Storyboard>
|
||||
<ObjectAnimationUsingKeyFrames Storyboard.TargetName="ContentPresenter" Storyboard.TargetProperty="Background">
|
||||
<DiscreteObjectKeyFrame KeyTime="0" Value="{ThemeResource SubtleFillColorSecondary}"/>
|
||||
</ObjectAnimationUsingKeyFrames>
|
||||
<ObjectAnimationUsingKeyFrames Storyboard.TargetName="ContentPresenter" Storyboard.TargetProperty="Foreground">
|
||||
<DiscreteObjectKeyFrame KeyTime="0" Value="{ThemeResource TextOnAccentFillColorPrimaryBrush}"/>
|
||||
</ObjectAnimationUsingKeyFrames>
|
||||
</Storyboard>
|
||||
<VisualState.Setters>
|
||||
<Setter Target="ContentPresenter.(muxc:AnimatedIcon.State)" Value="PointerOver"/>
|
||||
</VisualState.Setters>
|
||||
</VisualState>
|
||||
|
||||
<VisualState x:Name="Pressed">
|
||||
<Storyboard>
|
||||
<ObjectAnimationUsingKeyFrames Storyboard.TargetName="ContentPresenter" Storyboard.TargetProperty="Background">
|
||||
<DiscreteObjectKeyFrame KeyTime="0" Value="{ThemeResource SubtleFillColorTertiary}"/>
|
||||
</ObjectAnimationUsingKeyFrames>
|
||||
<ObjectAnimationUsingKeyFrames Storyboard.TargetName="ContentPresenter" Storyboard.TargetProperty="Foreground">
|
||||
<DiscreteObjectKeyFrame KeyTime="0" Value="{ThemeResource TextOnAccentFillColorSecondaryBrush}"/>
|
||||
</ObjectAnimationUsingKeyFrames>
|
||||
</Storyboard>
|
||||
<VisualState.Setters>
|
||||
<Setter Target="ContentPresenter.(muxc:AnimatedIcon.State)" Value="Pressed"/>
|
||||
</VisualState.Setters>
|
||||
</VisualState>
|
||||
|
||||
<VisualState x:Name="Disabled">
|
||||
<Storyboard>
|
||||
<ObjectAnimationUsingKeyFrames Storyboard.TargetName="ContentPresenter" Storyboard.TargetProperty="Background">
|
||||
<DiscreteObjectKeyFrame KeyTime="0" Value="{ThemeResource ControlFillColorTransparentBrush}"/>
|
||||
</ObjectAnimationUsingKeyFrames>
|
||||
<ObjectAnimationUsingKeyFrames Storyboard.TargetName="ContentPresenter" Storyboard.TargetProperty="Foreground">
|
||||
<!-- Should be TextOnAccentFillColorDisabledBrush, but doesn't seem to work? This is the same visual effect -->
|
||||
<DiscreteObjectKeyFrame KeyTime="0" Value="{ThemeResource ControlFillColorDefaultBrush}"/>
|
||||
</ObjectAnimationUsingKeyFrames>
|
||||
</Storyboard>
|
||||
<VisualState.Setters>
|
||||
<Setter Target="ContentPresenter.(muxc:AnimatedIcon.State)" Value="Normal"/>
|
||||
</VisualState.Setters>
|
||||
</VisualState>
|
||||
</VisualStateGroup>
|
||||
</VisualStateManager.VisualStateGroups>
|
||||
</ContentPresenter>
|
||||
</ControlTemplate>
|
||||
</Setter.Value>
|
||||
</Setter>
|
||||
</Style>
|
||||
</ResourceDictionary>
|
||||
@@ -0,0 +1,25 @@
|
||||
// Copyright (c) DGP Studio. All rights reserved.
|
||||
// Licensed under the MIT license.
|
||||
|
||||
using Microsoft.UI.Xaml;
|
||||
using Microsoft.UI.Xaml.Controls;
|
||||
|
||||
namespace Snap.Hutao.Control.TokenizingTextBox;
|
||||
|
||||
internal class TokenizingTextBoxStyleSelector : StyleSelector
|
||||
{
|
||||
public Style TokenStyle { get; set; } = default!;
|
||||
|
||||
public Style TextStyle { get; set; } = default!;
|
||||
|
||||
/// <inheritdoc/>
|
||||
protected override Style SelectStyleCore(object item, DependencyObject container)
|
||||
{
|
||||
if (item is ITokenStringContainer)
|
||||
{
|
||||
return TextStyle;
|
||||
}
|
||||
|
||||
return TokenStyle;
|
||||
}
|
||||
}
|
||||
@@ -2,6 +2,7 @@
|
||||
// Licensed under the MIT license.
|
||||
|
||||
using Microsoft.UI.Xaml.Data;
|
||||
using Snap.Hutao.Core.ExceptionService;
|
||||
|
||||
namespace Snap.Hutao.Control;
|
||||
|
||||
@@ -39,6 +40,6 @@ internal abstract class ValueConverter<TFrom, TTo> : IValueConverter
|
||||
/// <returns>源</returns>
|
||||
public virtual TFrom ConvertBack(TTo to)
|
||||
{
|
||||
throw Must.NeverHappen();
|
||||
throw HutaoException.NotSupported();
|
||||
}
|
||||
}
|
||||
@@ -2,13 +2,9 @@
|
||||
// Licensed under the MIT license.
|
||||
|
||||
using CommunityToolkit.Mvvm.Messaging;
|
||||
using Microsoft.Extensions.DependencyInjection.Extensions;
|
||||
using Quartz;
|
||||
using Snap.Hutao.Core.Logging;
|
||||
using Snap.Hutao.Service;
|
||||
using Snap.Hutao.Service.DailyNote;
|
||||
using Snap.Hutao.Service.Job;
|
||||
using System.Collections.Specialized;
|
||||
using System.Globalization;
|
||||
using System.Runtime.CompilerServices;
|
||||
using Windows.Globalization;
|
||||
|
||||
@@ -1,22 +0,0 @@
|
||||
// Copyright (c) DGP Studio. All rights reserved.
|
||||
// Licensed under the MIT license.
|
||||
|
||||
namespace Snap.Hutao.Core.ExceptionService;
|
||||
|
||||
/// <summary>
|
||||
/// 数据库损坏异常
|
||||
/// </summary>
|
||||
[HighQuality]
|
||||
[Obsolete("Use HutaoException instead")]
|
||||
internal sealed class DatabaseCorruptedException : Exception
|
||||
{
|
||||
/// <summary>
|
||||
/// 构造一个新的用户数据损坏异常
|
||||
/// </summary>
|
||||
/// <param name="message">消息</param>
|
||||
/// <param name="innerException">内部错误</param>
|
||||
public DatabaseCorruptedException(string message, Exception? innerException)
|
||||
: base(SH.FormatCoreExceptionServiceDatabaseCorruptedMessage($"{message}\n{innerException?.Message}"), innerException)
|
||||
{
|
||||
}
|
||||
}
|
||||
@@ -1,6 +1,8 @@
|
||||
// Copyright (c) DGP Studio. All rights reserved.
|
||||
// Licensed under the MIT license.
|
||||
|
||||
using System.Runtime.CompilerServices;
|
||||
|
||||
namespace Snap.Hutao.Core.ExceptionService;
|
||||
|
||||
internal sealed class HutaoException : Exception
|
||||
@@ -11,11 +13,13 @@ internal sealed class HutaoException : Exception
|
||||
}
|
||||
|
||||
[DoesNotReturn]
|
||||
[MethodImpl(MethodImplOptions.NoInlining)]
|
||||
public static HutaoException Throw(string message, Exception? innerException = default)
|
||||
{
|
||||
throw new HutaoException(message, innerException);
|
||||
}
|
||||
|
||||
[MethodImpl(MethodImplOptions.NoInlining)]
|
||||
public static void ThrowIf([DoesNotReturnIf(true)] bool condition, string message, Exception? innerException = default)
|
||||
{
|
||||
if (condition)
|
||||
@@ -24,6 +28,7 @@ internal sealed class HutaoException : Exception
|
||||
}
|
||||
}
|
||||
|
||||
[MethodImpl(MethodImplOptions.NoInlining)]
|
||||
public static void ThrowIfNot([DoesNotReturnIf(false)] bool condition, string message, Exception? innerException = default)
|
||||
{
|
||||
if (!condition)
|
||||
@@ -33,18 +38,28 @@ internal sealed class HutaoException : Exception
|
||||
}
|
||||
|
||||
[DoesNotReturn]
|
||||
[MethodImpl(MethodImplOptions.NoInlining)]
|
||||
public static ArgumentException Argument(string message, string? paramName)
|
||||
{
|
||||
throw new ArgumentException(message, paramName);
|
||||
}
|
||||
|
||||
[DoesNotReturn]
|
||||
[MethodImpl(MethodImplOptions.NoInlining)]
|
||||
public static HutaoException GachaStatisticsInvalidItemId(uint id, Exception? innerException = default)
|
||||
{
|
||||
throw new HutaoException(SH.FormatServiceGachaStatisticsFactoryItemIdInvalid(id), innerException);
|
||||
}
|
||||
|
||||
[DoesNotReturn]
|
||||
[MethodImpl(MethodImplOptions.NoInlining)]
|
||||
public static HutaoException UserdataCorrupted(string message, Exception? innerException = default)
|
||||
{
|
||||
throw new HutaoException(message, innerException);
|
||||
}
|
||||
|
||||
[DoesNotReturn]
|
||||
[MethodImpl(MethodImplOptions.NoInlining)]
|
||||
public static InvalidCastException InvalidCast<TFrom, TTo>(string name, Exception? innerException = default)
|
||||
{
|
||||
string message = $"This instance of '{typeof(TFrom).FullName}' '{name}' doesn't implement '{typeof(TTo).FullName}'";
|
||||
@@ -52,18 +67,21 @@ internal sealed class HutaoException : Exception
|
||||
}
|
||||
|
||||
[DoesNotReturn]
|
||||
[MethodImpl(MethodImplOptions.NoInlining)]
|
||||
public static InvalidOperationException InvalidOperation(string message, Exception? innerException = default)
|
||||
{
|
||||
throw new InvalidOperationException(message, innerException);
|
||||
}
|
||||
|
||||
[DoesNotReturn]
|
||||
[MethodImpl(MethodImplOptions.NoInlining)]
|
||||
public static NotSupportedException NotSupported(string? message = default, Exception? innerException = default)
|
||||
{
|
||||
throw new NotSupportedException(message, innerException);
|
||||
}
|
||||
|
||||
[DoesNotReturn]
|
||||
[MethodImpl(MethodImplOptions.NoInlining)]
|
||||
public static OperationCanceledException OperationCanceled(string message, Exception? innerException = default)
|
||||
{
|
||||
throw new OperationCanceledException(message, innerException);
|
||||
|
||||
@@ -1,23 +0,0 @@
|
||||
// Copyright (c) DGP Studio. All rights reserved.
|
||||
// Licensed under the MIT license.
|
||||
|
||||
namespace Snap.Hutao.Core.ExceptionService;
|
||||
|
||||
/// <summary>
|
||||
/// 运行环境异常
|
||||
/// 用户的计算机中的某些设置不符合要求
|
||||
/// </summary>
|
||||
[HighQuality]
|
||||
[Obsolete("Use HutaoException instead")]
|
||||
internal sealed class RuntimeEnvironmentException : Exception
|
||||
{
|
||||
/// <summary>
|
||||
/// 构造一个新的运行环境异常
|
||||
/// </summary>
|
||||
/// <param name="message">消息</param>
|
||||
/// <param name="innerException">内部错误</param>
|
||||
public RuntimeEnvironmentException(string message, Exception? innerException)
|
||||
: base($"{message}\n{innerException?.Message}", innerException)
|
||||
{
|
||||
}
|
||||
}
|
||||
@@ -1,9 +1,6 @@
|
||||
// Copyright (c) DGP Studio. All rights reserved.
|
||||
// Licensed under the MIT license.
|
||||
|
||||
using Snap.Hutao.Service.Game;
|
||||
using Snap.Hutao.Service.Game.Package;
|
||||
using System.IO;
|
||||
using System.Runtime.CompilerServices;
|
||||
|
||||
namespace Snap.Hutao.Core.ExceptionService;
|
||||
@@ -22,92 +19,4 @@ internal static class ThrowHelper
|
||||
{
|
||||
throw new ArgumentException(message, paramName);
|
||||
}
|
||||
|
||||
[DoesNotReturn]
|
||||
[MethodImpl(MethodImplOptions.NoInlining)]
|
||||
public static DatabaseCorruptedException DatabaseCorrupted(string message, Exception? inner)
|
||||
{
|
||||
throw new DatabaseCorruptedException(message, inner);
|
||||
}
|
||||
|
||||
[DoesNotReturn]
|
||||
[MethodImpl(MethodImplOptions.NoInlining)]
|
||||
public static GameFileOperationException GameFileOperation(string message, Exception? inner)
|
||||
{
|
||||
throw new GameFileOperationException(message, inner);
|
||||
}
|
||||
|
||||
[DoesNotReturn]
|
||||
[MethodImpl(MethodImplOptions.NoInlining)]
|
||||
public static InvalidDataException InvalidData(string message, Exception? inner = default)
|
||||
{
|
||||
throw new InvalidDataException(message, inner);
|
||||
}
|
||||
|
||||
[MethodImpl(MethodImplOptions.NoInlining)]
|
||||
public static void InvalidDataIf([DoesNotReturnIf(true)] bool condition, string message, Exception? inner = default)
|
||||
{
|
||||
if (condition)
|
||||
{
|
||||
throw new InvalidDataException(message, inner);
|
||||
}
|
||||
}
|
||||
|
||||
[DoesNotReturn]
|
||||
[MethodImpl(MethodImplOptions.NoInlining)]
|
||||
public static InvalidOperationException InvalidOperation(string message, Exception? inner = default)
|
||||
{
|
||||
throw new InvalidOperationException(message, inner);
|
||||
}
|
||||
|
||||
[DoesNotReturn]
|
||||
[MethodImpl(MethodImplOptions.NoInlining)]
|
||||
public static NotSupportedException NotSupported()
|
||||
{
|
||||
throw new NotSupportedException();
|
||||
}
|
||||
|
||||
[DoesNotReturn]
|
||||
[MethodImpl(MethodImplOptions.NoInlining)]
|
||||
public static NotSupportedException NotSupported(string message)
|
||||
{
|
||||
throw new NotSupportedException(message);
|
||||
}
|
||||
|
||||
[MethodImpl(MethodImplOptions.NoInlining)]
|
||||
public static void NotSupportedIf(bool condition, string message)
|
||||
{
|
||||
if (condition)
|
||||
{
|
||||
throw new NotSupportedException(message);
|
||||
}
|
||||
}
|
||||
|
||||
[DoesNotReturn]
|
||||
[MethodImpl(MethodImplOptions.NoInlining)]
|
||||
public static OperationCanceledException OperationCanceled(string message, Exception? inner = default)
|
||||
{
|
||||
throw new OperationCanceledException(message, inner);
|
||||
}
|
||||
|
||||
[DoesNotReturn]
|
||||
[MethodImpl(MethodImplOptions.NoInlining)]
|
||||
public static PackageConvertException PackageConvert(string message, Exception? inner = default)
|
||||
{
|
||||
throw new PackageConvertException(message, inner);
|
||||
}
|
||||
|
||||
[DoesNotReturn]
|
||||
[MethodImpl(MethodImplOptions.NoInlining)]
|
||||
public static RuntimeEnvironmentException RuntimeEnvironment(string message, Exception? inner)
|
||||
{
|
||||
throw new RuntimeEnvironmentException(message, inner);
|
||||
}
|
||||
|
||||
[DoesNotReturn]
|
||||
[MethodImpl(MethodImplOptions.NoInlining)]
|
||||
public static UserdataCorruptedException UserdataCorrupted(string message, Exception? inner)
|
||||
{
|
||||
throw new UserdataCorruptedException(message, inner);
|
||||
}
|
||||
}
|
||||
@@ -1,22 +0,0 @@
|
||||
// Copyright (c) DGP Studio. All rights reserved.
|
||||
// Licensed under the MIT license.
|
||||
|
||||
namespace Snap.Hutao.Core.ExceptionService;
|
||||
|
||||
/// <summary>
|
||||
/// 用户数据损坏异常
|
||||
/// </summary>
|
||||
[HighQuality]
|
||||
[Obsolete("Use HutaoException instead")]
|
||||
internal sealed class UserdataCorruptedException : Exception
|
||||
{
|
||||
/// <summary>
|
||||
/// 构造一个新的用户数据损坏异常
|
||||
/// </summary>
|
||||
/// <param name="message">消息</param>
|
||||
/// <param name="innerException">内部错误</param>
|
||||
public UserdataCorruptedException(string message, Exception? innerException)
|
||||
: base(SH.FormatCoreExceptionServiceUserdataCorruptedMessage($"{message}\n{innerException?.Message}"), innerException)
|
||||
{
|
||||
}
|
||||
}
|
||||
@@ -78,7 +78,7 @@ internal sealed class HttpShardCopyWorker<TStatus> : IDisposable
|
||||
using (HttpResponseMessage response = await httpClient.SendAsync(request, HttpCompletionOption.ResponseHeadersRead, token).ConfigureAwait(false))
|
||||
{
|
||||
response.EnsureSuccessStatusCode();
|
||||
using (IMemoryOwner<byte> memoryOwner = MemoryPool<byte>.Shared.Rent())
|
||||
using (IMemoryOwner<byte> memoryOwner = MemoryPool<byte>.Shared.Rent(bufferSize))
|
||||
{
|
||||
Memory<byte> buffer = memoryOwner.Memory;
|
||||
using (Stream stream = await response.Content.ReadAsStreamAsync(token).ConfigureAwait(false))
|
||||
|
||||
@@ -27,6 +27,7 @@ internal sealed class StreamReaderWriter : IDisposable
|
||||
}
|
||||
|
||||
/// <inheritdoc cref="StreamWriter.WriteAsync(string?)"/>
|
||||
[SuppressMessage("", "SH003")]
|
||||
public Task WriteAsync(string value)
|
||||
{
|
||||
return writer.WriteAsync(value);
|
||||
|
||||
@@ -22,7 +22,7 @@ internal sealed class SeparatorCommaInt32EnumerableConverter : JsonConverter<IEn
|
||||
return EnumerateNumbers(source);
|
||||
}
|
||||
|
||||
return Enumerable.Empty<int>();
|
||||
return [];
|
||||
}
|
||||
|
||||
/// <inheritdoc/>
|
||||
|
||||
@@ -4,7 +4,6 @@
|
||||
using Microsoft.UI.Xaml;
|
||||
using Snap.Hutao.Core.Windowing;
|
||||
using Snap.Hutao.Win32.Foundation;
|
||||
using WinRT.Interop;
|
||||
|
||||
namespace Snap.Hutao.Core.LifeCycle;
|
||||
|
||||
|
||||
@@ -83,9 +83,10 @@ internal static class LoggerExtension
|
||||
logger.LogColorized(logLevel, 0, exception, message, args);
|
||||
}
|
||||
|
||||
[SuppressMessage("", "CA2254")]
|
||||
public static void LogColorized(this ILogger logger, LogLevel logLevel, EventId eventId, Exception? exception, LogMessage message, params LogArgument[] args)
|
||||
{
|
||||
string colorizedMessage = Colorize(message, args, out object?[] outArgs)!;
|
||||
string? colorizedMessage = Colorize(message, args, out object?[] outArgs);
|
||||
logger.Log(logLevel, eventId, exception, colorizedMessage, outArgs);
|
||||
}
|
||||
|
||||
|
||||
@@ -2,9 +2,7 @@
|
||||
// Licensed under the MIT license.
|
||||
|
||||
using Microsoft.Win32.TaskScheduler;
|
||||
using System.IO;
|
||||
using System.Runtime.InteropServices;
|
||||
using Windows.Storage;
|
||||
|
||||
namespace Snap.Hutao.Core.Shell;
|
||||
|
||||
|
||||
@@ -25,7 +25,7 @@ internal class AsyncBarrier
|
||||
/// <param name="participants">The number of participants.</param>
|
||||
public AsyncBarrier(int participants)
|
||||
{
|
||||
Must.Range(participants >= 1, "Participants of AsyncBarrier can not be less than 1");
|
||||
ArgumentOutOfRangeException.ThrowIfLessThan(participants, 1, "Participants of AsyncBarrier can not be less than 1");
|
||||
participantCount = participants;
|
||||
|
||||
// Allocate the stack so no resizing is necessary.
|
||||
|
||||
@@ -1,56 +0,0 @@
|
||||
// Copyright (c) DGP Studio. All rights reserved.
|
||||
// Licensed under the MIT license.
|
||||
|
||||
using System.Runtime.CompilerServices;
|
||||
|
||||
namespace Snap.Hutao.Core.Validation;
|
||||
|
||||
/// <summary>
|
||||
/// 封装验证方法,简化微软验证
|
||||
/// </summary>
|
||||
[HighQuality]
|
||||
[Obsolete("Use HutaoException instead")]
|
||||
internal static class Must
|
||||
{
|
||||
/// <summary>
|
||||
/// Throws an <see cref="ArgumentException"/> if a condition does not evaluate to true.
|
||||
/// </summary>
|
||||
/// <param name="condition">The condition to check.</param>
|
||||
/// <param name="message">message</param>
|
||||
/// <param name="parameterName">The name of the parameter to blame in the exception, if thrown.</param>
|
||||
[MethodImpl(MethodImplOptions.NoInlining)]
|
||||
public static void Argument([DoesNotReturnIf(false)] bool condition, string? message, [CallerArgumentExpression(nameof(condition))] string? parameterName = null)
|
||||
{
|
||||
if (!condition)
|
||||
{
|
||||
throw new ArgumentException(message, parameterName);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Throws an <see cref="ArgumentOutOfRangeException"/> if a condition does not evaluate to true.
|
||||
/// </summary>
|
||||
/// <param name="condition">The condition to check.</param>
|
||||
/// <param name="message">message</param>
|
||||
/// <param name="parameterName">The name of the parameter to blame in the exception, if thrown.</param>
|
||||
[MethodImpl(MethodImplOptions.NoInlining)]
|
||||
public static void Range([DoesNotReturnIf(false)] bool condition, string? message, [CallerArgumentExpression(nameof(condition))] string? parameterName = null)
|
||||
{
|
||||
if (!condition)
|
||||
{
|
||||
throw new ArgumentOutOfRangeException(parameterName, message);
|
||||
}
|
||||
}
|
||||
|
||||
/// <summary>
|
||||
/// Unconditionally throws an <see cref="NotSupportedException"/>.
|
||||
/// </summary>
|
||||
/// <param name="context">上下文</param>
|
||||
/// <returns>Nothing. This method always throws.</returns>
|
||||
[DoesNotReturn]
|
||||
[MethodImpl(MethodImplOptions.NoInlining)]
|
||||
public static Exception NeverHappen(string? context = null)
|
||||
{
|
||||
throw new NotSupportedException(context);
|
||||
}
|
||||
}
|
||||
@@ -10,7 +10,7 @@ using System.Collections.Concurrent;
|
||||
namespace Snap.Hutao.Core.Windowing.Backdrop;
|
||||
|
||||
// https://github.com/microsoft/microsoft-ui-xaml/blob/winui3/release/1.5-stable/controls/dev/Materials/DesktopAcrylicBackdrop/DesktopAcrylicBackdrop.cpp
|
||||
internal sealed class InputActiveDesktopAcrylicBackdrop : SystemBackdrop
|
||||
internal sealed partial class InputActiveDesktopAcrylicBackdrop : SystemBackdrop
|
||||
{
|
||||
private readonly ConcurrentDictionary<ICompositionSupportsSystemBackdrop, DesktopAcrylicController> controllers = [];
|
||||
|
||||
@@ -18,11 +18,10 @@ internal sealed class InputActiveDesktopAcrylicBackdrop : SystemBackdrop
|
||||
{
|
||||
base.OnTargetConnected(target, xamlRoot);
|
||||
|
||||
DesktopAcrylicController newController = new();
|
||||
SystemBackdropConfiguration configuration = GetDefaultSystemBackdropConfiguration(target, xamlRoot);
|
||||
|
||||
configuration.IsInputActive = true;
|
||||
|
||||
DesktopAcrylicController newController = new();
|
||||
newController.AddSystemBackdropTarget(target);
|
||||
newController.SetSystemBackdropConfiguration(configuration);
|
||||
controllers.TryAdd(target, newController);
|
||||
|
||||
@@ -24,6 +24,8 @@ internal sealed class SystemBackdropDesktopWindowXamlSourceAccess : SystemBackdr
|
||||
get; private set;
|
||||
}
|
||||
|
||||
public SystemBackdrop? InnerBackdrop { get => innerBackdrop; }
|
||||
|
||||
protected override void OnTargetConnected(ICompositionSupportsSystemBackdrop target, XamlRoot xamlRoot)
|
||||
{
|
||||
DesktopWindowXamlSource = DesktopWindowXamlSource.FromAbi(target.As<IInspectable>().ThisPtr);
|
||||
|
||||
@@ -29,25 +29,26 @@ internal sealed class TransparentBackdrop : SystemBackdrop, IBackdropNeedEraseBa
|
||||
|
||||
internal Windows.UI.Composition.Compositor Compositor
|
||||
{
|
||||
get
|
||||
get => LazyInitializer.EnsureInitialized(ref compositor, ref compositorLock, () =>
|
||||
{
|
||||
return LazyInitializer.EnsureInitialized(ref compositor, ref compositorLock, () =>
|
||||
{
|
||||
DispatcherQueue.EnsureSystemDispatcherQueue();
|
||||
return new Windows.UI.Composition.Compositor();
|
||||
});
|
||||
}
|
||||
DispatcherQueue.EnsureSystemDispatcherQueue();
|
||||
return new Windows.UI.Composition.Compositor();
|
||||
});
|
||||
}
|
||||
|
||||
protected override void OnTargetConnected(ICompositionSupportsSystemBackdrop connectedTarget, XamlRoot xamlRoot)
|
||||
protected override void OnTargetConnected(ICompositionSupportsSystemBackdrop target, XamlRoot xamlRoot)
|
||||
{
|
||||
base.OnTargetConnected(target, xamlRoot);
|
||||
|
||||
brush ??= Compositor.CreateColorBrush(tintColor);
|
||||
connectedTarget.SystemBackdrop = brush;
|
||||
target.SystemBackdrop = brush;
|
||||
}
|
||||
|
||||
protected override void OnTargetDisconnected(ICompositionSupportsSystemBackdrop disconnectedTarget)
|
||||
protected override void OnTargetDisconnected(ICompositionSupportsSystemBackdrop target)
|
||||
{
|
||||
disconnectedTarget.SystemBackdrop = null;
|
||||
base.OnTargetDisconnected(target);
|
||||
|
||||
target.SystemBackdrop = null;
|
||||
|
||||
if (compositorLock is not null)
|
||||
{
|
||||
|
||||
@@ -2,7 +2,6 @@
|
||||
// Licensed under the MIT license.
|
||||
|
||||
using CommunityToolkit.Mvvm.ComponentModel;
|
||||
using Snap.Hutao.Core.LifeCycle;
|
||||
using Snap.Hutao.Core.Setting;
|
||||
using Snap.Hutao.Model;
|
||||
using Snap.Hutao.Service.Notification;
|
||||
@@ -27,7 +26,6 @@ internal sealed class HotKeyCombination : ObservableObject
|
||||
|
||||
private bool registered;
|
||||
|
||||
private bool modifierHasWindows;
|
||||
private bool modifierHasControl;
|
||||
private bool modifierHasShift;
|
||||
private bool modifierHasAlt;
|
||||
@@ -36,6 +34,7 @@ internal sealed class HotKeyCombination : ObservableObject
|
||||
private VirtualKey key;
|
||||
private bool isEnabled;
|
||||
|
||||
[SuppressMessage("", "SH002")]
|
||||
public HotKeyCombination(IServiceProvider serviceProvider, HWND hwnd, string settingKey, int hotKeyId, HOT_KEY_MODIFIERS defaultModifiers, VirtualKey defaultKey)
|
||||
{
|
||||
infoBarService = serviceProvider.GetRequiredService<IInfoBarService>();
|
||||
@@ -52,7 +51,10 @@ internal sealed class HotKeyCombination : ObservableObject
|
||||
isEnabled = LocalSetting.Get($"{settingKey}.IsEnabled", true);
|
||||
|
||||
HotKeyParameter actual = LocalSettingGetHotKeyParameter();
|
||||
modifiers = actual.Modifiers;
|
||||
|
||||
// HOT_KEY_MODIFIERS.MOD_WIN is reversed for use by the OS.
|
||||
// It should not be used by the application.
|
||||
modifiers = actual.Modifiers & ~HOT_KEY_MODIFIERS.MOD_WIN;
|
||||
InitializeModifiersCompositionFields();
|
||||
key = actual.Key;
|
||||
|
||||
@@ -61,18 +63,6 @@ internal sealed class HotKeyCombination : ObservableObject
|
||||
}
|
||||
|
||||
#region Binding Property
|
||||
public bool ModifierHasWindows
|
||||
{
|
||||
get => modifierHasWindows;
|
||||
set
|
||||
{
|
||||
if (SetProperty(ref modifierHasWindows, value))
|
||||
{
|
||||
UpdateModifiers();
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
public bool ModifierHasControl
|
||||
{
|
||||
get => modifierHasControl;
|
||||
@@ -218,11 +208,6 @@ internal sealed class HotKeyCombination : ObservableObject
|
||||
{
|
||||
StringBuilder stringBuilder = new();
|
||||
|
||||
if (Modifiers.HasFlag(HOT_KEY_MODIFIERS.MOD_WIN))
|
||||
{
|
||||
stringBuilder.Append("Win").Append(" + ");
|
||||
}
|
||||
|
||||
if (Modifiers.HasFlag(HOT_KEY_MODIFIERS.MOD_CONTROL))
|
||||
{
|
||||
stringBuilder.Append("Ctrl").Append(" + ");
|
||||
@@ -247,11 +232,6 @@ internal sealed class HotKeyCombination : ObservableObject
|
||||
{
|
||||
HOT_KEY_MODIFIERS modifiers = default;
|
||||
|
||||
if (ModifierHasWindows)
|
||||
{
|
||||
modifiers |= HOT_KEY_MODIFIERS.MOD_WIN;
|
||||
}
|
||||
|
||||
if (ModifierHasControl)
|
||||
{
|
||||
modifiers |= HOT_KEY_MODIFIERS.MOD_CONTROL;
|
||||
@@ -272,11 +252,6 @@ internal sealed class HotKeyCombination : ObservableObject
|
||||
|
||||
private void InitializeModifiersCompositionFields()
|
||||
{
|
||||
if (Modifiers.HasFlag(HOT_KEY_MODIFIERS.MOD_WIN))
|
||||
{
|
||||
modifierHasWindows = true;
|
||||
}
|
||||
|
||||
if (Modifiers.HasFlag(HOT_KEY_MODIFIERS.MOD_CONTROL))
|
||||
{
|
||||
modifierHasControl = true;
|
||||
|
||||
@@ -33,7 +33,7 @@ internal sealed class HotKeyMessageWindow : IDisposable
|
||||
atom = RegisterClassW(&wc);
|
||||
}
|
||||
|
||||
ArgumentOutOfRangeException.ThrowIfEqual<ushort>(atom, 0);
|
||||
ArgumentOutOfRangeException.ThrowIfZero(atom);
|
||||
|
||||
HWND = CreateWindowExW(0, WindowClassName, WindowClassName, 0, 0, 0, 0, 0, default, default, default, default);
|
||||
|
||||
|
||||
@@ -2,8 +2,10 @@
|
||||
x:Class="Snap.Hutao.Core.Windowing.NotifyIcon.NotifyIconContextMenu"
|
||||
xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
|
||||
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
|
||||
xmlns:cw="using:CommunityToolkit.WinUI"
|
||||
xmlns:d="http://schemas.microsoft.com/expression/blend/2008"
|
||||
xmlns:mc="http://schemas.openxmlformats.org/markup-compatibility/2006"
|
||||
xmlns:shch="using:Snap.Hutao.Control.Helper"
|
||||
xmlns:shcm="using:Snap.Hutao.Control.Markup"
|
||||
xmlns:shcwb="using:Snap.Hutao.Core.Windowing.Backdrop"
|
||||
xmlns:shv="using:Snap.Hutao.ViewModel"
|
||||
@@ -30,7 +32,10 @@
|
||||
<RowDefinition/>
|
||||
<RowDefinition/>
|
||||
</Grid.RowDefinitions>
|
||||
<TextBlock Margin="8" Text="{Binding Title}"/>
|
||||
<TextBlock
|
||||
Margin="8"
|
||||
Style="{StaticResource BodyTextBlockStyle}"
|
||||
Text="{Binding Title}"/>
|
||||
<Grid Grid.Row="1" Background="{ThemeResource CardBackgroundFillColorSecondaryBrush}">
|
||||
<StackPanel
|
||||
Margin="4,0"
|
||||
|
||||
@@ -30,7 +30,8 @@ internal sealed class NotifyIconController : IDisposable
|
||||
icon = new(iconFile.Path);
|
||||
id = Unsafe.As<byte, Guid>(ref MemoryMarshal.GetArrayDataReference(MD5.HashData(Encoding.UTF8.GetBytes(iconFile.Path))));
|
||||
|
||||
xamlHostWindow = new();
|
||||
xamlHostWindow = new(serviceProvider);
|
||||
xamlHostWindow.MoveAndResize(default);
|
||||
|
||||
messageWindow = new()
|
||||
{
|
||||
@@ -46,8 +47,6 @@ internal sealed class NotifyIconController : IDisposable
|
||||
messageWindow.Dispose();
|
||||
NotifyIconMethods.Delete(id);
|
||||
icon.Dispose();
|
||||
|
||||
xamlHostWindow.Dispose();
|
||||
}
|
||||
|
||||
public RECT GetRect()
|
||||
|
||||
@@ -38,7 +38,7 @@ internal sealed class NotifyIconMessageWindow : IDisposable
|
||||
atom = RegisterClassW(&wc);
|
||||
}
|
||||
|
||||
ArgumentOutOfRangeException.ThrowIfEqual<ushort>(atom, 0);
|
||||
ArgumentOutOfRangeException.ThrowIfZero(atom);
|
||||
|
||||
// https://learn.microsoft.com/zh,cn/windows/win32/shell/taskbar#taskbar,creation,notification
|
||||
WM_TASKBARCREATED = RegisterWindowMessageW("TaskbarCreated");
|
||||
@@ -145,7 +145,9 @@ internal sealed class NotifyIconMessageWindow : IDisposable
|
||||
|
||||
private readonly struct LPARAM2
|
||||
{
|
||||
#pragma warning disable CS0649
|
||||
public readonly uint Low;
|
||||
public readonly uint High;
|
||||
#pragma warning restore CS0649
|
||||
}
|
||||
}
|
||||
@@ -15,11 +15,9 @@ using static Snap.Hutao.Win32.User32;
|
||||
|
||||
namespace Snap.Hutao.Core.Windowing.NotifyIcon;
|
||||
|
||||
internal sealed class NotifyIconXamlHostWindow : Window, IDisposable, IWindowNeedEraseBackground
|
||||
internal sealed class NotifyIconXamlHostWindow : Window, IWindowNeedEraseBackground
|
||||
{
|
||||
private readonly XamlWindowSubclass subclass;
|
||||
|
||||
public NotifyIconXamlHostWindow()
|
||||
public NotifyIconXamlHostWindow(IServiceProvider serviceProvider)
|
||||
{
|
||||
Content = new Border();
|
||||
|
||||
@@ -36,10 +34,7 @@ internal sealed class NotifyIconXamlHostWindow : Window, IDisposable, IWindowNee
|
||||
presenter.SetBorderAndTitleBar(false, false);
|
||||
}
|
||||
|
||||
subclass = new(this);
|
||||
subclass.Initialize();
|
||||
|
||||
Activate();
|
||||
this.InitializeController(serviceProvider);
|
||||
}
|
||||
|
||||
public void ShowFlyoutAt(FlyoutBase flyout, Point point, RECT icon)
|
||||
@@ -53,7 +48,7 @@ internal sealed class NotifyIconXamlHostWindow : Window, IDisposable, IWindowNee
|
||||
ShowWindow(hwnd, SHOW_WINDOW_CMD.SW_NORMAL);
|
||||
SetForegroundWindow(hwnd);
|
||||
|
||||
AppWindow.MoveAndResize(StructMarshal.RectInt32(icon));
|
||||
MoveAndResize(icon);
|
||||
flyout.ShowAt(Content, new()
|
||||
{
|
||||
Placement = FlyoutPlacementMode.Auto,
|
||||
@@ -61,8 +56,8 @@ internal sealed class NotifyIconXamlHostWindow : Window, IDisposable, IWindowNee
|
||||
});
|
||||
}
|
||||
|
||||
public void Dispose()
|
||||
public void MoveAndResize(RECT icon)
|
||||
{
|
||||
subclass.Dispose();
|
||||
AppWindow.MoveAndResize(StructMarshal.RectInt32(icon));
|
||||
}
|
||||
}
|
||||
@@ -76,13 +76,17 @@ internal static class WindowExtension
|
||||
ShowWindow(GetWindowHandle(window), SHOW_WINDOW_CMD.SW_HIDE);
|
||||
}
|
||||
|
||||
public static void SetLayered(this Window window)
|
||||
public static void SetLayered(this Window window, bool full = true)
|
||||
{
|
||||
HWND hwnd = (HWND)WindowNative.GetWindowHandle(window);
|
||||
nint style = GetWindowLongPtrW(hwnd, WINDOW_LONG_PTR_INDEX.GWL_EXSTYLE);
|
||||
style |= (nint)WINDOW_EX_STYLE.WS_EX_LAYERED;
|
||||
SetWindowLongPtrW(hwnd, WINDOW_LONG_PTR_INDEX.GWL_EXSTYLE, style);
|
||||
SetLayeredWindowAttributes(hwnd, RGB(0, 0, 0), 0, LAYERED_WINDOW_ATTRIBUTES_FLAGS.LWA_COLORKEY | LAYERED_WINDOW_ATTRIBUTES_FLAGS.LWA_ALPHA);
|
||||
|
||||
if (full)
|
||||
{
|
||||
SetLayeredWindowAttributes(hwnd, RGB(0, 0, 0), 0, LAYERED_WINDOW_ATTRIBUTES_FLAGS.LWA_COLORKEY | LAYERED_WINDOW_ATTRIBUTES_FLAGS.LWA_ALPHA);
|
||||
}
|
||||
}
|
||||
|
||||
public static unsafe void BringToForeground(this Window window)
|
||||
|
||||
@@ -12,6 +12,7 @@ internal sealed class XamlWindowNonRudeHWND : IDisposable
|
||||
private const string NonRudeHWND = "NonRudeHWND";
|
||||
private readonly HWND hwnd;
|
||||
|
||||
[SuppressMessage("", "SH002")]
|
||||
public XamlWindowNonRudeHWND(HWND hwnd)
|
||||
{
|
||||
this.hwnd = hwnd;
|
||||
|
||||
@@ -5,12 +5,10 @@ using Microsoft.UI.Windowing;
|
||||
using Microsoft.UI.Xaml;
|
||||
using Snap.Hutao.Core.Windowing.Abstraction;
|
||||
using Snap.Hutao.Core.Windowing.Backdrop;
|
||||
using Snap.Hutao.Core.Windowing.NotifyIcon;
|
||||
using Snap.Hutao.Win32;
|
||||
using Snap.Hutao.Win32.Foundation;
|
||||
using Snap.Hutao.Win32.UI.Shell;
|
||||
using Snap.Hutao.Win32.UI.WindowsAndMessaging;
|
||||
using System.Diagnostics;
|
||||
using System.Runtime.CompilerServices;
|
||||
using System.Runtime.InteropServices;
|
||||
using static Snap.Hutao.Win32.ComCtl32;
|
||||
@@ -87,7 +85,9 @@ internal sealed class XamlWindowSubclass : IDisposable
|
||||
|
||||
case WM_ERASEBKGND:
|
||||
{
|
||||
if (state.window is IWindowNeedEraseBackground || state.window.SystemBackdrop is IBackdropNeedEraseBackground)
|
||||
if (state.window is IWindowNeedEraseBackground ||
|
||||
state.window.SystemBackdrop is IBackdropNeedEraseBackground ||
|
||||
state.window.SystemBackdrop is SystemBackdropDesktopWindowXamlSourceAccess { InnerBackdrop: IBackdropNeedEraseBackground })
|
||||
{
|
||||
return (LRESULT)(int)BOOL.TRUE;
|
||||
}
|
||||
|
||||
@@ -15,7 +15,7 @@ internal sealed partial class ProgressFactory : IProgressFactory
|
||||
{
|
||||
if (taskContext is not ITaskContextUnsafe @unsafe)
|
||||
{
|
||||
throw ThrowHelper.NotSupported();
|
||||
throw HutaoException.NotSupported();
|
||||
}
|
||||
|
||||
return new DispatcherQueueProgress<T>(handler, @unsafe.DispatcherQueue);
|
||||
|
||||
@@ -14,7 +14,6 @@ global using Snap.Hutao.Core.Annotation;
|
||||
global using Snap.Hutao.Core.DependencyInjection;
|
||||
global using Snap.Hutao.Core.DependencyInjection.Annotation;
|
||||
global using Snap.Hutao.Core.Threading;
|
||||
global using Snap.Hutao.Core.Validation;
|
||||
global using Snap.Hutao.Extension;
|
||||
global using Snap.Hutao.Resource.Localization;
|
||||
|
||||
|
||||
@@ -3,6 +3,7 @@
|
||||
|
||||
using CommunityToolkit.Mvvm.ComponentModel;
|
||||
using Snap.Hutao.Core.Abstraction;
|
||||
using Snap.Hutao.Core.ExceptionService;
|
||||
using Snap.Hutao.Core.Setting;
|
||||
using Snap.Hutao.Model.Intrinsic;
|
||||
using Snap.Hutao.Model.Metadata.Avatar;
|
||||
@@ -97,7 +98,7 @@ internal sealed class CalculableSkill
|
||||
SkillType.A => SettingKeys.CultivationAvatarSkillACurrent,
|
||||
SkillType.E => SettingKeys.CultivationAvatarSkillECurrent,
|
||||
SkillType.Q => SettingKeys.CultivationAvatarSkillQCurrent,
|
||||
_ => throw Must.NeverHappen(),
|
||||
_ => throw HutaoException.NotSupported(),
|
||||
};
|
||||
}
|
||||
|
||||
@@ -108,7 +109,7 @@ internal sealed class CalculableSkill
|
||||
SkillType.A => SettingKeys.CultivationAvatarSkillATarget,
|
||||
SkillType.E => SettingKeys.CultivationAvatarSkillETarget,
|
||||
SkillType.Q => SettingKeys.CultivationAvatarSkillQTarget,
|
||||
_ => throw Must.NeverHappen(),
|
||||
_ => throw HutaoException.NotSupported(),
|
||||
};
|
||||
}
|
||||
}
|
||||
@@ -2,6 +2,7 @@
|
||||
// Licensed under the MIT license.
|
||||
|
||||
using Snap.Hutao.Core.Abstraction;
|
||||
using Snap.Hutao.Core.ExceptionService;
|
||||
using Snap.Hutao.Model.Entity.Primitive;
|
||||
using Snap.Hutao.Service.Cultivation;
|
||||
using System.ComponentModel.DataAnnotations;
|
||||
@@ -63,7 +64,7 @@ internal sealed class CultivateEntryLevelInformation : IMappingFrom<CultivateEnt
|
||||
WeaponLevelFrom = source.WeaponLevelFrom,
|
||||
WeaponLevelTo = source.WeaponLevelTo,
|
||||
},
|
||||
_ => throw Must.NeverHappen($"不支持的养成类型{type}"),
|
||||
_ => throw HutaoException.NotSupported($"不支持的养成类型{type}"),
|
||||
};
|
||||
}
|
||||
}
|
||||
@@ -4,7 +4,6 @@
|
||||
using CommunityToolkit.Mvvm.ComponentModel;
|
||||
using Snap.Hutao.Core.Abstraction;
|
||||
using Snap.Hutao.Model.Entity.Abstraction;
|
||||
using Snap.Hutao.Model.Primitive;
|
||||
using Snap.Hutao.ViewModel.DailyNote;
|
||||
using Snap.Hutao.ViewModel.User;
|
||||
using Snap.Hutao.Web.Hoyolab.Takumi.Binding;
|
||||
|
||||
@@ -20,7 +20,7 @@ internal sealed class AppDbContextDesignTimeFactory : IDesignTimeDbContextFactor
|
||||
string userdataDbName = @"D:\Hutao\Userdata.db";
|
||||
return AppDbContext.Create(default!, $"Data Source={userdataDbName}");
|
||||
#else
|
||||
throw Must.NeverHappen();
|
||||
throw Core.ExceptionService.HutaoException.NotSupported();
|
||||
#endif
|
||||
}
|
||||
}
|
||||
|
||||
@@ -11,25 +11,25 @@ namespace Snap.Hutao.Model.Intrinsic.Frozen;
|
||||
[HighQuality]
|
||||
internal static class IntrinsicFrozen
|
||||
{
|
||||
public static FrozenSet<string> AssociationTypes { get; } = Enum.GetValues<AssociationType>().Select(e => e.GetLocalizedDescriptionOrDefault()).OfType<string>().ToFrozenSet();
|
||||
public static FrozenSet<string> AssociationTypes { get; } = NamesFromEnum<AssociationType>(e => e.GetLocalizedDescriptionOrDefault());
|
||||
|
||||
public static FrozenSet<NameValue<AssociationType>> AssociationTypeNameValues { get; } = Enum.GetValues<AssociationType>().Select(e => new NameValue<AssociationType>(e.GetLocalizedDescriptionOrDefault()!, e)).Where(nv => !string.IsNullOrEmpty(nv.Name)).ToFrozenSet();
|
||||
public static FrozenSet<NameValue<AssociationType>> AssociationTypeNameValues { get; } = NameValuesFromEnum<AssociationType>(e => e.GetLocalizedDescriptionOrDefault());
|
||||
|
||||
public static FrozenSet<string> WeaponTypes { get; } = Enum.GetValues<WeaponType>().Select(e => e.GetLocalizedDescriptionOrDefault()).OfType<string>().ToFrozenSet();
|
||||
public static FrozenSet<string> WeaponTypes { get; } = NamesFromEnum<WeaponType>(e => e.GetLocalizedDescriptionOrDefault());
|
||||
|
||||
public static FrozenSet<NameValue<WeaponType>> WeaponTypeNameValues { get; } = Enum.GetValues<WeaponType>().Select(e => new NameValue<WeaponType>(e.GetLocalizedDescriptionOrDefault()!, e)).Where(nv => !string.IsNullOrEmpty(nv.Name)).ToFrozenSet();
|
||||
public static FrozenSet<NameValue<WeaponType>> WeaponTypeNameValues { get; } = NameValuesFromEnum<WeaponType>(e => e.GetLocalizedDescriptionOrDefault());
|
||||
|
||||
public static FrozenSet<string> ItemQualities { get; } = Enum.GetValues<QualityType>().Select(e => e.GetLocalizedDescriptionOrDefault()).OfType<string>().ToFrozenSet();
|
||||
public static FrozenSet<string> ItemQualities { get; } = NamesFromEnum<QualityType>(e => e.GetLocalizedDescriptionOrDefault());
|
||||
|
||||
public static FrozenSet<NameValue<QualityType>> ItemQualityNameValues { get; } = Enum.GetValues<QualityType>().Select(e => new NameValue<QualityType>(e.GetLocalizedDescriptionOrDefault()!, e)).Where(nv => !string.IsNullOrEmpty(nv.Name)).ToFrozenSet();
|
||||
public static FrozenSet<NameValue<QualityType>> ItemQualityNameValues { get; } = NameValuesFromEnum<QualityType>(e => e.GetLocalizedDescriptionOrDefault());
|
||||
|
||||
public static FrozenSet<string> BodyTypes { get; } = Enum.GetValues<BodyType>().Select(e => e.GetLocalizedDescriptionOrDefault()).OfType<string>().ToFrozenSet();
|
||||
public static FrozenSet<string> BodyTypes { get; } = NamesFromEnum<BodyType>(e => e.GetLocalizedDescriptionOrDefault());
|
||||
|
||||
public static FrozenSet<NameValue<BodyType>> BodyTypeNameValues { get; } = Enum.GetValues<BodyType>().Select(e => new NameValue<BodyType>(e.GetLocalizedDescriptionOrDefault()!, e)).Where(nv => !string.IsNullOrEmpty(nv.Name)).ToFrozenSet();
|
||||
public static FrozenSet<NameValue<BodyType>> BodyTypeNameValues { get; } = NameValuesFromEnum<BodyType>(e => e.GetLocalizedDescriptionOrDefault());
|
||||
|
||||
public static FrozenSet<string> FightProperties { get; } = Enum.GetValues<FightProperty>().Select(e => e.GetLocalizedDescriptionOrDefault()).OfType<string>().ToFrozenSet();
|
||||
public static FrozenSet<string> FightProperties { get; } = NamesFromEnum<FightProperty>(e => e.GetLocalizedDescriptionOrDefault());
|
||||
|
||||
public static FrozenSet<NameValue<FightProperty>> FightPropertyNameValues { get; } = Enum.GetValues<FightProperty>().Select(e => new NameValue<FightProperty>(e.GetLocalizedDescriptionOrDefault()!, e)).Where(nv => !string.IsNullOrEmpty(nv.Name)).ToFrozenSet();
|
||||
public static FrozenSet<NameValue<FightProperty>> FightPropertyNameValues { get; } = NameValuesFromEnum<FightProperty>(e => e.GetLocalizedDescriptionOrDefault());
|
||||
|
||||
public static FrozenSet<string> ElementNames { get; } = FrozenSet.ToFrozenSet(
|
||||
[
|
||||
@@ -63,4 +63,50 @@ internal static class IntrinsicFrozen
|
||||
SH.ModelMetadataMaterialWeaponEnhancementMaterial,
|
||||
SH.ModelMetadataMaterialWeaponAscensionMaterial,
|
||||
]);
|
||||
|
||||
private static FrozenSet<string> NamesFromEnum<TEnum>(Func<TEnum, string?> selector)
|
||||
where TEnum : struct, Enum
|
||||
{
|
||||
return NamesFromEnumValues(Enum.GetValues<TEnum>(), selector);
|
||||
}
|
||||
|
||||
private static FrozenSet<string> NamesFromEnumValues<TEnum>(TEnum[] values, Func<TEnum, string?> selector)
|
||||
{
|
||||
return NotNull(values, selector).ToFrozenSet();
|
||||
|
||||
static IEnumerable<string> NotNull(TEnum[] values, Func<TEnum, string?> selector)
|
||||
{
|
||||
foreach (TEnum value in values)
|
||||
{
|
||||
string? name = selector(value);
|
||||
if (!string.IsNullOrEmpty(name))
|
||||
{
|
||||
yield return name;
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
private static FrozenSet<NameValue<TEnum>> NameValuesFromEnum<TEnum>(Func<TEnum, string?> selector)
|
||||
where TEnum : struct, Enum
|
||||
{
|
||||
return NameValuesFromEnumValues(Enum.GetValues<TEnum>(), selector);
|
||||
}
|
||||
|
||||
private static FrozenSet<NameValue<TEnum>> NameValuesFromEnumValues<TEnum>(TEnum[] values, Func<TEnum, string?> selector)
|
||||
{
|
||||
return NotNull(values, selector).ToFrozenSet();
|
||||
|
||||
static IEnumerable<NameValue<TEnum>> NotNull(TEnum[] values, Func<TEnum, string?> selector)
|
||||
{
|
||||
foreach (TEnum value in values)
|
||||
{
|
||||
string? name = selector(value);
|
||||
if (!string.IsNullOrEmpty(name))
|
||||
{
|
||||
yield return new(name, value);
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
@@ -2,6 +2,7 @@
|
||||
// Licensed under the MIT license.
|
||||
|
||||
using Snap.Hutao.Control;
|
||||
using Snap.Hutao.Core.ExceptionService;
|
||||
using Snap.Hutao.Model.Intrinsic;
|
||||
|
||||
namespace Snap.Hutao.Model.Metadata.Converter;
|
||||
@@ -21,7 +22,7 @@ internal sealed class AssociationTypeIconConverter : ValueConverter<AssociationT
|
||||
AssociationType.ASSOC_TYPE_FONTAINE => "Fontaine",
|
||||
AssociationType.ASSOC_TYPE_NATLAN => default,
|
||||
AssociationType.ASSOC_TYPE_SNEZHNAYA => default,
|
||||
_ => throw Must.NeverHappen(),
|
||||
_ => throw HutaoException.NotSupported(),
|
||||
};
|
||||
|
||||
return association is null
|
||||
|
||||
@@ -68,7 +68,7 @@ internal sealed partial class DescriptionsParametersDescriptor : ValueConverter<
|
||||
}
|
||||
else
|
||||
{
|
||||
ThrowHelper.InvalidOperation($"ParameterFormat failed, value: `{desc}`", default);
|
||||
HutaoException.InvalidOperation($"ParameterFormat failed, value: `{desc}`", default);
|
||||
}
|
||||
}
|
||||
|
||||
|
||||
@@ -2,6 +2,7 @@
|
||||
// Licensed under the MIT license.
|
||||
|
||||
using Snap.Hutao.Control;
|
||||
using Snap.Hutao.Core.ExceptionService;
|
||||
using Snap.Hutao.Model.Intrinsic;
|
||||
using System.Collections.Frozen;
|
||||
|
||||
@@ -41,7 +42,7 @@ internal sealed class WeaponTypeIconConverter : ValueConverter<WeaponType, Uri>
|
||||
WeaponType.WEAPON_POLE => "03",
|
||||
WeaponType.WEAPON_CLAYMORE => "04",
|
||||
WeaponType.WEAPON_CATALYST => "Catalyst_MD",
|
||||
_ => throw Must.NeverHappen(),
|
||||
_ => throw HutaoException.NotSupported(),
|
||||
};
|
||||
|
||||
return Web.HutaoEndpoints.StaticRaw("Skill", $"Skill_A_{weapon}.png").ToUri();
|
||||
|
||||
@@ -2,13 +2,13 @@
|
||||
// Licensed under the MIT license.
|
||||
|
||||
using Microsoft.UI.Xaml;
|
||||
using Snap.Hutao.Core.Windowing.NotifyIcon;
|
||||
using System.Runtime.CompilerServices;
|
||||
using System.Runtime.InteropServices;
|
||||
using WinRT;
|
||||
|
||||
// Visible to test project.
|
||||
[assembly: InternalsVisibleTo("Snap.Hutao.Test")]
|
||||
[assembly: DisableRuntimeMarshalling]
|
||||
|
||||
namespace Snap.Hutao;
|
||||
|
||||
|
||||
@@ -1995,7 +1995,7 @@
|
||||
<value>刷新</value>
|
||||
</data>
|
||||
<data name="ViewPageDailyNoteSettingRefreshNotifyIconDisabledHint" xml:space="preserve">
|
||||
<value>未启用通知区域图标,自动刷新将不会执行</value>
|
||||
<value>未启用通知区域图标,关闭窗口后自动刷新将不会执行</value>
|
||||
</data>
|
||||
<data name="ViewPageDailyNoteSlientModeDescription" xml:space="preserve">
|
||||
<value>在我游玩原神时不通知我</value>
|
||||
|
||||
@@ -32,7 +32,7 @@ internal sealed partial class AvatarInfoDbBulkOperation
|
||||
|
||||
public async ValueTask<List<EntityAvatarInfo>> UpdateDbAvatarInfosByShowcaseAsync(string uid, IEnumerable<EnkaAvatarInfo> webInfos, CancellationToken token)
|
||||
{
|
||||
List<EntityAvatarInfo> dbInfos = await avatarInfoDbService.GetAvatarInfoListByUidAsync(uid).ConfigureAwait(false);
|
||||
List<EntityAvatarInfo> dbInfos = await avatarInfoDbService.GetAvatarInfoListByUidAsync(uid, token).ConfigureAwait(false);
|
||||
EnsureItemsAvatarIdUnique(ref dbInfos, uid, out Dictionary<AvatarId, EntityAvatarInfo> dbInfoMap);
|
||||
|
||||
using (IServiceScope scope = serviceProvider.CreateScope())
|
||||
@@ -50,14 +50,14 @@ internal sealed partial class AvatarInfoDbBulkOperation
|
||||
AddOrUpdateAvatarInfo(entity, uid, appDbContext, webInfo);
|
||||
}
|
||||
|
||||
return await avatarInfoDbService.GetAvatarInfoListByUidAsync(uid).ConfigureAwait(false);
|
||||
return await avatarInfoDbService.GetAvatarInfoListByUidAsync(uid, token).ConfigureAwait(false);
|
||||
}
|
||||
}
|
||||
|
||||
public async ValueTask<List<EntityAvatarInfo>> UpdateDbAvatarInfosByGameRecordCharacterAsync(UserAndUid userAndUid, CancellationToken token)
|
||||
{
|
||||
string uid = userAndUid.Uid.Value;
|
||||
List<EntityAvatarInfo> dbInfos = await avatarInfoDbService.GetAvatarInfoListByUidAsync(uid).ConfigureAwait(false);
|
||||
List<EntityAvatarInfo> dbInfos = await avatarInfoDbService.GetAvatarInfoListByUidAsync(uid, token).ConfigureAwait(false);
|
||||
EnsureItemsAvatarIdUnique(ref dbInfos, uid, out Dictionary<AvatarId, EntityAvatarInfo> dbInfoMap);
|
||||
|
||||
using (IServiceScope scope = serviceProvider.CreateScope())
|
||||
@@ -103,14 +103,14 @@ internal sealed partial class AvatarInfoDbBulkOperation
|
||||
}
|
||||
|
||||
Return:
|
||||
return await avatarInfoDbService.GetAvatarInfoListByUidAsync(uid).ConfigureAwait(false);
|
||||
return await avatarInfoDbService.GetAvatarInfoListByUidAsync(uid, token).ConfigureAwait(false);
|
||||
}
|
||||
|
||||
public async ValueTask<List<EntityAvatarInfo>> UpdateDbAvatarInfosByCalculateAvatarDetailAsync(UserAndUid userAndUid, CancellationToken token)
|
||||
{
|
||||
token.ThrowIfCancellationRequested();
|
||||
string uid = userAndUid.Uid.Value;
|
||||
List<EntityAvatarInfo> dbInfos = await avatarInfoDbService.GetAvatarInfoListByUidAsync(uid).ConfigureAwait(false);
|
||||
List<EntityAvatarInfo> dbInfos = await avatarInfoDbService.GetAvatarInfoListByUidAsync(uid, token).ConfigureAwait(false);
|
||||
EnsureItemsAvatarIdUnique(ref dbInfos, uid, out Dictionary<AvatarId, EntityAvatarInfo> dbInfoMap);
|
||||
|
||||
using (IServiceScope scope = serviceProvider.CreateScope())
|
||||
@@ -146,7 +146,7 @@ internal sealed partial class AvatarInfoDbBulkOperation
|
||||
}
|
||||
}
|
||||
|
||||
return await avatarInfoDbService.GetAvatarInfoListByUidAsync(uid).ConfigureAwait(false);
|
||||
return await avatarInfoDbService.GetAvatarInfoListByUidAsync(uid, token).ConfigureAwait(false);
|
||||
}
|
||||
|
||||
[MethodImpl(MethodImplOptions.AggressiveInlining)]
|
||||
|
||||
@@ -32,6 +32,7 @@ internal static class AvatarViewBuilderExtension
|
||||
return builder;
|
||||
}
|
||||
|
||||
[SuppressMessage("", "SH002")]
|
||||
public static TBuilder SetCalculatorRefreshTimeFormat<TBuilder>(this TBuilder builder, DateTimeOffset refreshTime, Func<object?, string> format, string defaultValue)
|
||||
where TBuilder : IAvatarViewBuilder
|
||||
{
|
||||
@@ -116,6 +117,7 @@ internal static class AvatarViewBuilderExtension
|
||||
return builder.Configure(b => b.View.FetterLevel = level);
|
||||
}
|
||||
|
||||
[SuppressMessage("", "SH002")]
|
||||
public static TBuilder SetGameRecordRefreshTimeFormat<TBuilder>(this TBuilder builder, DateTimeOffset refreshTime, Func<object?, string> format, string defaultValue)
|
||||
where TBuilder : IAvatarViewBuilder
|
||||
{
|
||||
@@ -128,6 +130,7 @@ internal static class AvatarViewBuilderExtension
|
||||
return builder.Configure(b => b.View.GameRecordRefreshTimeFormat = gameRecordRefreshTimeFormat);
|
||||
}
|
||||
|
||||
[SuppressMessage("", "SH002")]
|
||||
public static TBuilder SetId<TBuilder>(this TBuilder builder, AvatarId id)
|
||||
where TBuilder : IAvatarViewBuilder
|
||||
{
|
||||
@@ -175,6 +178,7 @@ internal static class AvatarViewBuilderExtension
|
||||
return builder.Configure(b => b.View.Reliquaries = reliquaries);
|
||||
}
|
||||
|
||||
[SuppressMessage("", "SH002")]
|
||||
public static TBuilder SetShowcaseRefreshTimeFormat<TBuilder>(this TBuilder builder, DateTimeOffset refreshTime, Func<object?, string> format, string defaultValue)
|
||||
where TBuilder : IAvatarViewBuilder
|
||||
{
|
||||
|
||||
@@ -43,6 +43,7 @@ internal static class WeaponViewBuilderExtension
|
||||
return builder.SetIcon<TBuilder, WeaponView>(icon);
|
||||
}
|
||||
|
||||
[SuppressMessage("", "SH002")]
|
||||
public static TBuilder SetId<TBuilder>(this TBuilder builder, WeaponId id)
|
||||
where TBuilder : IWeaponViewBuilder
|
||||
{
|
||||
|
||||
@@ -12,11 +12,13 @@ internal sealed class MaterialIdComparer : IComparer<MaterialId>
|
||||
|
||||
public static MaterialIdComparer Shared { get => LazyInitializer.EnsureInitialized(ref shared, ref syncRoot, () => new()); }
|
||||
|
||||
[SuppressMessage("", "SH002")]
|
||||
public int Compare(MaterialId x, MaterialId y)
|
||||
{
|
||||
return Transform(x).CompareTo(Transform(y));
|
||||
}
|
||||
|
||||
[SuppressMessage("", "SH002")]
|
||||
private static uint Transform(MaterialId value)
|
||||
{
|
||||
return value.Value switch
|
||||
|
||||
@@ -48,29 +48,9 @@ internal sealed partial class DailyNoteNotificationOperation
|
||||
return;
|
||||
}
|
||||
|
||||
string? attribution = SH.ServiceDailyNoteNotifierAttribution;
|
||||
|
||||
if (entry.UserGameRole is not null)
|
||||
{
|
||||
attribution = entry.UserGameRole.ToString();
|
||||
}
|
||||
else
|
||||
{
|
||||
Response<ListWrapper<UserGameRole>> rolesResponse;
|
||||
using (IServiceScope scope = serviceScopeFactory.CreateScope())
|
||||
{
|
||||
BindingClient bindingClient = scope.ServiceProvider.GetRequiredService<BindingClient>();
|
||||
rolesResponse = await bindingClient
|
||||
.GetUserGameRolesOverseaAwareAsync(entry.User)
|
||||
.ConfigureAwait(false);
|
||||
}
|
||||
|
||||
if (rolesResponse.IsOk())
|
||||
{
|
||||
List<UserGameRole> roles = rolesResponse.Data.List;
|
||||
attribution = roles.SingleOrDefault(r => r.GameUid == entry.Uid)?.ToString() ?? ToastAttributionUnknown;
|
||||
}
|
||||
}
|
||||
string attribution = entry.UserGameRole is not null
|
||||
? entry.UserGameRole.ToString()
|
||||
: await GetUserUidAsync(entry).ConfigureAwait(false);
|
||||
|
||||
ToastContentBuilder builder = new ToastContentBuilder()
|
||||
.AddHeader(ToastHeaderIdArgument, SH.ServiceDailyNoteNotifierTitle, ToastHeaderIdArgument)
|
||||
@@ -130,4 +110,24 @@ internal sealed partial class DailyNoteNotificationOperation
|
||||
// Prevent notify when we are in game && silent mode.
|
||||
return options.IsSilentWhenPlayingGame && gameService.IsGameRunning();
|
||||
}
|
||||
|
||||
private async ValueTask<string> GetUserUidAsync(DailyNoteEntry entry)
|
||||
{
|
||||
Response<ListWrapper<UserGameRole>> rolesResponse;
|
||||
using (IServiceScope scope = serviceScopeFactory.CreateScope())
|
||||
{
|
||||
BindingClient bindingClient = scope.ServiceProvider.GetRequiredService<BindingClient>();
|
||||
rolesResponse = await bindingClient
|
||||
.GetUserGameRolesOverseaAwareAsync(entry.User)
|
||||
.ConfigureAwait(false);
|
||||
}
|
||||
|
||||
if (rolesResponse.IsOk())
|
||||
{
|
||||
List<UserGameRole> roles = rolesResponse.Data.List;
|
||||
return roles.SingleOrDefault(r => r.GameUid == entry.Uid)?.ToString() ?? ToastAttributionUnknown;
|
||||
}
|
||||
|
||||
return SH.ServiceDailyNoteNotifierAttribution;
|
||||
}
|
||||
}
|
||||
@@ -18,6 +18,7 @@ internal sealed class NotifySuppressionContext : INotifySuppressionContext
|
||||
|
||||
public DailyNoteEntry Entry { get => entry; }
|
||||
|
||||
[SuppressMessage("", "SH002")]
|
||||
public void Add(DailyNoteNotifyInfo info)
|
||||
{
|
||||
infos.Add(info);
|
||||
|
||||
@@ -18,6 +18,7 @@ internal static class NotifySuppressionInvoker
|
||||
context.Invoke<ExpeditionNotifySuppressionChecker>();
|
||||
}
|
||||
|
||||
[SuppressMessage("", "CA1859")]
|
||||
private static void Invoke<T>(this INotifySuppressionContext context)
|
||||
where T : INotifySuppressionChecker, new()
|
||||
{
|
||||
|
||||
@@ -59,7 +59,7 @@ internal sealed partial class GachaStatisticsFactory : IGachaStatisticsFactory
|
||||
HomaGachaLogClient gachaLogClient,
|
||||
List<Model.Entity.GachaItem> items,
|
||||
List<HistoryWishBuilder> historyWishBuilders,
|
||||
in GachaLogServiceMetadataContext context,
|
||||
GachaLogServiceMetadataContext context,
|
||||
AppOptions appOptions)
|
||||
{
|
||||
TypedWishSummaryBuilderContext standardContext = TypedWishSummaryBuilderContext.StandardWish(taskContext, gachaLogClient);
|
||||
|
||||
@@ -75,7 +75,7 @@ internal sealed class HutaoStatisticsFactory
|
||||
QualityType.QUALITY_ORANGE => orangeItems,
|
||||
QualityType.QUALITY_PURPLE => purpleItems,
|
||||
QualityType.QUALITY_BLUE => blueItems,
|
||||
_ => throw Must.NeverHappen("意外的物品等级"),
|
||||
_ => throw HutaoException.NotSupported("意外的物品等级"),
|
||||
};
|
||||
|
||||
list.Add(statisticsItem);
|
||||
|
||||
@@ -31,7 +31,7 @@ internal sealed partial class GachaLogDbService : IGachaLogDbService
|
||||
catch (SqliteException ex)
|
||||
{
|
||||
string message = SH.FormatServiceGachaLogArchiveCollectionUserdataCorruptedMessage(ex.Message);
|
||||
throw ThrowHelper.UserdataCorrupted(message, ex);
|
||||
throw HutaoException.Throw(message, ex);
|
||||
}
|
||||
}
|
||||
|
||||
@@ -97,7 +97,7 @@ internal sealed partial class GachaLogDbService : IGachaLogDbService
|
||||
}
|
||||
catch (SqliteException ex)
|
||||
{
|
||||
ThrowHelper.UserdataCorrupted(SH.ServiceGachaLogEndIdUserdataCorruptedMessage, ex);
|
||||
HutaoException.Throw(SH.ServiceGachaLogEndIdUserdataCorruptedMessage, ex);
|
||||
}
|
||||
|
||||
return item?.Id ?? 0L;
|
||||
@@ -126,7 +126,7 @@ internal sealed partial class GachaLogDbService : IGachaLogDbService
|
||||
}
|
||||
catch (SqliteException ex)
|
||||
{
|
||||
ThrowHelper.UserdataCorrupted(SH.ServiceGachaLogEndIdUserdataCorruptedMessage, ex);
|
||||
HutaoException.Throw(SH.ServiceGachaLogEndIdUserdataCorruptedMessage, ex);
|
||||
}
|
||||
|
||||
return item?.Id ?? 0L;
|
||||
@@ -156,7 +156,7 @@ internal sealed partial class GachaLogDbService : IGachaLogDbService
|
||||
}
|
||||
catch (SqliteException ex)
|
||||
{
|
||||
ThrowHelper.UserdataCorrupted(SH.ServiceGachaLogEndIdUserdataCorruptedMessage, ex);
|
||||
HutaoException.Throw(SH.ServiceGachaLogEndIdUserdataCorruptedMessage, ex);
|
||||
}
|
||||
|
||||
return item?.Id ?? 0L;
|
||||
|
||||
@@ -3,6 +3,7 @@
|
||||
|
||||
using Snap.Hutao.Core.Database;
|
||||
using Snap.Hutao.Core.Diagnostics;
|
||||
using Snap.Hutao.Core.ExceptionService;
|
||||
using Snap.Hutao.Model.Entity;
|
||||
using Snap.Hutao.Model.InterChange.GachaLog;
|
||||
using Snap.Hutao.Service.GachaLog.Factory;
|
||||
@@ -124,7 +125,7 @@ internal sealed partial class GachaLogService : IGachaLogService
|
||||
{
|
||||
RefreshStrategy.AggressiveMerge => false,
|
||||
RefreshStrategy.LazyMerge => true,
|
||||
_ => throw Must.NeverHappen(),
|
||||
_ => throw HutaoException.NotSupported(),
|
||||
};
|
||||
|
||||
(bool authkeyValid, GachaArchive? result) = await FetchGachaLogsAsync(query, isLazy, progress, token).ConfigureAwait(false);
|
||||
|
||||
@@ -1,6 +1,7 @@
|
||||
// Copyright (c) DGP Studio. All rights reserved.
|
||||
// Licensed under the MIT license.
|
||||
|
||||
using Snap.Hutao.Core.ExceptionService;
|
||||
using Snap.Hutao.Model;
|
||||
using Snap.Hutao.Model.Metadata;
|
||||
using Snap.Hutao.Model.Metadata.Abstraction;
|
||||
@@ -65,7 +66,7 @@ internal sealed class GachaLogServiceMetadataContext : IMetadataContext,
|
||||
{
|
||||
8U => IdAvatarMap[id],
|
||||
5U => IdWeaponMap[id],
|
||||
_ => throw Must.NeverHappen($"Id places: {place}"),
|
||||
_ => throw HutaoException.NotSupported($"Id places: {place}"),
|
||||
};
|
||||
}
|
||||
|
||||
|
||||
@@ -1,6 +1,8 @@
|
||||
// Copyright (c) DGP Studio. All rights reserved.
|
||||
// Licensed under the MIT license.
|
||||
|
||||
using Snap.Hutao.Core.ExceptionService;
|
||||
|
||||
namespace Snap.Hutao.Service.GachaLog.QueryProvider;
|
||||
|
||||
[ConstructorGenerated]
|
||||
@@ -17,7 +19,7 @@ internal sealed partial class GachaLogQueryProviderFactory : IGachaLogQueryProvi
|
||||
RefreshOption.SToken => serviceProvider.GetRequiredService<GachaLogQuerySTokenProvider>(),
|
||||
RefreshOption.WebCache => serviceProvider.GetRequiredService<GachaLogQueryWebCacheProvider>(),
|
||||
RefreshOption.ManualInput => serviceProvider.GetRequiredService<GachaLogQueryManualInputProvider>(),
|
||||
_ => throw Must.NeverHappen("不支持的刷新选项"),
|
||||
_ => throw HutaoException.NotSupported("不支持的刷新选项"),
|
||||
};
|
||||
}
|
||||
}
|
||||
@@ -28,7 +28,7 @@ internal sealed partial class UIGFImportService : IUIGFImportService
|
||||
|
||||
if (!uigf.IsCurrentVersionSupported(out UIGFVersion version))
|
||||
{
|
||||
ThrowHelper.InvalidOperation(SH.ServiceUIGFImportUnsupportedVersion);
|
||||
HutaoException.InvalidOperation(SH.ServiceUIGFImportUnsupportedVersion);
|
||||
}
|
||||
|
||||
// v2.3+ support any locale
|
||||
@@ -39,13 +39,13 @@ internal sealed partial class UIGFImportService : IUIGFImportService
|
||||
if (!cultureOptions.LanguageCodeFitsCurrentLocale(uigf.Info.Language))
|
||||
{
|
||||
string message = SH.FormatServiceGachaUIGFImportLanguageNotMatch(uigf.Info.Language, cultureOptions.LanguageCode);
|
||||
ThrowHelper.InvalidOperation(message);
|
||||
HutaoException.InvalidOperation(message);
|
||||
}
|
||||
|
||||
if (!uigf.IsMajor2Minor2OrLowerListValid(out long id))
|
||||
{
|
||||
string message = SH.FormatServiceGachaLogUIGFImportItemInvalidFormat(id);
|
||||
ThrowHelper.InvalidOperation(message);
|
||||
HutaoException.InvalidOperation(message);
|
||||
}
|
||||
}
|
||||
|
||||
@@ -54,7 +54,7 @@ internal sealed partial class UIGFImportService : IUIGFImportService
|
||||
if (!uigf.IsMajor2Minor3OrHigherListValid(out long id))
|
||||
{
|
||||
string message = SH.FormatServiceGachaLogUIGFImportItemInvalidFormat(id);
|
||||
ThrowHelper.InvalidOperation(message);
|
||||
HutaoException.InvalidOperation(message);
|
||||
}
|
||||
}
|
||||
|
||||
@@ -79,7 +79,7 @@ internal sealed partial class UIGFImportService : IUIGFImportService
|
||||
.OrderByDescending(i => i.Id)
|
||||
.Select(i => GachaItem.From(archiveId, i, context.GetItemId(i)))
|
||||
.ToList(),
|
||||
_ => throw Must.NeverHappen(),
|
||||
_ => throw HutaoException.NotSupported(),
|
||||
};
|
||||
|
||||
ThrowIfContainsInvalidItem(currentTypedList);
|
||||
@@ -97,7 +97,7 @@ internal sealed partial class UIGFImportService : IUIGFImportService
|
||||
// 因此从尾部开始查找
|
||||
if (currentTypeToAdd.LastOrDefault(item => item.ItemId is 0U) is { } item)
|
||||
{
|
||||
ThrowHelper.InvalidOperation(SH.FormatServiceGachaLogUIGFImportItemInvalidFormat(item.Id));
|
||||
HutaoException.InvalidOperation(SH.FormatServiceGachaLogUIGFImportItemInvalidFormat(item.Id));
|
||||
}
|
||||
}
|
||||
}
|
||||
@@ -129,7 +129,7 @@ internal sealed partial class GameAccountService : IGameAccountService
|
||||
}
|
||||
catch (InvalidOperationException ex)
|
||||
{
|
||||
throw ThrowHelper.UserdataCorrupted(SH.ServiceGameDetectGameAccountMultiMatched, ex);
|
||||
throw HutaoException.Throw(SH.ServiceGameDetectGameAccountMultiMatched, ex);
|
||||
}
|
||||
}
|
||||
}
|
||||
@@ -70,7 +70,7 @@ internal static class RegistryInterop
|
||||
{
|
||||
SchemeType.ChineseOfficial => (ChineseKeyName, SdkChineseValueName),
|
||||
SchemeType.Oversea => (OverseaKeyName, SdkOverseaValueName),
|
||||
_ => throw ThrowHelper.NotSupported($"Invalid account SchemeType: {scheme}"),
|
||||
_ => throw HutaoException.NotSupported($"Invalid account SchemeType: {scheme}"),
|
||||
};
|
||||
}
|
||||
}
|
||||
@@ -22,6 +22,7 @@ internal readonly struct GameScreenCaptureContext
|
||||
private readonly IDirect3DDevice direct3DDevice;
|
||||
private readonly HWND hwnd;
|
||||
|
||||
[SuppressMessage("", "SH002")]
|
||||
public GameScreenCaptureContext(IDirect3DDevice direct3DDevice, HWND hwnd)
|
||||
{
|
||||
this.direct3DDevice = direct3DDevice;
|
||||
@@ -87,6 +88,7 @@ internal readonly struct GameScreenCaptureContext
|
||||
return clientBox.right <= width && clientBox.bottom <= height;
|
||||
}
|
||||
|
||||
[SuppressMessage("", "SH002")]
|
||||
private static DirectXPixelFormat DeterminePixelFormat(HWND hwnd)
|
||||
{
|
||||
HDC hdc = GetDC(hwnd);
|
||||
|
||||
@@ -9,7 +9,7 @@ namespace Snap.Hutao.Service.Game.Automation.ScreenCapture;
|
||||
|
||||
internal sealed class GameScreenCaptureMemoryPool : MemoryPool<byte>
|
||||
{
|
||||
private static LazySlim<GameScreenCaptureMemoryPool> lazyShared = new(() => new());
|
||||
private static readonly LazySlim<GameScreenCaptureMemoryPool> LazyShared = new(() => new());
|
||||
|
||||
private readonly object syncRoot = new();
|
||||
private readonly LinkedList<GameScreenCaptureBuffer> unrentedBuffers = [];
|
||||
@@ -17,7 +17,7 @@ internal sealed class GameScreenCaptureMemoryPool : MemoryPool<byte>
|
||||
|
||||
private int bufferCount;
|
||||
|
||||
public new static GameScreenCaptureMemoryPool Shared { get => lazyShared.Value; }
|
||||
public static new GameScreenCaptureMemoryPool Shared { get => LazyShared.Value; }
|
||||
|
||||
public override int MaxBufferSize { get => Array.MaxLength; }
|
||||
|
||||
@@ -25,7 +25,7 @@ internal sealed class GameScreenCaptureMemoryPool : MemoryPool<byte>
|
||||
|
||||
public override IMemoryOwner<byte> Rent(int minBufferSize = -1)
|
||||
{
|
||||
ArgumentOutOfRangeException.ThrowIfLessThan(minBufferSize, 0);
|
||||
ArgumentOutOfRangeException.ThrowIfNegative(minBufferSize);
|
||||
|
||||
lock (syncRoot)
|
||||
{
|
||||
|
||||
@@ -9,7 +9,6 @@ using Snap.Hutao.Win32.Graphics.Dxgi;
|
||||
using Snap.Hutao.Win32.Graphics.Dxgi.Common;
|
||||
using Snap.Hutao.Win32.System.WinRT.Graphics.Capture;
|
||||
using System.Buffers;
|
||||
using System.Numerics;
|
||||
using System.Runtime.CompilerServices;
|
||||
using System.Runtime.InteropServices;
|
||||
using Windows.Graphics;
|
||||
@@ -114,8 +113,9 @@ internal sealed class GameScreenCaptureSession : IDisposable
|
||||
{
|
||||
UnsafeProcessFrameSurface(frame.Surface);
|
||||
}
|
||||
catch (Exception ex) // TODO: test if it's device lost.
|
||||
catch (Exception ex)
|
||||
{
|
||||
// TODO: test if it's device lost.
|
||||
logger.LogError(ex, "Failed to process the frame surface.");
|
||||
needsReset = true;
|
||||
}
|
||||
@@ -209,8 +209,9 @@ internal sealed class GameScreenCaptureSession : IDisposable
|
||||
{
|
||||
subresource[row][..rowLength].CopyTo(buffer.Memory.Span.Slice(row * rowLength, rowLength));
|
||||
}
|
||||
|
||||
#pragma warning disable CA2000
|
||||
frameRawPixelDataTaskCompletionSource.SetResult(new(buffer, (int)textureWidth, (int)textureHeight));
|
||||
#pragma warning restore CA2000
|
||||
return;
|
||||
}
|
||||
|
||||
@@ -235,8 +236,9 @@ internal sealed class GameScreenCaptureSession : IDisposable
|
||||
pixel.A = (byte)(float16Pixel.A * ByteMaxValue);
|
||||
}
|
||||
}
|
||||
|
||||
#pragma warning disable CA2000
|
||||
frameRawPixelDataTaskCompletionSource.SetResult(new(buffer, (int)textureWidth, (int)textureHeight));
|
||||
#pragma warning restore CA2000
|
||||
return;
|
||||
}
|
||||
|
||||
|
||||
@@ -7,6 +7,7 @@ namespace Snap.Hutao.Service.Game.Package;
|
||||
/// 包转换异常
|
||||
/// </summary>
|
||||
[HighQuality]
|
||||
[Obsolete]
|
||||
internal sealed class PackageConvertException : Exception
|
||||
{
|
||||
/// <inheritdoc cref="Exception(string?, Exception?)"/>
|
||||
|
||||
@@ -180,7 +180,7 @@ internal sealed partial class PackageConverter
|
||||
}
|
||||
catch (IOException ex)
|
||||
{
|
||||
throw ThrowHelper.PackageConvert(SH.ServiceGamePackageRequestPackageVerionFailed, ex);
|
||||
throw HutaoException.Throw(SH.ServiceGamePackageRequestPackageVerionFailed, ex);
|
||||
}
|
||||
}
|
||||
|
||||
@@ -252,13 +252,13 @@ internal sealed partial class PackageConverter
|
||||
{
|
||||
// System.IO.IOException: The response ended prematurely.
|
||||
// System.IO.IOException: Received an unexpected EOF or 0 bytes from the transport stream.
|
||||
ThrowHelper.PackageConvert(SH.FormatServiceGamePackageRequestScatteredFileFailed(remoteName), ex);
|
||||
HutaoException.Throw(SH.FormatServiceGamePackageRequestScatteredFileFailed(remoteName), ex);
|
||||
}
|
||||
}
|
||||
|
||||
if (!string.Equals(info.Remote.Md5, await MD5.HashFileAsync(cacheFile).ConfigureAwait(false), StringComparison.OrdinalIgnoreCase))
|
||||
{
|
||||
ThrowHelper.PackageConvert(SH.FormatServiceGamePackageRequestScatteredFileFailed(remoteName));
|
||||
HutaoException.Throw(SH.FormatServiceGamePackageRequestScatteredFileFailed(remoteName));
|
||||
}
|
||||
}
|
||||
|
||||
@@ -318,7 +318,7 @@ internal sealed partial class PackageConverter
|
||||
{
|
||||
// Access to the path is denied.
|
||||
// When user install the game in special folder like 'Program Files'
|
||||
throw ThrowHelper.GameFileOperation(SH.ServiceGamePackageRenameDataFolderFailed, ex);
|
||||
throw HutaoException.Throw(SH.ServiceGamePackageRenameDataFolderFailed, ex);
|
||||
}
|
||||
|
||||
// 重新下载所有 *pkg_version 文件
|
||||
|
||||
@@ -27,7 +27,7 @@ internal sealed partial class HutaoAsAService : IHutaoAsAService
|
||||
{
|
||||
RelayCommand<HutaoAnnouncement> dismissCommand = new(DismissAnnouncement);
|
||||
|
||||
ApplicationDataCompositeValue excludedIds = LocalSetting.Get(SettingKeys.ExcludedAnnouncementIds, new ApplicationDataCompositeValue());
|
||||
ApplicationDataCompositeValue excludedIds = LocalSetting.Get(SettingKeys.ExcludedAnnouncementIds, []);
|
||||
List<long> data = excludedIds.Select(kvp => long.Parse(kvp.Key, CultureInfo.InvariantCulture)).ToList();
|
||||
|
||||
Response<List<HutaoAnnouncement>> response;
|
||||
@@ -56,7 +56,7 @@ internal sealed partial class HutaoAsAService : IHutaoAsAService
|
||||
{
|
||||
if (announcement is not null && announcements is not null)
|
||||
{
|
||||
ApplicationDataCompositeValue excludedIds = LocalSetting.Get(SettingKeys.ExcludedAnnouncementIds, new ApplicationDataCompositeValue());
|
||||
ApplicationDataCompositeValue excludedIds = LocalSetting.Get(SettingKeys.ExcludedAnnouncementIds, []);
|
||||
|
||||
foreach ((string key, object value) in excludedIds)
|
||||
{
|
||||
|
||||
@@ -59,14 +59,14 @@ internal sealed partial class HutaoSpiralAbyssStatisticsCache : IHutaoSpiralAbys
|
||||
if (await metadataService.InitializeAsync().ConfigureAwait(false))
|
||||
{
|
||||
Dictionary<AvatarId, Avatar> idAvatarMap = await GetIdAvatarMapExtendedAsync().ConfigureAwait(false);
|
||||
List<Task> tasks = new(5)
|
||||
{
|
||||
List<Task> tasks =
|
||||
[
|
||||
AvatarAppearanceRankAsync(idAvatarMap),
|
||||
AvatarUsageRanksAsync(idAvatarMap),
|
||||
AvatarConstellationInfosAsync(idAvatarMap),
|
||||
TeamAppearancesAsync(idAvatarMap),
|
||||
OverviewAsync(),
|
||||
};
|
||||
];
|
||||
|
||||
await Task.WhenAll(tasks).ConfigureAwait(false);
|
||||
|
||||
|
||||
@@ -55,7 +55,7 @@ internal sealed partial class ObjectCacheDbService : IObjectCacheDbService
|
||||
}
|
||||
catch (DbUpdateException ex)
|
||||
{
|
||||
ThrowHelper.DatabaseCorrupted($"无法存储 Key:{key} 对应的值到数据库缓存", ex);
|
||||
HutaoException.Throw($"无法存储 Key:{key} 对应的值到数据库缓存", ex);
|
||||
}
|
||||
|
||||
return default!;
|
||||
|
||||
@@ -1,9 +1,6 @@
|
||||
// Copyright (c) DGP Studio. All rights reserved.
|
||||
// Licensed under the MIT license.
|
||||
|
||||
using Quartz;
|
||||
using Snap.Hutao.Service.DailyNote;
|
||||
|
||||
namespace Snap.Hutao.Service.Job;
|
||||
|
||||
internal static class JobIdentity
|
||||
|
||||
@@ -62,7 +62,7 @@ internal sealed partial class QuartzService : IQuartzService, IDisposable
|
||||
{
|
||||
DisposeAsync().GetAwaiter().GetResult();
|
||||
|
||||
async ValueTask DisposeAsync()
|
||||
async Task DisposeAsync()
|
||||
{
|
||||
if (scheduler is null)
|
||||
{
|
||||
|
||||
@@ -21,7 +21,6 @@ namespace Snap.Hutao.Service.SpiralAbyss;
|
||||
[Injection(InjectAs.Scoped, typeof(ISpiralAbyssRecordService))]
|
||||
internal sealed partial class SpiralAbyssRecordService : ISpiralAbyssRecordService
|
||||
{
|
||||
//private readonly IOverseaSupportFactory<IGameRecordClient> gameRecordClientFactory;
|
||||
private readonly ISpiralAbyssRecordDbService spiralAbyssRecordDbService;
|
||||
private readonly IServiceScopeFactory serviceScopeFactory;
|
||||
private readonly IMetadataService metadataService;
|
||||
|
||||
@@ -109,6 +109,8 @@
|
||||
<None Remove="Control\Theme\TransitionCollection.xaml" />
|
||||
<None Remove="Control\Theme\Uri.xaml" />
|
||||
<None Remove="Control\Theme\WindowOverride.xaml" />
|
||||
<None Remove="Control\TokenizingTextBox\TokenizingTextBox.xaml" />
|
||||
<None Remove="Control\TokenizingTextBox\TokenizingTextBoxItem.xaml" />
|
||||
<None Remove="Core\Windowing\NotifyIcon\NotifyIconContextMenu.xaml" />
|
||||
<None Remove="GuideWindow.xaml" />
|
||||
<None Remove="IdentifyMonitorWindow.xaml" />
|
||||
@@ -308,7 +310,6 @@
|
||||
<PackageReference Include="CommunityToolkit.WinUI.Controls.Primitives" Version="8.0.240109" />
|
||||
<PackageReference Include="CommunityToolkit.WinUI.Controls.Segmented" Version="8.0.240109" />
|
||||
<PackageReference Include="CommunityToolkit.WinUI.Controls.SettingsControls" Version="8.0.240109" />
|
||||
<PackageReference Include="CommunityToolkit.WinUI.Controls.TokenizingTextBox" Version="8.0.240109" />
|
||||
<PackageReference Include="CommunityToolkit.WinUI.Media" Version="8.0.240109" />
|
||||
<PackageReference Include="CommunityToolkit.WinUI.Notifications" Version="7.1.2" />
|
||||
<PackageReference Include="Microsoft.EntityFrameworkCore.Sqlite" Version="8.0.5" />
|
||||
@@ -360,6 +361,16 @@
|
||||
<ItemGroup Condition="'$(DisableMsixProjectCapabilityAddedByProject)'!='true' and '$(EnablePreviewMsixTooling)'=='true'">
|
||||
<ProjectCapability Include="Msix" />
|
||||
</ItemGroup>
|
||||
<ItemGroup>
|
||||
<Page Update="Control\TokenizingTextBox\TokenizingTextBoxItem.xaml">
|
||||
<Generator>MSBuild:Compile</Generator>
|
||||
</Page>
|
||||
</ItemGroup>
|
||||
<ItemGroup>
|
||||
<Page Update="Control\TokenizingTextBox\TokenizingTextBox.xaml">
|
||||
<Generator>MSBuild:Compile</Generator>
|
||||
</Page>
|
||||
</ItemGroup>
|
||||
<ItemGroup>
|
||||
<Page Update="Core\Windowing\NotifyIcon\NotifyIconContextMenu.xaml">
|
||||
<Generator>MSBuild:Compile</Generator>
|
||||
|
||||
@@ -22,6 +22,6 @@ internal sealed class Int32ToVisibilityConverter : IValueConverter
|
||||
/// <inheritdoc/>
|
||||
public object ConvertBack(object value, Type targetType, object parameter, string language)
|
||||
{
|
||||
throw ThrowHelper.NotSupported();
|
||||
throw HutaoException.NotSupported();
|
||||
}
|
||||
}
|
||||
@@ -22,6 +22,6 @@ internal sealed class Int32ToVisibilityRevertConverter : IValueConverter
|
||||
/// <inheritdoc/>
|
||||
public object ConvertBack(object value, Type targetType, object parameter, string language)
|
||||
{
|
||||
throw ThrowHelper.NotSupported();
|
||||
throw HutaoException.NotSupported();
|
||||
}
|
||||
}
|
||||
@@ -426,8 +426,10 @@
|
||||
<cwc:SettingsCard
|
||||
Description="{shcm:ResourceString Name=ViewPageSettingKeyShortcutAutoClickingDescription}"
|
||||
Header="{shcm:ResourceString Name=ViewPageSettingKeyShortcutAutoClickingHeader}"
|
||||
HeaderIcon="{shcm:FontIcon Glyph=}">
|
||||
HeaderIcon="{shcm:FontIcon Glyph=}"
|
||||
IsEnabled="{Binding RuntimeOptions.IsElevated}">
|
||||
<StackPanel Orientation="Horizontal" Spacing="8">
|
||||
<shvc:Elevation Margin="0,0,16,0" Visibility="{Binding RuntimeOptions.IsElevated, Converter={StaticResource BoolToVisibilityRevertConverter}}"/>
|
||||
<Button
|
||||
MinWidth="32"
|
||||
MinHeight="32"
|
||||
@@ -437,7 +439,7 @@
|
||||
FontFamily="{ThemeResource SymbolThemeFontFamily}"
|
||||
Style="{ThemeResource SettingButtonStyle}">
|
||||
<Button.Flyout>
|
||||
<Flyout FlyoutPresenterStyle="{ThemeResource FlyoutPresenterPadding16And10Style}">
|
||||
<Flyout FlyoutPresenterStyle="{ThemeResource FlyoutPresenterPadding16And10Style}" ShouldConstrainToRootBounds="False">
|
||||
<cwc:UniformGrid
|
||||
ColumnSpacing="16"
|
||||
Columns="2"
|
||||
@@ -447,7 +449,7 @@
|
||||
MinWidth="64"
|
||||
VerticalAlignment="Center"
|
||||
Content="Win"
|
||||
IsChecked="{Binding HotKeyOptions.MouseClickRepeatForeverKeyCombination.ModifierHasWindows, Mode=TwoWay}"/>
|
||||
IsEnabled="False"/>
|
||||
<CheckBox
|
||||
MinWidth="64"
|
||||
VerticalAlignment="Center"
|
||||
|
||||
@@ -98,13 +98,6 @@
|
||||
Style="{ThemeResource SettingButtonStyle}"/>
|
||||
</cwc:SettingsCard>
|
||||
|
||||
<cwc:SettingsCard Header="Test Windows.Graphics.Capture">
|
||||
<Button
|
||||
Command="{Binding TestWindowsGraphicsCaptureCommand}"
|
||||
Content="Test"
|
||||
Style="{ThemeResource SettingButtonStyle}"/>
|
||||
</cwc:SettingsCard>
|
||||
|
||||
<cwc:SettingsCard Header="Suppress Metadata Initialization">
|
||||
<ToggleSwitch IsOn="{Binding SuppressMetadataInitialization, Mode=TwoWay}"/>
|
||||
</cwc:SettingsCard>
|
||||
|
||||
@@ -184,6 +184,7 @@
|
||||
MaximumTokens="5"
|
||||
PlaceholderText="{shcm:ResourceString Name=ViewPageWiKiWeaponAutoSuggestBoxPlaceHolder}"
|
||||
QueryIcon="{cw:FontIconSource Glyph=}"
|
||||
Style="{StaticResource DefaultTokenizingTextBoxStyle}"
|
||||
SuggestedItemTemplate="{StaticResource TokenTemplate}"
|
||||
SuggestedItemsSource="{Binding AvailableTokens.Values}"
|
||||
Text="{Binding FilterToken, Mode=TwoWay}"
|
||||
|
||||
@@ -179,7 +179,7 @@ internal sealed partial class AchievementViewModel : Abstraction.ViewModel, INav
|
||||
dependencies.InfoBarService.Warning(SH.FormatViewModelAchievementArchiveAlreadyExists(name));
|
||||
break;
|
||||
default:
|
||||
throw Must.NeverHappen();
|
||||
throw HutaoException.NotSupported();
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
@@ -7,6 +7,7 @@ using Microsoft.UI.Xaml.Controls;
|
||||
using Microsoft.UI.Xaml.Media.Imaging;
|
||||
using Snap.Hutao.Control.Extension;
|
||||
using Snap.Hutao.Control.Media;
|
||||
using Snap.Hutao.Core.ExceptionService;
|
||||
using Snap.Hutao.Core.IO.DataTransfer;
|
||||
using Snap.Hutao.Factory.ContentDialog;
|
||||
using Snap.Hutao.Message;
|
||||
@@ -310,7 +311,7 @@ internal sealed partial class AvatarPropertyViewModel : Abstraction.ViewModel, I
|
||||
return CultivateCoreResult.SaveConsumptionFailed;
|
||||
}
|
||||
}
|
||||
catch (Core.ExceptionService.UserdataCorruptedException ex)
|
||||
catch (HutaoException ex)
|
||||
{
|
||||
infoBarService.Error(ex, SH.ViewModelCultivationAddWarning);
|
||||
}
|
||||
|
||||
@@ -15,11 +15,6 @@ namespace Snap.Hutao.ViewModel.Complex;
|
||||
[HighQuality]
|
||||
internal sealed class Team : List<AvatarView>
|
||||
{
|
||||
/// <summary>
|
||||
/// 构造一个新的队伍
|
||||
/// </summary>
|
||||
/// <param name="team">队伍</param>
|
||||
/// <param name="idAvatarMap">映射</param>
|
||||
public Team(ItemRate<string, int> team, Dictionary<AvatarId, Avatar> idAvatarMap, int rank)
|
||||
: base(4)
|
||||
{
|
||||
|
||||
Some files were not shown because too many files have changed in this diff Show More
Reference in New Issue
Block a user