Skip to content
View inMAUIWPFWinUIView on GitHub

Use the Programmatic Reticle Tool to edit and create geometries with programmatic operations to facilitate customized workflows such as those using buttons rather than tap interactions.

EditGeometriesWithProgrammaticReticleTool

Use case

A field worker can use a button driven workflow to mark important features on a map. They can digitize features like sample or observation locations, fences, pipelines, and building footprints using point, multipoint, polyline, and polygon geometries. To create and edit geometries, workers can use a vertex-based reticle tool to specify vertex locations by panning the map to position the reticle over a feature of interest. Using a button driven workflow they can then place new vertices or pick up, move and drop existing vertices.

How to use the sample

To create a new geometry, select the geometry type you want to create (i.e. points, multipoints, polyline, or polygon) in the settings view. Press the button to start the geometry editor, pan the map to position the reticle then press the button to place a vertex. To edit an existing geometry, tap the geometry to be edited in the map and perform edits by positioning the reticle over a vertex and pressing the button to pick it up. The vertex can be moved by panning the map and dropped in a new position by pressing the button again.

Vertices can be selected and the viewpoint can be updated to their position by tapping them.

Vertex creation can be disabled using the switch in the settings view. When this switch is toggled off new vertex creation is prevented, existing vertices can be picked up and moved, but mid-vertices cannot be selected or picked up and will not grow when hovered. The feedback vertex and feedback lines under the reticle will also no longer be visible.

Use the buttons in the settings view to undo or redo changes made to the geometry and the cancel and done buttons to discard and save changes, respectively.

How it works

  1. Create a GeometryEditor and set it to the MapView using MyMapView.GeometryEditor.
  2. Start the GeometryEditor using GeometryEditor.Start(GeometryType) to create a new geometry or GeometryEditor.Start(Geometry) to edit an existing geometry.
    • If using the Geometry Editor to edit an existing geometry, the geometry must be retrieved from the graphics overlay being used to visualize the geometry prior to calling the start method. To do this:
      • Use MapView.IdentifyGraphicsOverlayAsync(...) to identify graphics at the location of a tap.
      • Access the MapView.IdentifyGraphicsOverlayAsync(...).
      • Find the desired graphic in the results.FirstOrDefault() list.
      • Access the geometry associated with the Graphic using Graphic.Geometry - this will be used in the GeometryEditor.Start(Geometry) method.
  3. Create a ProgrammaticReticleTool and set the GeometryEditor.Tool.
  4. Add event handlers to listen to GeometryEditor.HoveredElementChanged and GeometryEditorPickedUpElementChanged.
    • These events can be used to determine the effect a button press will have and set the button text accordingly.
  5. Listen to tap events when the geometry editor is active to select and navigate to tapped vertices and mid-vertices.
    • To retrieve the tapped element and update the viewpoint:
      • Use MapView.IdentifyGeometryEditorAsync(...) to identify geometry editor elements at the location of the tap.
      • Access the MapView.IdentifyGeometryEditorAsync(...).
      • Find the desired element in the results.Elements.FirstOrDefault() list.
      • Depending on whether or not the element is a GeometryEditorVertex or GeometryEditorMidVertex use GeometryEditor.SelectVertex(...) or GeometryEditor.SelectMidVertex(...) to select it.
      • Update the viewpoint using MapView.SetViewpointAsync(...).
  6. Enable and disable the vertex creation preview using ProgrammaticReticleTool.VertexCreationPreviewEnabled.
    • To prevent mid-vertex growth when hovered use ProgrammaticReticleTool.Style.GrowEffect.ApplyToMidVertices.
  7. Check to see if undo and redo are possible during an editing session using GeometryEditor.CanUndo and GeometryEditor.CanRedo. If it's possible, use GeometryEditor.Undo() and GeometryEditor.Redo().
    • A picked up element can be returned to its previous position using GeometryEditor.CancelCurrentAction(). This can be useful to undo a pick up without undoing any change to the geometry. Use the GeometryEditor.PickedUpElement property to check for a picked up element.
  8. Check whether the currently selected GeometryEditorElement can be deleted (GeometryEditor.SelectedElement.CanDelete). If the element can be deleted, delete using GeometryEditor.DeleteSelectedElement().
  9. Call GeometryEditor.Stop() to finish the editing session and store the Graphic. The GeometryEditor does not automatically handle the visualization of a geometry output from an editing session. This must be done manually by propagating the geometry returned into a Graphic added to a GraphicsOverlay.
    • To create a new Graphic in the GraphicsOverlay:
      • Using Graphic(Geometry), create a new Graphic with the geometry returned by the GeometryEditor.Stop() method.
      • Append the Graphic to the GraphicsOverlay(i.e. GraphicsOverlay.Graphics.Add(Graphic)).
    • To update the geometry underlying an existing Graphic in the GraphicsOverlay:
      • Replace the existing Graphic's Geometry property with the geometry returned by the GeometryEditor.Stop() method.

Relevant API

  • Geometry
  • GeometryEditor
  • Graphic
  • GraphicsOverlay
  • MapView
  • ProgrammaticReticleTool

Additional information

The sample demonstrates a number of workflows which can be altered depending on desired app functionality:

  • picking up a hovered element combines selection and pick up, this can be separated into two steps to require selection before pick up.

  • tapping a vertex or mid-vertex selects it and updates the viewpoint to its position. This could be changed to not update the viewpoint or also pick up the element.

With the hovered and picked up element changed events and the programmatic APIs on the ProgrammaticReticleTool a broad range of editing experiences can be implemented.

Tags

draw, edit, freehand, geometry editor, programmatic, reticle, sketch, vertex

Sample Code

EditGeometriesWithProgrammaticReticleTool.xaml.csEditGeometriesWithProgrammaticReticleTool.xaml.csEditGeometriesWithProgrammaticReticleTool.xaml
Use dark colors for code blocksCopy
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 // Copyright 2025 Esri. // // Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. // You may obtain a copy of the License at: http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an // "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific // language governing permissions and limitations under the License.  using Esri.ArcGISRuntime.Data; using Esri.ArcGISRuntime.Geometry; using Esri.ArcGISRuntime.Mapping; using Esri.ArcGISRuntime.Symbology; using Esri.ArcGISRuntime.UI; using Esri.ArcGISRuntime.UI.Editing; using Microsoft.Maui.ApplicationModel; using Color = System.Drawing.Color; using Map = Esri.ArcGISRuntime.Mapping.Map;  namespace ArcGIS.Samples.EditGeometriesWithProgrammaticReticleTool {  [ArcGIS.Samples.Shared.Attributes.Sample(  name: "Edit geometries with programmatic reticle tool",  category: "Geometry",  description: "Use the Programmatic Reticle Tool to edit and create geometries with programmatic operations to facilitate customized workflows such as those using buttons rather than tap interactions.",  instructions: "To create a new geometry, select the geometry type you want to create (i.e. points, multipoints, polyline, or polygon) in the settings view. Press the button to start the geometry editor, pan the map to position the reticle then press the button to place a vertex. To edit an existing geometry, tap the geometry to be edited in the map and perform edits by positioning the reticle over a vertex and pressing the button to pick it up. The vertex can be moved by panning the map and dropped in a new position by pressing the button again.",  tags: new[] { "draw", "edit", "freehand", "geometry editor", "programmatic", "reticle", "sketch", "vertex" })]  public partial class EditGeometriesWithProgrammaticReticleTool  {  // Hold references to the geometry editor and programmatic reticle tool.  private GeometryEditor _geometryEditor = new GeometryEditor();  private ProgrammaticReticleTool _programmaticReticleTool = new ProgrammaticReticleTool();   // Hold references to the graphics overlay and selected graphic.  private Graphic _selectedGraphic;  private GraphicsOverlay _graphicsOverlay;   // Flag to indicate whether vertex creation is allowed.  private bool _allowVertexCreation = true;   // Reticle state to determine the current action of the programmatic reticle tool.  private ReticleState _reticleState = ReticleState.Default;   // Hold references to the symbols used for displaying geometries.  private SimpleFillSymbol _polygonSymbol;  private SimpleLineSymbol _polylineSymbol;  private SimpleMarkerSymbol _pointSymbol, _multiPointSymbol;   private string _pinkneysGreenJson = @"{""rings"":[[[-84843.262719916485,6713749.9329888355],[-85833.376589175183,6714679.7122141244],  [-85406.822347959576,6715063.9827222107],[-85184.329997390232,6715219.6195847588],  [-85092.653857582554,6715119.5391713539],[-85090.446872787768,6714792.7656492386],  [-84915.369168906298,6714297.8798246197],[-84854.295522911285,6714080.907587287],  [-84843.262719916485,6713749.9329888355]]],""spatialReference"":{""wkid"":102100,""latestWkid"":3857}}";   private string _beechLodgeBoundaryJson = @"{""paths"":[[[-87090.652708065536,6714158.9244240439],[-87247.362370337316,6714232.880689906],  [-87226.314032974493,6714605.4697726099],[-86910.499335316243,6714488.006312645],  [-86750.82198052686,6714401.1768307304],[-86749.846825938366,6714305.8450344801]]],""spatialReference"":{""wkid"":102100,""latestWkid"":3857}}";   private string _treeMarkersJson = @"{""points"":[[-86750.751150056443,6713749.4529355941],[-86879.381793060631,6713437.3335486846],  [-87596.503104619667,6714381.7342108283],[-87553.257569537804,6714402.0910389507],  [-86831.019903597829,6714398.4128562529],[-86854.105933315877,6714396.1957954112],  [-86800.624094892439,6713992.3374453448]],""spatialReference"":{""wkid"":102100,""latestWkid"":3857}}";   // Dictionary to map geometry type names to GeometryType enum values.  private readonly Dictionary<string, GeometryType> _geometryTypes = new Dictionary<string, GeometryType>()  {  { "Point", GeometryType.Point },  { "Multipoint", GeometryType.Multipoint },  { "Polygon", GeometryType.Polygon },  { "Polyline", GeometryType.Polyline },  };   public EditGeometriesWithProgrammaticReticleTool()  {  InitializeComponent();  Initialize();  }   private void Initialize()  {  MyMapView.Map = new Map()  {  Basemap = new Basemap(BasemapStyle.ArcGISImagery),  InitialViewpoint = new Viewpoint(51.523806, -0.775395, 2e4)  };   // Create the geometry editor and add it to the map view.  _geometryEditor = new GeometryEditor();  MyMapView.GeometryEditor = _geometryEditor;   // Create the programmatic reticle tool and set it as the geometry editor tool.  _programmaticReticleTool = new ProgrammaticReticleTool();  _geometryEditor.Tool = _programmaticReticleTool;   // Add event handlers for geometry editor events.  MyMapView.GeometryEditor.HoveredElementChanged += GeometryEditor_HoveredElementChanged;  MyMapView.GeometryEditor.PickedUpElementChanged += GeometryEditor_PickedUpElementChanged;   // Enable vertex creation by default and set up the switch.  AllowVertexCreationSwitch.IsToggled = true;  AllowVertexCreationSwitch.Toggled += AllowVertexCreationSwitch_Toggled;   // Create a graphics overlay and add it to the map view.  _graphicsOverlay = new GraphicsOverlay();  MyMapView.GraphicsOverlays.Add(_graphicsOverlay);   // Set the geometry type picker and its default value.  GeometryTypePicker.ItemsSource = _geometryTypes.Keys.ToList();  GeometryTypePicker.SelectedIndex = 0;   // Create the initial graphics for the sample.  CreateInitialGraphics();  }   private void SetButtonText()  {  // Update the multifunction button text based on the geometry editor state and hovered/picked up elements.  MainThread.BeginInvokeOnMainThread(() =>  {  // Picked up elements can be dropped, so the button text indicates that a point can be dropped.  if (MyMapView.GeometryEditor.PickedUpElement != null)  {  // If a vertex is picked up, the button text indicates that it can be dropped.  MultifunctionButton.Text = "Drop point";  MultifunctionButton.IsEnabled = true;  _reticleState = ReticleState.PickedUp;  return;  }   // When vertex creation is allowed, the button text changes based on the hovered or picked up element. Vertices and mid-vertices can be picked up.  if (_allowVertexCreation)  {  MultifunctionButton.IsEnabled = true;   if (MyMapView.GeometryEditor.PickedUpElement != null)  {  MultifunctionButton.Text = "Drop point";  _reticleState = ReticleState.PickedUp;  }  else if (MyMapView.GeometryEditor.HoveredElement != null && (MyMapView.GeometryEditor.HoveredElement is GeometryEditorVertex || MyMapView.GeometryEditor.HoveredElement is GeometryEditorMidVertex))  {  MultifunctionButton.Text = "Pick up point";  _reticleState = MyMapView.GeometryEditor.HoveredElement is GeometryEditorVertex ? ReticleState.HoveringVertex : ReticleState.HoveringMidVertex;  }  else  {  MultifunctionButton.Text = "Insert point";  _reticleState = ReticleState.Default;  }  }  // When vertex creation is not allowed, the button text changes based on the picked up element only. Only vertices can be picked up, mid-vertices cannot be picked up.  else  {  // If no vertex is picked up, the button text indicates that a point can be picked up if the hovered element is a geometry editor vertex.  MultifunctionButton.Text = "Pick up point";  MultifunctionButton.IsEnabled = MyMapView.GeometryEditor.HoveredElement is GeometryEditorVertex;  _reticleState = MyMapView.GeometryEditor.HoveredElement is GeometryEditorVertex ? ReticleState.HoveringVertex : ReticleState.HoveringMidVertex;  }  });  }   // Reset the UI after the editor stops.  private void ResetFromEditingSession()  {  // Reset the selected graphic.  if (_selectedGraphic != null)  {  _selectedGraphic.IsSelected = false;  _selectedGraphic.IsVisible = true;  }  _selectedGraphic = null;   // Update the multifunction button text and enable it.  MultifunctionButton.Text = "Start geometry editor";  MultifunctionButton.IsEnabled = true;  }   private void CreateInitialGraphics()  {  // Create symbols for displaying new geometries.  _pointSymbol = new SimpleMarkerSymbol(SimpleMarkerSymbolStyle.Square, Color.OrangeRed, 10);  _multiPointSymbol = new SimpleMarkerSymbol(SimpleMarkerSymbolStyle.Circle, Color.Yellow, 5);  _polylineSymbol = new SimpleLineSymbol(SimpleLineSymbolStyle.Solid, Color.Blue, 2);  var polygonLineSymbol = new SimpleLineSymbol(SimpleLineSymbolStyle.Dash, Color.Black, 1);  _polygonSymbol = new SimpleFillSymbol(SimpleFillSymbolStyle.Solid, Color.FromArgb(70, 255, 0, 0), polygonLineSymbol);   // Create geometries from Json formatted strings.  var pinkneysGreen = (Polygon)Geometry.FromJson(_pinkneysGreenJson);  var beechLodgeBoundary = (Polyline)Geometry.FromJson(_beechLodgeBoundaryJson);  var treeMarkers = (Multipoint)Geometry.FromJson(_treeMarkersJson);   // Add new example graphics from the geometries and symbols to the graphics overlay.  _graphicsOverlay.Graphics.Add(new Graphic(pinkneysGreen) { Symbol = _polygonSymbol });  _graphicsOverlay.Graphics.Add(new Graphic(beechLodgeBoundary) { Symbol = _polylineSymbol });  _graphicsOverlay.Graphics.Add(new Graphic(treeMarkers) { Symbol = _multiPointSymbol });  }   // Return the graphic style based on geometry type.  private Symbol GetSymbol(GeometryType geometryType)  {  switch (geometryType)  {  case GeometryType.Point:  return _pointSymbol;   case GeometryType.Multipoint:  return _multiPointSymbol;   case GeometryType.Polyline:  return _polylineSymbol;   case GeometryType.Polygon:  return _polygonSymbol;  }  return null;  }   #region Event handlers  private void GeometryEditor_PickedUpElementChanged(object sender, PickedUpElementChangedEventArgs e)  {  // Update the button text based on the picked up element.  SetButtonText();  }   private void GeometryEditor_HoveredElementChanged(object sender, HoveredElementChangedEventArgs e)  {  // Update the button text based on the hovered element.  SetButtonText();  }   private void MultifunctionButton_Clicked(object sender, EventArgs e)  {  // If the geometry editor is not started, start it with the selected geometry type.  if (!_geometryEditor.IsStarted)  {  _geometryEditor.Start(_geometryTypes[(string)GeometryTypePicker.SelectedItem]);   // Set the button text to indicate that the editor is active.  SetButtonText();  return;  }   if (_allowVertexCreation)  {  // When vertex creation is allowed vertices and mid-vertices can be picked up, new vertices can be inserted.  switch (_reticleState)  {  case ReticleState.Default:  case ReticleState.PickedUp:  _programmaticReticleTool.PlaceElementAtReticle();  break;  case ReticleState.HoveringVertex:  case ReticleState.HoveringMidVertex:  _programmaticReticleTool.SelectElementAtReticle();  _programmaticReticleTool.PickUpSelectedElement();  break;  }  }  else  {  // When vertex creation is not allowed functionality is limited to picking up and moving existing vertices, mid-vertices cannot be picked up.  switch (_reticleState)  {  case ReticleState.PickedUp:  _programmaticReticleTool.PlaceElementAtReticle();  break;  case ReticleState.HoveringVertex:  _programmaticReticleTool.SelectElementAtReticle();  _programmaticReticleTool.PickUpSelectedElement();  break;  default:  // In edit mode, only picked up vertices can be placed and only vertices can be picked up.  break;  }  }  }   private async void MyMapView_GeoViewTapped(object sender, Esri.ArcGISRuntime.Maui.GeoViewInputEventArgs e)  {  try  {  // If the geometry editor is started, identify the geometry editor result at the tapped position.  if (_geometryEditor.IsStarted)  {  // Identify the geometry editor result at the tapped position.  IdentifyGeometryEditorResult result = await MyMapView.IdentifyGeometryEditorAsync(e.Position, 10);   if (result != null && result.Elements.Count > 0)  {  // Get the first element from the result.  GeometryEditorElement element = result.Elements.FirstOrDefault();   // If the element is a vertex or mid-vertex, set the viewpoint to its position and select it.  if (element is GeometryEditorVertex vertex)  {  await MyMapView.SetViewpointAsync(new Viewpoint(new MapPoint(vertex.Point.X, vertex.Point.Y, vertex.Point.SpatialReference)), TimeSpan.FromSeconds(0.3));  _geometryEditor.SelectVertex(vertex.PartIndex, vertex.VertexIndex);  }  else if (element is GeometryEditorMidVertex midVertex && _allowVertexCreation)  {  await MyMapView.SetViewpointAsync(new Viewpoint(new MapPoint(midVertex.Point.X, midVertex.Point.Y, midVertex.Point.SpatialReference)), TimeSpan.FromSeconds(0.3));  _geometryEditor.SelectMidVertex(midVertex.PartIndex, midVertex.SegmentIndex);  }  }   return;  }   // Identify graphics in the graphics overlay using the tapped position.  IReadOnlyList<IdentifyGraphicsOverlayResult> results = await MyMapView.IdentifyGraphicsOverlaysAsync(e.Position, 10, false);   // Try to get the first graphic from the first result.  _selectedGraphic = results.FirstOrDefault()?.Graphics?.FirstOrDefault();  }  catch (Exception ex)  {  // Report exceptions.  await Application.Current.Windows[0].Page.DisplayAlert("Error editing", ex.Message, "OK");   ResetFromEditingSession();  return;  }   // Return since no graphic was selected.  if (_selectedGraphic == null) return;   _selectedGraphic.IsSelected = true;   // Hide the selected graphic and start an editing session with a copy of it.  _geometryEditor.Start(_selectedGraphic.Geometry);   // Set the button text to indicate that the editor is active.  SetButtonText();   // If vertex creation is allowed, set the viewpoint to the center of the selected graphic's geometry.  // Otherwise, set the viewpoint to the end point of the first part of the geometry.  if (_allowVertexCreation)  {  await MyMapView.SetViewpointAsync(new Viewpoint(_selectedGraphic.Geometry.Extent.GetCenter(), MyMapView.GetCurrentViewpoint(ViewpointType.CenterAndScale).TargetScale), TimeSpan.FromSeconds(0.3));  }  else  {  switch (_selectedGraphic.Geometry)  {  case Polygon polygon:  await MyMapView.SetViewpointAsync(new Viewpoint(polygon.Parts[0].EndPoint, MyMapView.GetCurrentViewpoint(ViewpointType.CenterAndScale).TargetScale), TimeSpan.FromSeconds(0.3));  break;  case Polyline polyline:  await MyMapView.SetViewpointAsync(new Viewpoint(polyline.Parts[0].EndPoint, MyMapView.GetCurrentViewpoint(ViewpointType.CenterAndScale).TargetScale), TimeSpan.FromSeconds(0.3));  break;  case Multipoint multiPoint:  await MyMapView.SetViewpointAsync(new Viewpoint(multiPoint.Points.Last(), MyMapView.GetCurrentViewpoint(ViewpointType.CenterAndScale).TargetScale), TimeSpan.FromSeconds(0.3));  break;  case MapPoint point:  await MyMapView.SetViewpointAsync(new Viewpoint(point, MyMapView.GetCurrentViewpoint(ViewpointType.CenterAndScale).TargetScale), TimeSpan.FromSeconds(0.3));  break;  }  }   // Hide the selected graphic while editing.  _selectedGraphic.IsVisible = false;  }   private void SaveButton_Click(object sender, EventArgs e)  {  // Stop the geometry editor and get the resulting geometry.  Geometry geometry = _geometryEditor.Stop();   if (geometry != null)  {  if (_selectedGraphic != null)  {  // Update the geometry of the graphic being edited and make it visible again.  _selectedGraphic.Geometry = geometry;  }  else  {  // Create a new graphic based on the geometry and add it to the graphics overlay.  _graphicsOverlay.Graphics.Add(new Graphic(geometry, GetSymbol(geometry.GeometryType)));  }  }   ResetFromEditingSession();  }   // Stop the geometry editor without saving the geometry stored within.  private void DiscardButton_Click(object sender, EventArgs e)  {  // Stop the geometry editor and discard the geometry.  _geometryEditor.Stop();  ResetFromEditingSession();  }   // Undo the last change made to the geometry while editing is active.  private void UndoButton_Click(object sender, EventArgs e)  {  if (_geometryEditor.PickedUpElement != null)  {  _geometryEditor.CancelCurrentAction();  }  else  {  _geometryEditor.Undo();  }  }   // Redo the last change made to the geometry while editing is active.  private void RedoButton_Click(object sender, EventArgs e)  {  _geometryEditor.Redo();  }   private void AllowVertexCreationSwitch_Toggled(object sender, ToggledEventArgs e)  {  // Update the programmatic reticle tool and geometry editor settings based on the switch state.  _programmaticReticleTool.VertexCreationPreviewEnabled = _programmaticReticleTool.Style.GrowEffect.ApplyToMidVertices = _allowVertexCreation = e.Value;   // If the geometry editor is started, update the button text to reflect the new state.  if (_geometryEditor.IsStarted)  {  SetButtonText();  }  }   private void SettingsButton_Clicked(object sender, EventArgs e)  {  SettingsPopup.IsVisible = true;  }   private void ClosePopupButton_Clicked(object sender, EventArgs e)  {  SettingsPopup.IsVisible = false;  }   // Delete the currently selected element of the geometry editor.  private void DeleteSelectedButton_Click(object sender, EventArgs e)  {  _geometryEditor.DeleteSelectedElement();  }  #endregion  }   public enum ReticleState  {  Default,  PickedUp,  HoveringVertex,  HoveringMidVertex,  } }

Your browser is no longer supported. Please upgrade your browser for the best experience. See our browser deprecation post for more details.