Практическое руководство. Выбор рукописного ввода из пользовательского элемента управления
Добавив IncrementalLassoHitTester в элемент управления, вы можете включить элемент управления, чтобы пользователь мог выбрать рукописного ввода с помощью лассо, аналогично тому, как InkCanvas выбирает рукописный ввод с помощью лассо.
В этом примере предполагается, что вы умеете создавать пользовательский элемент управления, поддержкой рукописного ввода. Чтобы создать пользовательский элемент управления, который принимает рукописный ввод, см. в разделе Создание элемента управления рукописным вводом.
Пример
Когда пользователь рисует лассо, IncrementalLassoHitTester прогнозирует, какие штрихи будут в пределах границ пути лассо, как только пользователь завершит лассо. Росчерки, которые определены как в пределах границ пути лассо может рассматриваться как выбранные. Выделенные штрихи можно также снимается. Например, если пользователь меняет направление при рисовании лассо IncrementalLassoHitTester может отменить выбор некоторых штрихов.
IncrementalLassoHitTester Вызывает SelectionChanged событие, которое позволяет реагировать, пока пользователь рисует лассо пользовательского элемента управления. Например можно изменить внешний вид штрихов, как пользователь выбирает и снимает выделение с них.
Управление режимом рукописного ввода
Это полезными, если лассо отображается иначе, чем рукописные данные в элемент управления. Для этого пользовательского элемента управления должен хранить список ли пользователь запись или выбрав рукописного ввода. Самый простой способ это сделать, — для объявления перечисления с двумя значениями: один столбец указывает, что пользователь записывает рукописный ввод и один столбец указывает, что пользователь является выбор рукописного ввода.
// Enum that keeps track of whether StrokeCollectionDemo is in ink mode
// or select mode.
public enum InkMode
{
Ink, Select
}
Добавьте два DrawingAttributes к классу: из них следует использовать, когда пользователь осуществляет рукописный ввод, из них следует использовать, когда пользователь выбирает рукописного ввода. В конструкторе, инициализировать DrawingAttributes и приложите оба AttributeChanged событий тот же обработчик событий. Затем установите DrawingAttributes свойство DynamicRenderer на рукописный ввод DrawingAttributes.
DrawingAttributes inkDA;
DrawingAttributes selectDA;
// In the constructor.
// Selection drawing attributes use dark gray ink.
selectDA = new DrawingAttributes();
selectDA.Color = Colors.DarkGray;
// ink drawing attributes use default attributes
inkDA = new DrawingAttributes();
inkDA.Width = 5;
inkDA.Height = 5;
inkDA.AttributeChanged += new PropertyDataChangedEventHandler(DrawingAttributesChanged);
selectDA.AttributeChanged += new PropertyDataChangedEventHandler(DrawingAttributesChanged);
Добавьте свойство, которое предоставляет режим выделения. Когда пользователь изменяет режим выбора, задайте DrawingAttributes свойство DynamicRenderer к соответствующему DrawingAttributes объекта, а затем — RootVisual свойства InkPresenter.
// Property to indicate whether the user is inputting or
// selecting ink.
public InkMode Mode
{
get
{
return mode;
}
set
{
mode = value;
// Set the DrawingAttributes of the DynamicRenderer
if (mode == InkMode.Ink)
{
renderer.DrawingAttributes = inkDA;
}
else
{
renderer.DrawingAttributes = selectDA;
}
// Reattach the visual of the DynamicRenderer to the InkPresenter.
presenter.DetachVisuals(renderer.RootVisual);
presenter.AttachVisuals(renderer.RootVisual, renderer.DrawingAttributes);
}
}
Предоставлять DrawingAttributes как свойства, чтобы приложения могли определить внешний вид рукописных штрихов и штрихов выделенного фрагмента.
// Property to allow the user to change the pen's DrawingAttributes.
public DrawingAttributes InkDrawingAttributes
{
get
{
return inkDA;
}
}
// Property to allow the user to change the Selector'newStroke DrawingAttributes.
public DrawingAttributes SelectDrawingAttributes
{
get
{
return selectDA;
}
}
Когда свойство DrawingAttributes изменения, объекта RootVisual необходимо повторно подключить InkPresenter. В обработчике событий для AttributeChanged событий, снова присоедините RootVisual для InkPresenter.
void DrawingAttributesChanged(object sender, PropertyDataChangedEventArgs e)
{
// Reattach the visual of the DynamicRenderer to the InkPresenter
// whenever the DrawingAttributes change.
presenter.DetachVisuals(renderer.RootVisual);
presenter.AttachVisuals(renderer.RootVisual, renderer.DrawingAttributes);
}
С помощью IncrementalLassoHitTester
Создание и инициализация StrokeCollection , содержащее выделенные штрихи.
// StylusPointCollection that collects the stylus points from the stylus events.
StylusPointCollection stylusPoints;
Когда пользователь начинает рисовать штрих, рукописного ввода или Лассо, снимите флажки для всех выделенных штрихов. Затем, если пользователь рисует лассо, создайте IncrementalLassoHitTester путем вызова GetIncrementalLassoHitTester, Подпишитесь на SelectionChanged событий и вызовов AddPoints. Этот код может быть отдельный метод и вызывать из OnStylusDown и OnMouseDown методы.
private void InitializeHitTester(StylusPointCollection collectedPoints)
{
// Deselect any selected strokes.
foreach (Stroke selectedStroke in selectedStrokes)
{
selectedStroke.DrawingAttributes.Color = inkDA.Color;
}
selectedStrokes.Clear();
if (mode == InkMode.Select)
{
// Remove the previously drawn lasso, if it exists.
if (lassoPath != null)
{
presenter.Strokes.Remove(lassoPath);
lassoPath = null;
}
selectionTester =
presenter.Strokes.GetIncrementalLassoHitTester(80);
selectionTester.SelectionChanged +=
new LassoSelectionChangedEventHandler(selectionTester_SelectionChanged);
selectionTester.AddPoints(collectedPoints);
}
}
Добавление точки пера, которые IncrementalLassoHitTester пока пользователь рисует лассо. Вызовите следующий метод из OnStylusMove, OnStylusUp, OnMouseMove, и OnMouseLeftButtonUp методы.
private void AddPointsToHitTester(StylusPointCollection collectedPoints)
{
if (mode == InkMode.Select &&
selectionTester != null &&
selectionTester.IsValid)
{
// When the control is selecting strokes, add the
// stylus packetList to selectionTester.
selectionTester.AddPoints(collectedPoints);
}
}
Обрабатывать IncrementalLassoHitTester.SelectionChanged событий, чтобы ответить, когда пользователь выбирает и отменяет выделение штрихов. LassoSelectionChangedEventArgs Класс имеет SelectedStrokes и DeselectedStrokes свойства, получающие штрихи, которые были выбраны и не выбрано, соответственно.
void selectionTester_SelectionChanged(object sender,
LassoSelectionChangedEventArgs args)
{
// Change the color of all selected strokes to red.
foreach (Stroke selectedStroke in args.SelectedStrokes)
{
selectedStroke.DrawingAttributes.Color = Colors.Red;
selectedStrokes.Add(selectedStroke);
}
// Change the color of all unselected strokes to
// their original color.
foreach (Stroke unselectedStroke in args.DeselectedStrokes)
{
unselectedStroke.DrawingAttributes.Color = inkDA.Color;
selectedStrokes.Remove(unselectedStroke);
}
}
Когда пользователь заканчивает рисование лассо, отменить подписку на SelectionChanged событий и вызовов EndHitTesting.
if (mode == InkMode.Select && lassoPath == null)
{
// Add the lasso to the InkPresenter and add the packetList
// to selectionTester.
lassoPath = newStroke;
lassoPath.DrawingAttributes = selectDA.Clone();
presenter.Strokes.Add(lassoPath);
selectionTester.SelectionChanged -= new LassoSelectionChangedEventHandler
(selectionTester_SelectionChanged);
selectionTester.EndHitTesting();
}
Объединение.
Ниже приведен пользовательский элемент управления, позволяющий пользователю выбрать рукописный ввод с помощью лассо.
using System;
using System.Windows;
using System.Windows.Controls;
using System.Windows.Media;
using System.Windows.Input;
using System.Windows.Input.StylusPlugIns;
using System.Windows.Ink;
// Enum that keeps track of whether StrokeCollectionDemo is in ink mode
// or select mode.
public enum InkMode
{
Ink, Select
}
// This control allows the user to input and select ink. When the
// user selects ink, the lasso remains visible until they erase, or clip
// the selected strokes, or clear the selection. When the control is
// in selection mode, strokes that are selected turn red.
public class InkSelector : Label
{
InkMode mode;
DrawingAttributes inkDA;
DrawingAttributes selectDA;
InkPresenter presenter;
IncrementalLassoHitTester selectionTester;
StrokeCollection selectedStrokes = new StrokeCollection();
// StylusPointCollection that collects the stylus points from the stylus events.
StylusPointCollection stylusPoints;
// Stroke that represents the lasso.
Stroke lassoPath;
DynamicRenderer renderer;
public InkSelector()
{
mode = InkMode.Ink;
// Use an InkPresenter to display the strokes on the custom control.
presenter = new InkPresenter();
this.Content = presenter;
// In the constructor.
// Selection drawing attributes use dark gray ink.
selectDA = new DrawingAttributes();
selectDA.Color = Colors.DarkGray;
// ink drawing attributes use default attributes
inkDA = new DrawingAttributes();
inkDA.Width = 5;
inkDA.Height = 5;
inkDA.AttributeChanged += new PropertyDataChangedEventHandler(DrawingAttributesChanged);
selectDA.AttributeChanged += new PropertyDataChangedEventHandler(DrawingAttributesChanged);
// Add a DynmaicRenderer to the control so ink appears
// to "flow" from the tablet pen.
renderer = new DynamicRenderer();
renderer.DrawingAttributes = inkDA;
this.StylusPlugIns.Add(renderer);
presenter.AttachVisuals(renderer.RootVisual,
renderer.DrawingAttributes);
}
static InkSelector()
{
// Allow ink to be drawn only within the bounds of the control.
Type owner = typeof(InkSelector);
ClipToBoundsProperty.OverrideMetadata(owner,
new FrameworkPropertyMetadata(true));
}
// Prepare to collect stylus packets. If Mode is set to Select,
// get the IncrementalHitTester from the InkPresenter'newStroke
// StrokeCollection and subscribe to its StrokeHitChanged event.
protected override void OnStylusDown(StylusDownEventArgs e)
{
base.OnStylusDown(e);
Stylus.Capture(this);
// Create a new StylusPointCollection using the StylusPointDescription
// from the stylus points in the StylusDownEventArgs.
stylusPoints = new StylusPointCollection();
StylusPointCollection eventPoints = e.GetStylusPoints(this, stylusPoints.Description);
stylusPoints.Add(eventPoints);
InitializeHitTester(eventPoints);
}
protected override void OnMouseLeftButtonDown(MouseButtonEventArgs e)
{
base.OnMouseLeftButtonDown(e);
Mouse.Capture(this);
if (e.StylusDevice != null)
{
return;
}
Point pt = e.GetPosition(this);
StylusPointCollection collectedPoints = new StylusPointCollection(new Point[] { pt });
stylusPoints = new StylusPointCollection();
stylusPoints.Add(collectedPoints);
InitializeHitTester(collectedPoints);
}
private void InitializeHitTester(StylusPointCollection collectedPoints)
{
// Deselect any selected strokes.
foreach (Stroke selectedStroke in selectedStrokes)
{
selectedStroke.DrawingAttributes.Color = inkDA.Color;
}
selectedStrokes.Clear();
if (mode == InkMode.Select)
{
// Remove the previously drawn lasso, if it exists.
if (lassoPath != null)
{
presenter.Strokes.Remove(lassoPath);
lassoPath = null;
}
selectionTester =
presenter.Strokes.GetIncrementalLassoHitTester(80);
selectionTester.SelectionChanged +=
new LassoSelectionChangedEventHandler(selectionTester_SelectionChanged);
selectionTester.AddPoints(collectedPoints);
}
}
// Collect the stylus packets as the stylus moves.
protected override void OnStylusMove(StylusEventArgs e)
{
if (stylusPoints == null)
{
return;
}
StylusPointCollection collectedPoints = e.GetStylusPoints(this, stylusPoints.Description);
stylusPoints.Add(collectedPoints);
AddPointsToHitTester(collectedPoints);
}
protected override void OnMouseMove(MouseEventArgs e)
{
base.OnMouseMove(e);
if (e.StylusDevice != null)
{
return;
}
if (e.LeftButton == MouseButtonState.Released)
{
return;
}
stylusPoints ??= new StylusPointCollection();
Point pt = e.GetPosition(this);
StylusPointCollection collectedPoints = new StylusPointCollection(new Point[] { pt });
stylusPoints.Add(collectedPoints);
AddPointsToHitTester(collectedPoints);
}
private void AddPointsToHitTester(StylusPointCollection collectedPoints)
{
if (mode == InkMode.Select &&
selectionTester != null &&
selectionTester.IsValid)
{
// When the control is selecting strokes, add the
// stylus packetList to selectionTester.
selectionTester.AddPoints(collectedPoints);
}
}
// When the user lifts the stylus, create a Stroke from the
// collected stylus points and add it to the InkPresenter.
// When the control is selecting strokes, add the
// point data to the IncrementalHitTester.
protected override void OnStylusUp(StylusEventArgs e)
{
stylusPoints ??= new StylusPointCollection();
StylusPointCollection collectedPoints =
e.GetStylusPoints(this, stylusPoints.Description);
stylusPoints.Add(collectedPoints);
AddPointsToHitTester(collectedPoints);
AddStrokeToPresenter();
stylusPoints = null;
Stylus.Capture(null);
}
protected override void OnMouseLeftButtonUp(MouseButtonEventArgs e)
{
base.OnMouseLeftButtonUp(e);
if (e.StylusDevice != null) return;
if (stylusPoints == null) stylusPoints = new StylusPointCollection();
Point pt = e.GetPosition(this);
StylusPointCollection collectedPoints = new StylusPointCollection(new Point[] { pt });
stylusPoints.Add(collectedPoints);
AddPointsToHitTester(collectedPoints);
AddStrokeToPresenter();
stylusPoints = null;
Mouse.Capture(null);
}
private void AddStrokeToPresenter()
{
Stroke newStroke = new Stroke(stylusPoints);
if (mode == InkMode.Ink)
{
// Add the stroke to the InkPresenter.
newStroke.DrawingAttributes = inkDA.Clone();
presenter.Strokes.Add(newStroke);
}
if (mode == InkMode.Select && lassoPath == null)
{
// Add the lasso to the InkPresenter and add the packetList
// to selectionTester.
lassoPath = newStroke;
lassoPath.DrawingAttributes = selectDA.Clone();
presenter.Strokes.Add(lassoPath);
selectionTester.SelectionChanged -= new LassoSelectionChangedEventHandler
(selectionTester_SelectionChanged);
selectionTester.EndHitTesting();
}
}
void selectionTester_SelectionChanged(object sender,
LassoSelectionChangedEventArgs args)
{
// Change the color of all selected strokes to red.
foreach (Stroke selectedStroke in args.SelectedStrokes)
{
selectedStroke.DrawingAttributes.Color = Colors.Red;
selectedStrokes.Add(selectedStroke);
}
// Change the color of all unselected strokes to
// their original color.
foreach (Stroke unselectedStroke in args.DeselectedStrokes)
{
unselectedStroke.DrawingAttributes.Color = inkDA.Color;
selectedStrokes.Remove(unselectedStroke);
}
}
// Property to indicate whether the user is inputting or
// selecting ink.
public InkMode Mode
{
get
{
return mode;
}
set
{
mode = value;
// Set the DrawingAttributes of the DynamicRenderer
if (mode == InkMode.Ink)
{
renderer.DrawingAttributes = inkDA;
}
else
{
renderer.DrawingAttributes = selectDA;
}
// Reattach the visual of the DynamicRenderer to the InkPresenter.
presenter.DetachVisuals(renderer.RootVisual);
presenter.AttachVisuals(renderer.RootVisual, renderer.DrawingAttributes);
}
}
void DrawingAttributesChanged(object sender, PropertyDataChangedEventArgs e)
{
// Reattach the visual of the DynamicRenderer to the InkPresenter
// whenever the DrawingAttributes change.
presenter.DetachVisuals(renderer.RootVisual);
presenter.AttachVisuals(renderer.RootVisual, renderer.DrawingAttributes);
}
// Property to allow the user to change the pen's DrawingAttributes.
public DrawingAttributes InkDrawingAttributes
{
get
{
return inkDA;
}
}
// Property to allow the user to change the Selector'newStroke DrawingAttributes.
public DrawingAttributes SelectDrawingAttributes
{
get
{
return selectDA;
}
}
}