基於C# wpf 實現Grid內控件拖動詳情
前言:
有一些業務場景中我們需要拖動控件,在Grid
中就可以實現控件拖動,通過設置Margin
屬性即可,根據鼠標的移動,設置相應的Margin
的Left
、Top,當然有時也不是直接設置的,需要根據HorizontalAlignment
、VerticalAlignment
值有不同的計算方法。
一、如何實現?
1.註冊鼠標事件
拖動的控件需要註冊3個鼠標事件分別是,鼠標按下、鼠標移動、鼠標彈起。
以Button為例:
<Button PreviewMouseDown="Button_MouseDown" PreviewMouseMove="Button_MouseMove" PreviewMouseUp="Button_MouseUp"> </Button>
2.記錄位置
在鼠標按下事件中記錄位置。
//鼠標是否按下 bool _isMouseDown = false; //鼠標按下的位置 Point _mouseDownPosition; //鼠標按下控件的Margin Thickness _mouseDownMargin; //鼠標按下事件 private void Button_MouseDown(object sender, MouseButtonEventArgs e) { var c = sender as Control; _isMouseDown = true; _mouseDownPosition = e.GetPosition(this); _mouseDownMargin = c.Margin; }
3.跟隨鼠標移動
鼠標按下後移動鼠標,控件需要跟隨鼠標移動。根據HorizontalAlignment
、VerticalAlignment
值不同,計算Margin的方式也不同。
private void Button_MouseMove(object sender, MouseEventArgs e) { if (_isMouseDown) { var c = sender as Control; var pos = e.GetPosition(this); var dp = pos - _mouseDownPosition; double left, top, right, bottom; if (c.HorizontalAlignment == HorizontalAlignment.Stretch|| c.HorizontalAlignment == HorizontalAlignment.Center) //中央移動距離是雙倍 { left= _mouseDownMargin.Left+ dp.X * 2; right = _mouseDownMargin.Right; } else if(c.HorizontalAlignment== HorizontalAlignment.Left) //左邊是正常距離 { left = _mouseDownMargin.Left + dp.X ; right = _mouseDownMargin.Right; } else //右邊是右邊距距離 { left = _mouseDownMargin.Left; right = _mouseDownMargin.Right - dp.X; } if (c.VerticalAlignment == VerticalAlignment.Stretch || c.VerticalAlignment == VerticalAlignment.Center) //中央移動距離是雙倍 { top = _mouseDownMargin.Top+ dp.Y* 2; bottom = _mouseDownMargin.Bottom; } else if (c.VerticalAlignment == VerticalAlignment.Top) //頂部是正常距離 { top = _mouseDownMargin.Top + dp.Y ; bottom = _mouseDownMargin.Bottom; } else //底部是底邊距距離 { top = _mouseDownMargin.Top ; bottom = _mouseDownMargin.Bottom- dp.Y; } c.Margin = new Thickness(left, top, right, bottom); } }
4.恢復標識
鼠標彈起後需要恢復標識,讓控件不再跟隨鼠標移動。
private void Button_MouseUp(object sender, MouseButtonEventArgs e) { if (_isMouseDown) { _isMouseDown = false; //移動瞭的控件不響應點擊事件(此處根據具體需求) e.Handled = true; } }
二、示例
示例代碼:
<Window x:Class="WpfControlMove.MainWindow" 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" xmlns:local="clr-namespace:WpfControlMove" mc:Ignorable="d" Title="MainWindow" Height="360" Width="640"> <Grid> <Button Width="120" Height="50" Content="移動" PreviewMouseDown="Button_MouseDown" PreviewMouseMove="Button_MouseMove" PreviewMouseUp="Button_MouseUp"> </Button> </Grid> </Window>
效果預覽:
總結:
本文說明瞭Grid中控件拖動的方法。方法采用瞭記錄鼠標位置以及控件位置的方法來確保準確的相對位置。如果是采用隻記錄鼠標位置,計算時通過控件內部坐標差值累加,這樣會產生累計誤差,除非取整運算,但取整與dpi有可能產生不兼容。總的來說,本方法采用準確的位置計算方式,而且還根據不同停靠采用相應的計算方法,適用性較好。
到此這篇關於基於C# wpf 實現Grid內控件拖動詳情的文章就介紹到這瞭,更多相關C# wpf 實現Grid內控件拖動內容請搜索WalkonNet以前的文章或繼續瀏覽下面的相關文章希望大傢以後多多支持WalkonNet!