KiCad PCB EDA Suite
Loading...
Searching...
No Matches
sch_move_tool.cpp
Go to the documentation of this file.
1/*
2 * This program source code file is part of KiCad, a free EDA CAD application.
3 *
4 * Copyright (C) 2019 CERN
5 * Copyright The KiCad Developers, see AUTHORS.txt for contributors.
6 *
7 * This program is free software; you can redistribute it and/or
8 * modify it under the terms of the GNU General Public License
9 * as published by the Free Software Foundation; either version 2
10 * of the License, or (at your option) any later version.
11 *
12 * This program is distributed in the hope that it will be useful,
13 * but WITHOUT ANY WARRANTY; without even the implied warranty of
14 * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
15 * GNU General Public License for more details.
16 *
17 * You should have received a copy of the GNU General Public License
18 * along with this program; if not, you may find one here:
19 * http://www.gnu.org/licenses/old-licenses/gpl-2.0.html
20 * or you may search the http://www.gnu.org website for the version 2 license,
21 * or you may write to the Free Software Foundation, Inc.,
22 * 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA
23 */
24
25#include <algorithm>
26#include <cmath>
27#include <memory>
28#include <optional>
29#include <set>
30#include <wx/log.h>
31#include <trigo.h>
33#include <tool/tool_manager.h>
38#include <tools/sch_move_tool.h>
39
40#include <sch_actions.h>
41#include <sch_commit.h>
42#include <eda_item.h>
43#include <sch_group.h>
44#include <sch_item.h>
45#include <sch_symbol.h>
46#include <sch_sheet.h>
47#include <sch_sheet_pin.h>
48#include <sch_line.h>
49#include <sch_connection.h>
50#include <sch_junction.h>
51#include <junction_helpers.h>
52#include <sch_edit_frame.h>
53#include <widgets/wx_infobar.h>
54#include <eeschema_id.h>
55#include <pgm_base.h>
56#include <view/view_controls.h>
58#include <math/box2.h>
59#include <base_units.h>
60#include <sch_screen.h>
61#include <sch_item_alignment.h>
62#include <trace_helpers.h>
63
64
65// For adding to or removing from selections
66#define QUIET_MODE true
67
68
69static bool isGraphicItemForDrop( const SCH_ITEM* aItem )
70{
71 switch( aItem->Type() )
72 {
73 case SCH_SHAPE_T:
74 case SCH_BITMAP_T:
75 case SCH_TEXT_T:
76 case SCH_TEXTBOX_T:
77 return true;
78 case SCH_LINE_T:
79 return static_cast<const SCH_LINE*>( aItem )->IsGraphicLine();
80 default:
81 return false;
82 }
83}
84
85
86static void cloneWireConnection( SCH_LINE* aNewLine, SCH_ITEM* aSource, SCH_EDIT_FRAME* aFrame )
87{
88 if( !aNewLine || !aSource || !aFrame )
89 return;
90
91 SCH_LINE* sourceLine = dynamic_cast<SCH_LINE*>( aSource );
92
93 if( !sourceLine )
94 return;
95
96 SCH_SHEET_PATH sheetPath = aFrame->GetCurrentSheet();
97 SCH_CONNECTION* sourceConnection = sourceLine->Connection( &sheetPath );
98
99 if( !sourceConnection )
100 return;
101
102 SCH_CONNECTION* newConnection = aNewLine->InitializeConnection( sheetPath, nullptr );
103
104 if( !newConnection )
105 return;
106
107 newConnection->Clone( *sourceConnection );
108}
109
110
112 SCH_TOOL_BASE<SCH_EDIT_FRAME>( "eeschema.InteractiveMove" ),
113 m_inMoveTool( false ),
114 m_moveInProgress( false ),
115 m_mode( MOVE ),
116 m_moveOffset( 0, 0 )
117{
118}
119
120
122{
124
125 auto moveCondition =
126 []( const SELECTION& aSel )
127 {
128 if( aSel.Empty() || SELECTION_CONDITIONS::OnlyTypes( { SCH_MARKER_T } )( aSel ) )
129 return false;
130
132 return false;
133
134 return true;
135 };
136
137 // Add move actions to the selection tool menu
138 //
139 CONDITIONAL_MENU& selToolMenu = m_selectionTool->GetToolMenu().GetMenu();
140
141 selToolMenu.AddItem( SCH_ACTIONS::move, moveCondition, 150 );
142 selToolMenu.AddItem( SCH_ACTIONS::drag, moveCondition, 150 );
143 selToolMenu.AddItem( SCH_ACTIONS::alignToGrid, moveCondition, 150 );
144
145 return true;
146}
147
148
150{
151 SCH_TOOL_BASE::Reset( aReason );
152
153 if( aReason == MODEL_RELOAD || aReason == SUPERMODEL_RELOAD )
154 {
155 // If we were in the middle of a move/drag operation and the model changes (e.g., sheet
156 // switch), we need to clean up our state to avoid blocking future move/drag operations
157 if( m_moveInProgress )
158 {
159 // Clear the move state
160 m_moveInProgress = false;
161 m_mode = MOVE;
162 m_moveOffset = VECTOR2I( 0, 0 );
163 m_anchorPos.reset();
164 m_breakPos.reset();
165
166 // Clear cached data that references items from the previous sheet
167 m_dragAdditions.clear();
168 m_lineConnectionCache.clear();
169 m_newDragLines.clear();
170 m_changedDragLines.clear();
171 m_specialCaseLabels.clear();
173 m_hiddenJunctions.clear();
174
175 // Clear any preview
176 if( m_view )
177 m_view->ClearPreview();
178 }
179 }
180}
181
182
183void SCH_MOVE_TOOL::orthoLineDrag( SCH_COMMIT* aCommit, SCH_LINE* line, const VECTOR2I& splitDelta,
184 int& xBendCount, int& yBendCount, const EE_GRID_HELPER& grid )
185{
186 // If the move is not the same angle as this move, then we need to do something special with
187 // the unselected end to maintain orthogonality. Either drag some connected line that is the
188 // same angle as the move or add two lines to make a 90 degree connection
189 if( !EDA_ANGLE( splitDelta ).IsParallelTo( line->Angle() ) || line->GetLength() == 0 )
190 {
191 VECTOR2I unselectedEnd = line->HasFlag( STARTPOINT ) ? line->GetEndPoint()
192 : line->GetStartPoint();
193 VECTOR2I selectedEnd = line->HasFlag( STARTPOINT ) ? line->GetStartPoint()
194 : line->GetEndPoint();
195
196 // Look for pre-existing lines we can drag with us instead of creating new ones
197 bool foundAttachment = false;
198 bool foundJunction = false;
199 bool foundPin = false;
200 SCH_LINE* foundLine = nullptr;
201
202 for( EDA_ITEM* cItem : m_lineConnectionCache[line] )
203 {
204 foundAttachment = true;
205
206 // If the move is the same angle as a connected line, we can shrink/extend that line
207 // endpoint
208 switch( cItem->Type() )
209 {
210 case SCH_LINE_T:
211 {
212 SCH_LINE* cLine = static_cast<SCH_LINE*>( cItem );
213
214 // A matching angle on a non-zero-length line means lengthen/shorten will work
215 if( EDA_ANGLE( splitDelta ).IsParallelTo( cLine->Angle() )
216 && cLine->GetLength() != 0 )
217 {
218 foundLine = cLine;
219 }
220
221 // Zero length lines are lines that this algorithm has shortened to 0 so they also
222 // work but we should prefer using a segment with length and angle matching when
223 // we can (otherwise the zero length line will draw overlapping segments on them)
224 if( !foundLine && cLine->GetLength() == 0 )
225 foundLine = cLine;
226
227 break;
228 }
229 case SCH_JUNCTION_T:
230 foundJunction = true;
231 break;
232
233 case SCH_PIN_T:
234 foundPin = true;
235 break;
236
237 case SCH_SHEET_T:
238 for( const auto& pair : m_specialCaseSheetPins )
239 {
240 if( pair.first->IsConnected( selectedEnd ) )
241 {
242 foundPin = true;
243 break;
244 }
245 }
246
247 break;
248
249 default:
250 break;
251 }
252 }
253
254 // Ok... what if our original line is length zero from moving in its direction, and the
255 // last added segment of the 90 bend we are connected to is zero from moving it in its
256 // direction after it was added?
257 //
258 // If we are moving in original direction, we should lengthen the original drag wire.
259 // Otherwise we should lengthen the new wire.
260 bool preferOriginalLine = false;
261
262 if( foundLine
263 && foundLine->GetLength() == 0
264 && line->GetLength() == 0
265 && EDA_ANGLE( splitDelta ).IsParallelTo( line->GetStoredAngle() ) )
266 {
267 preferOriginalLine = true;
268 }
269 // If we have found an attachment, but not a line, we want to check if it's a junction.
270 // These are special-cased and get a single line added instead of a 90-degree bend. Except
271 // when we're on a pin, because pins always need bends, and junctions are just added to
272 // pins for visual clarity.
273 else if( !foundLine && foundJunction && !foundPin )
274 {
275 // Create a new wire ending at the unselected end
276 foundLine = new SCH_LINE( unselectedEnd, line->GetLayer() );
277 foundLine->SetFlags( IS_NEW );
278 foundLine->SetLastResolvedState( line );
279 cloneWireConnection( foundLine, line, m_frame );
280 m_frame->AddToScreen( foundLine, m_frame->GetScreen() );
281 m_newDragLines.insert( foundLine );
282
283 // We just broke off of the existing items, so replace all of them with our new
284 // end connection.
286 m_lineConnectionCache[line].clear();
287 m_lineConnectionCache[line].emplace_back( foundLine );
288 }
289
290 // We want to drag our found line if it's in the same angle as the move or zero length,
291 // but if the original drag line is also zero and the same original angle we should extend
292 // that one first
293 if( foundLine && !preferOriginalLine )
294 {
295 // Move the connected line found oriented in the direction of our move.
296 //
297 // Make sure we grab the right endpoint, it's not always STARTPOINT since the user can
298 // draw a box of lines. We need to only move one though, and preferably the start point,
299 // in case we have a zero length line that we are extending (we want the foundLine
300 // start point to be attached to the unselected end of our drag line).
301 //
302 // Also, new lines are added already so they'll be in the undo list, skip adding them.
303
304 if( !foundLine->HasFlag( IS_CHANGED ) && !foundLine->HasFlag( IS_NEW ) )
305 {
306 aCommit->Modify( (SCH_ITEM*) foundLine, m_frame->GetScreen() );
307
308 if( !foundLine->IsSelected() )
309 m_changedDragLines.insert( foundLine );
310 }
311
312 if( foundLine->GetStartPoint() == unselectedEnd )
313 foundLine->MoveStart( splitDelta );
314 else if( foundLine->GetEndPoint() == unselectedEnd )
315 foundLine->MoveEnd( splitDelta );
316
317 updateItem( foundLine, true );
318
319 SCH_LINE* bendLine = nullptr;
320
321 if( m_lineConnectionCache.count( foundLine ) == 1
322 && m_lineConnectionCache[foundLine][0]->Type() == SCH_LINE_T )
323 {
324 bendLine = static_cast<SCH_LINE*>( m_lineConnectionCache[foundLine][0] );
325 }
326
327 // Remerge segments we've created if this is a segment that we've added whose only
328 // other connection is also an added segment
329 //
330 // bendLine is first added segment at the original attachment point, foundLine is the
331 // orthogonal line between bendLine and this line
332 if( foundLine->HasFlag( IS_NEW )
333 && foundLine->GetLength() == 0
334 && bendLine && bendLine->HasFlag( IS_NEW ) )
335 {
336 if( line->HasFlag( STARTPOINT ) )
337 line->SetEndPoint( bendLine->GetEndPoint() );
338 else
339 line->SetStartPoint( bendLine->GetEndPoint() );
340
341 // Update our cache of the connected items.
342
343 // Re-attach drag labels from lines being deleted to the surviving line.
344 // This prevents dangling pointers when bendLine/foundLine are deleted below.
345 for( auto& [label, info] : m_specialCaseLabels )
346 {
347 if( info.attachedLine == bendLine || info.attachedLine == foundLine )
348 info.attachedLine = line;
349 }
350
352 m_lineConnectionCache[bendLine].clear();
353 m_lineConnectionCache[foundLine].clear();
354
355 m_frame->RemoveFromScreen( bendLine, m_frame->GetScreen() );
356 m_frame->RemoveFromScreen( foundLine, m_frame->GetScreen() );
357
358 m_newDragLines.erase( bendLine );
359 m_newDragLines.erase( foundLine );
360
361 delete bendLine;
362 delete foundLine;
363 }
364 //Ok, move the unselected end of our item
365 else
366 {
367 if( line->HasFlag( STARTPOINT ) )
368 line->MoveEnd( splitDelta );
369 else
370 line->MoveStart( splitDelta );
371 }
372
373 updateItem( line, true );
374 }
375 else if( line->GetLength() == 0 )
376 {
377 // We didn't find another line to shorten/lengthen, (or we did but it's also zero)
378 // so now is a good time to use our existing zero-length original line
379 }
380 // Either no line was at the "right" angle, or this was a junction, pin, sheet, etc. We
381 // need to add segments to keep the soon-to-move unselected end connected to these items.
382 //
383 // To keep our drag selections all the same, we'll move our unselected end point and then
384 // put wires between it and its original endpoint.
385 else if( foundAttachment && line->IsOrthogonal() )
386 {
387 VECTOR2D lineGrid = grid.GetGridSize( grid.GetItemGrid( line ) );
388
389 // The bend counter handles a group of wires all needing their offset one grid movement
390 // further out from each other to not overlap. The absolute value stuff finds the
391 // direction of the line and hence the the bend increment on that axis
392 unsigned int xMoveBit = splitDelta.x != 0;
393 unsigned int yMoveBit = splitDelta.y != 0;
394 int xLength = abs( unselectedEnd.x - selectedEnd.x );
395 int yLength = abs( unselectedEnd.y - selectedEnd.y );
396 int xMove = ( xLength - ( xBendCount * lineGrid.x ) )
397 * sign( selectedEnd.x - unselectedEnd.x );
398 int yMove = ( yLength - ( yBendCount * lineGrid.y ) )
399 * sign( selectedEnd.y - unselectedEnd.y );
400
401 // Create a new wire ending at the unselected end, we'll move the new wire's start
402 // point to the unselected end
403 SCH_LINE* a = new SCH_LINE( unselectedEnd, line->GetLayer() );
404 a->MoveStart( VECTOR2I( xMove, yMove ) );
405 a->SetFlags( IS_NEW );
406 a->SetConnectivityDirty( true );
407 a->SetLastResolvedState( line );
408 cloneWireConnection( a, line, m_frame );
409 m_frame->AddToScreen( a, m_frame->GetScreen() );
410 m_newDragLines.insert( a );
411
412 SCH_LINE* b = new SCH_LINE( a->GetStartPoint(), line->GetLayer() );
413 b->MoveStart( VECTOR2I( splitDelta.x, splitDelta.y ) );
414 b->SetFlags( IS_NEW | STARTPOINT );
415 b->SetConnectivityDirty( true );
416 b->SetLastResolvedState( line );
417 cloneWireConnection( b, line, m_frame );
418 m_frame->AddToScreen( b, m_frame->GetScreen() );
419 m_newDragLines.insert( b );
420
421 xBendCount += yMoveBit;
422 yBendCount += xMoveBit;
423
424 // Ok move the unselected end of our item
425 if( line->HasFlag( STARTPOINT ) )
426 {
427 line->MoveEnd( VECTOR2I( splitDelta.x ? splitDelta.x : xMove,
428 splitDelta.y ? splitDelta.y : yMove ) );
429 }
430 else
431 {
432 line->MoveStart( VECTOR2I( splitDelta.x ? splitDelta.x : xMove,
433 splitDelta.y ? splitDelta.y : yMove ) );
434 }
435
436 // Update our cache of the connected items. First, attach our drag labels to the line
437 // left behind.
438 for( EDA_ITEM* candidate : m_lineConnectionCache[line] )
439 {
440 SCH_LABEL_BASE* label = dynamic_cast<SCH_LABEL_BASE*>( candidate );
441
442 if( label && m_specialCaseLabels.count( label ) )
443 m_specialCaseLabels[label].attachedLine = a;
444 }
445
446 // We just broke off of the existing items, so replace all of them with our new end
447 // connection.
449 m_lineConnectionCache[b].emplace_back( a );
450 m_lineConnectionCache[line].clear();
451 m_lineConnectionCache[line].emplace_back( b );
452 }
453 // Original line has no attachments, just move the unselected end
454 else if( !foundAttachment )
455 {
456 if( line->HasFlag( STARTPOINT ) )
457 line->MoveEnd( splitDelta );
458 else
459 line->MoveStart( splitDelta );
460 }
461 }
462}
463
464
465int SCH_MOVE_TOOL::Main( const TOOL_EVENT& aEvent )
466{
467 if( aEvent.IsAction( &SCH_ACTIONS::drag ) )
468 m_mode = DRAG;
469 else if( aEvent.IsAction( &SCH_ACTIONS::breakWire ) )
470 m_mode = BREAK;
471 else if( aEvent.IsAction( &SCH_ACTIONS::slice ) )
472 m_mode = SLICE;
473 else
474 m_mode = MOVE;
475
476 if( SCH_COMMIT* commit = dynamic_cast<SCH_COMMIT*>( aEvent.Commit() ) )
477 {
478 wxCHECK( aEvent.SynchronousState(), 0 );
479 aEvent.SynchronousState()->store( STS_RUNNING );
480
481 if( doMoveSelection( aEvent, commit ) )
482 aEvent.SynchronousState()->store( STS_FINISHED );
483 else
484 aEvent.SynchronousState()->store( STS_CANCELLED );
485 }
486 else
487 {
488 SCH_COMMIT localCommit( m_toolMgr );
489
490 if( doMoveSelection( aEvent, &localCommit ) )
491 {
492 switch( m_mode )
493 {
494 case MOVE: localCommit.Push( _( "Move" ) ); break;
495 case DRAG: localCommit.Push( _( "Drag" ) ); break;
496 case BREAK: localCommit.Push( _( "Break Wire" ) ); break;
497 case SLICE: localCommit.Push( _( "Slice Wire" ) ); break;
498 }
499 }
500 else
501 {
502 localCommit.Revert();
503 }
504 }
505
506 return 0;
507}
508
509
511{
512 if( m_mode != BREAK && m_mode != SLICE )
513 return;
514
515 if( !aCommit )
516 return;
517
519
520 if( !lwbTool )
521 return;
522
523 SCH_SELECTION& selection = m_selectionTool->GetSelection();
524
525 if( selection.Empty() )
526 return;
527
528 std::vector<SCH_LINE*> lines;
529
530 for( EDA_ITEM* item : selection )
531 {
532 if( item->Type() == SCH_LINE_T )
533 {
534 // This function gets called every time segments are broken, which can also be for subsequent
535 // breaks in a loop without leaving the current move tool.
536 // Skip already placed segments (segment keeps IS_BROKEN but will have IS_NEW cleared below)
537 // so that only the actively placed tail segment gets split again.
538 if( item->HasFlag( IS_BROKEN ) && !item->HasFlag( IS_NEW ) )
539 continue;
540
541 lines.push_back( static_cast<SCH_LINE*>( item ) );
542 }
543 }
544
545 if( lines.empty() )
546 return;
547
549 SCH_SCREEN* screen = m_frame->GetScreen();
550 VECTOR2I cursorPos = controls->GetCursorPosition( !aEvent.DisableGridSnapping() );
551
552 bool useCursorForSingleLine = false;
553
554 if( lines.size() == 1 )
555 useCursorForSingleLine = true;
556
557 m_selectionTool->ClearSelection();
558 m_breakPos.reset();
559
560 for( SCH_LINE* line : lines )
561 {
562 VECTOR2I breakPos = useCursorForSingleLine ? cursorPos : line->GetMidPoint();
563
564 if( m_mode == BREAK && !m_breakPos )
565 m_breakPos = breakPos;
566
567 SCH_LINE* newLine = nullptr;
568
569 lwbTool->BreakSegment( aCommit, line, breakPos, &newLine, screen );
570
571 if( !newLine )
572 continue;
573
574 // If this is a second+ round break, we need to get rid of the IS_NEW flag since the new segment
575 // is now an existing segment we are breaking from, this will be checked for in the line selection
576 // gathering above
577 line->ClearFlags( STARTPOINT | IS_NEW );
578 line->SetFlags( ENDPOINT );
579 m_selectionTool->AddItemToSel( line );
580
581 newLine->ClearFlags( ENDPOINT | STARTPOINT );
582
583 if( m_mode == BREAK )
584 {
585 m_selectionTool->AddItemToSel( newLine );
586 newLine->SetFlags( STARTPOINT );
587 }
588 }
589}
590
591
593{
596 bool currentModeIsDragLike = ( m_mode != MOVE );
597 bool wasDragging = m_moveInProgress && currentModeIsDragLike;
598 bool didAtLeastOneBreak = false;
599
600 m_anchorPos.reset();
601
602 // Check if already in progress and handle state transitions
603 if( checkMoveInProgress( aEvent, aCommit, currentModeIsDragLike, wasDragging ) )
604 return false;
605
606 if( m_inMoveTool ) // Must come after m_moveInProgress checks above...
607 return false;
608
610
611 preprocessBreakOrSliceSelection( aCommit, aEvent );
612
613 // Prepare selection (promote pins to symbols, request selection)
614 bool unselect = false;
615 SCH_SELECTION& selection = prepareSelection( unselect );
616
617 // Keep an original copy of the starting points for cleanup after the move
618 std::vector<DANGLING_END_ITEM> internalPoints;
619
620 // Track selection characteristics
621 bool selectionHasSheetPins = false;
622 bool selectionHasGraphicItems = false;
623 bool selectionHasNonGraphicItems = false;
624 bool selectionIsGraphicsOnly = false;
625
626 std::unique_ptr<SCH_DRAG_NET_COLLISION_MONITOR> netCollisionMonitor;
627
628 auto refreshTraits =
629 [&]()
630 {
631 refreshSelectionTraits( selection, selectionHasSheetPins, selectionHasGraphicItems,
632 selectionHasNonGraphicItems, selectionIsGraphicsOnly );
633 };
634
635 refreshTraits();
636
637 if( !selection.Empty() )
638
639 {
640 netCollisionMonitor = std::make_unique<SCH_DRAG_NET_COLLISION_MONITOR>( m_frame, m_view );
641 netCollisionMonitor->Initialize( selection );
642 }
643
644 bool lastCtrlDown = false;
645
646 Activate();
647
648 // Must be done after Activate() so that it gets set into the correct context
649 controls->ShowCursor( true );
650
651 m_frame->PushTool( aEvent );
652
653 if( selection.Empty() )
654 {
655 // Note that it's important to go through push/pop even when the selection is empty.
656 // This keeps other tools from having to special-case an empty move.
657 m_frame->PopTool( aEvent );
658 return false;
659 }
660
661 bool restore_state = false;
662 TOOL_EVENT copy = aEvent;
663 TOOL_EVENT* evt = &copy;
664 VECTOR2I prevPos = controls->GetCursorPosition();
666 SCH_SHEET* hoverSheet = nullptr;
667 KICURSOR currentCursor = KICURSOR::MOVING;
668 m_cursor = controls->GetCursorPosition();
669
670 // Axis locking for arrow key movement
671 enum class AXIS_LOCK { NONE, HORIZONTAL, VERTICAL };
672 AXIS_LOCK axisLock = AXIS_LOCK::NONE;
673 long lastArrowKeyAction = 0;
674
675 // Main loop: keep receiving events
676 do
677 {
678 wxLogTrace( traceSchMove, "doMoveSelection: event loop iteration, evt=%s, action=%s",
679 evt->Category() == TC_MOUSE ? "MOUSE" :
680 evt->Category() == TC_KEYBOARD ? "KEYBOARD" :
681 evt->Category() == TC_COMMAND ? "COMMAND" : "OTHER",
682 evt->Format().c_str() );
683
684 m_frame->GetCanvas()->SetCurrentCursor( currentCursor );
685 grid.SetSnap( !evt->Modifier( MD_SHIFT ) );
686 grid.SetUseGrid( getView()->GetGAL()->GetGridSnapping() && !evt->DisableGridSnapping() );
687
688 bool ctrlDown = evt->Modifier( MD_CTRL );
689 lastCtrlDown = ctrlDown;
690
692 || evt->IsAction( &SCH_ACTIONS::move )
693 || evt->IsAction( &SCH_ACTIONS::drag )
694 || evt->IsMotion()
695 || evt->IsDrag( BUT_LEFT )
697 {
698 refreshTraits();
699
700 if( !m_moveInProgress ) // Prepare to start moving/dragging
701 {
702 initializeMoveOperation( aEvent, selection, aCommit, internalPoints, snapLayer );
703 prevPos = m_cursor;
704 refreshTraits();
705 }
706
707 //------------------------------------------------------------------------
708 // Follow the mouse
709 //
710 m_view->ClearPreview();
711
712 // We need to bypass refreshPreview action here because it is triggered by the move, so we were
713 // getting double-key events that toggled the axis locking if you pressed them in a certain order.
715 {
716 VECTOR2I keyboardPos( controls->GetSettings().m_lastKeyboardCursorPosition );
717 long action = controls->GetSettings().m_lastKeyboardCursorCommand;
718
719 grid.SetSnap( false );
720 m_cursor = grid.Align( keyboardPos, snapLayer );
721
722 // Update axis lock based on arrow key press
723 if( action == ACTIONS::CURSOR_LEFT || action == ACTIONS::CURSOR_RIGHT )
724 {
725 if( axisLock == AXIS_LOCK::HORIZONTAL )
726 {
727 // Check if opposite horizontal key pressed to unlock
728 if( ( lastArrowKeyAction == ACTIONS::CURSOR_LEFT && action == ACTIONS::CURSOR_RIGHT ) ||
729 ( lastArrowKeyAction == ACTIONS::CURSOR_RIGHT && action == ACTIONS::CURSOR_LEFT ) )
730 {
731 axisLock = AXIS_LOCK::NONE;
732 }
733 // Same direction axis, keep locked
734 }
735 else
736 {
737 axisLock = AXIS_LOCK::HORIZONTAL;
738 }
739 }
740 else if( action == ACTIONS::CURSOR_UP || action == ACTIONS::CURSOR_DOWN )
741 {
742 if( axisLock == AXIS_LOCK::VERTICAL )
743 {
744 // Check if opposite vertical key pressed to unlock
745 if( ( lastArrowKeyAction == ACTIONS::CURSOR_UP && action == ACTIONS::CURSOR_DOWN ) ||
746 ( lastArrowKeyAction == ACTIONS::CURSOR_DOWN && action == ACTIONS::CURSOR_UP ) )
747 {
748 axisLock = AXIS_LOCK::NONE;
749 }
750 // Same direction axis, keep locked
751 }
752 else
753 {
754 axisLock = AXIS_LOCK::VERTICAL;
755 }
756 }
757
758 lastArrowKeyAction = action;
759 }
760 else
761 {
762 m_cursor = grid.BestSnapAnchor( controls->GetCursorPosition( false ), snapLayer, selection );
763 }
764
765 if( axisLock == AXIS_LOCK::HORIZONTAL )
766 m_cursor.y = prevPos.y;
767 else if( axisLock == AXIS_LOCK::VERTICAL )
768 m_cursor.x = prevPos.x;
769
770 // Find potential target sheet for dropping
771 SCH_SHEET* sheet = findTargetSheet( selection, m_cursor, selectionHasSheetPins,
772 selectionIsGraphicsOnly, ctrlDown );
773
774 if( sheet != hoverSheet )
775 {
776 hoverSheet = sheet;
777
778 if( hoverSheet )
779 {
780 hoverSheet->SetFlags( BRIGHTENED );
781 m_frame->UpdateItem( hoverSheet, false );
782 }
783 }
784
785 currentCursor = hoverSheet ? KICURSOR::PLACE : KICURSOR::MOVING;
786
787 if( netCollisionMonitor )
788 currentCursor = netCollisionMonitor->AdjustCursor( currentCursor );
789
790 VECTOR2I delta( m_cursor - prevPos );
792
793 // Used for tracking how far off a drag end should have its 90 degree elbow added
794 int xBendCount = 1;
795 int yBendCount = 1;
796
797 performItemMove( selection, delta, aCommit, xBendCount, yBendCount, grid );
798 prevPos = m_cursor;
799
800 std::vector<SCH_ITEM*> previewItems;
801
802 for( EDA_ITEM* it : selection )
803 previewItems.push_back( static_cast<SCH_ITEM*>( it ) );
804
805 for( SCH_LINE* line : m_newDragLines )
806 previewItems.push_back( line );
807
808 for( SCH_LINE* line : m_changedDragLines )
809 previewItems.push_back( line );
810
811 std::vector<SCH_JUNCTION*> previewJunctions =
812 JUNCTION_HELPERS::PreviewJunctions( m_frame->GetScreen(), previewItems );
813
814 if( netCollisionMonitor )
815 netCollisionMonitor->Update( previewJunctions, selection );
816
817 for( SCH_JUNCTION* jct : previewJunctions )
818 m_view->AddToPreview( jct, true );
819
821 }
822
823 //------------------------------------------------------------------------
824 // Handle cancel
825 //
826 else if( evt->IsCancelInteractive()
827 || evt->IsActivate()
828 || evt->IsAction( &ACTIONS::undo ) )
829 {
830 if( evt->IsCancelInteractive() )
831 {
832 m_frame->GetInfoBar()->Dismiss();
833
834 // When breaking, the user can cancel after multiple breaks to keep all but the last
835 // break, so exit normally if we have done at least one break
836 if( didAtLeastOneBreak && m_mode == BREAK )
837 break;
838 }
839
840 if( m_moveInProgress )
841 {
842 if( evt->IsActivate() )
843 {
844 // Allowing other tools to activate during a move runs the risk of race
845 // conditions in which we try to spool up both event loops at once.
846
847 switch( m_mode )
848 {
849 case MOVE: m_frame->ShowInfoBarMsg( _( "Press <ESC> to cancel move." ) ); break;
850 case DRAG: m_frame->ShowInfoBarMsg( _( "Press <ESC> to cancel drag." ) ); break;
851 case BREAK: m_frame->ShowInfoBarMsg( _( "Press <ESC> to cancel break." ) ); break;
852 case SLICE: m_frame->ShowInfoBarMsg( _( "Press <ESC> to cancel slice." ) ); break;
853 }
854
855 evt->SetPassEvent( false );
856 continue;
857 }
858
859 evt->SetPassEvent( false );
860 restore_state = true;
861 }
862
864
865 m_view->ClearPreview();
866
867 break;
868 }
869 //------------------------------------------------------------------------
870 // Handle TOOL_ACTION special cases
871 //
872 else if( !handleMoveToolActions( evt, aCommit, selection ) )
873 {
874 wxLogTrace( traceSchMove, "doMoveSelection: handleMoveToolActions returned false, exiting" );
875 break; // Exit if told to by handler
876 }
877 //------------------------------------------------------------------------
878 // Handle context menu
879 //
880 else if( evt->IsClick( BUT_RIGHT ) )
881 {
882 m_menu->ShowContextMenu( m_selectionTool->GetSelection() );
883 }
884 //------------------------------------------------------------------------
885 // Handle drop
886 //
887 else if( evt->IsMouseUp( BUT_LEFT ) || evt->IsClick( BUT_LEFT ) )
888 {
889 if( m_mode != BREAK )
890 break; // Finish
891 else
892 {
893 didAtLeastOneBreak = true;
894 preprocessBreakOrSliceSelection( aCommit, *evt );
895 selection = m_selectionTool->RequestSelection( SCH_COLLECTOR::MovableItems, true );
896
897 if( m_breakPos )
898 {
901 selection.SetReferencePoint( m_cursor );
902 m_moveOffset = VECTOR2I( 0, 0 );
903 m_breakPos.reset();
904
905 controls->SetCursorPosition( m_cursor, false );
906 prevPos = m_cursor;
907 }
908 }
909 }
910 else if( evt->IsDblClick( BUT_LEFT ) )
911 {
912 // Double click always finishes, even breaks
913 break;
914 }
915 // Don't call SetPassEvent() for events we've handled - let them be consumed
916 else if( evt->IsAction( &SCH_ACTIONS::rotateCW )
918 || evt->IsAction( &ACTIONS::increment )
923 || evt->IsAction( &SCH_ACTIONS::toText )
927 || evt->IsAction( &ACTIONS::duplicate )
929 || evt->IsAction( &ACTIONS::redo ) )
930 {
931 // Event was already handled by handleMoveToolActions, don't pass it on
932 wxLogTrace( traceSchMove, "doMoveSelection: event handled, not passing" );
933 }
934 else
935 {
936 evt->SetPassEvent();
937 }
938
939 controls->SetAutoPan( m_moveInProgress );
940
941 } while( ( evt = Wait() ) ); //Should be assignment not equality test
942
943 SCH_SHEET* targetSheet = hoverSheet;
944
945 if( selectionHasSheetPins || ( selectionIsGraphicsOnly && !lastCtrlDown ) )
946 targetSheet = nullptr;
947
948 if( hoverSheet )
949 {
950 hoverSheet->ClearFlags( BRIGHTENED );
951 m_frame->UpdateItem( hoverSheet, false );
952 }
953
954 if( restore_state )
955 {
956 m_selectionTool->RemoveItemsFromSel( &m_dragAdditions, QUIET_MODE );
957 }
958 else
959 {
960 // Only drop into a sheet when the move is committed, not when canceled.
961 if( targetSheet )
962 {
963 moveSelectionToSheet( selection, targetSheet, aCommit );
965 m_newDragLines.clear();
966 m_changedDragLines.clear();
967 }
968
969 finalizeMoveOperation( selection, aCommit, unselect, internalPoints );
970 }
971
972 m_dragAdditions.clear();
973 m_lineConnectionCache.clear();
974 m_moveInProgress = false;
975 m_breakPos.reset();
976
977 m_hiddenJunctions.clear();
978 m_view->ClearPreview();
979 m_frame->PopTool( aEvent );
980
981 return !restore_state;
982}
983
984
985bool SCH_MOVE_TOOL::checkMoveInProgress( const TOOL_EVENT& aEvent, SCH_COMMIT* aCommit, bool aCurrentModeIsDragLike,
986 bool aWasDragging )
987{
989
990 if( !m_moveInProgress )
991 return false;
992
993 if( aCurrentModeIsDragLike != aWasDragging )
994 {
995 EDA_ITEM* sel = m_selectionTool->GetSelection().Front();
996
997 if( sel && !sel->IsNew() )
998 {
999 // Reset the selected items so we can start again with the current drag mode state
1000 aCommit->Revert();
1001
1002 m_selectionTool->RemoveItemsFromSel( &m_dragAdditions, QUIET_MODE );
1004 m_moveInProgress = false;
1005 controls->SetAutoPan( false );
1006
1007 // Give it a kick so it doesn't have to wait for the first mouse movement to refresh
1008 m_toolMgr->PostAction( SCH_ACTIONS::restartMove );
1009 }
1010 }
1011 else
1012 {
1013 // The tool hotkey is interpreted as a click when already dragging/moving
1014 m_toolMgr->PostAction( ACTIONS::cursorClick );
1015 }
1016
1017 return true;
1018}
1019
1020
1022{
1023 SCH_SELECTION& userSelection = m_selectionTool->GetSelection();
1024
1025 // If a single pin is selected, promote the move selection to its parent symbol
1026 if( userSelection.GetSize() == 1 )
1027 {
1028 EDA_ITEM* selItem = userSelection.Front();
1029
1030 if( selItem->Type() == SCH_PIN_T )
1031 {
1032 EDA_ITEM* parent = selItem->GetParent();
1033
1034 if( parent->Type() == SCH_SYMBOL_T )
1035 {
1036 m_selectionTool->ClearSelection();
1037 m_selectionTool->AddItemToSel( parent );
1038 }
1039 }
1040 }
1041
1042 // Be sure that there is at least one item that we can move. If there's no selection try
1043 // looking for the stuff under mouse cursor (i.e. KiCad old-style hover selection).
1044 SCH_SELECTION& selection = m_selectionTool->RequestSelection( SCH_COLLECTOR::MovableItems, true );
1045 aUnselect = selection.IsHover();
1046
1047 return selection;
1048}
1049
1050
1051void SCH_MOVE_TOOL::refreshSelectionTraits( const SCH_SELECTION& aSelection, bool& aHasSheetPins,
1052 bool& aHasGraphicItems, bool& aHasNonGraphicItems,
1053 bool& aIsGraphicsOnly )
1054{
1055 aHasSheetPins = false;
1056 aHasGraphicItems = false;
1057 aHasNonGraphicItems = false;
1058
1059 for( EDA_ITEM* edaItem : aSelection )
1060 {
1061 SCH_ITEM* schItem = static_cast<SCH_ITEM*>( edaItem );
1062
1063 if( schItem->Type() == SCH_SHEET_PIN_T )
1064 aHasSheetPins = true;
1065
1066 if( isGraphicItemForDrop( schItem ) )
1067 aHasGraphicItems = true;
1068 else if( schItem->Type() != SCH_SHEET_T )
1069 aHasNonGraphicItems = true;
1070 }
1071
1072 aIsGraphicsOnly = aHasGraphicItems && !aHasNonGraphicItems;
1073}
1074
1075
1077{
1078 // Drag of split items start over top of their other segment, so we want to skip grabbing
1079 // the segments we split from
1080 if( m_mode != DRAG && m_mode != BREAK )
1081 return;
1082
1083 EDA_ITEMS connectedDragItems;
1084
1085 // Add connections to the selection for a drag.
1086 // Do all non-labels/entries first so we don't add junctions to drag when the line will
1087 // eventually be drag selected.
1088 std::vector<SCH_ITEM*> stageTwo;
1089
1090 for( EDA_ITEM* edaItem : aSelection )
1091 {
1092 SCH_ITEM* item = static_cast<SCH_ITEM*>( edaItem );
1093 std::vector<VECTOR2I> connections;
1094
1095 switch( item->Type() )
1096 {
1097 case SCH_LABEL_T:
1098 case SCH_HIER_LABEL_T:
1099 case SCH_GLOBAL_LABEL_T:
1101 stageTwo.emplace_back( item );
1102 break;
1103
1104 case SCH_LINE_T:
1105 static_cast<SCH_LINE*>( item )->GetSelectedPoints( connections );
1106 break;
1107
1108 default:
1109 connections = item->GetConnectionPoints();
1110 }
1111
1112 for( const VECTOR2I& point : connections )
1113 getConnectedDragItems( aCommit, item, point, connectedDragItems );
1114 }
1115
1116 // Go back and get all label connections now that we can test for drag-selected lines
1117 // the labels might be on
1118 for( SCH_ITEM* item : stageTwo )
1119 {
1120 for( const VECTOR2I& point : item->GetConnectionPoints() )
1121 getConnectedDragItems( aCommit, item, point, connectedDragItems );
1122 }
1123
1124 for( EDA_ITEM* item : connectedDragItems )
1125 {
1126 m_dragAdditions.push_back( item->m_Uuid );
1127 m_selectionTool->AddItemToSel( item, QUIET_MODE );
1128 }
1129
1130 // Pre-cache all connections of our selected objects so we can keep track of what they
1131 // were originally connected to as we drag them around
1132 for( EDA_ITEM* edaItem : aSelection )
1133 {
1134 SCH_ITEM* schItem = static_cast<SCH_ITEM*>( edaItem );
1135
1136 if( schItem->Type() == SCH_LINE_T )
1137 {
1138 SCH_LINE* line = static_cast<SCH_LINE*>( schItem );
1139
1140 // Store the original angle of the line; needed later to decide which segment
1141 // to extend when they've become zero length
1142 line->StoreAngle();
1143
1144 for( const VECTOR2I& point : line->GetConnectionPoints() )
1145 getConnectedItems( line, point, m_lineConnectionCache[line] );
1146 }
1147 }
1148}
1149
1150
1151void SCH_MOVE_TOOL::setupItemsForMove( SCH_SELECTION& aSelection, std::vector<DANGLING_END_ITEM>& aInternalPoints )
1152{
1153 // Mark the edges of the block with dangling flags for a move
1154 for( EDA_ITEM* item : aSelection )
1155 static_cast<SCH_ITEM*>( item )->GetEndPoints( aInternalPoints );
1156
1157 std::vector<DANGLING_END_ITEM> endPointsByType = aInternalPoints;
1158 std::vector<DANGLING_END_ITEM> endPointsByPos = endPointsByType;
1159 DANGLING_END_ITEM_HELPER::sort_dangling_end_items( endPointsByType, endPointsByPos );
1160
1161 for( EDA_ITEM* item : aSelection )
1162 static_cast<SCH_ITEM*>( item )->UpdateDanglingState( endPointsByType, endPointsByPos );
1163}
1164
1165
1167 std::vector<DANGLING_END_ITEM>& aInternalPoints,
1168 GRID_HELPER_GRIDS& aSnapLayer )
1169{
1172 SCH_ITEM* sch_item = static_cast<SCH_ITEM*>( aSelection.Front() );
1173 bool placingNewItems = sch_item && sch_item->IsNew();
1174
1175 //------------------------------------------------------------------------
1176 // Setup a drag or a move
1177 //
1178 m_dragAdditions.clear();
1179 m_specialCaseLabels.clear();
1180 m_specialCaseSheetPins.clear();
1181 aInternalPoints.clear();
1183
1184 for( SCH_ITEM* it : m_frame->GetScreen()->Items() )
1185 {
1186 it->ClearFlags( SELECTED_BY_DRAG );
1187
1188 if( !it->IsSelected() )
1189 it->ClearFlags( STARTPOINT | ENDPOINT );
1190 }
1191
1192 setupItemsForDrag( aSelection, aCommit );
1193 setupItemsForMove( aSelection, aInternalPoints );
1194
1195 // Hide junctions connected to line endpoints that are not selected
1196 m_hiddenJunctions.clear();
1197
1198 for( EDA_ITEM* item : aSelection )
1199 item->SetFlags( STRUCT_DELETED );
1200
1201 for( EDA_ITEM* edaItem : aSelection )
1202 {
1203 if( edaItem->Type() != SCH_LINE_T )
1204 continue;
1205
1206 SCH_LINE* line = static_cast<SCH_LINE*>( edaItem );
1207
1208 for( const VECTOR2I& pt : line->GetConnectionPoints() )
1209 {
1210 SCH_JUNCTION* jct = static_cast<SCH_JUNCTION*>( m_frame->GetScreen()->GetItem( pt, 0, SCH_JUNCTION_T ) );
1211
1212 if( jct && !jct->IsSelected()
1213 && std::find( m_hiddenJunctions.begin(), m_hiddenJunctions.end(), jct ) == m_hiddenJunctions.end() )
1214 {
1216 pt, false );
1217
1218 if( !info.isJunction )
1219 {
1220 jct->SetFlags( STRUCT_DELETED );
1221 m_frame->RemoveFromScreen( jct, m_frame->GetScreen() );
1222 aCommit->Removed( jct, m_frame->GetScreen() );
1223 }
1224 }
1225 }
1226 }
1227
1228 for( EDA_ITEM* item : aSelection )
1229 item->ClearFlags( STRUCT_DELETED );
1230
1231 // Generic setup
1232 aSnapLayer = grid.GetSelectionGrid( aSelection );
1233
1234 for( EDA_ITEM* item : aSelection )
1235 {
1236 SCH_ITEM* schItem = static_cast<SCH_ITEM*>( item );
1237
1238 if( schItem->IsNew() )
1239 {
1240 // Item was added to commit in a previous command
1241
1242 // While SCH_COMMIT::Push() will add any new items to the entered group, we need
1243 // to do it earlier so that the previews while moving are correct.
1244 if( SCH_GROUP* enteredGroup = m_selectionTool->GetEnteredGroup() )
1245 {
1246 if( schItem->IsGroupableType() && !schItem->GetParentGroup() )
1247 {
1248 aCommit->Modify( enteredGroup, m_frame->GetScreen(), RECURSE_MODE::NO_RECURSE );
1249 enteredGroup->AddItem( schItem );
1250 }
1251 }
1252 }
1253 else if( schItem->GetParent() && schItem->GetParent()->IsSelected() )
1254 {
1255 // Item will be (or has been) added to commit by parent
1256 }
1257 else
1258 {
1259 aCommit->Modify( schItem, m_frame->GetScreen(), RECURSE_MODE::RECURSE );
1260 }
1261
1262 schItem->SetFlags( IS_MOVING );
1263
1264 if( SCH_SHAPE* shape = dynamic_cast<SCH_SHAPE*>( schItem ) )
1265 {
1266 shape->SetHatchingDirty();
1267 shape->UpdateHatching();
1268 }
1269
1270 schItem->RunOnChildren(
1271 [&]( SCH_ITEM* aChild )
1272 {
1273 aChild->SetFlags( IS_MOVING );
1274 },
1276
1277 schItem->SetStoredPos( schItem->GetPosition() );
1278 }
1279
1280 // Set up the starting position and move/drag offset
1281 m_cursor = controls->GetCursorPosition();
1282
1283 if( m_mode == BREAK && m_breakPos )
1284 {
1287 aSelection.SetReferencePoint( m_cursor );
1288 m_moveOffset = VECTOR2I( 0, 0 );
1289 m_breakPos.reset();
1290 }
1291
1292 if( aEvent.IsAction( &SCH_ACTIONS::restartMove ) )
1293 {
1294 wxASSERT_MSG( m_anchorPos, "Should be already set from previous cmd" );
1295 }
1296 else if( placingNewItems )
1297 {
1298 m_anchorPos = aSelection.GetReferencePoint();
1299 }
1300
1301 if( m_anchorPos )
1302 {
1303 VECTOR2I delta = m_cursor - ( *m_anchorPos );
1304 bool isPasted = false;
1305
1306 // Drag items to the current cursor position
1307 for( EDA_ITEM* item : aSelection )
1308 {
1309 // Don't double move pins, fields, etc.
1310 if( item->GetParent() && item->GetParent()->IsSelected() )
1311 continue;
1312
1313 moveItem( item, delta );
1314 updateItem( item, false );
1315
1316 isPasted |= ( item->GetFlags() & IS_PASTED ) != 0;
1317 }
1318
1319 // The first time pasted items are moved we need to store the position of the cursor
1320 // so that rotate while moving works as expected (instead of around the original
1321 // anchor point)
1322 if( isPasted )
1323 aSelection.SetReferencePoint( m_cursor );
1324
1326 }
1327 // For some items, moving the cursor to anchor is not good (for instance large
1328 // hierarchical sheets or symbols can have the anchor outside the view)
1329 else if( aSelection.Size() == 1 && !sch_item->IsMovableFromAnchorPoint() )
1330 {
1333 }
1334 else
1335 {
1336 if( m_frame->GetMoveWarpsCursor() )
1337 {
1338 // User wants to warp the mouse
1339 m_cursor = grid.BestDragOrigin( m_cursor, aSnapLayer, aSelection );
1340 aSelection.SetReferencePoint( m_cursor );
1341 }
1342 else
1343 {
1344 // User does not want to warp the mouse
1346 }
1347 }
1348
1349 controls->SetCursorPosition( m_cursor, false );
1350 controls->SetAutoPan( true );
1351 m_moveInProgress = true;
1352}
1353
1354
1356 bool aHasSheetPins, bool aIsGraphicsOnly, bool aCtrlDown )
1357{
1358 // Fields are children of their parent item and must not be dropped into a sheet
1359 for( EDA_ITEM* it : aSelection )
1360 {
1361 if( it->Type() == SCH_FIELD_T )
1362 return nullptr;
1363 }
1364
1365 // Determine potential target sheet
1366 SCH_SHEET* sheet = dynamic_cast<SCH_SHEET*>( m_frame->GetScreen()->GetItem( aCursorPos, 0, SCH_SHEET_T ) );
1367
1368 if( sheet && sheet->IsSelected() )
1369 sheet = nullptr; // Never target a selected sheet
1370
1371 if( !sheet )
1372 {
1373 // Build current selection bounding box in its (already moved) position
1374 BOX2I selBBox;
1375
1376 for( EDA_ITEM* it : aSelection )
1377 {
1378 if( SCH_ITEM* schIt = dynamic_cast<SCH_ITEM*>( it ) )
1379 selBBox.Merge( schIt->GetBoundingBox() );
1380 }
1381
1382 if( selBBox.GetWidth() > 0 && selBBox.GetHeight() > 0 )
1383 {
1384 VECTOR2I selCenter( selBBox.GetX() + selBBox.GetWidth() / 2,
1385 selBBox.GetY() + selBBox.GetHeight() / 2 );
1386
1387 // Find first non-selected sheet whose body fully contains the selection or at
1388 // least contains its center point
1389 for( SCH_ITEM* it : m_frame->GetScreen()->Items().OfType( SCH_SHEET_T ) )
1390 {
1391 SCH_SHEET* candidate = static_cast<SCH_SHEET*>( it );
1392
1393 if( candidate->IsSelected() || candidate->IsTopLevelSheet() )
1394 continue;
1395
1396 BOX2I body = candidate->GetBodyBoundingBox();
1397
1398 if( body.Contains( selBBox ) || body.Contains( selCenter ) )
1399 {
1400 sheet = candidate;
1401 break;
1402 }
1403 }
1404 }
1405 }
1406
1407 // Don't drop into a sheet if any connection point of the selection lands on a sheet pin.
1408 // This indicates the user is trying to connect to the pin, not drop into the sheet.
1409 if( sheet )
1410 {
1411 for( EDA_ITEM* it : aSelection )
1412 {
1413 SCH_ITEM* schItem = dynamic_cast<SCH_ITEM*>( it );
1414
1415 if( !schItem )
1416 continue;
1417
1418 for( const VECTOR2I& pt : schItem->GetConnectionPoints() )
1419 {
1420 if( sheet->GetPin( pt ) )
1421 {
1422 sheet = nullptr;
1423 break;
1424 }
1425 }
1426
1427 if( !sheet )
1428 break;
1429 }
1430 }
1431
1432 bool dropAllowedBySelection = !aHasSheetPins;
1433 bool dropAllowedByModifiers = !aIsGraphicsOnly || aCtrlDown;
1434
1435 if( sheet && !( dropAllowedBySelection && dropAllowedByModifiers ) )
1436 sheet = nullptr;
1437
1438 return sheet;
1439}
1440
1441
1443 SCH_COMMIT* aCommit, int& aXBendCount, int& aYBendCount,
1444 const EE_GRID_HELPER& aGrid )
1445{
1446 wxLogTrace( traceSchMove, "performItemMove: delta=(%d,%d), moveOffset=(%d,%d), selection size=%u",
1447 aDelta.x, aDelta.y, m_moveOffset.x, m_moveOffset.y, aSelection.GetSize() );
1448
1449 // We need to check if the movement will change the net offset direction on the X and Y
1450 // axes. This is because we remerge added bend lines in realtime, and we also account for
1451 // the direction of the move when adding bend lines. So, if the move direction changes,
1452 // we need to split it into a move that gets us back to zero, then the rest of the move.
1453 std::vector<VECTOR2I> splitMoves;
1454
1455 if( alg::signbit( m_moveOffset.x ) != alg::signbit( ( m_moveOffset + aDelta ).x ) )
1456 {
1457 splitMoves.emplace_back( VECTOR2I( -1 * m_moveOffset.x, 0 ) );
1458 splitMoves.emplace_back( VECTOR2I( aDelta.x + m_moveOffset.x, 0 ) );
1459 }
1460 else
1461 {
1462 splitMoves.emplace_back( VECTOR2I( aDelta.x, 0 ) );
1463 }
1464
1465 if( alg::signbit( m_moveOffset.y ) != alg::signbit( ( m_moveOffset + aDelta ).y ) )
1466 {
1467 splitMoves.emplace_back( VECTOR2I( 0, -1 * m_moveOffset.y ) );
1468 splitMoves.emplace_back( VECTOR2I( 0, aDelta.y + m_moveOffset.y ) );
1469 }
1470 else
1471 {
1472 splitMoves.emplace_back( VECTOR2I( 0, aDelta.y ) );
1473 }
1474
1475 m_moveOffset += aDelta;
1476
1477 // Split the move into X and Y moves so we can correctly drag orthogonal lines
1478 for( const VECTOR2I& splitDelta : splitMoves )
1479 {
1480 // Skip non-moves
1481 if( splitDelta == VECTOR2I( 0, 0 ) )
1482 continue;
1483
1484 for( EDA_ITEM* item : aSelection.GetItemsSortedByTypeAndXY( ( aDelta.x >= 0 ),
1485 ( aDelta.y >= 0 ) ) )
1486 {
1487 // Don't double move pins, fields, etc.
1488 if( item->GetParent() && item->GetParent()->IsSelected() )
1489 continue;
1490
1491 SCH_LINE* line = dynamic_cast<SCH_LINE*>( item );
1492 bool isLineModeConstrained = false;
1493
1494 if( EESCHEMA_SETTINGS* cfg = GetAppSettings<EESCHEMA_SETTINGS>( "eeschema" ) )
1495 isLineModeConstrained = cfg->m_Drawing.line_mode != LINE_MODE::LINE_MODE_FREE;
1496
1497 // Only partially selected drag lines in orthogonal line mode need special handling.
1498 // Skip newly-created connectivity wires added to maintain connectivity at junctions:
1499 // these are marked with both IS_NEW and SELECTED_BY_DRAG; they already have the
1500 // correct endpoint constraint and don't need orthogonal bending
1501 if( ( m_mode == DRAG ) && isLineModeConstrained && line
1502 && line->HasFlag( STARTPOINT ) != line->HasFlag( ENDPOINT )
1503 && !line->HasFlag( SELECTED_BY_DRAG | IS_NEW ) )
1504 {
1505 orthoLineDrag( aCommit, line, splitDelta, aXBendCount, aYBendCount, aGrid );
1506 }
1507
1508 // Move all other items normally, including the selected end of partially selected
1509 // lines
1510 moveItem( item, splitDelta );
1511 updateItem( item, false );
1512
1513 // Update any lines connected to sheet pins to the sheet pin's location (which may
1514 // not exactly follow the splitDelta as the pins are constrained along the sheet
1515 // edges)
1516 for( const auto& [pin, lineEnd] : m_specialCaseSheetPins )
1517 {
1518 if( lineEnd.second && lineEnd.first->HasFlag( STARTPOINT ) )
1519 lineEnd.first->SetStartPoint( pin->GetPosition() );
1520 else if( !lineEnd.second && lineEnd.first->HasFlag( ENDPOINT ) )
1521 lineEnd.first->SetEndPoint( pin->GetPosition() );
1522 }
1523 }
1524
1525 // Needed to keep labels attached to a line when dragging a sheet/wire combo with a label
1526 // on the line. The label moves by splitDelta for each part of the split move, but the
1527 // line endpoints may not follow splitDelta due to orthogonal drag or sheet pin constraints,
1528 // which can put the label off the line.
1529 for( const auto& [label, info] : m_specialCaseLabels )
1530 {
1531 if( !label || !info.attachedLine )
1532 continue;
1533
1534 VECTOR2I start = info.attachedLine->GetStartPoint();
1535 VECTOR2I end = info.attachedLine->GetEndPoint();
1536 VECTOR2I deltaStart = start - info.originalLineStart;
1537 VECTOR2I deltaEnd = end - info.originalLineEnd;
1538
1539 // TODO: this could be improved by positioning the label based on the new line geometry,
1540 // including line angle changes, grid snapping, and line length changes when orthogonal
1541 // bends are involved.
1542 //
1543 // For now, special casing the equal delta case and using splitDelta should work in most
1544 // cases as the user would expect.
1545 if( deltaStart == deltaEnd )
1546 {
1547 label->SetPosition( info.originalLabelPos + deltaStart );
1548 }
1549 else
1550 {
1551 label->Move( splitDelta );
1552
1553 // If the line shrank while dragging, keep the label on the line,
1554 // otherwise the label can drift off the end of the line, and change connectivity
1555 if( !info.attachedLine->HitTest( label->GetPosition(), 1 ) && info.attachedLine->IsOrthogonal() )
1556 {
1557 VECTOR2I pos = label->GetPosition();
1558
1559 if( start.x == end.x )
1560 {
1561 int minY = std::min( start.y, end.y );
1562 int maxY = std::max( start.y, end.y );
1563 pos.x = start.x;
1564 pos.y = std::clamp( pos.y, minY, maxY );
1565 }
1566 else if( start.y == end.y )
1567 {
1568 int minX = std::min( start.x, end.x );
1569 int maxX = std::max( start.x, end.x );
1570 pos.y = start.y;
1571 pos.x = std::clamp( pos.x, minX, maxX );
1572 }
1573
1574 label->SetPosition( pos );
1575 }
1576 }
1577
1578 updateItem( label, false );
1579 }
1580 }
1581
1582 if( aSelection.HasReferencePoint() )
1583 aSelection.SetReferencePoint( aSelection.GetReferencePoint() + aDelta );
1584}
1585
1586
1588 const SCH_SELECTION& aSelection )
1589{
1590 wxLogTrace( traceSchMove, "handleMoveToolActions: received event, action=%s",
1591 aEvent->Format().c_str() );
1592
1593 if( aEvent->IsAction( &ACTIONS::doDelete ) )
1594 {
1595 wxLogTrace( traceSchMove, "handleMoveToolActions: doDelete, exiting move" );
1596 const_cast<TOOL_EVENT*>( aEvent )->SetPassEvent();
1597 return false; // Exit on delete; there will no longer be anything to drag
1598 }
1599 else if( aEvent->IsAction( &ACTIONS::duplicate )
1601 || aEvent->IsAction( &ACTIONS::redo ) )
1602 {
1603 wxBell();
1604 }
1605 else if( aEvent->IsAction( &SCH_ACTIONS::rotateCW ) )
1606 {
1607 wxLogTrace( traceSchMove, "handleMoveToolActions: rotateCW event received, selection size=%u",
1608 aSelection.GetSize() );
1609 m_toolMgr->RunSynchronousAction( SCH_ACTIONS::rotateCW, aCommit );
1610 wxLogTrace( traceSchMove, "handleMoveToolActions: rotateCW RunSynchronousAction completed" );
1611 updateStoredPositions( aSelection );
1612 wxLogTrace( traceSchMove, "handleMoveToolActions: rotateCW updateStoredPositions completed" );
1613 // Note: SCH_EDIT_TOOL::Rotate already posts refreshPreview when moving
1614 }
1615 else if( aEvent->IsAction( &SCH_ACTIONS::rotateCCW ) )
1616 {
1617 wxLogTrace( traceSchMove, "handleMoveToolActions: rotateCCW event received, selection size=%u",
1618 aSelection.GetSize() );
1619 m_toolMgr->RunSynchronousAction( SCH_ACTIONS::rotateCCW, aCommit );
1620 wxLogTrace( traceSchMove, "handleMoveToolActions: rotateCCW RunSynchronousAction completed" );
1621 updateStoredPositions( aSelection );
1622 wxLogTrace( traceSchMove, "handleMoveToolActions: rotateCCW updateStoredPositions completed" );
1623 // Note: SCH_EDIT_TOOL::Rotate already posts refreshPreview when moving
1624 }
1625 else if( aEvent->IsAction( &ACTIONS::increment ) )
1626 {
1627 if( aEvent->HasParameter() )
1628 m_toolMgr->RunSynchronousAction( ACTIONS::increment, aCommit, aEvent->Parameter<ACTIONS::INCREMENT>() );
1629 else
1630 m_toolMgr->RunSynchronousAction( ACTIONS::increment, aCommit, ACTIONS::INCREMENT{ 1, 0 } );
1631
1632 updateStoredPositions( aSelection );
1633 m_toolMgr->PostAction( ACTIONS::refreshPreview );
1634 }
1635 else if( aEvent->IsAction( &SCH_ACTIONS::toDLabel ) )
1636 {
1637 m_toolMgr->RunSynchronousAction( SCH_ACTIONS::toDLabel, aCommit );
1638 updateStoredPositions( aSelection );
1639 m_toolMgr->PostAction( ACTIONS::refreshPreview );
1640 }
1641 else if( aEvent->IsAction( &SCH_ACTIONS::toGLabel ) )
1642 {
1643 m_toolMgr->RunSynchronousAction( SCH_ACTIONS::toGLabel, aCommit );
1644 updateStoredPositions( aSelection );
1645 m_toolMgr->PostAction( ACTIONS::refreshPreview );
1646 }
1647 else if( aEvent->IsAction( &SCH_ACTIONS::toHLabel ) )
1648 {
1649 m_toolMgr->RunSynchronousAction( SCH_ACTIONS::toHLabel, aCommit );
1650 updateStoredPositions( aSelection );
1651 m_toolMgr->PostAction( ACTIONS::refreshPreview );
1652 }
1653 else if( aEvent->IsAction( &SCH_ACTIONS::toLabel ) )
1654 {
1655 m_toolMgr->RunSynchronousAction( SCH_ACTIONS::toLabel, aCommit );
1656 updateStoredPositions( aSelection );
1657 m_toolMgr->PostAction( ACTIONS::refreshPreview );
1658 }
1659 else if( aEvent->IsAction( &SCH_ACTIONS::toText ) )
1660 {
1661 m_toolMgr->RunSynchronousAction( SCH_ACTIONS::toText, aCommit );
1662 updateStoredPositions( aSelection );
1663 m_toolMgr->PostAction( ACTIONS::refreshPreview );
1664 }
1665 else if( aEvent->IsAction( &SCH_ACTIONS::toTextBox ) )
1666 {
1667 m_toolMgr->RunSynchronousAction( SCH_ACTIONS::toTextBox, aCommit );
1668 updateStoredPositions( aSelection );
1669 m_toolMgr->PostAction( ACTIONS::refreshPreview );
1670 }
1671 else if( aEvent->Action() == TA_CHOICE_MENU_CHOICE )
1672 {
1673 if( *aEvent->GetCommandId() >= ID_POPUP_SCH_SELECT_UNIT
1675 {
1676 SCH_SYMBOL* symbol = dynamic_cast<SCH_SYMBOL*>( m_selectionTool->GetSelection().Front() );
1677 int unit = *aEvent->GetCommandId() - ID_POPUP_SCH_SELECT_UNIT;
1678
1679 if( symbol )
1680 {
1681 m_frame->SelectUnit( symbol, unit );
1682 m_toolMgr->PostAction( ACTIONS::refreshPreview );
1683 }
1684 }
1685 else if( *aEvent->GetCommandId() >= ID_POPUP_SCH_SELECT_BODY_STYLE
1687 {
1688 SCH_SYMBOL* symbol = dynamic_cast<SCH_SYMBOL*>( m_selectionTool->GetSelection().Front() );
1689 int bodyStyle = ( *aEvent->GetCommandId() - ID_POPUP_SCH_SELECT_BODY_STYLE ) + 1;
1690
1691 if( symbol && symbol->GetBodyStyle() != bodyStyle )
1692 {
1693 m_frame->SelectBodyStyle( symbol, bodyStyle );
1694 m_toolMgr->PostAction( ACTIONS::refreshPreview );
1695 }
1696 }
1697 }
1698 else if( aEvent->IsAction( &SCH_ACTIONS::highlightNet )
1699 || aEvent->IsAction( &SCH_ACTIONS::selectOnPCB ) )
1700 {
1701 // These don't make any sense during a move. Eat them.
1702 }
1703 else
1704 {
1705 return true; // Continue processing
1706 }
1707
1708 return true; // Continue processing
1709}
1710
1711
1713{
1714 wxLogTrace( traceSchMove, "updateStoredPositions: start, selection size=%u",
1715 aSelection.GetSize() );
1716
1717 // After transformations like rotation during a move, we need to update the stored
1718 // positions that moveItem() uses, particularly for sheet pins which rely on them
1719 // for constraint calculations.
1720 int itemCount = 0;
1721
1722 for( EDA_ITEM* item : aSelection )
1723 {
1724 SCH_ITEM* schItem = dynamic_cast<SCH_ITEM*>( item );
1725
1726 if( !schItem )
1727 continue;
1728
1729 VECTOR2I oldPos = schItem->GetStoredPos();
1730 VECTOR2I newPos = schItem->GetPosition();
1731 schItem->SetStoredPos( newPos );
1732
1733 wxLogTrace( traceSchMove, " item[%d] type=%d: stored pos updated (%d,%d) -> (%d,%d)",
1734 itemCount++, (int) schItem->Type(), oldPos.x, oldPos.y, newPos.x, newPos.y );
1735
1736 // Also update stored positions for sheet pins
1737 if( schItem->Type() == SCH_SHEET_T )
1738 {
1739 SCH_SHEET* sheet = static_cast<SCH_SHEET*>( schItem );
1740 for( SCH_SHEET_PIN* pin : sheet->GetPins() )
1741 {
1742 VECTOR2I pinOldPos = pin->GetStoredPos();
1743 VECTOR2I pinNewPos = pin->GetPosition();
1744 pin->SetStoredPos( pinNewPos );
1745 wxLogTrace( traceSchMove, " sheet pin: stored pos updated (%d,%d) -> (%d,%d)",
1746 pinOldPos.x, pinOldPos.y, pinNewPos.x, pinNewPos.y );
1747 }
1748 }
1749 }
1750
1751 wxLogTrace( traceSchMove, "updateStoredPositions: complete, updated %d items", itemCount );
1752}
1753
1754
1755void SCH_MOVE_TOOL::finalizeMoveOperation( SCH_SELECTION& aSelection, SCH_COMMIT* aCommit, bool aUnselect,
1756 const std::vector<DANGLING_END_ITEM>& aInternalPoints )
1757{
1759 const bool isSlice = ( m_mode == SLICE );
1760 const bool isDragLike = ( m_mode == DRAG || m_mode == BREAK );
1761
1762 // Save whatever new bend lines and changed lines survived the drag
1763 for( SCH_LINE* newLine : m_newDragLines )
1764 {
1765 newLine->ClearEditFlags();
1766 aCommit->Added( newLine, m_frame->GetScreen() );
1767 }
1768
1769 // These lines have been changed, but aren't selected. We need to manually clear these
1770 // edit flags or they'll stick around.
1771 for( SCH_LINE* oldLine : m_changedDragLines )
1772 oldLine->ClearEditFlags();
1773
1774 controls->ForceCursorPosition( false );
1775 controls->ShowCursor( false );
1776 controls->SetAutoPan( false );
1777
1778 m_moveOffset = { 0, 0 };
1779 m_anchorPos.reset();
1780
1781 // One last update after exiting loop (for slower stuff, such as updating SCREEN's RTree)
1782 for( EDA_ITEM* item : aSelection )
1783 {
1784 updateItem( item, true );
1785
1786 if( SCH_ITEM* sch_item = dynamic_cast<SCH_ITEM*>( item ) )
1787 sch_item->SetConnectivityDirty( true );
1788 }
1789
1790 if( aSelection.GetSize() == 1 && aSelection.Front()->IsNew() )
1791 m_frame->SaveCopyForRepeatItem( static_cast<SCH_ITEM*>( aSelection.Front() ) );
1792
1793 m_selectionTool->RemoveItemsFromSel( &m_dragAdditions, QUIET_MODE );
1794
1796
1797 // If we move items away from a junction, we _may_ want to add a junction there
1798 // to denote the state
1799 for( const DANGLING_END_ITEM& it : aInternalPoints )
1800 {
1801 if( m_frame->GetScreen()->IsExplicitJunctionNeeded( it.GetPosition() ) )
1802 lwbTool->AddJunction( aCommit, m_frame->GetScreen(), it.GetPosition() );
1803 }
1804
1805 // Create a selection of original selection, drag selected/changed items, and new bend
1806 // lines for later before we clear them in the aCommit. We'll need these to check for new
1807 // junctions needed, etc.
1808 SCH_SELECTION selectionCopy( aSelection );
1809
1810 for( SCH_LINE* line : m_newDragLines )
1811 selectionCopy.Add( line );
1812
1813 for( SCH_LINE* line : m_changedDragLines )
1814 selectionCopy.Add( line );
1815
1816 lwbTool->TrimOverLappingWires( aCommit, &selectionCopy );
1817 lwbTool->AddJunctionsIfNeeded( aCommit, &selectionCopy );
1818
1819 // This needs to run prior to `RecalculateConnections` because we need to identify the
1820 // lines that are newly dangling
1821 if( isDragLike && !isSlice )
1822 trimDanglingLines( aCommit );
1823
1824 // Auto-rotate any moved labels
1825 for( EDA_ITEM* item : aSelection )
1826 m_frame->AutoRotateItem( m_frame->GetScreen(), static_cast<SCH_ITEM*>( item ) );
1827
1828 // Clear SELECTED_BY_DRAG and other temp flags before CleanUp so that cleanup can properly
1829 // process all items, including removing zero-length wires and unwanted stubs
1830 for( EDA_ITEM* item : m_frame->GetScreen()->Items() )
1831 item->ClearTempFlags();
1832
1833 for( EDA_ITEM* item : selectionCopy )
1834 item->ClearTempFlags();
1835
1836 m_frame->Schematic().CleanUp( aCommit );
1837
1838 for( EDA_ITEM* item : m_frame->GetScreen()->Items() )
1839 item->ClearEditFlags();
1840
1841 // Ensure any selected item not in screen main list (for instance symbol fields) has its
1842 // edit flags cleared
1843 for( EDA_ITEM* item : selectionCopy )
1844 item->ClearEditFlags();
1845
1846 m_newDragLines.clear();
1847 m_changedDragLines.clear();
1848
1849 if( aUnselect )
1850 m_toolMgr->RunAction( ACTIONS::selectionClear );
1851 else
1852 m_selectionTool->RebuildSelection(); // Schematic cleanup might have merged lines, etc.
1853}
1854
1855
1857 SCH_COMMIT* aCommit )
1858{
1859 SCH_SCREEN* destScreen = aTargetSheet->GetScreen();
1860 SCH_SCREEN* srcScreen = m_frame->GetScreen();
1861
1862 BOX2I bbox;
1863
1864 for( EDA_ITEM* item : aSelection )
1865 bbox.Merge( static_cast<SCH_ITEM*>( item )->GetBoundingBox() );
1866
1867 VECTOR2I offset = VECTOR2I( 0, 0 ) - bbox.GetPosition();
1868 int step = schIUScale.MilsToIU( 50 );
1869 bool overlap = false;
1870
1871 do
1872 {
1873 BOX2I moved = bbox;
1874 moved.Move( offset );
1875 overlap = false;
1876
1877 for( SCH_ITEM* existing : destScreen->Items() )
1878 {
1879 if( moved.Intersects( existing->GetBoundingBox() ) )
1880 {
1881 overlap = true;
1882 break;
1883 }
1884 }
1885
1886 if( overlap )
1887 offset += VECTOR2I( step, step );
1888 } while( overlap );
1889
1890 for( EDA_ITEM* item : aSelection )
1891 {
1892 SCH_ITEM* schItem = static_cast<SCH_ITEM*>( item );
1893
1894 // Remove from current screen and view manually
1895 m_frame->RemoveFromScreen( schItem, srcScreen );
1896
1897 // Move the item
1898 schItem->Move( offset );
1899
1900 // Add to destination screen manually (won't add to view since it's not current)
1901 destScreen->Append( schItem );
1902
1903 // Record in commit with CHT_DONE flag to bypass automatic screen/view operations
1904 aCommit->Stage( schItem, CHT_REMOVE | CHT_DONE, srcScreen );
1905 aCommit->Stage( schItem, CHT_ADD | CHT_DONE, destScreen );
1906 }
1907}
1908
1909
1911{
1912 // Need a local cleanup first to ensure we remove unneeded junctions
1913 m_frame->Schematic().CleanUp( aCommit, m_frame->GetScreen() );
1914
1915 std::set<SCH_ITEM*> danglers;
1916
1917 std::function<void( SCH_ITEM* )> changeHandler =
1918 [&]( SCH_ITEM* aChangedItem ) -> void
1919 {
1920 m_toolMgr->GetView()->Update( aChangedItem, KIGFX::REPAINT );
1921
1922 // Delete newly dangling lines:
1923 // Find split segments (one segment is new, the other is changed) that
1924 // we aren't dragging and don't have selected.
1925 // Also catch drag wires (created with IS_NEW and SELECTED_BY_DRAG) that are dangling.
1926 if( ( aChangedItem->HasFlag( IS_BROKEN ) || aChangedItem->HasFlag( IS_NEW ) )
1927 && aChangedItem->IsDangling() && !aChangedItem->IsSelected() )
1928 {
1929 danglers.insert( aChangedItem );
1930 }
1931 };
1932
1933 m_frame->GetScreen()->TestDanglingEnds( nullptr, &changeHandler );
1934
1935 for( SCH_ITEM* line : danglers )
1936 {
1937 line->SetFlags( STRUCT_DELETED );
1938 aCommit->Removed( line, m_frame->GetScreen() );
1939 updateItem( line, false ); // Update any cached visuals before commit processes
1940 m_frame->RemoveFromScreen( line, m_frame->GetScreen() );
1941 }
1942}
1943
1944
1945void SCH_MOVE_TOOL::getConnectedItems( SCH_ITEM* aOriginalItem, const VECTOR2I& aPoint, EDA_ITEMS& aList )
1946{
1947 EE_RTREE& items = m_frame->GetScreen()->Items();
1948 EE_RTREE::EE_TYPE itemsOverlapping = items.Overlapping( aOriginalItem->GetBoundingBox() );
1949 SCH_ITEM* foundJunction = nullptr;
1950 SCH_ITEM* foundSymbol = nullptr;
1951
1952 // If you're connected to a junction, you're only connected to the junction.
1953 //
1954 // But, if you're connected to a junction on a pin, you're only connected to the pin. This
1955 // is because junctions and pins have different logic for how bend lines are generated and
1956 // we need to prioritize the pin version in some cases.
1957 for( SCH_ITEM* item : itemsOverlapping )
1958 {
1959 if( item != aOriginalItem && item->IsConnected( aPoint ) )
1960 {
1961 if( item->Type() == SCH_JUNCTION_T )
1962 foundJunction = item;
1963 else if( item->Type() == SCH_SYMBOL_T )
1964 foundSymbol = item;
1965 }
1966 }
1967
1968 if( foundSymbol && foundJunction )
1969 {
1970 aList.push_back( foundSymbol );
1971 return;
1972 }
1973
1974 if( foundJunction )
1975 {
1976 aList.push_back( foundJunction );
1977 return;
1978 }
1979
1980
1981 for( SCH_ITEM* test : itemsOverlapping )
1982 {
1983 if( test == aOriginalItem || !test->CanConnect( aOriginalItem ) )
1984 continue;
1985
1986 switch( test->Type() )
1987 {
1988 case SCH_LINE_T:
1989 {
1990 SCH_LINE* line = static_cast<SCH_LINE*>( test );
1991
1992 // When getting lines for the connection cache, it's important that we only add
1993 // items at the unselected end, since that is the only end that is handled specially.
1994 // Fully selected lines, and the selected end of a partially selected line, are moved
1995 // around normally and don't care about their connections.
1996 if( ( line->HasFlag( STARTPOINT ) && aPoint == line->GetStartPoint() )
1997 || ( line->HasFlag( ENDPOINT ) && aPoint == line->GetEndPoint() ) )
1998 {
1999 continue;
2000 }
2001
2002 if( test->IsConnected( aPoint ) )
2003 aList.push_back( test );
2004
2005 // Labels can connect to a wire (or bus) anywhere along the length
2006 if( SCH_LABEL_BASE* label = dynamic_cast<SCH_LABEL_BASE*>( aOriginalItem ) )
2007 {
2008 if( static_cast<SCH_LINE*>( test )->HitTest( label->GetPosition(), 1 ) )
2009 aList.push_back( test );
2010 }
2011
2012 break;
2013 }
2014
2015 case SCH_SHEET_T:
2016 if( aOriginalItem->Type() == SCH_LINE_T )
2017 {
2018 SCH_LINE* line = static_cast<SCH_LINE*>( aOriginalItem );
2019
2020 for( SCH_SHEET_PIN* pin : static_cast<SCH_SHEET*>( test )->GetPins() )
2021 {
2022 if( pin->IsConnected( aPoint ) )
2023 {
2024 if( pin->IsSelected() )
2025 m_specialCaseSheetPins[pin] = { line, line->GetStartPoint() == aPoint };
2026
2027 aList.push_back( pin );
2028 }
2029 }
2030 }
2031
2032 break;
2033
2034 case SCH_SYMBOL_T:
2035 case SCH_JUNCTION_T:
2036 case SCH_NO_CONNECT_T:
2037 if( test->IsConnected( aPoint ) )
2038 aList.push_back( test );
2039
2040 break;
2041
2042 case SCH_LABEL_T:
2043 case SCH_GLOBAL_LABEL_T:
2044 case SCH_HIER_LABEL_T:
2046 // Labels can connect to a wire (or bus) anywhere along the length
2047 if( aOriginalItem->Type() == SCH_LINE_T && test->CanConnect( aOriginalItem ) )
2048 {
2049 SCH_LABEL_BASE* label = static_cast<SCH_LABEL_BASE*>( test );
2050 SCH_LINE* line = static_cast<SCH_LINE*>( aOriginalItem );
2051
2052 if( line->HitTest( label->GetPosition(), 1 ) )
2053 aList.push_back( label );
2054 }
2055
2056 break;
2057
2060 if( aOriginalItem->Type() == SCH_LINE_T && test->CanConnect( aOriginalItem ) )
2061 {
2062 SCH_TEXT* label = static_cast<SCH_TEXT*>( test );
2063 SCH_LINE* line = static_cast<SCH_LINE*>( aOriginalItem );
2064
2065 if( line->HitTest( aPoint, 1 ) )
2066 aList.push_back( label );
2067 }
2068
2069 break;
2070
2071 default:
2072 break;
2073 }
2074 }
2075}
2076
2077
2078void SCH_MOVE_TOOL::getConnectedDragItems( SCH_COMMIT* aCommit, SCH_ITEM* aSelectedItem, const VECTOR2I& aPoint,
2079 EDA_ITEMS& aList )
2080{
2081 EE_RTREE& items = m_frame->GetScreen()->Items();
2082 std::set<SCH_ITEM*> connectableCandidates;
2083 std::vector<SCH_ITEM*> itemsConnectable;
2084 bool ptHasUnselectedJunction = false;
2085
2086 for( SCH_ITEM* item : items.Overlapping( aSelectedItem->GetBoundingBox() ) )
2087 connectableCandidates.insert( item );
2088
2089 // Labels can connect at their anchor even if the label bbox doesn't overlap the target, e.g.
2090 // sheet pins can do this sometimes with just net labels and no wires.
2091 if( dynamic_cast<SCH_LABEL_BASE*>( aSelectedItem ) )
2092 {
2093 for( SCH_ITEM* item : items.Overlapping( aPoint, 1 ) )
2094 connectableCandidates.insert( item );
2095 }
2096
2097 auto makeNewWire =
2098 [this]( SCH_COMMIT* commit, SCH_ITEM* fixed, SCH_ITEM* selected, const VECTOR2I& start,
2099 const VECTOR2I& end )
2100 {
2101 SCH_LINE* newWire;
2102 bool isBusLabel = false;
2103
2104 if( SCH_LABEL_BASE* label = dynamic_cast<SCH_LABEL_BASE*>( fixed ) )
2105 isBusLabel |= SCH_CONNECTION::IsBusLabel( label->GetText() );
2106
2107 if( SCH_LABEL_BASE* label = dynamic_cast<SCH_LABEL_BASE*>( selected ) )
2108 isBusLabel |= SCH_CONNECTION::IsBusLabel( label->GetText() );
2109
2110 // Add a new newWire between the fixed item and the selected item so the selected
2111 // item can be dragged.
2112 if( fixed->GetLayer() == LAYER_BUS_JUNCTION || fixed->GetLayer() == LAYER_BUS
2113 || selected->GetLayer() == LAYER_BUS || isBusLabel )
2114 {
2115 newWire = new SCH_LINE( start, LAYER_BUS );
2116 }
2117 else
2118 {
2119 newWire = new SCH_LINE( start, LAYER_WIRE );
2120 }
2121
2122 newWire->SetFlags( IS_NEW );
2123 newWire->SetConnectivityDirty( true );
2124
2125 SCH_LINE* selectedLine = dynamic_cast<SCH_LINE*>( selected );
2126 SCH_LINE* fixedLine = dynamic_cast<SCH_LINE*>( fixed );
2127
2128 if( selectedLine )
2129 {
2130 newWire->SetLastResolvedState( selected );
2131 cloneWireConnection( newWire, selectedLine, m_frame );
2132 }
2133 else if( fixedLine )
2134 {
2135 newWire->SetLastResolvedState( fixed );
2136 cloneWireConnection( newWire, fixedLine, m_frame );
2137 }
2138
2139 newWire->SetEndPoint( end );
2140 m_frame->AddToScreen( newWire, m_frame->GetScreen() );
2141 commit->Added( newWire, m_frame->GetScreen() );
2142
2143 return newWire;
2144 };
2145
2146 auto makeNewJunction =
2147 [this]( SCH_COMMIT* commit, SCH_LINE* line, const VECTOR2I& pt )
2148 {
2149 SCH_JUNCTION* junction = new SCH_JUNCTION( pt );
2150 junction->SetFlags( IS_NEW );
2151 junction->SetConnectivityDirty( true );
2152 junction->SetLastResolvedState( line );
2153
2154 if( line->IsBus() )
2155 junction->SetLayer( LAYER_BUS_JUNCTION );
2156
2157 m_frame->AddToScreen( junction, m_frame->GetScreen() );
2158 commit->Added( junction, m_frame->GetScreen() );
2159
2160 return junction;
2161 };
2162
2163 for( SCH_ITEM* item : connectableCandidates )
2164 {
2165 if( item->Type() == SCH_SHEET_T )
2166 {
2167 SCH_SHEET* sheet = static_cast<SCH_SHEET*>( item );
2168
2169 for( SCH_SHEET_PIN* pin : sheet->GetPins() )
2170 {
2171 if( !pin->IsSelected()
2172 && pin->GetPosition() == aPoint
2173 && pin->CanConnect( aSelectedItem ) )
2174 {
2175 itemsConnectable.push_back( pin );
2176 }
2177 }
2178
2179 continue;
2180 }
2181
2182 // Skip ourselves, skip already selected items (but not lines, they need both ends tested)
2183 // and skip unconnectable items
2184 if( item == aSelectedItem
2185 || ( item->Type() != SCH_LINE_T && item->IsSelected() )
2186 || !item->CanConnect( aSelectedItem ) )
2187 {
2188 continue;
2189 }
2190
2191 itemsConnectable.push_back( item );
2192 }
2193
2194 for( SCH_ITEM* item : itemsConnectable )
2195 {
2196 if( item->Type() == SCH_JUNCTION_T && item->IsConnected( aPoint ) && !item->IsSelected() )
2197 {
2198 ptHasUnselectedJunction = true;
2199 break;
2200 }
2201 }
2202
2203 SCH_LINE* newWire = nullptr;
2204
2205 for( SCH_ITEM* test : itemsConnectable )
2206 {
2207 KICAD_T testType = test->Type();
2208
2209 switch( testType )
2210 {
2211 case SCH_LINE_T:
2212 {
2213 // Select the connected end of wires/bus connections that don't have an unselected
2214 // junction isolating them from the drag
2215 if( ptHasUnselectedJunction )
2216 break;
2217
2218 SCH_LINE* line = static_cast<SCH_LINE*>( test );
2219
2220 if( line->GetStartPoint() == aPoint )
2221 {
2222 // It's possible to manually select one end of a line and get a drag
2223 // connected other end, so we set the flag and then early exit the loop
2224 // later if the other drag items like labels attached to the line have
2225 // already been grabbed during the partial selection process.
2226 line->SetFlags( STARTPOINT );
2227
2228 if( line->HasFlag( SELECTED ) || line->HasFlag( SELECTED_BY_DRAG ) )
2229 {
2230 continue;
2231 }
2232 else
2233 {
2234 line->SetFlags( SELECTED_BY_DRAG );
2235 aList.push_back( line );
2236 }
2237 }
2238 else if( line->GetEndPoint() == aPoint )
2239 {
2240 line->SetFlags( ENDPOINT );
2241
2242 if( line->HasFlag( SELECTED ) || line->HasFlag( SELECTED_BY_DRAG ) )
2243 {
2244 continue;
2245 }
2246 else
2247 {
2248 line->SetFlags( SELECTED_BY_DRAG );
2249 aList.push_back( line );
2250 }
2251 }
2252 else
2253 {
2254 switch( aSelectedItem->Type() )
2255 {
2256 // These items can connect anywhere along a line
2259 case SCH_LABEL_T:
2260 case SCH_HIER_LABEL_T:
2261 case SCH_GLOBAL_LABEL_T:
2263 // Only add a line if this line is unselected; if the label and line are both
2264 // selected they'll move together
2265 if( line->HitTest( aPoint, 1 ) && !line->HasFlag( SELECTED )
2266 && !line->HasFlag( SELECTED_BY_DRAG ) )
2267 {
2268 newWire = makeNewWire( aCommit, line, aSelectedItem, aPoint, aPoint );
2269 newWire->SetFlags( SELECTED_BY_DRAG | STARTPOINT );
2270 newWire->StoreAngle( ( line->Angle() + ANGLE_90 ).Normalize() );
2271 aList.push_back( newWire );
2272
2273 if( aPoint != line->GetStartPoint() && aPoint != line->GetEndPoint() )
2274 {
2275 // Split line in half
2276 aCommit->Modify( line, m_frame->GetScreen() );
2277
2278 VECTOR2I oldEnd = line->GetEndPoint();
2279 line->SetEndPoint( aPoint );
2280
2281 makeNewWire( aCommit, line, line, aPoint, oldEnd );
2282 makeNewJunction( aCommit, line, aPoint );
2283 }
2284 else
2285 {
2286 m_lineConnectionCache[ newWire ] = { line };
2287 m_lineConnectionCache[ line ] = { newWire };
2288 }
2289 }
2290 break;
2291
2292 default:
2293 break;
2294 }
2295
2296 break;
2297 }
2298
2299 // When only one end moves, keep attached labels tracking the moving end so they stay
2300 // connected to the line.
2301 for( SCH_ITEM* item : items.Overlapping( line->GetBoundingBox() ) )
2302 {
2303 SCH_LABEL_BASE* label = dynamic_cast<SCH_LABEL_BASE*>( item );
2304
2305 if( !label || label->IsSelected() )
2306 continue; // These will be moved on their own because they're selected
2307
2308 if( label->HasFlag( SELECTED_BY_DRAG ) )
2309 continue;
2310
2311 if( label->CanConnect( line ) && line->HitTest( label->GetPosition(), 1 ) )
2312 {
2313 label->SetFlags( SELECTED_BY_DRAG );
2314 aList.push_back( label );
2315
2317 info.attachedLine = line;
2318 info.originalLabelPos = label->GetPosition();
2319 info.originalLineStart = line->GetStartPoint();
2320 info.originalLineEnd = line->GetEndPoint();
2321 m_specialCaseLabels[label] = info;
2322 }
2323 }
2324
2325 break;
2326 }
2327
2328 case SCH_SHEET_T:
2329 for( SCH_SHEET_PIN* pin : static_cast<SCH_SHEET*>( test )->GetPins() )
2330 {
2331 if( pin->IsConnected( aPoint ) )
2332 {
2333 if( pin->IsSelected() && aSelectedItem->Type() == SCH_LINE_T )
2334 {
2335 SCH_LINE* line = static_cast<SCH_LINE*>( aSelectedItem );
2336 m_specialCaseSheetPins[ pin ] = { line, line->GetStartPoint() == aPoint };
2337 }
2338 else if( !newWire )
2339 {
2340 // Add a new wire between the sheetpin and the selected item so the
2341 // selected item can be dragged.
2342 newWire = makeNewWire( aCommit, pin, aSelectedItem, aPoint, aPoint );
2343 newWire->SetFlags( SELECTED_BY_DRAG | STARTPOINT );
2344 aList.push_back( newWire );
2345 }
2346 }
2347 }
2348
2349 break;
2350
2351 case SCH_SYMBOL_T:
2352 case SCH_JUNCTION_T:
2353 if( test->IsConnected( aPoint ) && !newWire )
2354 {
2355 // Add a new wire between the symbol or junction and the selected item so
2356 // the selected item can be dragged.
2357 newWire = makeNewWire( aCommit, test, aSelectedItem, aPoint, aPoint );
2358 newWire->SetFlags( SELECTED_BY_DRAG | STARTPOINT );
2359 aList.push_back( newWire );
2360 }
2361
2362 break;
2363
2364 case SCH_NO_CONNECT_T:
2365 // Select no-connects that are connected to items being moved.
2366 if( !test->HasFlag( SELECTED_BY_DRAG ) && test->IsConnected( aPoint ) )
2367 {
2368 aList.push_back( test );
2369 test->SetFlags( SELECTED_BY_DRAG );
2370 }
2371
2372 break;
2373
2374 case SCH_LABEL_T:
2375 case SCH_GLOBAL_LABEL_T:
2376 case SCH_HIER_LABEL_T:
2378 case SCH_SHEET_PIN_T:
2379 // Performance optimization:
2380 if( test->HasFlag( SELECTED_BY_DRAG ) )
2381 break;
2382
2383 // Select labels that are connected to a wire (or bus) being moved.
2384 if( aSelectedItem->Type() == SCH_LINE_T && test->CanConnect( aSelectedItem ) )
2385 {
2386 SCH_LABEL_BASE* label = static_cast<SCH_LABEL_BASE*>( test );
2387 SCH_LINE* line = static_cast<SCH_LINE*>( aSelectedItem );
2388
2389 bool oneEndFixed = !line->HasFlag( STARTPOINT ) || !line->HasFlag( ENDPOINT );
2390
2391 if( line->HitTest( label->GetTextPos(), 1 ) )
2392 {
2393 if( ( !line->HasFlag( STARTPOINT ) && label->GetPosition() == line->GetStartPoint() )
2394 || ( !line->HasFlag( ENDPOINT ) && label->GetPosition() == line->GetEndPoint() ) )
2395 {
2396 //If we have a line selected at only one end, don't grab labels
2397 //connected directly to the unselected endpoint
2398 break;
2399 }
2400 else
2401 {
2402 label->SetFlags( SELECTED_BY_DRAG );
2403 aList.push_back( label );
2404
2405 if( oneEndFixed )
2406 {
2408 info.attachedLine = line;
2409 info.originalLabelPos = label->GetPosition();
2410 info.originalLineStart = line->GetStartPoint();
2411 info.originalLineEnd = line->GetEndPoint();
2412 m_specialCaseLabels[label] = info;
2413 }
2414 }
2415 }
2416 }
2417 else if( test->IsConnected( aPoint ) && !newWire )
2418 {
2419 // Add a new wire between the label and the selected item so the selected item
2420 // can be dragged.
2421 newWire = makeNewWire( aCommit, test, aSelectedItem, aPoint, aPoint );
2422 newWire->SetFlags( SELECTED_BY_DRAG | STARTPOINT );
2423 aList.push_back( newWire );
2424 }
2425
2426 break;
2427
2430 // Performance optimization:
2431 if( test->HasFlag( SELECTED_BY_DRAG ) )
2432 break;
2433
2434 // Select bus entries that are connected to a bus being moved.
2435 if( aSelectedItem->Type() == SCH_LINE_T && test->CanConnect( aSelectedItem ) )
2436 {
2437 SCH_LINE* line = static_cast<SCH_LINE*>( aSelectedItem );
2438
2439 if( ( !line->HasFlag( STARTPOINT ) && test->IsConnected( line->GetStartPoint() ) )
2440 || ( !line->HasFlag( ENDPOINT ) && test->IsConnected( line->GetEndPoint() ) ) )
2441 {
2442 // If we have a line selected at only one end, don't grab bus entries
2443 // connected directly to the unselected endpoint
2444 continue;
2445 }
2446
2447 for( VECTOR2I& point : test->GetConnectionPoints() )
2448 {
2449 if( line->HitTest( point, 1 ) )
2450 {
2451 test->SetFlags( SELECTED_BY_DRAG );
2452 aList.push_back( test );
2453
2454 // A bus entry needs its wire & label as well
2455 std::vector<VECTOR2I> ends = test->GetConnectionPoints();
2456 VECTOR2I otherEnd;
2457
2458 if( ends[0] == point )
2459 otherEnd = ends[1];
2460 else
2461 otherEnd = ends[0];
2462
2463 getConnectedDragItems( aCommit, test, otherEnd, aList );
2464
2465 // No need to test the other end of the bus entry
2466 break;
2467 }
2468 }
2469 }
2470
2471 break;
2472
2473 default:
2474 break;
2475 }
2476 }
2477}
2478
2479
2480void SCH_MOVE_TOOL::moveItem( EDA_ITEM* aItem, const VECTOR2I& aDelta )
2481{
2482 static int moveCallCount = 0;
2483 wxLogTrace( traceSchMove, "moveItem[%d]: type=%d, delta=(%d,%d)",
2484 ++moveCallCount, aItem->Type(), aDelta.x, aDelta.y );
2485
2486 switch( aItem->Type() )
2487 {
2488 case SCH_LINE_T:
2489 if( m_mode == MOVE )
2490 {
2491 // In MOVE mode, both endpoints always move
2492 static_cast<SCH_LINE*>( aItem )->Move( aDelta );
2493 }
2494 else
2495 {
2496 // In DRAG mode, only flagged endpoints move - use shared function
2497 MoveSchematicItem( aItem, aDelta );
2498 }
2499
2500 break;
2501
2502 case SCH_PIN_T:
2503 case SCH_FIELD_T:
2504 {
2505 SCH_ITEM* parent = (SCH_ITEM*) aItem->GetParent();
2506 VECTOR2I delta( aDelta );
2507
2508 if( parent && parent->Type() == SCH_SYMBOL_T )
2509 {
2510 SCH_SYMBOL* symbol = (SCH_SYMBOL*) aItem->GetParent();
2511 TRANSFORM transform = symbol->GetTransform().InverseTransform();
2512
2513 delta = transform.TransformCoordinate( delta );
2514 }
2515
2516 static_cast<SCH_ITEM*>( aItem )->Move( delta );
2517
2518 // If we're moving a field with respect to its parent then it's no longer auto-placed
2519 if( aItem->Type() == SCH_FIELD_T && parent && !parent->IsSelected() )
2521
2522 break;
2523 }
2524
2525 case SCH_SHEET_PIN_T:
2526 // Use shared function for sheet pin movement
2527 MoveSchematicItem( aItem, aDelta );
2528 break;
2529
2530 case SCH_LABEL_T:
2532 case SCH_GLOBAL_LABEL_T:
2533 case SCH_HIER_LABEL_T:
2534 {
2535 SCH_LABEL_BASE* label = static_cast<SCH_LABEL_BASE*>( aItem );
2536 if( !m_specialCaseLabels.count( label ) )
2537 label->Move( aDelta );
2538
2539 break;
2540 }
2541
2542 default:
2543 static_cast<SCH_ITEM*>( aItem )->Move( aDelta );
2544 break;
2545 }
2546
2547 aItem->SetFlags( IS_MOVING );
2548}
2549
2550
2552{
2554 SCH_SELECTION& selection = m_selectionTool->RequestSelection( SCH_COLLECTOR::MovableItems );
2555 GRID_HELPER_GRIDS selectionGrid = grid.GetSelectionGrid( selection );
2556 SCH_COMMIT commit( m_toolMgr );
2557
2558 auto doMoveItem =
2559 [&]( EDA_ITEM* item, const VECTOR2I& delta )
2560 {
2561 commit.Modify( item, m_frame->GetScreen(), RECURSE_MODE::RECURSE );
2562
2563 // Ensure only one end is moved when calling moveItem
2564 // i.e. we are in drag mode
2565 MOVE_MODE tmpMode = m_mode;
2566 m_mode = DRAG;
2567 moveItem( item, delta );
2568 m_mode = tmpMode;
2569
2570 item->ClearFlags( IS_MOVING );
2571 updateItem( item, true );
2572 };
2573
2574 for( SCH_ITEM* it : m_frame->GetScreen()->Items() )
2575 {
2576 if( !it->IsSelected() )
2577 it->ClearFlags( STARTPOINT | ENDPOINT );
2578
2579 if( !selection.IsHover() && it->IsSelected() )
2580 it->SetFlags( STARTPOINT | ENDPOINT );
2581
2582 it->SetStoredPos( it->GetPosition() );
2583
2584 if( it->Type() == SCH_SHEET_T )
2585 {
2586 for( SCH_SHEET_PIN* pin : static_cast<SCH_SHEET*>( it )->GetPins() )
2587 pin->SetStoredPos( pin->GetPosition() );
2588 }
2589 }
2590
2591 SCH_ALIGNMENT_CALLBACKS callbacks;
2592
2593 callbacks.m_doMoveItem = doMoveItem;
2594
2595 callbacks.m_getConnectedDragItems =
2596 [&]( SCH_ITEM* aItem, const VECTOR2I& aPoint, EDA_ITEMS& aList )
2597 {
2598 getConnectedDragItems( &commit, aItem, aPoint, aList );
2599 };
2600
2601 callbacks.m_updateItem =
2602 [&]( EDA_ITEM* aItem )
2603 {
2604 updateItem( aItem, true );
2605 };
2606
2607 std::vector<EDA_ITEM*> items( selection.begin(), selection.end() );
2608 AlignSchematicItemsToGrid( m_frame->GetScreen(), items, grid, selectionGrid, callbacks );
2609
2611 lwbTool->TrimOverLappingWires( &commit, &selection );
2612 lwbTool->AddJunctionsIfNeeded( &commit, &selection );
2613
2615
2616 m_frame->Schematic().CleanUp( &commit );
2617 commit.Push( _( "Align Items to Grid" ) );
2618 return 0;
2619}
2620
2621
2623{
2624 // Remove new bend lines added during the drag
2625 for( SCH_LINE* newLine : m_newDragLines )
2626 {
2627 m_frame->RemoveFromScreen( newLine, m_frame->GetScreen() );
2628 delete newLine;
2629 }
2630
2631 m_newDragLines.clear();
2632}
2633
2634
constexpr EDA_IU_SCALE schIUScale
Definition base_units.h:114
BOX2< VECTOR2I > BOX2I
Definition box2.h:922
@ CURSOR_RIGHT
Definition actions.h:311
@ CURSOR_LEFT
Definition actions.h:309
@ CURSOR_UP
Definition actions.h:305
@ CURSOR_DOWN
Definition actions.h:307
static TOOL_ACTION undo
Definition actions.h:75
static TOOL_ACTION duplicate
Definition actions.h:84
static TOOL_ACTION doDelete
Definition actions.h:85
static TOOL_ACTION cursorClick
Definition actions.h:180
static TOOL_ACTION redo
Definition actions.h:76
static TOOL_ACTION increment
Definition actions.h:94
static TOOL_ACTION selectionClear
Clear the current selection.
Definition actions.h:224
static TOOL_ACTION refreshPreview
Definition actions.h:159
constexpr const Vec & GetPosition() const
Definition box2.h:211
constexpr coord_type GetY() const
Definition box2.h:208
constexpr size_type GetWidth() const
Definition box2.h:214
constexpr coord_type GetX() const
Definition box2.h:207
constexpr BOX2< Vec > & Merge(const BOX2< Vec > &aRect)
Modify the position and size of the rectangle in order to contain aRect.
Definition box2.h:658
constexpr size_type GetHeight() const
Definition box2.h:215
constexpr bool Contains(const Vec &aPoint) const
Definition box2.h:168
COMMIT & Added(EDA_ITEM *aItem, BASE_SCREEN *aScreen=nullptr)
Notify observers that aItem has been added.
Definition commit.h:84
COMMIT & Modify(EDA_ITEM *aItem, BASE_SCREEN *aScreen=nullptr, RECURSE_MODE aRecurse=RECURSE_MODE::NO_RECURSE)
Modify a given item in the model.
Definition commit.h:106
COMMIT & Removed(EDA_ITEM *aItem, BASE_SCREEN *aScreen=nullptr)
Definition commit.h:96
void AddItem(const TOOL_ACTION &aAction, const SELECTION_CONDITION &aCondition, int aOrder=ANY_ORDER)
Add a menu entry to run a TOOL_ACTION on selected items.
static void sort_dangling_end_items(std::vector< DANGLING_END_ITEM > &aItemListByType, std::vector< DANGLING_END_ITEM > &aItemListByPos)
Both contain the same information.
Definition sch_item.cpp:965
Helper class used to store the state of schematic items that can be connected to other schematic item...
Definition sch_item.h:97
A base class for most all the KiCad significant classes used in schematics and boards.
Definition eda_item.h:99
virtual VECTOR2I GetPosition() const
Definition eda_item.h:278
virtual const BOX2I GetBoundingBox() const
Return the orthogonal bounding box of this object for display purposes.
Definition eda_item.cpp:120
void SetFlags(EDA_ITEM_FLAGS aMask)
Definition eda_item.h:148
virtual EDA_GROUP * GetParentGroup() const
Definition eda_item.h:117
KICAD_T Type() const
Returns the type of object.
Definition eda_item.h:111
void ClearFlags(EDA_ITEM_FLAGS aMask=EDA_ITEM_ALL_FLAGS)
Definition eda_item.h:150
bool IsSelected() const
Definition eda_item.h:128
EDA_ITEM * GetParent() const
Definition eda_item.h:113
bool HasFlag(EDA_ITEM_FLAGS aFlag) const
Definition eda_item.h:152
bool IsNew() const
Definition eda_item.h:125
const VECTOR2I & GetTextPos() const
Definition eda_text.h:273
Implement an R-tree for fast spatial and type indexing of schematic items.
Definition sch_rtree.h:40
EE_TYPE Overlapping(const BOX2I &aRect) const
Definition sch_rtree.h:246
static const TOOL_EVENT SelectedItemsMoved
Used to inform tools that the selection should temporarily be non-editable.
Definition actions.h:355
An interface for classes handling user events controlling the view behavior such as zooming,...
virtual void ForceCursorPosition(bool aEnabled, const VECTOR2D &aPosition=VECTOR2D(0, 0))
Place the cursor immediately at a given point.
virtual void ShowCursor(bool aEnabled)
Enable or disables display of cursor.
VECTOR2D GetCursorPosition() const
Return the current cursor position in world coordinates.
virtual void SetCursorPosition(const VECTOR2D &aPosition, bool aWarpView=true, bool aTriggeredByArrows=false, long aArrowCommand=0)=0
Move cursor to the requested position expressed in world coordinates.
virtual void SetAutoPan(bool aEnabled)
Turn on/off auto panning (this feature is used when there is a tool active (eg.
const VC_SETTINGS & GetSettings() const
Return the current VIEW_CONTROLS settings.
static TOOL_ACTION rotateCCW
static TOOL_ACTION breakWire
static TOOL_ACTION toText
static TOOL_ACTION restartMove
static TOOL_ACTION toHLabel
static TOOL_ACTION rotateCW
static TOOL_ACTION drag
static TOOL_ACTION toLabel
static TOOL_ACTION alignToGrid
static TOOL_ACTION toDLabel
static TOOL_ACTION slice
static TOOL_ACTION toTextBox
static TOOL_ACTION highlightNet
static TOOL_ACTION repeatDrawItem
static TOOL_ACTION toGLabel
static TOOL_ACTION selectOnPCB
static TOOL_ACTION move
static const std::vector< KICAD_T > MovableItems
COMMIT & Stage(EDA_ITEM *aItem, CHANGE_TYPE aChangeType, BASE_SCREEN *aScreen=nullptr, RECURSE_MODE aRecurse=RECURSE_MODE::NO_RECURSE) override
Add a change of the item aItem of type aChangeType to the change list.
virtual void Push(const wxString &aMessage=wxT("A commit"), int aCommitFlags=0) override
Execute the changes.
virtual void Revert() override
Revert the commit by restoring the modified items state.
Each graphical item can have a SCH_CONNECTION describing its logical connection (to a bus or net).
void Clone(const SCH_CONNECTION &aOther)
Copies connectivity information (but not parent) from another connection.
static bool IsBusLabel(const wxString &aLabel)
Test if aLabel has a bus notation.
Schematic editor (Eeschema) main window.
SCH_SHEET_PATH & GetCurrentSheet() const
A set of SCH_ITEMs (i.e., without duplicates).
Definition sch_group.h:52
Base class for any item which can be embedded within the SCHEMATIC container class,...
Definition sch_item.h:168
void SetStoredPos(const VECTOR2I &aPos)
Definition sch_item.h:305
virtual bool CanConnect(const SCH_ITEM *aItem) const
Definition sch_item.h:522
virtual void RunOnChildren(const std::function< void(SCH_ITEM *)> &aFunction, RECURSE_MODE aMode)
Definition sch_item.h:631
int GetBodyStyle() const
Definition sch_item.h:248
SCH_CONNECTION * InitializeConnection(const SCH_SHEET_PATH &aPath, CONNECTION_GRAPH *aGraph)
Create a new connection object associated with this object.
Definition sch_item.cpp:566
virtual void Move(const VECTOR2I &aMoveVector)
Move the item by aMoveVector to a new position.
Definition sch_item.h:399
void SetLayer(SCH_LAYER_ID aLayer)
Definition sch_item.h:342
void SetConnectivityDirty(bool aDirty=true)
Definition sch_item.h:590
void SetFieldsAutoplaced(AUTOPLACE_ALGO aAlgo)
Definition sch_item.h:627
bool IsConnected(const VECTOR2I &aPoint) const
Test the item to see if it is connected to aPoint.
Definition sch_item.cpp:464
virtual bool IsMovableFromAnchorPoint() const
Check if object is movable from the anchor point.
Definition sch_item.h:302
SCH_CONNECTION * Connection(const SCH_SHEET_PATH *aSheet=nullptr) const
Retrieve the connection associated with this object in the given sheet.
Definition sch_item.cpp:473
VECTOR2I & GetStoredPos()
Definition sch_item.h:304
bool IsGroupableType() const
Definition sch_item.cpp:114
virtual std::vector< VECTOR2I > GetConnectionPoints() const
Add all the connection points for this item to aPoints.
Definition sch_item.h:542
void SetLastResolvedState(const SCH_ITEM *aItem) override
void Move(const VECTOR2I &aMoveVector) override
Move the item by aMoveVector to a new position.
bool CanConnect(const SCH_ITEM *aItem) const override
Definition sch_label.h:148
Tool responsible for drawing/placing items (symbols, wires, buses, labels, etc.)
int AddJunctionsIfNeeded(SCH_COMMIT *aCommit, SCH_SELECTION *aSelection)
Handle the addition of junctions to a selection of objects.
SCH_JUNCTION * AddJunction(SCH_COMMIT *aCommit, SCH_SCREEN *aScreen, const VECTOR2I &aPos)
int TrimOverLappingWires(SCH_COMMIT *aCommit, SCH_SELECTION *aSelection)
Logic to remove wires when overlapping correct items.
static bool IsDrawingLineWireOrBus(const SELECTION &aSelection)
void BreakSegment(SCH_COMMIT *aCommit, SCH_LINE *aSegment, const VECTOR2I &aPoint, SCH_LINE **aNewSegment, SCH_SCREEN *aScreen)
Break a single segment into two at the specified point.
Segment description base class to describe items which have 2 end points (track, wire,...
Definition sch_line.h:42
bool HitTest(const VECTOR2I &aPosition, int aAccuracy=0) const override
Test if aPosition is inside or on the boundary of this item.
Definition sch_line.cpp:817
void StoreAngle()
Save the current line angle.
Definition sch_line.h:115
std::vector< VECTOR2I > GetConnectionPoints() const override
Add all the connection points for this item to aPoints.
Definition sch_line.cpp:717
const BOX2I GetBoundingBox() const override
Return the orthogonal bounding box of this object for display purposes.
Definition sch_line.cpp:234
EDA_ANGLE Angle() const
Get the angle between the start and end lines.
Definition sch_line.h:104
VECTOR2I GetEndPoint() const
Definition sch_line.h:148
VECTOR2I GetStartPoint() const
Definition sch_line.h:139
void MoveEnd(const VECTOR2I &aMoveVector)
Definition sch_line.cpp:179
void SetLastResolvedState(const SCH_ITEM *aItem) override
Definition sch_line.h:163
void MoveStart(const VECTOR2I &aMoveVector)
Definition sch_line.cpp:173
double GetLength() const
Definition sch_line.cpp:250
void SetEndPoint(const VECTOR2I &aPosition)
Definition sch_line.h:149
void moveSelectionToSheet(SCH_SELECTION &aSelection, SCH_SHEET *aTarget, SCH_COMMIT *aCommit)
Clears the new drag lines and removes them from the screen.
void refreshSelectionTraits(const SCH_SELECTION &aSelection, bool &aHasSheetPins, bool &aHasGraphicItems, bool &aHasNonGraphicItems, bool &aIsGraphicsOnly)
Initialize the move/drag operation, setting up flags and connections.
bool Init() override
Init() is called once upon a registration of the tool.
VECTOR2I m_cursor
void trimDanglingLines(SCH_COMMIT *aCommit)
Break or slice the current selection before initiating a move, if required.
void orthoLineDrag(SCH_COMMIT *aCommit, SCH_LINE *line, const VECTOR2I &splitDelta, int &xBendCount, int &yBendCount, const EE_GRID_HELPER &grid)
std::unordered_set< SCH_LINE * > m_newDragLines
Lines changed by drag algorithm that weren't selected.
SCH_SHEET * findTargetSheet(const SCH_SELECTION &aSelection, const VECTOR2I &aCursorPos, bool aHasSheetPins, bool aIsGraphicsOnly, bool aCtrlDown)
Perform the actual move of items by delta, handling split moves and orthogonal dragging.
bool handleMoveToolActions(const TOOL_EVENT *aEvent, SCH_COMMIT *aCommit, const SCH_SELECTION &aSelection)
Update stored positions after transformations (rotation, mirroring, etc.) during move.
bool checkMoveInProgress(const TOOL_EVENT &aEvent, SCH_COMMIT *aCommit, bool aCurrentModeIsDragLike, bool aWasDragging)
< Check if a move is already in progress and handle state transitions
void initializeMoveOperation(const TOOL_EVENT &aEvent, SCH_SELECTION &aSelection, SCH_COMMIT *aCommit, std::vector< DANGLING_END_ITEM > &aInternalPoints, GRID_HELPER_GRIDS &aSnapLayer)
Setup items for drag operation, collecting connected items.
OPT_VECTOR2I m_anchorPos
void performItemMove(SCH_SELECTION &aSelection, const VECTOR2I &aDelta, SCH_COMMIT *aCommit, int &aXBendCount, int &aYBendCount, const EE_GRID_HELPER &aGrid)
Handle tool action events during the move operation.
int Main(const TOOL_EVENT &aEvent)
Run an interactive move of the selected items, or the item under the cursor.
SCH_SELECTION & prepareSelection(bool &aUnselect)
Refresh selection traits (sheet pins, graphic items, etc.)
std::vector< SCH_JUNCTION * > m_hiddenJunctions
void setupItemsForMove(SCH_SELECTION &aSelection, std::vector< DANGLING_END_ITEM > &aInternalPoints)
Find the target sheet for dropping items (if any)
bool m_inMoveTool
< Re-entrancy guard
std::vector< KIID > m_dragAdditions
Cache of the line's original connections before dragging started.
void moveItem(EDA_ITEM *aItem, const VECTOR2I &aDelta)
Find additional items for a drag operation.
void setupItemsForDrag(SCH_SELECTION &aSelection, SCH_COMMIT *aCommit)
Setup items for move operation, marking dangling ends.
std::unordered_set< SCH_LINE * > m_changedDragLines
Junctions that were hidden during the move.
void Reset(RESET_REASON aReason) override
Bring the tool to a known, initial state.
void finalizeMoveOperation(SCH_SELECTION &aSelection, SCH_COMMIT *aCommit, bool aUnselect, const std::vector< DANGLING_END_ITEM > &aInternalPoints)
void setTransitions() override
Cleanup dangling lines left after a drag.
void getConnectedItems(SCH_ITEM *aOriginalItem, const VECTOR2I &aPoint, EDA_ITEMS &aList)
std::map< SCH_LINE *, EDA_ITEMS > m_lineConnectionCache
Lines added at bend points dynamically during the move.
OPT_VECTOR2I m_breakPos
void updateStoredPositions(const SCH_SELECTION &aSelection)
Finalize the move operation, updating junctions and cleaning up.
bool doMoveSelection(const TOOL_EVENT &aEvent, SCH_COMMIT *aCommit)
void getConnectedDragItems(SCH_COMMIT *aCommit, SCH_ITEM *fixed, const VECTOR2I &selected, EDA_ITEMS &aList)
VECTOR2I m_moveOffset
Last cursor position (needed for getModificationPoint() to avoid changes of edit reference point).
std::map< SCH_LABEL_BASE *, SPECIAL_CASE_LABEL_INFO > m_specialCaseLabels
int AlignToGrid(const TOOL_EVENT &aEvent)
Align selected elements to the grid.
void clearNewDragLines()
Set up handlers for various events.
MOVE_MODE m_mode
Items (such as wires) which were added to the selection for a drag.
void preprocessBreakOrSliceSelection(SCH_COMMIT *aCommit, const TOOL_EVENT &aEvent)
std::map< SCH_SHEET_PIN *, std::pair< SCH_LINE *, bool > > m_specialCaseSheetPins
void Append(SCH_ITEM *aItem, bool aUpdateLibSymbol=true)
EE_RTREE & Items()
Get the full RTree, usually for iterating.
Definition sch_screen.h:119
Handle access to a stack of flattened SCH_SHEET objects by way of a path for creating a flattened sch...
Define a sheet pin (label) used in sheets to create hierarchical schematics.
Sheet symbol placed in a schematic, and is the entry point for a sub schematic.
Definition sch_sheet.h:48
bool IsTopLevelSheet() const
Check if this sheet is a top-level sheet.
SCH_SHEET_PIN * GetPin(const VECTOR2I &aPosition)
Return the sheet pin item found at aPosition in the sheet.
SCH_SCREEN * GetScreen() const
Definition sch_sheet.h:140
const BOX2I GetBodyBoundingBox() const
Return a bounding box for the sheet body but not the fields.
std::vector< SCH_SHEET_PIN * > & GetPins()
Definition sch_sheet.h:228
Schematic symbol object.
Definition sch_symbol.h:76
VECTOR2I GetPosition() const override
Definition sch_text.h:147
void updateItem(EDA_ITEM *aItem, bool aUpdateRTree) const
bool Init() override
Init() is called once upon a registration of the tool.
void Reset(RESET_REASON aReason) override
Bring the tool to a known, initial state.
SCH_TOOL_BASE(const std::string &aName)
SCH_SELECTION_TOOL * m_selectionTool
static SELECTION_CONDITION OnlyTypes(std::vector< KICAD_T > aTypes)
Create a functor that tests if the selected items are only of given types.
virtual void Add(EDA_ITEM *aItem)
Definition selection.cpp:42
ITER end()
Definition selection.h:80
ITER begin()
Definition selection.h:79
VECTOR2I GetReferencePoint() const
bool IsHover() const
Definition selection.h:89
virtual unsigned int GetSize() const override
Return the number of stored items.
Definition selection.h:105
EDA_ITEM * Front() const
Definition selection.h:177
int Size() const
Returns the number of selected parts.
Definition selection.h:121
void SetReferencePoint(const VECTOR2I &aP)
bool Empty() const
Checks if there is anything selected.
Definition selection.h:115
std::vector< EDA_ITEM * > GetItemsSortedByTypeAndXY(bool leftBeforeRight=true, bool topBeforeBottom=true) const
Returns a copy of this selection of items sorted by their X then Y position.
bool HasReferencePoint() const
Definition selection.h:216
const TRANSFORM & GetTransform() const
Definition symbol.h:247
KIGFX::VIEW_CONTROLS * getViewControls() const
Definition tool_base.cpp:44
KIGFX::VIEW * getView() const
Definition tool_base.cpp:38
Generic, UI-independent tool event.
Definition tool_event.h:171
bool DisableGridSnapping() const
Definition tool_event.h:371
bool HasParameter() const
Definition tool_event.h:464
bool IsCancelInteractive() const
Indicate the event should restart/end an ongoing interactive tool's event loop (eg esc key,...
TOOL_ACTIONS Action() const
Returns more specific information about the type of an event.
Definition tool_event.h:250
bool IsActivate() const
Definition tool_event.h:345
COMMIT * Commit() const
Definition tool_event.h:283
bool IsClick(int aButtonMask=BUT_ANY) const
TOOL_EVENT_CATEGORY Category() const
Return the category (eg. mouse/keyboard/action) of an event.
Definition tool_event.h:247
bool IsDrag(int aButtonMask=BUT_ANY) const
Definition tool_event.h:315
int Modifier(int aMask=MD_MODIFIER_MASK) const
Return information about key modifiers state (Ctrl, Alt, etc.).
Definition tool_event.h:366
bool IsAction(const TOOL_ACTION *aAction) const
Test if the event contains an action issued upon activation of the given TOOL_ACTION.
T Parameter() const
Return a parameter assigned to the event.
Definition tool_event.h:473
bool IsDblClick(int aButtonMask=BUT_ANY) const
std::atomic< SYNCRONOUS_TOOL_STATE > * SynchronousState() const
Definition tool_event.h:280
std::optional< int > GetCommandId() const
Definition tool_event.h:533
void SetPassEvent(bool aPass=true)
Definition tool_event.h:256
bool IsMouseUp(int aButtonMask=BUT_ANY) const
Definition tool_event.h:325
bool IsMotion() const
Definition tool_event.h:330
const std::string Format() const
Return information about event in form of a human-readable string.
void Go(int(SCH_EDIT_FRAME::*aStateFunc)(const TOOL_EVENT &), const TOOL_EVENT_LIST &aConditions=TOOL_EVENT(TC_ANY, TA_ANY))
std::unique_ptr< TOOL_MENU > m_menu
TOOL_EVENT * Wait(const TOOL_EVENT_LIST &aEventList=TOOL_EVENT(TC_ANY, TA_ANY))
for transforming drawing coordinates for a wxDC device context.
Definition transform.h:46
TRANSFORM InverseTransform() const
Calculate the Inverse mirror/rotation transform.
Definition transform.cpp:59
VECTOR2I TransformCoordinate(const VECTOR2I &aPoint) const
Calculate a new coordinate according to the mirror/rotation transform.
Definition transform.cpp:44
@ CHT_REMOVE
Definition commit.h:43
@ CHT_DONE
Flag to indicate the change is already applied.
Definition commit.h:47
@ CHT_ADD
Definition commit.h:42
KICURSOR
Definition cursors.h:44
@ PLACE
Definition cursors.h:98
@ MOVING
Definition cursors.h:48
#define _(s)
static constexpr EDA_ANGLE ANGLE_90
Definition eda_angle.h:413
@ RECURSE
Definition eda_item.h:52
@ NO_RECURSE
Definition eda_item.h:53
#define IS_PASTED
Modifier on IS_NEW which indicates it came from clipboard.
#define IS_CHANGED
Item was edited, and modified.
#define BRIGHTENED
item is drawn with a bright contour
#define IS_NEW
New item, just created.
#define SELECTED
Item was manually selected by the user.
#define SELECTED_BY_DRAG
Item was algorithmically selected as a dragged item.
#define IS_BROKEN
Is a segment just broken by BreakSegment.
#define STRUCT_DELETED
flag indication structures to be erased
#define ENDPOINT
ends. (Used to support dragging.)
#define IS_MOVING
Item being moved.
#define STARTPOINT
When a line is selected, these flags indicate which.
@ NONE
Definition eda_shape.h:69
@ ID_POPUP_SCH_SELECT_UNIT
Definition eeschema_id.h:87
@ ID_POPUP_SCH_SELECT_BODY_STYLE
Definition eeschema_id.h:97
@ ID_POPUP_SCH_SELECT_BODY_STYLE_END
Definition eeschema_id.h:99
@ ID_POPUP_SCH_SELECT_UNIT_END
Definition eeschema_id.h:91
@ LINE_MODE_FREE
GRID_HELPER_GRIDS
Definition grid_helper.h:44
@ GRID_CURRENT
Definition grid_helper.h:46
const wxChar *const traceSchMove
Flag to watch how schematic move tool actions are handled.
@ LAYER_WIRE
Definition layer_ids.h:452
@ LAYER_BUS
Definition layer_ids.h:453
@ LAYER_BUS_JUNCTION
Definition layer_ids.h:498
std::vector< SCH_JUNCTION * > PreviewJunctions(const class SCH_SCREEN *aScreen, const std::vector< class SCH_ITEM * > &aItems)
Determine the points where explicit junctions would be required if the given temporary items were com...
POINT_INFO AnalyzePoint(const EE_RTREE &aItem, const VECTOR2I &aPosition, bool aBreakCrossings)
Check a tree of items for a confluence at a given point and work out what kind of junction it is,...
@ REPAINT
Item needs to be redrawn.
Definition view_item.h:58
bool signbit(T v)
Integral version of std::signbit that works all compilers.
Definition kicad_algo.h:176
see class PGM_BASE
Class to handle a set of SCH_ITEMs.
@ AUTOPLACE_NONE
Definition sch_item.h:70
void MoveSchematicItem(EDA_ITEM *aItem, const VECTOR2I &aDelta)
Move a schematic item by a delta.
void AlignSchematicItemsToGrid(SCH_SCREEN *aScreen, const std::vector< EDA_ITEM * > &aItems, EE_GRID_HELPER &aGrid, GRID_HELPER_GRIDS aSelectionGrid, const SCH_ALIGNMENT_CALLBACKS &aCallbacks)
Align a set of schematic items to the grid.
std::vector< EDA_ITEM * > EDA_ITEMS
#define QUIET_MODE
static bool isGraphicItemForDrop(const SCH_ITEM *aItem)
static void cloneWireConnection(SCH_LINE *aNewLine, SCH_ITEM *aSource, SCH_EDIT_FRAME *aFrame)
T * GetAppSettings(const char *aFilename)
The EE_TYPE struct provides a type-specific auto-range iterator to the RTree.
Definition sch_rtree.h:195
A selection of information about a point in the schematic that might be eligible for turning into a j...
VECTOR2D m_lastKeyboardCursorPosition
Position of the above event.
bool m_lastKeyboardCursorPositionValid
Is last cursor motion event coming from keyboard arrow cursor motion action.
long m_lastKeyboardCursorCommand
ACTIONS::CURSOR_UP, ACTIONS::CURSOR_DOWN, etc.
Callbacks for alignment operations.
std::function< void(SCH_ITEM *aItem, const VECTOR2I &aPoint, EDA_ITEMS &aList)> m_getConnectedDragItems
Callback to get items connected to a given item at a specific point.
std::function< void(EDA_ITEM *aItem, const VECTOR2I &aDelta)> m_doMoveItem
Callback to move an item by a delta.
std::function< void(EDA_ITEM *aItem)> m_updateItem
Optional callback to update an item's display after modification.
bool moved
KIBIS_PIN * pin
VECTOR2I end
int delta
@ TA_CHOICE_MENU_CHOICE
Context menu choice.
Definition tool_event.h:98
@ STS_CANCELLED
Definition tool_event.h:164
@ STS_FINISHED
Definition tool_event.h:163
@ STS_RUNNING
Definition tool_event.h:162
@ MD_CTRL
Definition tool_event.h:144
@ MD_SHIFT
Definition tool_event.h:143
@ TC_COMMAND
Definition tool_event.h:57
@ TC_MOUSE
Definition tool_event.h:55
@ TC_KEYBOARD
Definition tool_event.h:56
@ BUT_LEFT
Definition tool_event.h:132
@ BUT_RIGHT
Definition tool_event.h:133
wxLogTrace helper definitions.
KICAD_T
The set of class identification values stored in EDA_ITEM::m_structType.
Definition typeinfo.h:78
@ SCH_LINE_T
Definition typeinfo.h:167
@ SCH_NO_CONNECT_T
Definition typeinfo.h:164
@ SCH_SYMBOL_T
Definition typeinfo.h:176
@ SCH_FIELD_T
Definition typeinfo.h:154
@ SCH_DIRECTIVE_LABEL_T
Definition typeinfo.h:175
@ SCH_LABEL_T
Definition typeinfo.h:171
@ SCH_SHEET_T
Definition typeinfo.h:179
@ SCH_SHAPE_T
Definition typeinfo.h:153
@ SCH_HIER_LABEL_T
Definition typeinfo.h:173
@ SCH_BUS_BUS_ENTRY_T
Definition typeinfo.h:166
@ SCH_SHEET_PIN_T
Definition typeinfo.h:178
@ SCH_TEXT_T
Definition typeinfo.h:155
@ SCH_BUS_WIRE_ENTRY_T
Definition typeinfo.h:165
@ SCH_BITMAP_T
Definition typeinfo.h:168
@ SCH_TEXTBOX_T
Definition typeinfo.h:156
@ SCH_GLOBAL_LABEL_T
Definition typeinfo.h:172
@ SCH_JUNCTION_T
Definition typeinfo.h:163
@ SCH_PIN_T
Definition typeinfo.h:157
constexpr int sign(T val)
Definition util.h:145
VECTOR2< int32_t > VECTOR2I
Definition vector2d.h:695
VECTOR2< double > VECTOR2D
Definition vector2d.h:694