Это немного сложно и требует некоторого кодирования.Но я попробую.
Прежде всего, я изменил ваш XAML, так что я буду использовать Canvas
вместо StackPanel
, который вы использовали.В этом случае я предпочитаю Canvas
, потому что он позволяет мне расположить изображение поворотного стола, используя абсолютные координаты, чтобы я точно знал, где находится центр поворотного стола.XAML теперь выглядит следующим образом:
<UserControl x:Class="TurnTable.MainPage"
xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
xmlns:d="http://schemas.microsoft.com/expression/blend/2008"
xmlns:mc="http://schemas.openxmlformats.org/markup-compatibility/2006"
mc:Ignorable="d"
d:DesignHeight="300" d:DesignWidth="400"
>
<Canvas x:Name="LayoutRoot" Background="White">
<!-- Disk rotating code -->
<Canvas.Resources>
<Storyboard x:Name="myStoryboard">
<DoubleAnimation x:Name="angleAnimation" Storyboard.TargetName="myTransform"
Storyboard.TargetProperty="Angle"
From="0" To="0" Duration="0:0:1"
>
<DoubleAnimation.EasingFunction>
<CubicEase />
</DoubleAnimation.EasingFunction>
</DoubleAnimation>
</Storyboard>
</Canvas.Resources>
<Rectangle x:Name="ttbg" Canvas.Left="100" Canvas.Top="100" Stroke="Black" StrokeThickness="0" RenderTransformOrigin="0.5,0.5" Height="420" Width="420" MouseLeftButtonDown="press_down" MouseLeftButtonUp="press_up" MouseMove="press_move" >
<Rectangle.Fill>
<ImageBrush ImageSource="Images/ttbg.png" Stretch="Uniform" />
</Rectangle.Fill>
<Rectangle.RenderTransform>
<TransformGroup>
<RotateTransform x:Name="myTransform" />
</TransformGroup>
</Rectangle.RenderTransform>
</Rectangle>
</Canvas>
</UserControl>
Также обратите внимание, что я дал раскадровке длительность в 1 секунду и дал ей EasingFunction
, чтобы анимация выглядела хорошо.
В коде для пользовательского контроля я использую функцию Math.Atan
, чтобы вычислить угол поворота поворотного стола при движении мыши.Я использую координаты мыши относительно центра поворотного стола, чтобы определить значение для подачи на Math.Atan
.Код в конечном итоге выглядит следующим образом:
namespace TurnTable
{
public partial class MainPage : UserControl
{
Point _centerOfTurnTable;
Point _startMousePosition;
Point _lastMousePosition;
bool _isMouseCaptured = false;
double _deltaAngle;
public MainPage()
{
InitializeComponent();
}
private void press_down(object sender, System.Windows.Input.MouseButtonEventArgs e)
{
_centerOfTurnTable = new Point
(
Canvas.GetLeft(ttbg) + ttbg.ActualWidth / 2d,
Canvas.GetTop(ttbg) + ttbg.ActualHeight / 2d
);
myStoryboard.Pause();
_startMousePosition = e.GetPosition(this);
_isMouseCaptured = true;
_lastMousePosition = _startMousePosition;
}
private void press_up(object sender, System.Windows.Input.MouseButtonEventArgs e)
{
if (_isMouseCaptured)
{
_isMouseCaptured = false;
angleAnimation.From = myTransform.Angle;
angleAnimation.To = myTransform.Angle + _deltaAngle * 100;
_deltaAngle = 0;
myStoryboard.Begin();
}
}
private void press_move(object sender, System.Windows.Input.MouseEventArgs e)
{
Point currentMousePosition = e.GetPosition(this);
if (_isMouseCaptured && Math.Abs(currentMousePosition.X - _centerOfTurnTable.X) > 5)
{
_deltaAngle = GetAngleDelta(currentMousePosition);
myTransform.Angle += _deltaAngle;
_lastMousePosition = currentMousePosition;
}
}
private double GetAngleDelta(Point currentMousePosition)
{
double lastAngleDegrees = GetAngleDegrees(_lastMousePosition);
double newAngleDegrees = GetAngleDegrees(currentMousePosition);
if (Math.Sign(lastAngleDegrees) != Math.Sign(newAngleDegrees))
{
lastAngleDegrees = newAngleDegrees;
}
double delta = newAngleDegrees - lastAngleDegrees;
return delta;
}
private double GetAngleDegrees(Point position)
{
return 180d / Math.PI * Math.Atan((position.Y - _centerOfTurnTable.Y) / (position.X - _centerOfTurnTable.X));
}
}
}
Код позволяет поворачивать поворотный стол, и при нажатии мыши запускается анимация, позволяющая поворотному столу медленно дойти до полной остановки, что дает емуприятное прикосновение.