KiCad PCB EDA Suite
All Classes Namespaces Files Functions Variables Typedefs Enumerations Enumerator Friends Macros Modules Pages Concepts
pcb_io_eagle.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) 2012 SoftPLC Corporation, Dick Hollenbeck <dick@softplc.com>
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
26/*
27
28Pcbnew PLUGIN for Eagle 6.x XML *.brd and footprint format.
29
30XML parsing and converting:
31Getting line numbers and byte offsets from the source XML file is not
32possible using currently available XML libraries within KiCad project:
33wxXmlDocument and boost::property_tree.
34
35property_tree will give line numbers but no byte offsets, and only during
36document loading. This means that if we have a problem after the document is
37successfully loaded, there is no way to correlate back to line number and byte
38offset of the problem. So a different approach is taken, one which relies on the
39XML elements themselves using an XPATH type of reporting mechanism. The path to
40the problem is reported in the error messages. This means keeping track of that
41path as we traverse the XML document for the sole purpose of accurate error
42reporting.
43
44User can load the source XML file into firefox or other xml browser and follow
45our error message.
46
47Load() TODO's
48
49*) verify zone fill clearances are correct
50
51*/
52
53#include <cerrno>
54
55#include <wx/string.h>
56#include <wx/xml/xml.h>
57#include <wx/filename.h>
58#include <wx/log.h>
59#include <wx/wfstream.h>
60#include <wx/txtstrm.h>
61#include <wx/window.h>
62
64#include <font/fontconfig.h>
66#include <string_utils.h>
67#include <locale_io.h>
68#include <trigo.h>
69#include <progress_reporter.h>
70#include <project.h>
71#include <board.h>
73#include <footprint.h>
74#include <pad.h>
75#include <pcb_track.h>
76#include <pcb_shape.h>
77#include <zone.h>
78#include <padstack.h>
79#include <pcb_text.h>
80#include <pcb_dimension.h>
81#include <reporter.h>
82
83#include <pcb_io/pcb_io.h>
85
86using namespace std;
87
88
91static int parseEagle( const wxString& aDistance )
92{
93 ECOORD::EAGLE_UNIT unit = ( aDistance.npos != aDistance.find( "mil" ) )
96
97 ECOORD coord( aDistance, unit );
98
99 return coord.ToPcbUnits();
100}
101
102
103// In Eagle one can specify DRC rules where min value > max value,
104// in such case the max value has the priority
105template<typename T>
106static T eagleClamp( T aMin, T aValue, T aMax )
107{
108 T ret = std::max( aMin, aValue );
109 return std::min( aMax, ret );
110}
111
112
115static wxString makeKey( const wxString& aFirst, const wxString& aSecond )
116{
117 wxString key = aFirst + '\x02' + aSecond;
118 return key;
119}
120
121
122void PCB_IO_EAGLE::setKeepoutSettingsToZone( ZONE* aZone, int aLayer ) const
123{
124 if( aLayer == EAGLE_LAYER::TRESTRICT || aLayer == EAGLE_LAYER::BRESTRICT )
125 {
126 aZone->SetIsRuleArea( true );
127 aZone->SetDoNotAllowVias( true );
128 aZone->SetDoNotAllowTracks( true );
129 aZone->SetDoNotAllowZoneFills( true );
130 aZone->SetDoNotAllowPads( true );
131 aZone->SetDoNotAllowFootprints( false );
132
133 if( aLayer == EAGLE_LAYER::TRESTRICT ) // front layer keepout
134 aZone->SetLayer( F_Cu );
135 else // bottom layer keepout
136 aZone->SetLayer( B_Cu );
137 }
138 else if( aLayer == EAGLE_LAYER::VRESTRICT )
139 {
140 aZone->SetIsRuleArea( true );
141 aZone->SetDoNotAllowVias( true );
142 aZone->SetDoNotAllowTracks( false );
143 aZone->SetDoNotAllowZoneFills( false );
144 aZone->SetDoNotAllowPads( false );
145 aZone->SetDoNotAllowFootprints( false );
146
147 aZone->SetLayerSet( LSET::AllCuMask() );
148 }
149 else // copper pour cutout
150 {
151 aZone->SetIsRuleArea( true );
152 aZone->SetDoNotAllowVias( false );
153 aZone->SetDoNotAllowTracks( false );
154 aZone->SetDoNotAllowZoneFills( true );
155 aZone->SetDoNotAllowPads( false );
156 aZone->SetDoNotAllowFootprints( false );
157
158 aZone->SetLayerSet( { kicad_layer( aLayer ) } );
159 }
160}
161
162
163void ERULES::parse( wxXmlNode* aRules, std::function<void()> aCheckpoint )
164{
165 wxXmlNode* child = aRules->GetChildren();
166
167 while( child )
168 {
169 aCheckpoint();
170
171 if( child->GetName() == wxT( "param" ) )
172 {
173 const wxString& name = child->GetAttribute( wxT( "name" ) );
174 const wxString& value = child->GetAttribute( wxT( "value" ) );
175
176 if( name == wxT( "psElongationLong" ) )
177 psElongationLong = wxAtoi( value );
178 else if( name == wxT( "psElongationOffset" ) )
179 psElongationOffset = wxAtoi( value );
180 else if( name == wxT( "mvStopFrame" ) )
181 value.ToCDouble( &mvStopFrame );
182 else if( name == wxT( "mvCreamFrame" ) )
183 value.ToCDouble( &mvCreamFrame );
184 else if( name == wxT( "mlMinStopFrame" ) )
185 mlMinStopFrame = parseEagle( value );
186 else if( name == wxT( "mlMaxStopFrame" ) )
187 mlMaxStopFrame = parseEagle( value );
188 else if( name == wxT( "mlMinCreamFrame" ) )
189 mlMinCreamFrame = parseEagle( value );
190 else if( name == wxT( "mlMaxCreamFrame" ) )
191 mlMaxCreamFrame = parseEagle( value );
192 else if( name == wxT( "srRoundness" ) )
193 value.ToCDouble( &srRoundness );
194 else if( name == wxT( "srMinRoundness" ) )
195 srMinRoundness = parseEagle( value );
196 else if( name == wxT( "srMaxRoundness" ) )
197 srMaxRoundness = parseEagle( value );
198 else if( name == wxT( "psTop" ) )
199 psTop = wxAtoi( value );
200 else if( name == wxT( "psBottom" ) )
201 psBottom = wxAtoi( value );
202 else if( name == wxT( "psFirst" ) )
203 psFirst = wxAtoi( value );
204 else if( name == wxT( "rvPadTop" ) )
205 value.ToCDouble( &rvPadTop );
206 else if( name == wxT( "rlMinPadTop" ) )
207 rlMinPadTop = parseEagle( value );
208 else if( name == wxT( "rlMaxPadTop" ) )
209 rlMaxPadTop = parseEagle( value );
210 else if( name == wxT( "rvViaOuter" ) )
211 value.ToCDouble( &rvViaOuter );
212 else if( name == wxT( "rlMinViaOuter" ) )
213 rlMinViaOuter = parseEagle( value );
214 else if( name == wxT( "rlMaxViaOuter" ) )
215 rlMaxViaOuter = parseEagle( value );
216 else if( name == wxT( "mdWireWire" ) )
217 mdWireWire = parseEagle( value );
218 }
219
220 child = child->GetNext();
221 }
222}
223
224
226 PCB_IO( wxS( "Eagle" ) ),
227 m_rules( new ERULES() ),
228 m_xpath( new XPATH() ),
229 m_progressReporter( nullptr ),
230 m_doneCount( 0 ),
231 m_lastProgressCount( 0 ),
232 m_totalCount( 0 ),
233 m_mod_time( wxDateTime::Now() )
234{
235 using namespace std::placeholders;
236
237 init( nullptr );
238 clear_cu_map();
240}
241
242
244{
246 delete m_rules;
247 delete m_xpath;
248}
249
250
251bool PCB_IO_EAGLE::CanReadBoard( const wxString& aFileName ) const
252{
253 if( !PCB_IO::CanReadBoard( aFileName ) )
254 return false;
255
256 return checkHeader( aFileName );
257}
258
259
260bool PCB_IO_EAGLE::CanReadLibrary( const wxString& aFileName ) const
261{
262 if( !PCB_IO::CanReadLibrary( aFileName ) )
263 return false;
264
265 return checkHeader( aFileName );
266}
267
268
269bool PCB_IO_EAGLE::CanReadFootprint( const wxString& aFileName ) const
270{
271 return CanReadLibrary( aFileName );
272}
273
274
275bool PCB_IO_EAGLE::checkHeader(const wxString& aFileName) const
276{
277 wxFileInputStream input( aFileName );
278
279 if( !input.IsOk() )
280 return false;
281
282 wxTextInputStream text( input );
283
284 for( int i = 0; i < 8; i++ )
285 {
286 if( input.Eof() )
287 return false;
288
289 if( text.ReadLine().Contains( wxS( "<eagle" ) ) )
290 return true;
291 }
292
293 return false;
294}
295
296
298{
299 const unsigned PROGRESS_DELTA = 50;
300
302 {
303 if( ++m_doneCount > m_lastProgressCount + PROGRESS_DELTA )
304 {
306 / std::max( 1U, m_totalCount ) );
307
309 THROW_IO_ERROR( _( "Open cancelled by user." ) );
310
312 }
313 }
314}
315
316
317VECTOR2I inline PCB_IO_EAGLE::kicad_fontsize( const ECOORD& d, int aTextThickness ) const
318{
319 // Eagle includes stroke thickness in the text size, KiCAD does not
320 int kz = d.ToPcbUnits();
321 return VECTOR2I( kz - aTextThickness, kz - aTextThickness );
322}
323
324
325BOARD* PCB_IO_EAGLE::LoadBoard( const wxString& aFileName, BOARD* aAppendToMe,
326 const std::map<std::string, UTF8>* aProperties, PROJECT* aProject )
327{
328 LOCALE_IO toggle; // toggles on, then off, the C locale.
329 wxXmlNode* doc;
330
332
333 init( aProperties );
334
335 m_board = aAppendToMe ? aAppendToMe : new BOARD();
336
337 // Give the filename to the board if it's new
338 if( !aAppendToMe )
339 m_board->SetFileName( aFileName );
340
341 // delete on exception, if I own m_board, according to aAppendToMe
342 unique_ptr<BOARD> deleter( aAppendToMe ? nullptr : m_board );
343
344 try
345 {
347 {
348 m_progressReporter->Report( wxString::Format( _( "Loading %s..." ), aFileName ) );
349
351 THROW_IO_ERROR( _( "Open cancelled by user." ) );
352 }
353
354 wxFileName fn = aFileName;
355
356 // Load the document
357 wxFFileInputStream stream( fn.GetFullPath() );
358 wxXmlDocument xmlDocument;
359
360 if( !stream.IsOk() || !xmlDocument.Load( stream ) )
361 {
362 THROW_IO_ERROR( wxString::Format( _( "Unable to read file '%s'" ),
363 fn.GetFullPath() ) );
364 }
365
366 doc = xmlDocument.GetRoot();
367
368 m_min_trace = INT_MAX;
369 m_min_hole = INT_MAX;
370 m_min_via = INT_MAX;
371 m_min_annulus = INT_MAX;
372
373 loadAllSections( doc );
374
376
377 if( m_min_trace < bds.m_TrackMinWidth )
379
380 if( m_min_via < bds.m_ViasMinSize )
382
383 if( m_min_hole < bds.m_MinThroughDrill )
385
388
389 if( m_rules->mdWireWire )
391
392 NETCLASS defaults( wxT( "dummy" ) );
393
394 auto finishNetclass =
395 [&]( std::shared_ptr<NETCLASS> netclass )
396 {
397 // If Eagle has a clearance matrix then we'll build custom rules from that.
398 // Netclasses should just be the board minimum clearance.
399 netclass->SetClearance( KiROUND( bds.m_MinClearance ) );
400
401 if( netclass->GetTrackWidth() == INT_MAX )
402 netclass->SetTrackWidth( defaults.GetTrackWidth() );
403
404 if( netclass->GetViaDiameter() == INT_MAX )
405 netclass->SetViaDiameter( defaults.GetViaDiameter() );
406
407 if( netclass->GetViaDrill() == INT_MAX )
408 netclass->SetViaDrill( defaults.GetViaDrill() );
409 };
410
411 std::shared_ptr<NET_SETTINGS>& netSettings = bds.m_NetSettings;
412
413 finishNetclass( netSettings->GetDefaultNetclass() );
414
415 for( const auto& [name, netclass] : netSettings->GetNetclasses() )
416 finishNetclass( netclass );
417
420
421 fn.SetExt( wxT( "kicad_dru" ) );
422 wxFile rulesFile( fn.GetFullPath(), wxFile::write );
423 rulesFile.Write( m_customRules );
424
425 // should be empty, else missing m_xpath->pop()
426 wxASSERT( m_xpath->Contents().size() == 0 );
427 }
428 catch( const XML_PARSER_ERROR &exc )
429 {
430 wxString errmsg = exc.what();
431
432 errmsg += wxT( "\n@ " );
433 errmsg += m_xpath->Contents();
434
435 THROW_IO_ERROR( errmsg );
436 }
437
438 // IO_ERROR exceptions are left uncaught, they pass upwards from here.
439
441 centerBoard();
442
443 deleter.release();
444 return m_board;
445}
446
447
449{
450 std::vector<FOOTPRINT*> retval;
451
452 for( const auto& [ name, footprint ] : m_templates )
453 retval.push_back( static_cast<FOOTPRINT*>( footprint->Clone() ) );
454
455 return retval;
456}
457
458
459void PCB_IO_EAGLE::init( const std::map<std::string, UTF8>* aProperties )
460{
461 m_hole_count = 0;
462 m_min_trace = 0;
463 m_min_hole = 0;
464 m_min_via = 0;
465 m_min_annulus = 0;
466 m_xpath->clear();
467 m_pads_to_nets.clear();
468
469 m_board = nullptr;
470 m_props = aProperties;
471
472
473 delete m_rules;
474 m_rules = new ERULES();
475}
476
477
479{
480 // All cu layers are invalid until we see them in the <layers> section while
481 // loading either a board or library. See loadLayerDefs().
482 for( unsigned i = 0; i < arrayDim(m_cu_map); ++i )
483 m_cu_map[i] = -1;
484}
485
486
487void PCB_IO_EAGLE::loadAllSections( wxXmlNode* aDoc )
488{
489 wxXmlNode* drawing = MapChildren( aDoc )["drawing"];
490 NODE_MAP drawingChildren = MapChildren( drawing );
491
492 wxXmlNode* board = drawingChildren["board"];
493 NODE_MAP boardChildren = MapChildren( board );
494
495 auto count_children = [this]( wxXmlNode* aNode )
496 {
497 if( aNode )
498 {
499 wxXmlNode* child = aNode->GetChildren();
500
501 while( child )
502 {
503 m_totalCount++;
504 child = child->GetNext();
505 }
506 }
507 };
508
509 wxXmlNode* designrules = boardChildren["designrules"];
510 wxXmlNode* layers = drawingChildren["layers"];
511 wxXmlNode* plain = boardChildren["plain"];
512 wxXmlNode* classes = boardChildren["classes"];
513 wxXmlNode* signals = boardChildren["signals"];
514 wxXmlNode* libs = boardChildren["libraries"];
515 wxXmlNode* elems = boardChildren["elements"];
516
518 {
519 m_totalCount = 0;
520 m_doneCount = 0;
521
522 count_children( designrules );
523 count_children( layers );
524 count_children( plain );
525 count_children( signals );
526 count_children( elems );
527
528 while( libs )
529 {
530 count_children( MapChildren( libs )["packages"] );
531 libs = libs->GetNext();
532 }
533
534 // Rewind
535 libs = boardChildren["libraries"];
536 }
537
538 m_xpath->push( "eagle.drawing" );
539
540 {
541 m_xpath->push( "board" );
542
543 loadDesignRules( designrules );
544
545 m_xpath->pop();
546 }
547
548 {
549 m_xpath->push( "layers" );
550
551 loadLayerDefs( layers );
553
554 m_xpath->pop();
555 }
556
557 {
558 m_xpath->push( "board" );
559
560 loadPlain( plain );
561 loadClasses( classes );
562 loadSignals( signals );
563 loadLibraries( libs );
564 loadElements( elems );
565
566 m_xpath->pop();
567 }
568
569 m_xpath->pop(); // "eagle.drawing"
570}
571
572
573void PCB_IO_EAGLE::loadDesignRules( wxXmlNode* aDesignRules )
574{
575 if( aDesignRules )
576 {
577 m_xpath->push( "designrules" );
578 m_rules->parse( aDesignRules, [this](){ checkpoint(); } );
579 m_xpath->pop(); // "designrules"
580 }
581}
582
583
584void PCB_IO_EAGLE::loadLayerDefs( wxXmlNode* aLayers )
585{
586 if( !aLayers )
587 return;
588
589 ELAYERS cu; // copper layers
590
591 // Get the first layer and iterate
592 wxXmlNode* layerNode = aLayers->GetChildren();
593
594 m_eagleLayers.clear();
595 m_eagleLayersIds.clear();
596
597 while( layerNode )
598 {
599 ELAYER elayer( layerNode );
600 m_eagleLayers.insert( std::make_pair( elayer.number, elayer ) );
601 m_eagleLayersIds.insert( std::make_pair( elayer.name, elayer.number ) );
602
603 // find the subset of layers that are copper and active
604 if( elayer.number >= 1 && elayer.number <= 16 && ( !elayer.active || *elayer.active ) )
605 cu.push_back( elayer );
606
607 layerNode = layerNode->GetNext();
608 }
609
610 // establish cu layer map:
611 int ki_layer_count = 0;
612
613 for( EITER it = cu.begin(); it != cu.end(); ++it, ++ki_layer_count )
614 {
615 if( ki_layer_count == 0 )
616 {
617 m_cu_map[it->number] = F_Cu;
618 }
619 else if( ki_layer_count == int( cu.size()-1 ) )
620 {
621 m_cu_map[it->number] = B_Cu;
622 }
623 else
624 {
625 // some eagle boards do not have contiguous layer number sequences.
626 m_cu_map[it->number] = BoardLayerFromLegacyId( ki_layer_count );
627 }
628 }
629
630 // Set the layer names and cu count if we're loading a board.
631 if( m_board )
632 {
633 m_board->SetCopperLayerCount( cu.size() );
634
635 for( EITER it = cu.begin(); it != cu.end(); ++it )
636 {
637 PCB_LAYER_ID layer = kicad_layer( it->number );
638
639 // these function provide their own protection against non enabled layers:
640 if( layer >= 0 && layer < PCB_LAYER_ID_COUNT ) // layer should be valid
641 {
642 m_board->SetLayerName( layer, it->name );
643 m_board->SetLayerType( layer, LT_SIGNAL );
644 }
645
646 // could map the colors here
647 }
648 }
649}
650
651
652#define DIMENSION_PRECISION DIM_PRECISION::X_XX // 0.01 mm
653
654
655void PCB_IO_EAGLE::loadPlain( wxXmlNode* aGraphics )
656{
657 if( !aGraphics )
658 return;
659
660 m_xpath->push( "plain" );
661
662 // Get the first graphic and iterate
663 wxXmlNode* gr = aGraphics->GetChildren();
664
665 // (polygon | wire | text | circle | rectangle | frame | hole)*
666 while( gr )
667 {
668 checkpoint();
669
670 wxString grName = gr->GetName();
671
672 if( grName == wxT( "wire" ) )
673 {
674 m_xpath->push( "wire" );
675
676 EWIRE w( gr );
677 PCB_LAYER_ID layer = kicad_layer( w.layer );
678
679 VECTOR2I start( kicad_x( w.x1 ), kicad_y( w.y1 ) );
680 VECTOR2I end( kicad_x( w.x2 ), kicad_y( w.y2 ) );
681
682 if( layer != UNDEFINED_LAYER )
683 {
684 PCB_SHAPE* shape = new PCB_SHAPE( m_board );
685 int width = w.width.ToPcbUnits();
686
687 // KiCad cannot handle zero or negative line widths
688 if( width <= 0 )
689 width = m_board->GetDesignSettings().GetLineThickness( layer );
690
691 m_board->Add( shape, ADD_MODE::APPEND );
692
693 if( !w.curve )
694 {
695 shape->SetShape( SHAPE_T::SEGMENT );
696 shape->SetStart( start );
697 shape->SetEnd( end );
698 }
699 else
700 {
701 VECTOR2I center = ConvertArcCenter( start, end, *w.curve );
702
703 shape->SetShape( SHAPE_T::ARC );
704 shape->SetCenter( center );
705 shape->SetStart( start );
706 shape->SetArcAngleAndEnd( -EDA_ANGLE( *w.curve, DEGREES_T ), true ); // KiCad rotates the other way
707 }
708
709 shape->SetLayer( layer );
710 shape->SetStroke( STROKE_PARAMS( width, LINE_STYLE::SOLID ) );
711 }
712
713 m_xpath->pop();
714 }
715 else if( grName == wxT( "text" ) )
716 {
717 m_xpath->push( "text" );
718
719 ETEXT t( gr );
720 PCB_LAYER_ID layer = kicad_layer( t.layer );
721
722 if( layer != UNDEFINED_LAYER )
723 {
724 PCB_TEXT* pcbtxt = new PCB_TEXT( m_board );
725 m_board->Add( pcbtxt, ADD_MODE::APPEND );
726
727 pcbtxt->SetLayer( layer );
728 wxString kicadText = interpretText( t.text );
729 pcbtxt->SetText( kicadText );
730
731 double ratio = t.ratio ? *t.ratio : 8; // DTD says 8 is default
732 int textThickness = KiROUND( t.size.ToPcbUnits() * ratio / 100 );
733 pcbtxt->SetTextThickness( textThickness );
734 pcbtxt->SetTextSize( kicad_fontsize( t.size, textThickness ) );
735 pcbtxt->SetKeepUpright( false );
736
737 // Eagle's anchor is independent of text justification; KiCad's is not.
738 VECTOR2I eagleAnchor( kicad_x( t.x ), kicad_y( t.y ) );
739 int align = t.align ? *t.align : ETEXT::BOTTOM_LEFT;
740 BOX2I textbox = pcbtxt->GetBoundingBox();
741 VECTOR2I offset( 0, 0 );
742 double degrees = 0;
743 int signX = 0;
744 int signY = 0;
745
746 if( t.rot )
747 {
748 degrees = t.rot->degrees;
749
750 if( t.rot->mirror && !t.rot->spin )
751 degrees *= -1;
752
753 if( t.rot->mirror )
754 pcbtxt->SetMirrored( t.rot->mirror );
755
756 if( degrees > 90 && degrees <= 270 )
757 {
758 if( degrees == 270 && t.rot->mirror )
759 degrees = 270; // an odd special-case
760 else
761 degrees -= 180;
762
763 signX = t.rot->mirror ? 1 : -1;
764 signY = 1;
765 }
766
767 pcbtxt->SetTextAngle( EDA_ANGLE( degrees, DEGREES_T ) );
768 }
769
770 switch( align )
771 {
775 offset.y = signY * (int) textbox.GetHeight();
776 break;
777
779 case ETEXT::TOP_LEFT:
780 case ETEXT::TOP_RIGHT:
781 offset.y = -signY * (int) textbox.GetHeight();
782 break;
783
784 default:
785 break;
786 }
787
788 switch( align )
789 {
790 case ETEXT::TOP_LEFT:
793 offset.x = signX * (int) textbox.GetWidth();
794 break;
795
796 case ETEXT::TOP_RIGHT:
799 offset.x = -signX * (int) textbox.GetWidth();
800 break;
801
802 default:
803 break;
804 }
805
806 RotatePoint( offset, EDA_ANGLE( degrees, DEGREES_T ) );
807 pcbtxt->SetTextPos( eagleAnchor + offset );
808
809 switch( align )
810 {
811 case ETEXT::CENTER:
814 break;
815
819 break;
820
824 break;
825
829 break;
830
831 case ETEXT::TOP_LEFT:
834 break;
835
836 case ETEXT::TOP_RIGHT:
839 break;
840
844 break;
845
849 break;
850
854 break;
855 }
856
857 // Refine justification and rotation for mirrored texts
858 if( pcbtxt->IsMirrored() && degrees < -90 && degrees >= -270 )
859 {
860 pcbtxt->SetTextAngle( EDA_ANGLE( 180+degrees, DEGREES_T ) );
861
862 if( pcbtxt->GetHorizJustify() == GR_TEXT_H_ALIGN_LEFT )
864 else if( pcbtxt->GetHorizJustify() == GR_TEXT_H_ALIGN_RIGHT )
866
867 if( pcbtxt->GetVertJustify() == GR_TEXT_V_ALIGN_BOTTOM )
869 else if( pcbtxt->GetVertJustify() == GR_TEXT_V_ALIGN_TOP )
871 }
872 }
873
874 m_xpath->pop();
875 }
876 else if( grName == wxT( "circle" ) )
877 {
878 m_xpath->push( "circle" );
879
880 ECIRCLE c( gr );
881
882 int width = c.width.ToPcbUnits();
883 int radius = c.radius.ToPcbUnits();
884
887 {
888 ZONE* zone = new ZONE( m_board );
889 m_board->Add( zone, ADD_MODE::APPEND );
890
892
893 // approximate circle as polygon
894 VECTOR2I center( kicad_x( c.x ), kicad_y( c.y ) );
895 int outlineRadius = radius + ( width / 2 );
896 int segsInCircle = GetArcToSegmentCount( outlineRadius, ARC_HIGH_DEF, FULL_CIRCLE );
897 EDA_ANGLE delta = ANGLE_360 / segsInCircle;
898
899 for( EDA_ANGLE angle = ANGLE_0; angle < ANGLE_360; angle += delta )
900 {
901 VECTOR2I rotatedPoint( outlineRadius, 0 );
902 RotatePoint( rotatedPoint, angle );
903 zone->AppendCorner( center + rotatedPoint, -1 );
904 }
905
906 if( width > 0 )
907 {
908 zone->NewHole();
909 int innerRadius = radius - ( width / 2 );
910 segsInCircle = GetArcToSegmentCount( innerRadius, ARC_HIGH_DEF, FULL_CIRCLE );
911 delta = ANGLE_360 / segsInCircle;
912
913 for( EDA_ANGLE angle = ANGLE_0; angle < ANGLE_360; angle += delta )
914 {
915 VECTOR2I rotatedPoint( innerRadius, 0 );
916 RotatePoint( rotatedPoint, angle );
917 zone->AppendCorner( center + rotatedPoint, 0 );
918 }
919 }
920
921 zone->SetBorderDisplayStyle( ZONE_BORDER_DISPLAY_STYLE::DIAGONAL_EDGE,
923 }
924 else
925 {
926 PCB_LAYER_ID layer = kicad_layer( c.layer );
927
928 if( layer != UNDEFINED_LAYER ) // unsupported layer
929 {
930 PCB_SHAPE* shape = new PCB_SHAPE( m_board, SHAPE_T::CIRCLE );
931 m_board->Add( shape, ADD_MODE::APPEND );
932 shape->SetFilled( false );
933 shape->SetLayer( layer );
934 shape->SetStart( VECTOR2I( kicad_x( c.x ), kicad_y( c.y ) ) );
935 shape->SetEnd( VECTOR2I( kicad_x( c.x ) + radius, kicad_y( c.y ) ) );
936 shape->SetStroke( STROKE_PARAMS( width, LINE_STYLE::SOLID ) );
937 }
938 }
939
940 m_xpath->pop();
941 }
942 else if( grName == wxT( "rectangle" ) )
943 {
944 // This seems to be a simplified rectangular [copper] zone, cannot find any
945 // net related info on it from the DTD.
946 m_xpath->push( "rectangle" );
947
948 ERECT r( gr );
949 PCB_LAYER_ID layer = kicad_layer( r.layer );
950
951 if( layer != UNDEFINED_LAYER )
952 {
953 ZONE* zone = new ZONE( m_board );
954
955 m_board->Add( zone, ADD_MODE::APPEND );
956
957 zone->SetLayer( layer );
959
960 ZONE_BORDER_DISPLAY_STYLE outline_hatch = ZONE_BORDER_DISPLAY_STYLE::DIAGONAL_EDGE;
961
962 const int outlineIdx = -1; // this is the id of the copper zone main outline
963 zone->AppendCorner( VECTOR2I( kicad_x( r.x1 ), kicad_y( r.y1 ) ), outlineIdx );
964 zone->AppendCorner( VECTOR2I( kicad_x( r.x2 ), kicad_y( r.y1 ) ), outlineIdx );
965 zone->AppendCorner( VECTOR2I( kicad_x( r.x2 ), kicad_y( r.y2 ) ), outlineIdx );
966 zone->AppendCorner( VECTOR2I( kicad_x( r.x1 ), kicad_y( r.y2 ) ), outlineIdx );
967
968 if( r.rot )
969 {
970 VECTOR2I center( ( kicad_x( r.x1 ) + kicad_x( r.x2 ) ) / 2,
971 ( kicad_y( r.y1 ) + kicad_y( r.y2 ) ) / 2 );
972 zone->Rotate( center, EDA_ANGLE( r.rot->degrees, DEGREES_T ) );
973 }
974
975 // this is not my fault:
976 zone->SetBorderDisplayStyle( outline_hatch, ZONE::GetDefaultHatchPitch(), true );
977 }
978
979 m_xpath->pop();
980 }
981 else if( grName == wxT( "hole" ) )
982 {
983 m_xpath->push( "hole" );
984
985 // Fabricate a FOOTPRINT with a single PAD_ATTRIB::NPTH pad.
986 // Use m_hole_count to gen up a unique reference designator.
987
988 FOOTPRINT* footprint = new FOOTPRINT( m_board );
989 m_board->Add( footprint, ADD_MODE::APPEND );
990 int hole_count = m_hole_count++;
991 footprint->SetReference( wxString::Format( wxT( "UNK_HOLE_%d" ), hole_count ) );
992 footprint->Reference().SetVisible( false );
993 // Mandatory: gives a dummy but valid LIB_ID
994 LIB_ID fpid( wxEmptyString, wxString::Format( wxT( "dummyfp%d" ), hole_count ) );
995 footprint->SetFPID( fpid );
996
997 packageHole( footprint, gr, true );
998
999 m_xpath->pop();
1000 }
1001 else if( grName == wxT( "frame" ) )
1002 {
1003 // picture this
1004 }
1005 else if( grName == wxT( "polygon" ) )
1006 {
1007 m_xpath->push( "polygon" );
1008 loadPolygon( gr );
1009 m_xpath->pop(); // "polygon"
1010 }
1011 else if( grName == wxT( "dimension" ) )
1012 {
1013 const BOARD_DESIGN_SETTINGS& designSettings = m_board->GetDesignSettings();
1014
1015 EDIMENSION d( gr );
1016 PCB_LAYER_ID layer = kicad_layer( d.layer );
1017 VECTOR2I pt1( kicad_x( d.x1 ), kicad_y( d.y1 ) );
1018 VECTOR2I pt2( kicad_x( d.x2 ), kicad_y( d.y2 ) );
1019 VECTOR2I pt3( kicad_x( d.x3 ), kicad_y( d.y3 ) );
1020 VECTOR2I textSize = designSettings.GetTextSize( layer );
1021 int textThickness = designSettings.GetLineThickness( layer );
1022
1023 if( d.textsize )
1024 {
1025 double ratio = 8; // DTD says 8 is default
1026 textThickness = KiROUND( d.textsize->ToPcbUnits() * ratio / 100 );
1027 textSize = kicad_fontsize( *d.textsize, textThickness );
1028 }
1029
1030 if( layer != UNDEFINED_LAYER )
1031 {
1032 if( d.dimensionType == wxT( "angle" ) )
1033 {
1034 // Kicad doesn't (at present) support angle dimensions
1035 }
1036 else if( d.dimensionType == wxT( "radius" ) )
1037 {
1038 PCB_DIM_RADIAL* dimension = new PCB_DIM_RADIAL( m_board );
1039 m_board->Add( dimension, ADD_MODE::APPEND );
1040
1041 dimension->SetLayer( layer );
1042 dimension->SetPrecision( DIMENSION_PRECISION );
1043
1044 dimension->SetStart( pt1 );
1045 dimension->SetEnd( pt2 );
1046 dimension->SetTextPos( pt3 );
1047 dimension->SetTextSize( textSize );
1048 dimension->SetTextThickness( textThickness );
1049 dimension->SetLineThickness( designSettings.GetLineThickness( layer ) );
1050 dimension->SetUnits( EDA_UNITS::MM );
1051 }
1052 else if( d.dimensionType == wxT( "leader" ) )
1053 {
1054 PCB_DIM_LEADER* leader = new PCB_DIM_LEADER( m_board );
1055 m_board->Add( leader, ADD_MODE::APPEND );
1056
1057 leader->SetLayer( layer );
1059
1060 leader->SetStart( pt1 );
1061 leader->SetEnd( pt2 );
1062 leader->SetTextPos( pt3 );
1063 leader->SetTextSize( textSize );
1064 leader->SetTextThickness( textThickness );
1065 leader->SetOverrideText( wxEmptyString );
1066 leader->SetLineThickness( designSettings.GetLineThickness( layer ) );
1067 }
1068 else // horizontal, vertical, <default>, diameter
1069 {
1071 m_board->Add( dimension, ADD_MODE::APPEND );
1072
1073 if( d.dimensionType )
1074 {
1075 // Eagle dimension graphic arms may have different lengths, but they look
1076 // incorrect in KiCad (the graphic is tilted). Make them even length in
1077 // such case.
1078 if( *d.dimensionType == wxT( "horizontal" ) )
1079 {
1080 int newY = ( pt1.y + pt2.y ) / 2;
1081 pt1.y = newY;
1082 pt2.y = newY;
1083 }
1084 else if( *d.dimensionType == wxT( "vertical" ) )
1085 {
1086 int newX = ( pt1.x + pt2.x ) / 2;
1087 pt1.x = newX;
1088 pt2.x = newX;
1089 }
1090 }
1091
1092 dimension->SetLayer( layer );
1093 dimension->SetPrecision( DIMENSION_PRECISION );
1094
1095 // The origin and end are assumed to always be in this order from eagle
1096 dimension->SetStart( pt1 );
1097 dimension->SetEnd( pt2 );
1098 dimension->SetTextSize( textSize );
1099 dimension->SetTextThickness( textThickness );
1100 dimension->SetLineThickness( designSettings.GetLineThickness( layer ) );
1101 dimension->SetUnits( EDA_UNITS::MM );
1102
1103 // check which axis the dimension runs in
1104 // because the "height" of the dimension is perpendicular to that axis
1105 // Note the check is just if two axes are close enough to each other
1106 // Eagle appears to have some rounding errors
1107 if( abs( pt1.x - pt2.x ) < 50000 ) // 50000 nm = 0.05 mm
1108 {
1109 int offset = pt3.x - pt1.x;
1110
1111 if( pt1.y > pt2.y )
1112 dimension->SetHeight( offset );
1113 else
1114 dimension->SetHeight( -offset );
1115 }
1116 else if( abs( pt1.y - pt2.y ) < 50000 )
1117 {
1118 int offset = pt3.y - pt1.y;
1119
1120 if( pt1.x > pt2.x )
1121 dimension->SetHeight( -offset );
1122 else
1123 dimension->SetHeight( offset );
1124 }
1125 else
1126 {
1127 int offset = KiROUND( pt3.Distance( pt1 ) );
1128
1129 if( pt1.y > pt2.y )
1130 dimension->SetHeight( offset );
1131 else
1132 dimension->SetHeight( -offset );
1133 }
1134 }
1135 }
1136 }
1137
1138 // Get next graphic
1139 gr = gr->GetNext();
1140 }
1141
1142 m_xpath->pop();
1143}
1144
1145
1146void PCB_IO_EAGLE::loadLibrary( wxXmlNode* aLib, const wxString* aLibName )
1147{
1148 if( !aLib )
1149 return;
1150
1151 wxString urn = aLib->GetAttribute( "urn" );
1152
1153 wxString urnOrdinal;
1154
1155 if( !urn.IsEmpty() )
1156 {
1157 urnOrdinal = urn.AfterLast( ':' );
1158 }
1159
1160 // library will have <xmlattr> node, skip that and get the single packages node
1161 wxXmlNode* packages = MapChildren( aLib )["packages"];
1162
1163 if( !packages )
1164 return;
1165
1166 m_xpath->push( "packages" );
1167
1168 // Create a FOOTPRINT for all the eagle packages, for use later via a copy constructor
1169 // to instantiate needed footprints in our BOARD. Save the FOOTPRINT templates in
1170 // a FOOTPRINT_MAP using a single lookup key consisting of libname+pkgname.
1171
1172 // Get the first package and iterate
1173 wxXmlNode* package = packages->GetChildren();
1174
1175 while( package )
1176 {
1177 checkpoint();
1178
1179 m_xpath->push( "package", "name" );
1180
1181 wxString pack_ref = package->GetAttribute( "name" );
1182
1183 if( !urnOrdinal.IsEmpty() )
1184 pack_ref += wxS( "_" ) + urnOrdinal;
1185
1186 ReplaceIllegalFileNameChars( pack_ref, '_' );
1187
1188 m_xpath->Value( pack_ref.ToUTF8() );
1189
1190 wxString key = aLibName ? makeKey( *aLibName, pack_ref ) : pack_ref;
1191
1192 FOOTPRINT* footprint = makeFootprint( package, pack_ref );
1193
1194 // add the templating FOOTPRINT to the FOOTPRINT template factory "m_templates"
1195 auto r = m_templates.insert( { key, footprint } );
1196
1197 if( !r.second /* && !( m_props && m_props->Value( "ignore_duplicates" ) ) */ )
1198 {
1199 wxString lib = aLibName ? *aLibName : m_lib_path;
1200 const wxString& pkg = pack_ref;
1201
1202 wxString emsg = wxString::Format( _( "<package> '%s' duplicated in <library> '%s'" ),
1203 pkg,
1204 lib );
1205 THROW_IO_ERROR( emsg );
1206 }
1207
1208 m_xpath->pop();
1209
1210 package = package->GetNext();
1211 }
1212
1213 m_xpath->pop(); // "packages"
1214}
1215
1216
1217void PCB_IO_EAGLE::loadLibraries( wxXmlNode* aLibs )
1218{
1219 if( !aLibs )
1220 return;
1221
1222 m_xpath->push( "libraries.library", "name" );
1223
1224 // Get the first library and iterate
1225 wxXmlNode* library = aLibs->GetChildren();
1226
1227 while( library )
1228 {
1229 const wxString& lib_name = library->GetAttribute( "name" );
1230
1231 m_xpath->Value( lib_name.c_str() );
1232 loadLibrary( library, &lib_name );
1233 library = library->GetNext();
1234 }
1235
1236 m_xpath->pop();
1237}
1238
1239
1240void PCB_IO_EAGLE::loadElements( wxXmlNode* aElements )
1241{
1242 if( !aElements )
1243 return;
1244
1245 m_xpath->push( "elements.element", "name" );
1246
1247 EATTR name;
1248 EATTR value;
1249 bool refanceNamePresetInPackageLayout;
1250 bool valueNamePresetInPackageLayout;
1251
1252 // Get the first element and iterate
1253 wxXmlNode* element = aElements->GetChildren();
1254
1255 while( element )
1256 {
1257 checkpoint();
1258
1259 if( element->GetName() != wxT( "element" ) )
1260 {
1261 // Get next item
1262 element = element->GetNext();
1263 continue;
1264 }
1265
1266 EELEMENT e( element );
1267
1268 // use "NULL-ness" as an indication of presence of the attribute:
1269 EATTR* nameAttr = nullptr;
1270 EATTR* valueAttr = nullptr;
1271
1272 m_xpath->Value( e.name.c_str() );
1273
1274 wxString packageName = e.package;
1275
1276 if( e.library_urn )
1277 packageName = e.package + wxS( "_" ) + e.library_urn->assetId;
1278
1279 wxString pkg_key = makeKey( e.library, packageName );
1280 auto it = m_templates.find( pkg_key );
1281
1282 if( it == m_templates.end() )
1283 {
1284 wxString emsg = wxString::Format( _( "No '%s' package in library '%s'." ),
1285 packageName, e.library );
1286 THROW_IO_ERROR( emsg );
1287 }
1288
1289 FOOTPRINT* footprint = static_cast<FOOTPRINT*>( it->second->Duplicate() );
1290
1291 m_board->Add( footprint, ADD_MODE::APPEND );
1292
1293 // update the nets within the pads of the clone
1294 for( PAD* pad : footprint->Pads() )
1295 {
1296 wxString pn_key = makeKey( e.name, pad->GetNumber() );
1297
1298 NET_MAP_CITER ni = m_pads_to_nets.find( pn_key );
1299 if( ni != m_pads_to_nets.end() )
1300 {
1301 const ENET* enet = &ni->second;
1302 pad->SetNetCode( enet->netcode );
1303 }
1304 }
1305
1306 refanceNamePresetInPackageLayout = true;
1307 valueNamePresetInPackageLayout = true;
1308 footprint->SetPosition( VECTOR2I( kicad_x( e.x ), kicad_y( e.y ) ) );
1309
1310 // Is >NAME field set in package layout ?
1311 if( footprint->GetReference().size() == 0 )
1312 {
1313 footprint->Reference().SetVisible( false ); // No so no show
1314 refanceNamePresetInPackageLayout = false;
1315 }
1316
1317 // Is >VALUE field set in package layout
1318 if( footprint->GetValue().size() == 0 )
1319 {
1320 footprint->Value().SetVisible( false ); // No so no show
1321 valueNamePresetInPackageLayout = false;
1322 }
1323
1324 wxString reference = e.name;
1325
1326 // EAGLE allows references to be single digits. This breaks KiCad
1327 // netlisting, which requires parts to have non-digit + digit
1328 // annotation. If the reference begins with a number, we prepend
1329 // 'UNK' (unknown) for the symbol designator.
1330 if( reference.find_first_not_of( "0123456789" ) != 0 )
1331 reference.Prepend( "UNK" );
1332
1333 // EAGLE allows designator to start with # but that is used in KiCad
1334 // for symbols which do not have a footprint
1335 if( reference.find_first_not_of( "#" ) != 0 )
1336 reference.Prepend( "UNK" );
1337
1338 // reference must end with a number but EAGLE does not enforce this
1339 if( reference.find_last_not_of( "0123456789" ) == (reference.Length()-1) )
1340 reference.Append( "0" );
1341
1342 footprint->SetReference( reference );
1343 footprint->SetValue( e.value );
1344
1345 if( !e.smashed )
1346 {
1347 // Not smashed so show NAME & VALUE
1348 if( valueNamePresetInPackageLayout )
1349 footprint->Value().SetVisible( true ); // Only if place holder in package layout
1350
1351 if( refanceNamePresetInPackageLayout )
1352 footprint->Reference().SetVisible( true ); // Only if place holder in package layout
1353 }
1354 else if( *e.smashed == true )
1355 {
1356 // Smashed so set default to no show for NAME and VALUE
1357 footprint->Value().SetVisible( false );
1358 footprint->Reference().SetVisible( false );
1359
1360 // initialize these to default values in case the <attribute> elements are not present.
1361 m_xpath->push( "attribute", "name" );
1362
1363 // VALUE and NAME can have something like our text "effects" overrides
1364 // in SWEET and new schematic. Eagle calls these XML elements "attribute".
1365 // There can be one for NAME and/or VALUE both. Features present in the
1366 // EATTR override the ones established in the package only if they are
1367 // present here (except for rot, which if not present means angle zero).
1368 // So the logic is a bit different than in packageText() and in plain text.
1369
1370 // Get the first attribute and iterate
1371 wxXmlNode* attribute = element->GetChildren();
1372
1373 while( attribute )
1374 {
1375 if( attribute->GetName() != wxT( "attribute" ) )
1376 {
1377 attribute = attribute->GetNext();
1378 continue;
1379 }
1380
1381 EATTR a( attribute );
1382
1383 if( a.name == wxT( "NAME" ) )
1384 {
1385 name = a;
1386 nameAttr = &name;
1387
1388 // do we have a display attribute ?
1389 if( a.display )
1390 {
1391 // Yes!
1392 switch( *a.display )
1393 {
1394 case EATTR::VALUE :
1395 {
1396 nameAttr->name = reference;
1397
1398 if( refanceNamePresetInPackageLayout )
1399 footprint->Reference().SetVisible( true );
1400
1401 break;
1402 }
1403
1404 case EATTR::NAME :
1405 if( refanceNamePresetInPackageLayout )
1406 {
1407 footprint->SetReference( "NAME" );
1408 footprint->Reference().SetVisible( true );
1409 }
1410
1411 break;
1412
1413 case EATTR::BOTH :
1414 if( refanceNamePresetInPackageLayout )
1415 footprint->Reference().SetVisible( true );
1416
1417 nameAttr->name = nameAttr->name + wxT( " = " ) + e.name;
1418 footprint->SetReference( wxT( "NAME = " ) + e.name );
1419 break;
1420
1421 case EATTR::Off :
1422 footprint->Reference().SetVisible( false );
1423 break;
1424
1425 default:
1426 nameAttr->name = e.name;
1427
1428 if( refanceNamePresetInPackageLayout )
1429 footprint->Reference().SetVisible( true );
1430 }
1431 }
1432 else
1433 {
1434 // No display, so default is visible, and show value of NAME
1435 footprint->Reference().SetVisible( true );
1436 }
1437 }
1438 else if( a.name == wxT( "VALUE" ) )
1439 {
1440 value = a;
1441 valueAttr = &value;
1442
1443 if( a.display )
1444 {
1445 // Yes!
1446 switch( *a.display )
1447 {
1448 case EATTR::VALUE :
1449 valueAttr->value = opt_wxString( e.value );
1450 footprint->SetValue( e.value );
1451
1452 if( valueNamePresetInPackageLayout )
1453 footprint->Value().SetVisible( true );
1454
1455 break;
1456
1457 case EATTR::NAME :
1458 if( valueNamePresetInPackageLayout )
1459 footprint->Value().SetVisible( true );
1460
1461 footprint->SetValue( wxT( "VALUE" ) );
1462 break;
1463
1464 case EATTR::BOTH :
1465 if( valueNamePresetInPackageLayout )
1466 footprint->Value().SetVisible( true );
1467
1468 valueAttr->value = opt_wxString( wxT( "VALUE = " ) + e.value );
1469 footprint->SetValue( wxT( "VALUE = " ) + e.value );
1470 break;
1471
1472 case EATTR::Off :
1473 footprint->Value().SetVisible( false );
1474 break;
1475
1476 default:
1477 valueAttr->value = opt_wxString( e.value );
1478
1479 if( valueNamePresetInPackageLayout )
1480 footprint->Value().SetVisible( true );
1481 }
1482 }
1483 else
1484 {
1485 // No display, so default is visible, and show value of NAME
1486 footprint->Value().SetVisible( true );
1487 }
1488
1489 }
1490
1491 attribute = attribute->GetNext();
1492 }
1493
1494 m_xpath->pop(); // "attribute"
1495 }
1496
1497 orientFootprintAndText( footprint, e, nameAttr, valueAttr );
1498
1499 // Get next element
1500 element = element->GetNext();
1501 }
1502
1503 m_xpath->pop(); // "elements.element"
1504}
1505
1506
1507ZONE* PCB_IO_EAGLE::loadPolygon( wxXmlNode* aPolyNode )
1508{
1509 EPOLYGON p( aPolyNode );
1510 PCB_LAYER_ID layer = kicad_layer( p.layer );
1511 bool keepout = ( p.layer == EAGLE_LAYER::TRESTRICT
1513 || p.layer == EAGLE_LAYER::VRESTRICT );
1514
1515 if( layer == UNDEFINED_LAYER )
1516 {
1517 wxLogMessage( wxString::Format( _( "Ignoring a polygon since Eagle layer '%s' (%d) "
1518 "was not mapped" ),
1519 eagle_layer_name( p.layer ), p.layer ) );
1520 return nullptr;
1521 }
1522
1523 // use a "netcode = 0" type ZONE:
1524 std::unique_ptr<ZONE> zone = std::make_unique<ZONE>( m_board );
1525
1526 if( !keepout )
1527 zone->SetLayer( layer );
1528 else
1529 setKeepoutSettingsToZone( zone.get(), p.layer );
1530
1531 // Get the first vertex and iterate
1532 wxXmlNode* vertex = aPolyNode->GetChildren();
1533 std::vector<EVERTEX> vertices;
1534
1535 // Create a circular vector of vertices
1536 // The "curve" parameter indicates a curve from the current
1537 // to the next vertex, so we keep the first at the end as well
1538 // to allow the curve to link back
1539 while( vertex )
1540 {
1541 if( vertex->GetName() == wxT( "vertex" ) )
1542 vertices.emplace_back( vertex );
1543
1544 vertex = vertex->GetNext();
1545 }
1546
1547 // According to Eagle's doc, by default, the orphans (islands in KiCad parlance)
1548 // are always removed
1549 if( !p.orphans || !p.orphans.Get() )
1550 zone->SetIslandRemovalMode( ISLAND_REMOVAL_MODE::ALWAYS );
1551 else
1552 zone->SetIslandRemovalMode( ISLAND_REMOVAL_MODE::NEVER );
1553
1554 vertices.push_back( vertices[0] );
1555
1556 SHAPE_POLY_SET polygon;
1557 polygon.NewOutline();
1558
1559 for( size_t i = 0; i < vertices.size() - 1; i++ )
1560 {
1561 EVERTEX v1 = vertices[i];
1562
1563 // Append the corner
1564 polygon.Append( kicad_x( v1.x ), kicad_y( v1.y ) );
1565
1566 if( v1.curve )
1567 {
1568 EVERTEX v2 = vertices[i + 1];
1570 ConvertArcCenter( VECTOR2I( kicad_x( v1.x ), kicad_y( v1.y ) ),
1571 VECTOR2I( kicad_x( v2.x ), kicad_y( v2.y ) ), *v1.curve );
1572 double angle = DEG2RAD( *v1.curve );
1573 double end_angle = atan2( kicad_y( v2.y ) - center.y, kicad_x( v2.x ) - center.x );
1574 double radius = sqrt( pow( center.x - kicad_x( v1.x ), 2 )
1575 + pow( center.y - kicad_y( v1.y ), 2 ) );
1576
1577 int segCount = GetArcToSegmentCount( KiROUND( radius ), ARC_HIGH_DEF,
1578 EDA_ANGLE( *v1.curve, DEGREES_T ) );
1579 double delta_angle = angle / segCount;
1580
1581 for( double a = end_angle + angle; fabs( a - end_angle ) > fabs( delta_angle );
1582 a -= delta_angle )
1583 {
1584 polygon.Append( KiROUND( radius * cos( a ) ) + center.x,
1585 KiROUND( radius * sin( a ) ) + center.y );
1586 }
1587 }
1588 }
1589
1590 // Eagle traces the zone such that half of the pen width is outside the polygon.
1591 // We trace the zone such that the copper is completely inside.
1592 if( p.width.ToPcbUnits() > 0 )
1593 {
1594 polygon.Inflate( p.width.ToPcbUnits() / 2, CORNER_STRATEGY::ALLOW_ACUTE_CORNERS,
1595 ARC_HIGH_DEF, true );
1596 }
1597
1598 if( polygon.OutlineCount() != 1 )
1599 {
1600 wxLogMessage( wxString::Format(
1601 _( "Skipping a polygon on layer '%s' (%d): outline count is not 1" ),
1602 eagle_layer_name( p.layer ), p.layer ) );
1603
1604 return nullptr;
1605 }
1606
1607 zone->AddPolygon( polygon.COutline( 0 ) );
1608
1609 // If the pour is a cutout it needs to be set to a keepout
1610 if( p.pour == EPOLYGON::ECUTOUT )
1611 {
1612 zone->SetIsRuleArea( true );
1613 zone->SetDoNotAllowVias( false );
1614 zone->SetDoNotAllowTracks( false );
1615 zone->SetDoNotAllowPads( false );
1616 zone->SetDoNotAllowFootprints( false );
1617 zone->SetDoNotAllowZoneFills( true );
1618 zone->SetHatchStyle( ZONE_BORDER_DISPLAY_STYLE::NO_HATCH );
1619 }
1620 else if( p.pour == EPOLYGON::EHATCH )
1621 {
1622 int spacing = p.spacing ? p.spacing->ToPcbUnits() : 50 * pcbIUScale.IU_PER_MILS;
1623
1624 zone->SetFillMode( ZONE_FILL_MODE::HATCH_PATTERN );
1625 zone->SetHatchThickness( p.width.ToPcbUnits() );
1626 zone->SetHatchGap( spacing - p.width.ToPcbUnits() );
1627 zone->SetHatchOrientation( ANGLE_0 );
1628 }
1629
1630 // We divide the thickness by half because we are tracing _inside_ the zone outline
1631 // This means the radius of curvature will be twice the size for an equivalent EAGLE zone
1632 zone->SetMinThickness( std::max<int>( ZONE_THICKNESS_MIN_VALUE_MM * pcbIUScale.IU_PER_MM,
1633 p.width.ToPcbUnits() / 2 ) );
1634
1635 if( p.isolate )
1636 zone->SetLocalClearance( p.isolate->ToPcbUnits() );
1637 else
1638 zone->SetLocalClearance( 1 ); // @todo: set minimum clearance value based on board settings
1639
1640 // missing == yes per DTD.
1641 bool thermals = !p.thermals || *p.thermals;
1642 zone->SetPadConnection( thermals ? ZONE_CONNECTION::THERMAL : ZONE_CONNECTION::FULL );
1643
1644 if( thermals )
1645 {
1646 // FIXME: eagle calculates dimensions for thermal spokes
1647 // based on what the zone is connecting to.
1648 // (i.e. width of spoke is half of the smaller side of an smd pad)
1649 // This is a basic workaround
1650 zone->SetThermalReliefGap( p.width.ToPcbUnits() + 50000 ); // 50000nm == 0.05mm
1651 zone->SetThermalReliefSpokeWidth( p.width.ToPcbUnits() + 50000 );
1652 }
1653
1654 int rank = p.rank ? (p.max_priority - *p.rank) : p.max_priority;
1655 zone->SetAssignedPriority( rank );
1656
1657 ZONE* zonePtr = zone.release();
1658 m_board->Add( zonePtr, ADD_MODE::APPEND );
1659
1660 return zonePtr;
1661}
1662
1663
1665 const EATTR* aNameAttr, const EATTR* aValueAttr )
1666{
1667 if( e.rot )
1668 {
1669 if( e.rot->mirror )
1670 {
1671 aFootprint->SetOrientation( EDA_ANGLE( e.rot->degrees + 180.0, DEGREES_T ) );
1672 aFootprint->Flip( aFootprint->GetPosition(), FLIP_DIRECTION::TOP_BOTTOM );
1673 }
1674 else
1675 {
1676 aFootprint->SetOrientation( EDA_ANGLE( e.rot->degrees, DEGREES_T ) );
1677 }
1678 }
1679
1680 orientFPText( aFootprint, e, &aFootprint->Reference(), aNameAttr );
1681 orientFPText( aFootprint, e, &aFootprint->Value(), aValueAttr );
1682}
1683
1684
1685void PCB_IO_EAGLE::orientFPText( FOOTPRINT* aFootprint, const EELEMENT& e, PCB_TEXT* aFPText,
1686 const EATTR* aAttr )
1687{
1688 // Smashed part ?
1689 if( aAttr )
1690 {
1691 // Yes
1692 const EATTR& a = *aAttr;
1693
1694 if( a.value )
1695 {
1696 aFPText->SetText( *a.value );
1697 }
1698
1699 if( a.x && a.y ) // std::optional
1700 {
1701 VECTOR2I pos( kicad_x( *a.x ), kicad_y( *a.y ) );
1702 aFPText->SetTextPos( pos );
1703 }
1704
1705 // Even though size and ratio are both optional, I am not seeing
1706 // a case where ratio is present but size is not.
1707 double ratio = 8;
1708
1709 if( a.ratio )
1710 ratio = *a.ratio;
1711
1712 VECTOR2I fontz = aFPText->GetTextSize();
1713 int textThickness = KiROUND( fontz.y * ratio / 100 );
1714
1715 aFPText->SetTextThickness( textThickness );
1716 if( a.size )
1717 {
1718 fontz = kicad_fontsize( *a.size, textThickness );
1719 aFPText->SetTextSize( fontz );
1720 }
1721
1722
1723 int align = ETEXT::BOTTOM_LEFT; // bottom-left is eagle default
1724
1725 if( a.align )
1726 align = *a.align;
1727
1728 // The "rot" in a EATTR seems to be assumed to be zero if it is not
1729 // present, and this zero rotation becomes an override to the
1730 // package's text field. If they did not want zero, they specify
1731 // what they want explicitly.
1732 double degrees = a.rot ? a.rot->degrees : 0.0;
1733
1734 int sign = 1;
1735 bool spin = false;
1736
1737 if( a.rot )
1738 {
1739 spin = a.rot->spin;
1740 sign = a.rot->mirror ? -1 : 1;
1741 aFPText->SetMirrored( a.rot->mirror );
1742 }
1743
1744 if( degrees == 90 || degrees == 0 || spin )
1745 {
1746 degrees *= sign;
1747 }
1748 else if( degrees == 180 )
1749 {
1750 degrees = 0;
1751 align = -align;
1752 }
1753 else if( degrees == 270 )
1754 {
1755 align = -align;
1756 degrees = sign * 90;
1757 }
1758 else
1759 {
1760 degrees = 90 - (sign * degrees);
1761 }
1762
1763 aFPText->SetTextAngle( EDA_ANGLE( degrees, DEGREES_T ) );
1764
1765 switch( align )
1766 {
1767 case ETEXT::TOP_RIGHT:
1770 break;
1771
1772 case ETEXT::BOTTOM_LEFT:
1775 break;
1776
1777 case ETEXT::TOP_LEFT:
1780 break;
1781
1785 break;
1786
1787 case ETEXT::TOP_CENTER:
1790 break;
1791
1795 break;
1796
1797 case ETEXT::CENTER:
1800 break;
1801
1802 case ETEXT::CENTER_LEFT:
1805 break;
1806
1810 break;
1811
1812 default:
1813 ;
1814 }
1815
1816 // Refine justification and rotation for mirrored texts
1817 if( aFPText->IsMirrored() && degrees < -90 && degrees >= -270 )
1818 {
1819 aFPText->SetTextAngle( EDA_ANGLE( 180+degrees, DEGREES_T ) );
1820
1821 if( aFPText->GetHorizJustify() == GR_TEXT_H_ALIGN_LEFT )
1823 else if( aFPText->GetHorizJustify() == GR_TEXT_H_ALIGN_RIGHT )
1825
1826 if( aFPText->GetVertJustify() == GR_TEXT_V_ALIGN_BOTTOM )
1828 else if( aFPText->GetVertJustify() == GR_TEXT_V_ALIGN_TOP )
1830 }
1831 }
1832 else
1833 {
1834 // Part is not smash so use Lib default for NAME/VALUE
1835 // the text is per the original package, sans <attribute>.
1836 double degrees = aFPText->GetTextAngle().AsDegrees()
1837 + aFootprint->GetOrientation().AsDegrees();
1838
1839 // bottom-left is eagle default
1842
1843 if( !aFPText->IsMirrored() && abs( degrees ) <= -180 )
1844 {
1847 }
1848 }
1849}
1850
1851
1852FOOTPRINT* PCB_IO_EAGLE::makeFootprint( wxXmlNode* aPackage, const wxString& aPkgName )
1853{
1854 std::unique_ptr<FOOTPRINT> m = std::make_unique<FOOTPRINT>( m_board );
1855
1856 LIB_ID fpID;
1857 fpID.Parse( aPkgName, true );
1858 m->SetFPID( fpID );
1859
1860 // Get the first package item and iterate
1861 wxXmlNode* packageItem = aPackage->GetChildren();
1862
1863 // layer 27 is default layer for tValues
1864 // set default layer for created footprint
1865 PCB_LAYER_ID layer = kicad_layer( 27 );
1866 m.get()->Value().SetLayer( layer );
1867
1868 while( packageItem )
1869 {
1870 const wxString& itemName = packageItem->GetName();
1871
1872 if( itemName == wxT( "description" ) )
1873 {
1874 wxString descr = convertDescription( UnescapeHTML( packageItem->GetNodeContent() ) );
1875 m->SetLibDescription( descr );
1876 }
1877 else if( itemName == wxT( "wire" ) )
1878 packageWire( m.get(), packageItem );
1879 else if( itemName == wxT( "pad" ) )
1880 packagePad( m.get(), packageItem );
1881 else if( itemName == wxT( "text" ) )
1882 packageText( m.get(), packageItem );
1883 else if( itemName == wxT( "rectangle" ) )
1884 packageRectangle( m.get(), packageItem );
1885 else if( itemName == wxT( "polygon" ) )
1886 packagePolygon( m.get(), packageItem );
1887 else if( itemName == wxT( "circle" ) )
1888 packageCircle( m.get(), packageItem );
1889 else if( itemName == wxT( "hole" ) )
1890 packageHole( m.get(), packageItem, false );
1891 else if( itemName == wxT( "smd" ) )
1892 packageSMD( m.get(), packageItem );
1893
1894 packageItem = packageItem->GetNext();
1895 }
1896
1897 return m.release();
1898}
1899
1900
1901void PCB_IO_EAGLE::packageWire( FOOTPRINT* aFootprint, wxXmlNode* aTree ) const
1902{
1903 EWIRE w( aTree );
1904 PCB_LAYER_ID layer = kicad_layer( w.layer );
1905 VECTOR2I start( kicad_x( w.x1 ), kicad_y( w.y1 ) );
1906 VECTOR2I end( kicad_x( w.x2 ), kicad_y( w.y2 ) );
1907 int width = w.width.ToPcbUnits();
1908
1909 if( layer == UNDEFINED_LAYER )
1910 {
1911 wxLogMessage( wxString::Format( _( "Ignoring a wire since Eagle layer '%s' (%d) "
1912 "was not mapped" ),
1913 eagle_layer_name( w.layer ), w.layer ) );
1914 return;
1915 }
1916
1917 // KiCad cannot handle zero or negative line widths which apparently have meaning in Eagle.
1918 if( width <= 0 )
1919 {
1920 BOARD* board = aFootprint->GetBoard();
1921
1922 if( board )
1923 {
1924 width = board->GetDesignSettings().GetLineThickness( layer );
1925 }
1926 else
1927 {
1928 // When loading footprint libraries, there is no board so use the default KiCad
1929 // line widths.
1930 switch( layer )
1931 {
1932 case Edge_Cuts: width = pcbIUScale.mmToIU( DEFAULT_EDGE_WIDTH ); break;
1933
1934 case F_SilkS:
1935 case B_SilkS: width = pcbIUScale.mmToIU( DEFAULT_SILK_LINE_WIDTH ); break;
1936
1937 case F_CrtYd:
1938 case B_CrtYd: width = pcbIUScale.mmToIU( DEFAULT_COURTYARD_WIDTH ); break;
1939
1940 default: width = pcbIUScale.mmToIU( DEFAULT_LINE_WIDTH ); break;
1941 }
1942 }
1943 }
1944
1945 // FIXME: the cap attribute is ignored because KiCad can't create lines with flat ends.
1946 PCB_SHAPE* dwg;
1947
1948 if( !w.curve )
1949 {
1950 dwg = new PCB_SHAPE( aFootprint, SHAPE_T::SEGMENT );
1951
1952 dwg->SetStart( start );
1953 dwg->SetEnd( end );
1954 }
1955 else
1956 {
1957 dwg = new PCB_SHAPE( aFootprint, SHAPE_T::ARC );
1958 VECTOR2I center = ConvertArcCenter( start, end, *w.curve );
1959
1960 dwg->SetCenter( center );
1961 dwg->SetStart( start );
1962 dwg->SetArcAngleAndEnd( -EDA_ANGLE( *w.curve, DEGREES_T ), true ); // KiCad rotates the other way
1963 }
1964
1965 dwg->SetLayer( layer );
1966 dwg->SetStroke( STROKE_PARAMS( width, LINE_STYLE::SOLID ) );
1967 dwg->Rotate( { 0, 0 }, aFootprint->GetOrientation() );
1968 dwg->Move( aFootprint->GetPosition() );
1969
1970 aFootprint->Add( dwg );
1971}
1972
1973
1974void PCB_IO_EAGLE::packagePad( FOOTPRINT* aFootprint, wxXmlNode* aTree )
1975{
1976 // this is thru hole technology here, no SMDs
1977 EPAD e( aTree );
1978 int shape = EPAD::UNDEF;
1979 int eagleDrillz = e.drill ? e.drill->ToPcbUnits() : 0;
1980
1981 std::unique_ptr<PAD> pad = std::make_unique<PAD>( aFootprint );
1982 transferPad( e, pad.get() );
1983
1984 if( e.first && *e.first && m_rules->psFirst != EPAD::UNDEF )
1985 shape = m_rules->psFirst;
1986 else if( aFootprint->GetLayer() == F_Cu && m_rules->psTop != EPAD::UNDEF )
1987 shape = m_rules->psTop;
1988 else if( aFootprint->GetLayer() == B_Cu && m_rules->psBottom != EPAD::UNDEF )
1989 shape = m_rules->psBottom;
1990
1991 pad->SetDrillSize( VECTOR2I( eagleDrillz, eagleDrillz ) );
1992 pad->SetLayerSet( LSET::AllCuMask() );
1993
1994 if( eagleDrillz < m_min_hole )
1995 m_min_hole = eagleDrillz;
1996
1997 // Solder mask
1998 if( !e.stop || *e.stop == true ) // enabled by default
1999 pad->SetLayerSet( pad->GetLayerSet().set( B_Mask ).set( F_Mask ) );
2000
2001 if( shape == EPAD::ROUND || shape == EPAD::SQUARE || shape == EPAD::OCTAGON )
2002 e.shape = shape;
2003
2004 if( e.shape )
2005 {
2006 switch( *e.shape )
2007 {
2008 case EPAD::ROUND:
2009 pad->SetShape( PADSTACK::ALL_LAYERS, PAD_SHAPE::CIRCLE );
2010 break;
2011
2012 case EPAD::OCTAGON:
2013 pad->SetShape( PADSTACK::ALL_LAYERS, PAD_SHAPE::CHAMFERED_RECT );
2014 pad->SetChamferPositions( PADSTACK::ALL_LAYERS, RECT_CHAMFER_ALL );
2015 pad->SetChamferRectRatio( PADSTACK::ALL_LAYERS, 1 - M_SQRT1_2 ); // Regular polygon
2016 break;
2017
2018 case EPAD::LONG:
2019 pad->SetShape( PADSTACK::ALL_LAYERS, PAD_SHAPE::OVAL );
2020 break;
2021
2022 case EPAD::SQUARE:
2023 pad->SetShape( PADSTACK::ALL_LAYERS, PAD_SHAPE::RECTANGLE );
2024 break;
2025
2026 case EPAD::OFFSET:
2027 pad->SetShape( PADSTACK::ALL_LAYERS, PAD_SHAPE::OVAL );
2028 break;
2029 }
2030 }
2031 else
2032 {
2033 // if shape is not present, our default is circle and that matches their default "round"
2034 }
2035
2036 if( e.diameter && e.diameter->value > 0 )
2037 {
2038 int diameter = e.diameter->ToPcbUnits();
2039 pad->SetSize( PADSTACK::ALL_LAYERS, VECTOR2I( diameter, diameter ) );
2040 }
2041 else
2042 {
2043 double drillz = pad->GetDrillSize().x;
2044 double annulus = drillz * m_rules->rvPadTop; // copper annulus, eagle "restring"
2045 annulus = eagleClamp( m_rules->rlMinPadTop, annulus, m_rules->rlMaxPadTop );
2046 int diameter = KiROUND( drillz + 2 * annulus );
2047 pad->SetSize( PADSTACK::ALL_LAYERS, VECTOR2I( KiROUND( diameter ), KiROUND( diameter ) ) );
2048 }
2049
2050 if( pad->GetShape( PADSTACK::ALL_LAYERS ) == PAD_SHAPE::OVAL )
2051 {
2052 // The Eagle "long" pad is wider than it is tall; m_elongation is percent elongation
2053 VECTOR2I sz = pad->GetSize( PADSTACK::ALL_LAYERS );
2054 sz.x = ( sz.x * ( 100 + m_rules->psElongationLong ) ) / 100;
2055 pad->SetSize( PADSTACK::ALL_LAYERS, sz );
2056
2057 if( e.shape && *e.shape == EPAD::OFFSET )
2058 {
2059 int offset = KiROUND( ( sz.x - sz.y ) / 2.0 );
2060 pad->SetOffset( PADSTACK::ALL_LAYERS, VECTOR2I( offset, 0 ) );
2061 }
2062 }
2063
2064 if( e.rot )
2065 pad->SetOrientation( EDA_ANGLE( e.rot->degrees, DEGREES_T ) );
2066
2067 // Eagle spokes are always '+'
2068 pad->SetThermalSpokeAngle( ANGLE_0 );
2069
2070 if( pad->GetSizeX() > 0 && pad->GetSizeY() > 0 && pad->HasHole() )
2071 {
2072 aFootprint->Add( pad.release() );
2073 }
2074 else
2075 {
2076 wxFileName fileName( m_lib_path );
2077
2078 if( m_board)
2079 wxLogError( _( "Invalid zero-sized pad ignored in\nfile: %s" ), m_board->GetFileName() );
2080 else
2081 wxLogError( _( "Invalid zero-sized pad ignored in\nfile: %s" ), fileName.GetFullName() );
2082 }
2083}
2084
2085
2086void PCB_IO_EAGLE::packageText( FOOTPRINT* aFootprint, wxXmlNode* aTree ) const
2087{
2088 ETEXT t( aTree );
2089 PCB_LAYER_ID layer = kicad_layer( t.layer );
2090
2091 if( layer == UNDEFINED_LAYER )
2092 {
2093 wxLogMessage( wxString::Format( _( "Ignoring a text since Eagle layer '%s' (%d) "
2094 "was not mapped" ),
2095 eagle_layer_name( t.layer ), t.layer ) );
2096 return;
2097 }
2098
2099 PCB_TEXT* textItem;
2100
2101 if( t.text.Upper() == wxT( ">NAME" ) && aFootprint->GetReference().IsEmpty() )
2102 {
2103 textItem = &aFootprint->Reference();
2104
2105 textItem->SetText( wxT( "REF**" ) );
2106 }
2107 else if( t.text.Upper() == wxT( ">VALUE" ) && aFootprint->GetValue().IsEmpty() )
2108 {
2109 textItem = &aFootprint->Value();
2110
2111 textItem->SetText( aFootprint->GetFPID().GetLibItemName() );
2112 }
2113 else
2114 {
2115 textItem = new PCB_TEXT( aFootprint );
2116 aFootprint->Add( textItem );
2117
2118 textItem->SetText( interpretText( t.text ) );
2119 }
2120
2121 VECTOR2I pos( kicad_x( t.x ), kicad_y( t.y ) );
2122
2123 textItem->SetPosition( pos );
2124 textItem->SetLayer( layer );
2125
2126 double ratio = t.ratio ? *t.ratio : 8; // DTD says 8 is default
2127 int textThickness = KiROUND( t.size.ToPcbUnits() * ratio / 100 );
2128
2129 textItem->SetTextThickness( textThickness );
2130 textItem->SetTextSize( kicad_fontsize( t.size, textThickness ) );
2131 textItem->SetKeepUpright( false );
2132
2133 int align = t.align ? *t.align : ETEXT::BOTTOM_LEFT; // bottom-left is eagle default
2134
2135 // An eagle package is never rotated, the DTD does not allow it.
2136 // angle -= aFootprint->GetOrienation();
2137
2138 if( t.rot )
2139 {
2140 int sign = t.rot->mirror ? -1 : 1;
2141 textItem->SetMirrored( t.rot->mirror );
2142
2143 double degrees = t.rot->degrees;
2144 textItem->SetTextAngle( EDA_ANGLE( sign * degrees, DEGREES_T ) );
2145 }
2146
2147 switch( align )
2148 {
2149 case ETEXT::CENTER:
2152 break;
2153
2154 case ETEXT::CENTER_LEFT:
2157 break;
2158
2162 break;
2163
2164 case ETEXT::TOP_CENTER:
2167 break;
2168
2169 case ETEXT::TOP_LEFT:
2172 break;
2173
2174 case ETEXT::TOP_RIGHT:
2177 break;
2178
2182 break;
2183
2184 case ETEXT::BOTTOM_LEFT:
2187 break;
2188
2192 break;
2193 }
2194}
2195
2196
2197void PCB_IO_EAGLE::packageRectangle( FOOTPRINT* aFootprint, wxXmlNode* aTree ) const
2198{
2199 ERECT r( aTree );
2200
2203 {
2204 ZONE* zone = new ZONE( aFootprint );
2205 aFootprint->Add( zone, ADD_MODE::APPEND );
2206
2207 setKeepoutSettingsToZone( zone, r.layer );
2208
2209 const int outlineIdx = -1; // this is the id of the copper zone main outline
2210 zone->AppendCorner( VECTOR2I( kicad_x( r.x1 ), kicad_y( r.y1 ) ), outlineIdx );
2211 zone->AppendCorner( VECTOR2I( kicad_x( r.x2 ), kicad_y( r.y1 ) ), outlineIdx );
2212 zone->AppendCorner( VECTOR2I( kicad_x( r.x2 ), kicad_y( r.y2 ) ), outlineIdx );
2213 zone->AppendCorner( VECTOR2I( kicad_x( r.x1 ), kicad_y( r.y2 ) ), outlineIdx );
2214
2215 if( r.rot )
2216 {
2217 VECTOR2I center( ( kicad_x( r.x1 ) + kicad_x( r.x2 ) ) / 2,
2218 ( kicad_y( r.y1 ) + kicad_y( r.y2 ) ) / 2 );
2219 zone->Rotate( center, EDA_ANGLE( r.rot->degrees, DEGREES_T ) );
2220 }
2221
2222 zone->SetBorderDisplayStyle( ZONE_BORDER_DISPLAY_STYLE::DIAGONAL_EDGE,
2224 }
2225 else
2226 {
2227 PCB_LAYER_ID layer = kicad_layer( r.layer );
2228
2229 if( layer == UNDEFINED_LAYER )
2230 {
2231 wxLogMessage( wxString::Format( _( "Ignoring a rectangle since Eagle layer '%s' (%d) "
2232 "was not mapped" ),
2233 eagle_layer_name( r.layer ), r.layer ) );
2234 return;
2235 }
2236
2237 PCB_SHAPE* dwg = new PCB_SHAPE( aFootprint, SHAPE_T::POLY );
2238
2239 aFootprint->Add( dwg );
2240
2241 dwg->SetLayer( layer );
2242 dwg->SetStroke( STROKE_PARAMS( 0 ) );
2243 dwg->SetFilled( true );
2244
2245 std::vector<VECTOR2I> pts;
2246
2247 VECTOR2I start( VECTOR2I( kicad_x( r.x1 ), kicad_y( r.y1 ) ) );
2248 VECTOR2I end( VECTOR2I( kicad_x( r.x1 ), kicad_y( r.y2 ) ) );
2249
2250 pts.push_back( start );
2251 pts.emplace_back( kicad_x( r.x2 ), kicad_y( r.y1 ) );
2252 pts.emplace_back( kicad_x( r.x2 ), kicad_y( r.y2 ) );
2253 pts.push_back( end );
2254
2255 dwg->SetPolyPoints( pts );
2256
2257 if( r.rot )
2258 dwg->Rotate( dwg->GetCenter(), EDA_ANGLE( r.rot->degrees, DEGREES_T ) );
2259
2260 dwg->Rotate( { 0, 0 }, aFootprint->GetOrientation() );
2261 dwg->Move( aFootprint->GetPosition() );
2262 }
2263}
2264
2265
2266void PCB_IO_EAGLE::packagePolygon( FOOTPRINT* aFootprint, wxXmlNode* aTree ) const
2267{
2268 EPOLYGON p( aTree );
2269
2270 std::vector<VECTOR2I> pts;
2271
2272 // Get the first vertex and iterate
2273 wxXmlNode* vertex = aTree->GetChildren();
2274 std::vector<EVERTEX> vertices;
2275
2276 // Create a circular vector of vertices
2277 // The "curve" parameter indicates a curve from the current
2278 // to the next vertex, so we keep the first at the end as well
2279 // to allow the curve to link back
2280 while( vertex )
2281 {
2282 if( vertex->GetName() == wxT( "vertex" ) )
2283 vertices.emplace_back( vertex );
2284
2285 vertex = vertex->GetNext();
2286 }
2287
2288 vertices.push_back( vertices[0] );
2289
2290 for( size_t i = 0; i < vertices.size() - 1; i++ )
2291 {
2292 EVERTEX v1 = vertices[i];
2293
2294 // Append the corner
2295 pts.emplace_back( kicad_x( v1.x ), kicad_y( v1.y ) );
2296
2297 if( v1.curve )
2298 {
2299 EVERTEX v2 = vertices[i + 1];
2300 VECTOR2I center = ConvertArcCenter( VECTOR2I( kicad_x( v1.x ), kicad_y( v1.y ) ),
2301 VECTOR2I( kicad_x( v2.x ), kicad_y( v2.y ) ),
2302 *v1.curve );
2303 double angle = DEG2RAD( *v1.curve );
2304 double end_angle = atan2( kicad_y( v2.y ) - center.y, kicad_x( v2.x ) - center.x );
2305 double radius = sqrt( pow( center.x - kicad_x( v1.x ), 2 )
2306 + pow( center.y - kicad_y( v1.y ), 2 ) );
2307
2308 // Don't allow a zero-radius curve
2309 if( KiROUND( radius ) == 0 )
2310 radius = 1.0;
2311
2312 int segCount = GetArcToSegmentCount( KiROUND( radius ), ARC_HIGH_DEF,
2313 EDA_ANGLE( *v1.curve, DEGREES_T ) );
2314 double delta = angle / segCount;
2315
2316 for( double a = end_angle + angle; fabs( a - end_angle ) > fabs( delta ); a -= delta )
2317 {
2318 pts.push_back( VECTOR2I( KiROUND( radius * cos( a ) ),
2319 KiROUND( radius * sin( a ) ) ) + center );
2320 }
2321 }
2322 }
2323
2324 PCB_LAYER_ID layer = kicad_layer( p.layer );
2325
2326 if( ( p.pour == EPOLYGON::ECUTOUT && layer != UNDEFINED_LAYER )
2330 {
2331 ZONE* zone = new ZONE( aFootprint );
2332 aFootprint->Add( zone, ADD_MODE::APPEND );
2333
2334 setKeepoutSettingsToZone( zone, p.layer );
2335
2336 SHAPE_LINE_CHAIN outline( pts );
2337 outline.SetClosed( true );
2338 zone->Outline()->AddOutline( outline );
2339
2340 zone->SetBorderDisplayStyle( ZONE_BORDER_DISPLAY_STYLE::DIAGONAL_EDGE,
2342 }
2343 else
2344 {
2345 if( layer == UNDEFINED_LAYER )
2346 {
2347 wxLogMessage( wxString::Format( _( "Ignoring a polygon since Eagle layer '%s' (%d) "
2348 "was not mapped" ),
2349 eagle_layer_name( p.layer ),
2350 p.layer ) );
2351 return;
2352 }
2353
2354 PCB_SHAPE* dwg = new PCB_SHAPE( aFootprint, SHAPE_T::POLY );
2355
2356 aFootprint->Add( dwg );
2357
2358 dwg->SetStroke( STROKE_PARAMS( 0 ) );
2359 dwg->SetFilled( true );
2360 dwg->SetLayer( layer );
2361
2362 dwg->SetPolyPoints( pts );
2363 dwg->Rotate( { 0, 0 }, aFootprint->GetOrientation() );
2364 dwg->Move( aFootprint->GetPosition() );
2365 dwg->GetPolyShape().Inflate( p.width.ToPcbUnits() / 2, CORNER_STRATEGY::ALLOW_ACUTE_CORNERS,
2366 ARC_HIGH_DEF );
2367 }
2368}
2369
2370
2371void PCB_IO_EAGLE::packageCircle( FOOTPRINT* aFootprint, wxXmlNode* aTree ) const
2372{
2373 ECIRCLE e( aTree );
2374
2375 int width = e.width.ToPcbUnits();
2376 int radius = e.radius.ToPcbUnits();
2377
2381 {
2382 ZONE* zone = new ZONE( aFootprint );
2383 aFootprint->Add( zone, ADD_MODE::APPEND );
2384
2385 setKeepoutSettingsToZone( zone, e.layer );
2386
2387 // approximate circle as polygon
2388 VECTOR2I center( kicad_x( e.x ), kicad_y( e.y ) );
2389 int outlineRadius = radius + ( width / 2 );
2390 int segsInCircle = GetArcToSegmentCount( outlineRadius, ARC_HIGH_DEF, FULL_CIRCLE );
2391 EDA_ANGLE delta = ANGLE_360 / segsInCircle;
2392
2393 for( EDA_ANGLE angle = ANGLE_0; angle < ANGLE_360; angle += delta )
2394 {
2395 VECTOR2I rotatedPoint( outlineRadius, 0 );
2396 RotatePoint( rotatedPoint, angle );
2397 zone->AppendCorner( center + rotatedPoint, -1 );
2398 }
2399
2400 if( width > 0 )
2401 {
2402 zone->NewHole();
2403 int innerRadius = radius - ( width / 2 );
2404 segsInCircle = GetArcToSegmentCount( innerRadius, ARC_HIGH_DEF, FULL_CIRCLE );
2405 delta = ANGLE_360 / segsInCircle;
2406
2407 for( EDA_ANGLE angle = ANGLE_0; angle < ANGLE_360; angle += delta )
2408 {
2409 VECTOR2I rotatedPoint( innerRadius, 0 );
2410 RotatePoint( rotatedPoint, angle );
2411 zone->AppendCorner( center + rotatedPoint, 0 );
2412 }
2413 }
2414
2415 zone->SetBorderDisplayStyle( ZONE_BORDER_DISPLAY_STYLE::DIAGONAL_EDGE,
2417 }
2418 else
2419 {
2420 PCB_LAYER_ID layer = kicad_layer( e.layer );
2421
2422 if( layer == UNDEFINED_LAYER )
2423 {
2424 wxLogMessage( wxString::Format( _( "Ignoring a circle since Eagle layer '%s' (%d) "
2425 "was not mapped" ),
2426 eagle_layer_name( e.layer ),
2427 e.layer ) );
2428 return;
2429 }
2430
2431 PCB_SHAPE* gr = new PCB_SHAPE( aFootprint, SHAPE_T::CIRCLE );
2432
2433 // width == 0 means filled circle
2434 if( width <= 0 )
2435 {
2436 width = radius;
2437 radius = radius / 2;
2438 gr->SetFilled( true );
2439 }
2440
2441 aFootprint->Add( gr );
2442 gr->SetStroke( STROKE_PARAMS( width, LINE_STYLE::SOLID ) );
2443
2444 switch( (int) layer )
2445 {
2446 case UNDEFINED_LAYER:
2447 layer = Cmts_User;
2448 break;
2449 default:
2450 break;
2451 }
2452
2453 gr->SetLayer( layer );
2454 gr->SetStart( VECTOR2I( kicad_x( e.x ), kicad_y( e.y ) ) );
2455 gr->SetEnd( VECTOR2I( kicad_x( e.x ) + radius, kicad_y( e.y ) ) );
2456 gr->Rotate( { 0, 0 }, aFootprint->GetOrientation() );
2457 gr->Move( aFootprint->GetPosition() );
2458 }
2459}
2460
2461
2462void PCB_IO_EAGLE::packageHole( FOOTPRINT* aFootprint, wxXmlNode* aTree, bool aCenter ) const
2463{
2464 EHOLE e( aTree );
2465
2466 if( e.drill.value == 0 )
2467 return;
2468
2469 // we add a PAD_ATTRIB::NPTH pad to this footprint.
2470 PAD* pad = new PAD( aFootprint );
2471 aFootprint->Add( pad );
2472
2473 pad->SetShape( PADSTACK::ALL_LAYERS, PAD_SHAPE::CIRCLE );
2474 pad->SetAttribute( PAD_ATTRIB::NPTH );
2475
2476 // Mechanical purpose only:
2477 // no offset, no net name, no pad name allowed
2478 // pad->SetOffset( VECTOR2I( 0, 0 ) );
2479 // pad->SetNumber( wxEmptyString );
2480
2481 VECTOR2I padpos( kicad_x( e.x ), kicad_y( e.y ) );
2482
2483 if( aCenter )
2484 {
2485 aFootprint->SetPosition( padpos );
2486 pad->SetPosition( padpos );
2487 }
2488 else
2489 {
2490 pad->SetPosition( padpos + aFootprint->GetPosition() );
2491 }
2492
2493 VECTOR2I sz( e.drill.ToPcbUnits(), e.drill.ToPcbUnits() );
2494
2495 pad->SetDrillSize( sz );
2496 pad->SetSize( PADSTACK::ALL_LAYERS, sz );
2497
2498 pad->SetLayerSet( LSET::AllCuMask().set( B_Mask ).set( F_Mask ) );
2499}
2500
2501
2502void PCB_IO_EAGLE::packageSMD( FOOTPRINT* aFootprint, wxXmlNode* aTree ) const
2503{
2504 ESMD e( aTree );
2505 PCB_LAYER_ID layer = kicad_layer( e.layer );
2506
2507 if( !IsCopperLayer( layer ) || e.dx.value == 0 || e.dy.value == 0 )
2508 return;
2509
2510 PAD* pad = new PAD( aFootprint );
2511 aFootprint->Add( pad );
2512 transferPad( e, pad );
2513
2514 pad->SetShape( PADSTACK::ALL_LAYERS, PAD_SHAPE::RECTANGLE );
2515 pad->SetAttribute( PAD_ATTRIB::SMD );
2516
2517 VECTOR2I padSize( e.dx.ToPcbUnits(), e.dy.ToPcbUnits() );
2518 pad->SetSize( PADSTACK::ALL_LAYERS, padSize );
2519 pad->SetLayer( layer );
2520
2521 const LSET front( { F_Cu, F_Paste, F_Mask } );
2522 const LSET back( { B_Cu, B_Paste, B_Mask } );
2523
2524 if( layer == F_Cu )
2525 pad->SetLayerSet( front );
2526 else if( layer == B_Cu )
2527 pad->SetLayerSet( back );
2528
2529 int minPadSize = std::min( padSize.x, padSize.y );
2530
2531 // Rounded rectangle pads
2532 int roundRadius = eagleClamp( m_rules->srMinRoundness * 2,
2533 (int) ( minPadSize * m_rules->srRoundness ),
2534 m_rules->srMaxRoundness * 2 );
2535
2536 if( e.roundness || roundRadius > 0 )
2537 {
2538 double roundRatio = (double) roundRadius / minPadSize / 2.0;
2539
2540 // Eagle uses a different definition of roundness, hence division by 200
2541 if( e.roundness )
2542 roundRatio = std::fmax( *e.roundness / 200.0, roundRatio );
2543
2544 pad->SetShape( PADSTACK::ALL_LAYERS, PAD_SHAPE::ROUNDRECT );
2545 pad->SetRoundRectRadiusRatio( PADSTACK::ALL_LAYERS, roundRatio );
2546 }
2547
2548 if( e.rot )
2549 pad->SetOrientation( EDA_ANGLE( e.rot->degrees, DEGREES_T ) );
2550
2551 // Eagle spokes are always '+'
2552 pad->SetThermalSpokeAngle( ANGLE_0 );
2553
2554 pad->SetLocalSolderPasteMargin( -eagleClamp( m_rules->mlMinCreamFrame,
2555 (int) ( m_rules->mvCreamFrame * minPadSize ),
2556 m_rules->mlMaxCreamFrame ) );
2557
2558 // Solder mask
2559 if( e.stop && *e.stop == false ) // enabled by default
2560 {
2561 if( layer == F_Cu )
2562 pad->SetLayerSet( pad->GetLayerSet().set( F_Mask, false ) );
2563 else if( layer == B_Cu )
2564 pad->SetLayerSet( pad->GetLayerSet().set( B_Mask, false ) );
2565 }
2566
2567 // Solder paste (only for SMD pads)
2568 if( e.cream && *e.cream == false ) // enabled by default
2569 {
2570 if( layer == F_Cu )
2571 pad->SetLayerSet( pad->GetLayerSet().set( F_Paste, false ) );
2572 else if( layer == B_Cu )
2573 pad->SetLayerSet( pad->GetLayerSet().set( B_Paste, false ) );
2574 }
2575}
2576
2577
2578void PCB_IO_EAGLE::transferPad( const EPAD_COMMON& aEaglePad, PAD* aPad ) const
2579{
2580 aPad->SetNumber( aEaglePad.name );
2581
2582 VECTOR2I padPos( kicad_x( aEaglePad.x ), kicad_y( aEaglePad.y ) );
2583
2584 // Solder mask
2585 const VECTOR2I& padSize( aPad->GetSize( PADSTACK::ALL_LAYERS ) );
2586
2588 eagleClamp( m_rules->mlMinStopFrame,
2589 (int) ( m_rules->mvStopFrame * std::min( padSize.x, padSize.y ) ),
2590 m_rules->mlMaxStopFrame ) );
2591
2592 // Solid connection to copper zones
2593 if( aEaglePad.thermals && !*aEaglePad.thermals )
2594 aPad->SetLocalZoneConnection( ZONE_CONNECTION::FULL );
2595
2596 FOOTPRINT* footprint = aPad->GetParentFootprint();
2597 wxCHECK( footprint, /* void */ );
2598 RotatePoint( padPos, footprint->GetOrientation() );
2599 aPad->SetPosition( padPos + footprint->GetPosition() );
2600}
2601
2602
2604{
2605 for( const auto& [ name, footprint ] : m_templates )
2606 {
2607 footprint->SetParent( nullptr );
2608 delete footprint;
2609 }
2610
2611 m_templates.clear();
2612}
2613
2614
2615void PCB_IO_EAGLE::loadClasses( wxXmlNode* aClasses )
2616{
2617 // Eagle board DTD defines the "classes" element as 0 or 1.
2618 if( !aClasses )
2619 return;
2620
2621 BOARD_DESIGN_SETTINGS& bds = m_board->GetDesignSettings();
2622
2623 m_xpath->push( "classes.class", "number" );
2624
2625 std::vector<ECLASS> eClasses;
2626 wxXmlNode* classNode = aClasses->GetChildren();
2627
2628 while( classNode )
2629 {
2630 checkpoint();
2631
2632 ECLASS eClass( classNode );
2633 std::shared_ptr<NETCLASS> netclass;
2634
2635 if( eClass.name.CmpNoCase( wxT( "default" ) ) == 0 )
2636 {
2637 netclass = bds.m_NetSettings->GetDefaultNetclass();
2638 }
2639 else
2640 {
2641 netclass.reset( new NETCLASS( eClass.name ) );
2642 bds.m_NetSettings->SetNetclass( eClass.name, netclass );
2643 }
2644
2645 netclass->SetTrackWidth( INT_MAX );
2646 netclass->SetViaDiameter( INT_MAX );
2647 netclass->SetViaDrill( INT_MAX );
2648
2649 eClasses.emplace_back( eClass );
2650 m_classMap[ eClass.number ] = netclass;
2651
2652 // Get next class
2653 classNode = classNode->GetNext();
2654 }
2655
2656 m_customRules = wxT( "(version 1)" );
2657
2658 for( ECLASS& eClass : eClasses )
2659 {
2660 for( std::pair<const wxString&, ECOORD> entry : eClass.clearanceMap )
2661 {
2662 if( m_classMap[ entry.first ] != nullptr )
2663 {
2664 wxString rule;
2665 rule.Printf( wxT( "(rule \"class %s:%s\"\n"
2666 " (condition \"A.NetClass == '%s' && B.NetClass == '%s'\")\n"
2667 " (constraint clearance (min %smm)))\n" ),
2668 eClass.number,
2669 entry.first,
2670 eClass.name,
2671 m_classMap[ entry.first ]->GetName(),
2672 EDA_UNIT_UTILS::UI::StringFromValue( pcbIUScale, EDA_UNITS::MM, entry.second.ToPcbUnits() ) );
2673
2674 m_customRules += wxT( "\n" ) + rule;
2675 }
2676 }
2677 }
2678
2679 m_xpath->pop(); // "classes.class"
2680}
2681
2682
2683void PCB_IO_EAGLE::loadSignals( wxXmlNode* aSignals )
2684{
2685 // Eagle board DTD defines the "signals" element as 0 or 1.
2686 if( !aSignals )
2687 return;
2688
2689 ZONES zones; // per net
2690 int netCode = 1;
2691
2692 m_xpath->push( "signals.signal", "name" );
2693
2694 // Get the first signal and iterate
2695 wxXmlNode* net = aSignals->GetChildren();
2696
2697 while( net )
2698 {
2699 checkpoint();
2700
2701 bool sawPad = false;
2702
2703 zones.clear();
2704
2705 const wxString& netName = escapeName( net->GetAttribute( "name" ) );
2706 NETINFO_ITEM* netInfo = new NETINFO_ITEM( m_board, netName, netCode );
2707 std::shared_ptr<NETCLASS> netclass;
2708
2709 if( net->HasAttribute( "class" ) )
2710 {
2711 auto netclassIt = m_classMap.find( net->GetAttribute( "class" ) );
2712
2713 if( netclassIt != m_classMap.end() )
2714 {
2715 m_board->GetDesignSettings().m_NetSettings->SetNetclassPatternAssignment(
2716 netName, netclassIt->second->GetName() );
2717 netInfo->SetNetClass( netclassIt->second );
2718 netclass = netclassIt->second;
2719 }
2720 }
2721
2722 m_board->Add( netInfo );
2723
2724 m_xpath->Value( netName.c_str() );
2725
2726 // Get the first net item and iterate
2727 wxXmlNode* netItem = net->GetChildren();
2728
2729 // (contactref | polygon | wire | via)*
2730 while( netItem )
2731 {
2732 const wxString& itemName = netItem->GetName();
2733
2734 if( itemName == wxT( "wire" ) )
2735 {
2736 m_xpath->push( "wire" );
2737
2738 EWIRE w( netItem );
2739 PCB_LAYER_ID layer = kicad_layer( w.layer );
2740
2741 if( IsCopperLayer( layer ) )
2742 {
2743 VECTOR2I start( kicad_x( w.x1 ), kicad_y( w.y1 ) );
2744 VECTOR2I end( kicad_x( w.x2 ), kicad_y( w.y2 ) );
2745
2746 int width = w.width.ToPcbUnits();
2747
2748 if( width < m_min_trace )
2749 m_min_trace = width;
2750
2751 if( netclass && width < netclass->GetTrackWidth() )
2752 netclass->SetTrackWidth( width );
2753
2754 if( w.curve )
2755 {
2756 VECTOR2I center = ConvertArcCenter( start, end, *w.curve );
2757 double radius = sqrt( pow( center.x - kicad_x( w.x1 ), 2 ) +
2758 pow( center.y - kicad_y( w.y1 ), 2 ) );
2759 VECTOR2I mid = CalcArcMid( start, end, center, true );
2760 VECTOR2I otherMid = CalcArcMid( start, end, center, false );
2761
2762 double radiusA = ( mid - center ).EuclideanNorm();
2763 double radiusB = ( otherMid - center ).EuclideanNorm();
2764
2765 if( abs( radiusA - radius ) > abs( radiusB - radius ) )
2766 std::swap( mid, otherMid );
2767
2768 PCB_ARC* arc = new PCB_ARC( m_board );
2769
2770 arc->SetPosition( start );
2771 arc->SetMid( mid );
2772 arc->SetEnd( end );
2773 arc->SetWidth( width );
2774 arc->SetLayer( layer );
2775 arc->SetNetCode( netCode );
2776
2777 m_board->Add( arc );
2778 }
2779 else
2780 {
2781 PCB_TRACK* track = new PCB_TRACK( m_board );
2782
2783 track->SetPosition( start );
2784 track->SetEnd( VECTOR2I( kicad_x( w.x2 ), kicad_y( w.y2 ) ) );
2785 track->SetWidth( width );
2786 track->SetLayer( layer );
2787 track->SetNetCode( netCode );
2788
2789 m_board->Add( track );
2790 }
2791 }
2792 else
2793 {
2794 // put non copper wires where the sun don't shine.
2795 }
2796
2797 m_xpath->pop();
2798 }
2799 else if( itemName == wxT( "via" ) )
2800 {
2801 m_xpath->push( "via" );
2802 EVIA v( netItem );
2803
2805 std::swap( v.layer_front_most, v.layer_back_most );
2806
2807 PCB_LAYER_ID layer_front_most = kicad_layer( v.layer_front_most );
2808 PCB_LAYER_ID layer_back_most = kicad_layer( v.layer_back_most );
2809
2810 if( IsCopperLayer( layer_front_most ) && IsCopperLayer( layer_back_most )
2811 && layer_front_most != layer_back_most )
2812 {
2813 int kidiam;
2814 int drillz = v.drill.ToPcbUnits();
2815 PCB_VIA* via = new PCB_VIA( m_board );
2816 m_board->Add( via );
2817
2818 if( v.diam )
2819 {
2820 kidiam = v.diam->ToPcbUnits();
2821 via->SetWidth( PADSTACK::ALL_LAYERS, kidiam );
2822 }
2823 else
2824 {
2825 double annulus = drillz * m_rules->rvViaOuter; // eagle "restring"
2826 annulus = eagleClamp( m_rules->rlMinViaOuter, annulus,
2827 m_rules->rlMaxViaOuter );
2828 kidiam = KiROUND( drillz + 2 * annulus );
2829 via->SetWidth( PADSTACK::ALL_LAYERS, kidiam );
2830 }
2831
2832 via->SetDrill( drillz );
2833
2834 // make sure the via diameter respects the restring rules
2835
2836 int via_width = via->GetWidth( PADSTACK::ALL_LAYERS );
2837
2838 if( !v.diam || via_width <= via->GetDrill() )
2839 {
2840 double annular_width = ( via_width - via->GetDrill() ) / 2.0;
2841 double clamped_annular_width = eagleClamp( m_rules->rlMinViaOuter,
2842 annular_width,
2843 m_rules->rlMaxViaOuter );
2844 via->SetWidth( PADSTACK::ALL_LAYERS, drillz + 2 * clamped_annular_width );
2845 }
2846
2847 if( kidiam < m_min_via )
2848 m_min_via = kidiam;
2849
2850 if( netclass && kidiam < netclass->GetViaDiameter() )
2851 netclass->SetViaDiameter( kidiam );
2852
2853 if( drillz < m_min_hole )
2854 m_min_hole = drillz;
2855
2856 if( netclass && drillz < netclass->GetViaDrill() )
2857 netclass->SetViaDrill( drillz );
2858
2859 if( ( kidiam - drillz ) / 2 < m_min_annulus )
2860 m_min_annulus = ( kidiam - drillz ) / 2;
2861
2862 if( layer_front_most == F_Cu && layer_back_most == B_Cu )
2863 {
2864 via->SetViaType( VIATYPE::THROUGH );
2865 }
2869 else if( v.layer_back_most - v.layer_front_most == 1 )
2870 {
2871 via->SetViaType( VIATYPE::MICROVIA );
2872 }
2873 else
2874 {
2875 via->SetViaType( VIATYPE::BLIND_BURIED );
2876 }
2877
2878 VECTOR2I pos( kicad_x( v.x ), kicad_y( v.y ) );
2879
2880 via->SetLayerPair( layer_front_most, layer_back_most );
2881 via->SetPosition( pos );
2882 via->SetEnd( pos );
2883
2884 via->SetNetCode( netCode );
2885 }
2886
2887 m_xpath->pop();
2888 }
2889
2890 else if( itemName == wxT( "contactref" ) )
2891 {
2892 m_xpath->push( "contactref" );
2893 // <contactref element="RN1" pad="7"/>
2894
2895 const wxString& reference = netItem->GetAttribute( "element" );
2896 const wxString& pad = netItem->GetAttribute( "pad" );
2897 wxString key = makeKey( reference, pad ) ;
2898
2899 m_pads_to_nets[ key ] = ENET( netCode, netName );
2900
2901 m_xpath->pop();
2902
2903 sawPad = true;
2904 }
2905
2906 else if( itemName == wxT( "polygon" ) )
2907 {
2908 m_xpath->push( "polygon" );
2909 auto* zone = loadPolygon( netItem );
2910
2911 if( zone )
2912 {
2913 zones.push_back( zone );
2914
2915 if( !zone->GetIsRuleArea() )
2916 zone->SetNetCode( netCode );
2917 }
2918
2919 m_xpath->pop(); // "polygon"
2920 }
2921
2922 netItem = netItem->GetNext();
2923 }
2924
2925 if( zones.size() && !sawPad )
2926 {
2927 // KiCad does not support an unconnected zone with its own non-zero netcode,
2928 // but only when assigned netcode = 0 w/o a name...
2929 for( ZONE* zone : zones )
2930 zone->SetNetCode( NETINFO_LIST::UNCONNECTED );
2931
2932 // therefore omit this signal/net.
2933 }
2934 else
2935 {
2936 netCode++;
2937 }
2938
2939 // Get next signal
2940 net = net->GetNext();
2941 }
2942
2943 m_xpath->pop(); // "signals.signal"
2944}
2945
2946
2947std::map<wxString, PCB_LAYER_ID> PCB_IO_EAGLE::DefaultLayerMappingCallback(
2948 const std::vector<INPUT_LAYER_DESC>& aInputLayerDescriptionVector )
2949{
2950 std::map<wxString, PCB_LAYER_ID> layer_map;
2951
2952 for ( const INPUT_LAYER_DESC& layer : aInputLayerDescriptionVector )
2953 {
2954 PCB_LAYER_ID layerId = std::get<0>( defaultKicadLayer( eagle_layer_id( layer.Name ) ) );
2955 layer_map.emplace( layer.Name, layerId );
2956 }
2957
2958 return layer_map;
2959}
2960
2961
2962void PCB_IO_EAGLE::mapEagleLayersToKicad( bool aIsLibraryCache )
2963{
2964 std::vector<INPUT_LAYER_DESC> inputDescs;
2965
2966 for ( const std::pair<const int, ELAYER>& layerPair : m_eagleLayers )
2967 {
2968 const ELAYER& eLayer = layerPair.second;
2969
2970 INPUT_LAYER_DESC layerDesc;
2971 std::tie( layerDesc.AutoMapLayer, layerDesc.PermittedLayers, layerDesc.Required ) =
2972 defaultKicadLayer( eLayer.number, aIsLibraryCache );
2973
2974 if( layerDesc.AutoMapLayer == UNDEFINED_LAYER )
2975 continue; // Ignore unused copper layers
2976
2977 layerDesc.Name = eLayer.name;
2978
2979 inputDescs.push_back( layerDesc );
2980 }
2981
2982 if( m_progressReporter && dynamic_cast<wxWindow*>( m_progressReporter ) )
2983 dynamic_cast<wxWindow*>( m_progressReporter )->Hide();
2984
2985 m_layer_map = m_layer_mapping_handler( inputDescs );
2986
2987 if( m_progressReporter && dynamic_cast<wxWindow*>( m_progressReporter ))
2988 dynamic_cast<wxWindow*>( m_progressReporter )->Show();
2989}
2990
2991
2993{
2994 auto result = m_layer_map.find( eagle_layer_name( aEagleLayer ) );
2995 return result == m_layer_map.end() ? UNDEFINED_LAYER : result->second;
2996}
2997
2998
2999std::tuple<PCB_LAYER_ID, LSET, bool> PCB_IO_EAGLE::defaultKicadLayer( int aEagleLayer,
3000 bool aIsLibraryCache ) const
3001{
3002 // eagle copper layer:
3003 if( aEagleLayer >= 1 && aEagleLayer < int( arrayDim( m_cu_map ) ) )
3004 {
3005 LSET copperLayers;
3006
3007 for( int copperLayer : m_cu_map )
3008 {
3009 if( copperLayer >= 0 )
3010 copperLayers[copperLayer] = true;
3011 }
3012
3013 return { PCB_LAYER_ID( m_cu_map[aEagleLayer] ), copperLayers, true };
3014 }
3015
3016 int kiLayer = UNSELECTED_LAYER;
3017 bool required = false;
3018 LSET permittedLayers;
3019
3020 permittedLayers.set();
3021
3022 // translate non-copper eagle layer to pcbnew layer
3023 switch( aEagleLayer )
3024 {
3025 // Eagle says "Dimension" layer, but it's for board perimeter
3027 kiLayer = Edge_Cuts;
3028 required = true;
3029 permittedLayers = LSET( { Edge_Cuts } );
3030 break;
3031
3033 kiLayer = F_SilkS;
3034 break;
3036 kiLayer = B_SilkS;
3037 break;
3039 kiLayer = F_SilkS;
3040 break;
3042 kiLayer = B_SilkS;
3043 break;
3045 kiLayer = F_Fab;
3046 break;
3048 kiLayer = B_Fab;
3049 break;
3050 case EAGLE_LAYER::TSTOP:
3051 kiLayer = F_Mask;
3052 break;
3053 case EAGLE_LAYER::BSTOP:
3054 kiLayer = B_Mask;
3055 break;
3057 kiLayer = F_Paste;
3058 break;
3060 kiLayer = B_Paste;
3061 break;
3063 kiLayer = F_Mask;
3064 break;
3066 kiLayer = B_Mask;
3067 break;
3068 case EAGLE_LAYER::TGLUE:
3069 kiLayer = F_Adhes;
3070 break;
3071 case EAGLE_LAYER::BGLUE:
3072 kiLayer = B_Adhes;
3073 break;
3075 kiLayer = Cmts_User;
3076 break;
3078 kiLayer = Cmts_User;
3079 break;
3081 kiLayer = Cmts_User;
3082 break;
3083
3084 // Packages show the future chip pins on SMD parts using layer 51.
3085 // This is an area slightly smaller than the PAD/SMD copper area.
3086 // Carry those visual aids into the FOOTPRINT on the fabrication layer,
3087 // not silkscreen. This is perhaps not perfect, but there is not a lot
3088 // of other suitable paired layers
3089 case EAGLE_LAYER::TDOCU:
3090 kiLayer = F_Fab;
3091 break;
3092 case EAGLE_LAYER::BDOCU:
3093 kiLayer = B_Fab;
3094 break;
3095
3096 // these layers are defined as user layers. put them on ECO layers
3098 kiLayer = Eco1_User;
3099 break;
3101 kiLayer = Eco2_User;
3102 break;
3103
3104 // these will also appear in the ratsnest, so there's no need for a warning
3106 kiLayer = Dwgs_User;
3107 break;
3108
3110 kiLayer = F_CrtYd;
3111 break;
3113 kiLayer = B_CrtYd;
3114 break;
3115
3117 case EAGLE_LAYER::TTEST:
3118 case EAGLE_LAYER::BTEST:
3119 case EAGLE_LAYER::HOLES:
3120 default:
3121 if( aIsLibraryCache )
3122 kiLayer = UNDEFINED_LAYER;
3123 else
3124 kiLayer = UNSELECTED_LAYER;
3125
3126 break;
3127 }
3128
3129 return { PCB_LAYER_ID( kiLayer ), permittedLayers, required };
3130}
3131
3132
3133const wxString& PCB_IO_EAGLE::eagle_layer_name( int aLayer ) const
3134{
3135 static const wxString unknown( "unknown" );
3136 auto it = m_eagleLayers.find( aLayer );
3137 return it == m_eagleLayers.end() ? unknown : it->second.name;
3138}
3139
3140
3141int PCB_IO_EAGLE::eagle_layer_id( const wxString& aLayerName ) const
3142{
3143 static const int unknown = -1;
3144 auto it = m_eagleLayersIds.find( aLayerName );
3145 return it == m_eagleLayersIds.end() ? unknown : it->second;
3146}
3147
3148
3150{
3151 if( m_props )
3152 {
3153 UTF8 page_width;
3154 UTF8 page_height;
3155
3156 if( auto it = m_props->find( "page_width" ); it != m_props->end() )
3157 page_width = it->second;
3158
3159 if( auto it = m_props->find( "page_height" ); it != m_props->end() )
3160 page_height = it->second;
3161
3162 if( !page_width.empty() && !page_height.empty() )
3163 {
3164 BOX2I bbbox = m_board->GetBoardEdgesBoundingBox();
3165
3166 int w = atoi( page_width.c_str() );
3167 int h = atoi( page_height.c_str() );
3168
3169 int desired_x = ( w - bbbox.GetWidth() ) / 2;
3170 int desired_y = ( h - bbbox.GetHeight() ) / 2;
3171
3172 m_board->Move( VECTOR2I( desired_x - bbbox.GetX(), desired_y - bbbox.GetY() ) );
3173 }
3174 }
3175}
3176
3177
3178wxDateTime PCB_IO_EAGLE::getModificationTime( const wxString& aPath )
3179{
3180 // File hasn't been loaded yet.
3181 if( aPath.IsEmpty() )
3182 return wxDateTime::Now();
3183
3184 wxFileName fn( aPath );
3185
3186 if( fn.IsFileReadable() )
3187 return fn.GetModificationTime();
3188 else
3189 return wxDateTime( 0.0 );
3190}
3191
3192
3193void PCB_IO_EAGLE::cacheLib( const wxString& aLibPath )
3194{
3196
3197 try
3198 {
3199 wxDateTime modtime = getModificationTime( aLibPath );
3200
3201 // Fixes assertions in wxWidgets debug builds for the wxDateTime object. Refresh the
3202 // cache if either of the wxDateTime objects are invalid or the last file modification
3203 // time differs from the current file modification time.
3204 bool load = !m_mod_time.IsValid() || !modtime.IsValid() || m_mod_time != modtime;
3205
3206 if( aLibPath != m_lib_path || load )
3207 {
3208 wxXmlNode* doc;
3209 LOCALE_IO toggle; // toggles on, then off, the C locale.
3210
3211 deleteTemplates();
3212
3213 // Set this before completion of loading, since we rely on it for
3214 // text of an exception. Delay setting m_mod_time until after successful load
3215 // however.
3216 m_lib_path = aLibPath;
3217
3218 // 8 bit "filename" should be encoded according to disk filename encoding,
3219 // (maybe this is current locale, maybe not, its a filesystem issue),
3220 // and is not necessarily utf8.
3221 string filename = (const char*) aLibPath.char_str( wxConvFile );
3222
3223 // Load the document
3224 wxFileName fn( filename );
3225 wxFFileInputStream stream( fn.GetFullPath() );
3226 wxXmlDocument xmlDocument;
3227
3228 if( !stream.IsOk() || !xmlDocument.Load( stream ) )
3229 {
3230 THROW_IO_ERROR( wxString::Format( _( "Unable to read file '%s'." ),
3231 fn.GetFullPath() ) );
3232 }
3233
3234 doc = xmlDocument.GetRoot();
3235
3236 wxXmlNode* drawing = MapChildren( doc )["drawing"];
3237 NODE_MAP drawingChildren = MapChildren( drawing );
3238
3239 // clear the cu map and then rebuild it.
3240 clear_cu_map();
3241
3242 m_xpath->push( "eagle.drawing.layers" );
3243 wxXmlNode* layers = drawingChildren["layers"];
3244 loadLayerDefs( layers );
3245 mapEagleLayersToKicad( true );
3246 m_xpath->pop();
3247
3248 m_xpath->push( "eagle.drawing.library" );
3249 wxXmlNode* library = drawingChildren["library"];
3250
3251 loadLibrary( library, nullptr );
3252 m_xpath->pop();
3253
3254 m_mod_time = modtime;
3255 }
3256 }
3257 catch(...){}
3258 // TODO: Handle exceptions
3259 // catch( file_parser_error fpe )
3260 // {
3261 // // for xml_parser_error, what() has the line number in it,
3262 // // but no byte offset. That should be an adequate error message.
3263 // THROW_IO_ERROR( fpe.what() );
3264 // }
3265 //
3266 // // Class ptree_error is a base class for xml_parser_error & file_parser_error,
3267 // // so one catch should be OK for all errors.
3268 // catch( ptree_error pte )
3269 // {
3270 // string errmsg = pte.what();
3271 //
3272 // errmsg += " @\n";
3273 // errmsg += m_xpath->Contents();
3274 //
3275 // THROW_IO_ERROR( errmsg );
3276 // }
3277}
3278
3279
3280void PCB_IO_EAGLE::FootprintEnumerate( wxArrayString& aFootprintNames, const wxString& aLibraryPath,
3281 bool aBestEfforts, const std::map<std::string, UTF8>* aProperties )
3282{
3283 wxString errorMsg;
3284
3285 init( aProperties );
3286
3287 try
3288 {
3289 cacheLib( aLibraryPath );
3290 }
3291 catch( const IO_ERROR& ioe )
3292 {
3293 errorMsg = ioe.What();
3294 }
3295
3296 // Some of the files may have been parsed correctly so we want to add the valid files to
3297 // the library.
3298
3299 for( const auto& [ name, footprint ] : m_templates )
3300 aFootprintNames.Add( name );
3301
3302 if( !errorMsg.IsEmpty() && !aBestEfforts )
3303 THROW_IO_ERROR( errorMsg );
3304}
3305
3306
3307FOOTPRINT* PCB_IO_EAGLE::FootprintLoad( const wxString& aLibraryPath,
3308 const wxString& aFootprintName, bool aKeepUUID,
3309 const std::map<std::string, UTF8>* aProperties )
3310{
3311 init( aProperties );
3312 cacheLib( aLibraryPath );
3313 auto it = m_templates.find( aFootprintName );
3314
3315 if( it == m_templates.end() )
3316 return nullptr;
3317
3318 // Return a copy of the template
3319 FOOTPRINT* copy = (FOOTPRINT*) it->second->Duplicate();
3320 copy->SetParent( nullptr );
3321 return copy;
3322}
3323
3324
3326{
3327 int minLayerCount = 2;
3328
3329 std::map<wxString, PCB_LAYER_ID>::const_iterator it;
3330
3331 for( it = m_layer_map.begin(); it != m_layer_map.end(); ++it )
3332 {
3333 PCB_LAYER_ID layerId = it->second;
3334
3335 if( !IsCopperLayer( layerId ) || layerId == F_Cu || layerId == B_Cu )
3336 continue;
3337
3338 int ordinal = CopperLayerToOrdinal( layerId );
3339
3340 if( ( ordinal + 2 ) > minLayerCount )
3341 minLayerCount = ordinal + 2;
3342 }
3343
3344 // Ensure the copper layers count is a multiple of 2
3345 // Pcbnew does not like boards with odd layers count
3346 // (these boards cannot exist. they actually have a even layers count)
3347 if( ( minLayerCount % 2 ) != 0 )
3348 minLayerCount++;
3349
3350 return minLayerCount;
3351}
const char * name
Definition: DXF_plotter.cpp:59
constexpr std::size_t arrayDim(T const (&)[N]) noexcept
Returns # of elements in an array.
Definition: arraydim.h:31
constexpr int ARC_HIGH_DEF
Definition: base_units.h:120
constexpr EDA_IU_SCALE pcbIUScale
Definition: base_units.h:108
@ LT_SIGNAL
Definition: board.h:162
#define DEFAULT_SILK_LINE_WIDTH
#define DEFAULT_EDGE_WIDTH
#define DEFAULT_LINE_WIDTH
#define DEFAULT_COURTYARD_WIDTH
constexpr BOX2I KiROUND(const BOX2D &aBoxD)
Definition: box2.h:990
BASE_SET & set(size_t pos)
Definition: base_set.h:116
bool SetNetCode(int aNetCode, bool aNoAssert)
Set net using a net code.
Container for design settings for a BOARD object.
std::shared_ptr< NET_SETTINGS > m_NetSettings
VECTOR2I GetTextSize(PCB_LAYER_ID aLayer) const
Return the default text size from the layer class for the given layer.
int GetLineThickness(PCB_LAYER_ID aLayer) const
Return the default graphic segment thickness from the layer class for the given layer.
virtual void SetLayer(PCB_LAYER_ID aLayer)
Set the layer this item is on.
Definition: board_item.h:280
virtual const BOARD * GetBoard() const
Return the BOARD in which this BOARD_ITEM resides, or NULL if none.
Definition: board_item.cpp:48
FOOTPRINT * GetParentFootprint() const
Definition: board_item.cpp:299
Information pertinent to a Pcbnew printed circuit board.
Definition: board.h:297
bool m_LegacyDesignSettingsLoaded
True if the legacy board design settings were loaded from a file.
Definition: board.h:380
void Add(BOARD_ITEM *aItem, ADD_MODE aMode=ADD_MODE::INSERT, bool aSkipConnectivity=false) override
Removes an item from the container.
Definition: board.cpp:1060
void SetFileName(const wxString &aFileName)
Definition: board.h:332
bool SetLayerName(PCB_LAYER_ID aLayer, const wxString &aLayerName)
Changes the name of the layer given by aLayer.
Definition: board.cpp:632
bool m_LegacyNetclassesLoaded
True if netclasses were loaded from the file.
Definition: board.h:384
void SetCopperLayerCount(int aCount)
Definition: board.cpp:787
bool SetLayerType(PCB_LAYER_ID aLayer, LAYER_T aLayerType)
Change the type of the layer given by aLayer.
Definition: board.cpp:671
BOARD_DESIGN_SETTINGS & GetDesignSettings() const
Definition: board.cpp:946
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 size_type GetHeight() const
Definition: box2.h:215
double AsDegrees() const
Definition: eda_angle.h:113
void SetCenter(const VECTOR2I &aCenter)
Definition: eda_shape.cpp:912
SHAPE_POLY_SET & GetPolyShape()
Definition: eda_shape.h:337
virtual void SetFilled(bool aFlag)
Definition: eda_shape.h:136
void SetStart(const VECTOR2I &aStart)
Definition: eda_shape.h:177
void SetShape(SHAPE_T aShape)
Definition: eda_shape.h:167
void SetEnd(const VECTOR2I &aEnd)
Definition: eda_shape.h:219
void SetArcAngleAndEnd(const EDA_ANGLE &aAngle, bool aCheckNegativeAngle=false)
Set the end point from the angle center and start.
Definition: eda_shape.cpp:1061
void SetPolyPoints(const std::vector< VECTOR2I > &aPoints)
Definition: eda_shape.cpp:1708
const EDA_ANGLE & GetTextAngle() const
Definition: eda_text.h:134
void SetTextSize(VECTOR2I aNewSize, bool aEnforceMinTextSize=true)
Definition: eda_text.cpp:526
void SetTextPos(const VECTOR2I &aPoint)
Definition: eda_text.cpp:571
void SetMirrored(bool isMirrored)
Definition: eda_text.cpp:386
void SetVertJustify(GR_TEXT_V_ALIGN_T aType)
Definition: eda_text.cpp:410
GR_TEXT_H_ALIGN_T GetHorizJustify() const
Definition: eda_text.h:187
virtual void SetVisible(bool aVisible)
Definition: eda_text.cpp:379
void SetTextThickness(int aWidth)
The TextThickness is that set by the user.
Definition: eda_text.cpp:284
bool IsMirrored() const
Definition: eda_text.h:177
void SetKeepUpright(bool aKeepUpright)
Definition: eda_text.cpp:418
GR_TEXT_V_ALIGN_T GetVertJustify() const
Definition: eda_text.h:190
virtual void SetText(const wxString &aText)
Definition: eda_text.cpp:270
virtual void SetTextAngle(const EDA_ANGLE &aAngle)
Definition: eda_text.cpp:292
VECTOR2I GetTextSize() const
Definition: eda_text.h:248
void SetHorizJustify(GR_TEXT_H_ALIGN_T aType)
Definition: eda_text.cpp:402
void SetPosition(const VECTOR2I &aPos) override
Definition: footprint.cpp:2441
void SetFPID(const LIB_ID &aFPID)
Definition: footprint.h:254
EDA_ANGLE GetOrientation() const
Definition: footprint.h:232
void SetOrientation(const EDA_ANGLE &aNewAngle)
Definition: footprint.cpp:2523
PCB_FIELD & Value()
read/write accessors:
Definition: footprint.h:655
std::deque< PAD * > & Pads()
Definition: footprint.h:211
PCB_LAYER_ID GetLayer() const override
Return the primary layer this item is on.
Definition: footprint.h:241
const LIB_ID & GetFPID() const
Definition: footprint.h:253
void SetReference(const wxString &aReference)
Definition: footprint.h:625
void SetValue(const wxString &aValue)
Definition: footprint.h:646
PCB_FIELD & Reference()
Definition: footprint.h:656
void Add(BOARD_ITEM *aItem, ADD_MODE aMode=ADD_MODE::INSERT, bool aSkipConnectivity=false) override
Removes an item from the container.
Definition: footprint.cpp:1069
void Flip(const VECTOR2I &aCentre, FLIP_DIRECTION aFlipDirection) override
Flip this object, i.e.
Definition: footprint.cpp:2382
const wxString & GetValue() const
Definition: footprint.h:641
const wxString & GetReference() const
Definition: footprint.h:619
VECTOR2I GetPosition() const override
Definition: footprint.h:229
virtual bool CanReadLibrary(const wxString &aFileName) const
Checks if this IO object can read the specified library file/directory.
Definition: io_base.cpp:71
Hold an error message and may be used when throwing exceptions containing meaningful error messages.
Definition: ki_exception.h:77
virtual const wxString What() const
A composite of Problem() and Where()
Definition: exceptions.cpp:30
virtual void RegisterCallback(LAYER_MAPPING_HANDLER aLayerMappingHandler)
Register a different handler to be called when mapping of input layers to KiCad layers occurs.
A logical library item identifier and consists of various portions much like a URI.
Definition: lib_id.h:49
int Parse(const UTF8 &aId, bool aFix=false)
Parse LIB_ID with the information from aId.
Definition: lib_id.cpp:52
const UTF8 & GetLibItemName() const
Definition: lib_id.h:102
Instantiate the current locale within a scope in which you are expecting exceptions to be thrown.
Definition: locale_io.h:49
LSET is a set of PCB_LAYER_IDs.
Definition: lset.h:37
static LSET AllCuMask(int aCuLayerCount=MAX_CU_LAYERS)
Return a mask holding the requested number of Cu PCB_LAYER_IDs.
Definition: lset.cpp:572
A collection of nets and the parameters used to route or test these nets.
Definition: netclass.h:45
int GetViaDiameter() const
Definition: netclass.h:130
int GetViaDrill() const
Definition: netclass.h:138
int GetTrackWidth() const
Definition: netclass.h:122
Handle the data for a net.
Definition: netinfo.h:56
void SetNetClass(const std::shared_ptr< NETCLASS > &aNetClass)
static const int UNCONNECTED
Constant that holds the "unconnected net" number (typically 0) all items "connected" to this net are ...
Definition: netinfo.h:381
T & Get()
Return a reference to the value of the attribute assuming it is available.
Definition: eagle_parser.h:305
static constexpr PCB_LAYER_ID ALL_LAYERS
! Temporary layer identifier to identify code that is not padstack-aware
Definition: padstack.h:144
Definition: pad.h:54
void SetNumber(const wxString &aNumber)
Set the pad number (note that it can be alphanumeric, such as the array reference "AA12").
Definition: pad.h:135
void SetLocalSolderMaskMargin(std::optional< int > aMargin)
Definition: pad.h:459
void SetLocalZoneConnection(ZONE_CONNECTION aType)
Definition: pad.h:482
void SetPosition(const VECTOR2I &aPos) override
Definition: pad.h:202
const VECTOR2I & GetSize(PCB_LAYER_ID aLayer) const
Definition: pad.h:264
void SetPosition(const VECTOR2I &aPos) override
Definition: pcb_track.h:339
void SetMid(const VECTOR2I &aMid)
Definition: pcb_track.h:336
void SetUnits(EDA_UNITS aUnits)
void SetLineThickness(int aWidth)
virtual void SetEnd(const VECTOR2I &aPoint)
void SetPrecision(DIM_PRECISION aPrecision)
virtual void SetStart(const VECTOR2I &aPoint)
void SetOverrideText(const wxString &aValue)
For better understanding of the points that make a dimension:
void SetHeight(int aHeight)
Set the distance from the feature points to the crossbar line.
A leader is a dimension-like object pointing to a specific point.
A radial dimension indicates either the radius or diameter of an arc or circle.
std::vector< ELAYER > ELAYERS
Definition: pcb_io_eagle.h:326
void packageSMD(FOOTPRINT *aFootprint, wxXmlNode *aTree) const
Handles common pad properties.
void loadPlain(wxXmlNode *aPlain)
int m_min_trace
smallest trace we find on Load(), in BIU.
Definition: pcb_io_eagle.h:358
void orientFPText(FOOTPRINT *aFootprint, const EELEMENT &e, PCB_TEXT *aFPText, const EATTR *aAttr)
VECTOR2I kicad_fontsize(const ECOORD &d, int aTextThickness) const
create a font size (fontz) from an eagle font size scalar and KiCad font thickness
std::map< wxString, PCB_LAYER_ID > DefaultLayerMappingCallback(const std::vector< INPUT_LAYER_DESC > &aInputLayerDescriptionVector)
Return the automapped layers.
bool checkHeader(const wxString &aFileName) const
void loadElements(wxXmlNode *aElements)
FOOTPRINT * makeFootprint(wxXmlNode *aPackage, const wxString &aPkgName)
Create a FOOTPRINT from an Eagle package.
int m_min_hole
smallest diameter hole we find on Load(), in BIU.
Definition: pcb_io_eagle.h:359
std::vector< FOOTPRINT * > GetImportedCachedLibraryFootprints() override
Return a container with the cached library footprints generated in the last call to Load.
XPATH * m_xpath
keeps track of what we are working on within XML document during a Load().
Definition: pcb_io_eagle.h:340
unsigned m_totalCount
for progress reporting
Definition: pcb_io_eagle.h:356
void cacheLib(const wxString &aLibraryPath)
This PLUGIN only caches one footprint library, this determines which one.
int m_hole_count
generates unique footprint names from eagle "hole"s.
Definition: pcb_io_eagle.h:343
std::map< wxString, FOOTPRINT * > m_templates
is part of a FOOTPRINT factory that operates using copy construction.
Definition: pcb_io_eagle.h:347
std::map< wxString, int > m_eagleLayersIds
Eagle layer ids stored by layer name.
Definition: pcb_io_eagle.h:331
void mapEagleLayersToKicad(bool aIsLibraryCache=false)
Generate mapping between Eagle and KiCad layers.
std::tuple< PCB_LAYER_ID, LSET, bool > defaultKicadLayer(int aEagleLayer, bool aIsLibraryCache=false) const
Get the default KiCad layer corresponding to an Eagle layer of the board, a set of sensible layer map...
BOARD * LoadBoard(const wxString &aFileName, BOARD *aAppendToMe, const std::map< std::string, UTF8 > *aProperties=nullptr, PROJECT *aProject=nullptr) override
Load information from some input file format that this PCB_IO implementation knows about into either ...
void loadLibraries(wxXmlNode *aLibs)
void init(const std::map< std::string, UTF8 > *aProperties)
initialize PLUGIN like a constructor would, and futz with fresh BOARD if needed.
FOOTPRINT * FootprintLoad(const wxString &aLibraryPath, const wxString &aFootprintName, bool aKeepUUID=false, const std::map< std::string, UTF8 > *aProperties=nullptr) override
Load a footprint having aFootprintName from the aLibraryPath containing a library format that this PC...
int eagle_layer_id(const wxString &aLayerName) const
Get Eagle layer number by its name.
void loadAllSections(wxXmlNode *aDocument)
bool CanReadFootprint(const wxString &aFileName) const override
Checks if this PCB_IO can read a footprint from specified file or directory.
void packageWire(FOOTPRINT *aFootprint, wxXmlNode *aTree) const
bool CanReadBoard(const wxString &aFileName) const override
Checks if this PCB_IO can read the specified board file.
const wxString & eagle_layer_name(int aLayer) const
Get Eagle layer name by its number.
ELAYERS::const_iterator EITER
Definition: pcb_io_eagle.h:327
void packageRectangle(FOOTPRINT *aFootprint, wxXmlNode *aTree) const
int kicad_y(const ECOORD &y) const
Convert an Eagle distance to a KiCad distance.
Definition: pcb_io_eagle.h:200
void loadClasses(wxXmlNode *aClasses)
std::map< int, ELAYER > m_eagleLayers
Eagle layer data stored by layer number.
Definition: pcb_io_eagle.h:330
wxString m_customRules
Definition: pcb_io_eagle.h:337
NET_MAP m_pads_to_nets
net list
Definition: pcb_io_eagle.h:345
void packageText(FOOTPRINT *aFootprint, wxXmlNode *aTree) const
int getMinimumCopperLayerCount() const
Determines the minimum copper layer stackup count that includes all mapped layers.
void packageHole(FOOTPRINT *aFootprint, wxXmlNode *aTree, bool aCenter) const
void packagePolygon(FOOTPRINT *aFootprint, wxXmlNode *aTree) const
void centerBoard()
move the BOARD into the center of the page
unsigned m_lastProgressCount
Definition: pcb_io_eagle.h:355
int m_cu_map[17]
map eagle to KiCad, cu layers only.
Definition: pcb_io_eagle.h:329
ZONE * loadPolygon(wxXmlNode *aPolyNode)
Load a copper or keepout polygon and adds it to the board.
int m_min_via
smallest via we find on Load(), in BIU.
Definition: pcb_io_eagle.h:360
bool CanReadLibrary(const wxString &aFileName) const override
Checks if this IO object can read the specified library file/directory.
void clear_cu_map()
void packageCircle(FOOTPRINT *aFootprint, wxXmlNode *aTree) const
void loadLibrary(wxXmlNode *aLib, const wxString *aLibName)
Load the Eagle "library" XML element, which can occur either under a "libraries" element (if a *....
void packagePad(FOOTPRINT *aFootprint, wxXmlNode *aTree)
void loadSignals(wxXmlNode *aSignals)
ERULES * m_rules
Eagle design rules.
Definition: pcb_io_eagle.h:339
PCB_LAYER_ID kicad_layer(int aLayer) const
Convert an Eagle layer to a KiCad layer.
void orientFootprintAndText(FOOTPRINT *aFootprint, const EELEMENT &e, const EATTR *aNameAttr, const EATTR *aValueAttr)
static wxDateTime getModificationTime(const wxString &aPath)
get a file's or dir's modification time.
int m_min_annulus
smallest via annulus we find on Load(), in BIU.
Definition: pcb_io_eagle.h:361
void loadLayerDefs(wxXmlNode *aLayers)
void FootprintEnumerate(wxArrayString &aFootprintNames, const wxString &aLibraryPath, bool aBestEfforts, const std::map< std::string, UTF8 > *aProperties=nullptr) override
Return a list of footprint names contained within the library at aLibraryPath.
void setKeepoutSettingsToZone(ZONE *aZone, int aLayer) const
void transferPad(const EPAD_COMMON &aEaglePad, PAD *aPad) const
Deletes the footprint templates list.
void deleteTemplates()
int kicad_x(const ECOORD &x) const
Definition: pcb_io_eagle.h:201
void loadDesignRules(wxXmlNode *aDesignRules)
PROGRESS_REPORTER * m_progressReporter
optional; may be nullptr
Definition: pcb_io_eagle.h:353
unsigned m_doneCount
Definition: pcb_io_eagle.h:354
A base class that BOARD loading and saving plugins should derive from.
Definition: pcb_io.h:71
BOARD * m_board
The board BOARD being worked on, no ownership here.
Definition: pcb_io.h:324
virtual bool CanReadBoard(const wxString &aFileName) const
Checks if this PCB_IO can read the specified board file.
Definition: pcb_io.cpp:42
const std::map< std::string, UTF8 > * m_props
Properties passed via Save() or Load(), no ownership, may be NULL.
Definition: pcb_io.h:327
VECTOR2I GetCenter() const override
This defaults to the center of the bounding box if not overridden.
Definition: pcb_shape.h:81
void Rotate(const VECTOR2I &aRotCentre, const EDA_ANGLE &aAngle) override
Rotate this object.
Definition: pcb_shape.cpp:554
void SetLayer(PCB_LAYER_ID aLayer) override
Set the layer this item is on.
Definition: pcb_shape.cpp:179
void Move(const VECTOR2I &aMoveVector) override
Move this object.
Definition: pcb_shape.cpp:461
void SetStroke(const STROKE_PARAMS &aStroke) override
Definition: pcb_shape.h:92
const BOX2I GetBoundingBox() const override
Return the orthogonal bounding box of this object for display purposes.
Definition: pcb_text.cpp:338
virtual void SetPosition(const VECTOR2I &aPos) override
Definition: pcb_text.h:89
void SetEnd(const VECTOR2I &aEnd)
Definition: pcb_track.h:148
void SetPosition(const VECTOR2I &aPos) override
Definition: pcb_track.h:141
virtual void SetWidth(int aWidth)
Definition: pcb_track.h:145
virtual bool KeepRefreshing(bool aWait=false)=0
Update the UI (if any).
virtual void Report(const wxString &aMessage)=0
Display aMessage in the progress bar dialog.
virtual void SetCurrentProgress(double aProgress)=0
Set the progress value to aProgress (0..1).
Container for project specific data.
Definition: project.h:64
Represent a polyline containing arcs as well as line segments: A chain of connected line and/or arc s...
void SetClosed(bool aClosed)
Mark the line chain as closed (i.e.
Represent a set of closed polygons.
int AddOutline(const SHAPE_LINE_CHAIN &aOutline)
Adds a new outline to the set and returns its index.
void Inflate(int aAmount, CORNER_STRATEGY aCornerStrategy, int aMaxError, bool aSimplify=false)
Perform outline inflation/deflation.
int Append(int x, int y, int aOutline=-1, int aHole=-1, bool aAllowDuplication=false)
Appends a vertex at the end of the given outline/hole (default: the last outline)
int NewOutline()
Creates a new empty polygon in the set and returns its index.
int OutlineCount() const
Return the number of outlines in the set.
const SHAPE_LINE_CHAIN & COutline(int aIndex) const
Simple container to manage line stroke parameters.
Definition: stroke_params.h:94
An 8 bit string that is assuredly encoded in UTF8, and supplies special conversion support to and fro...
Definition: utf8.h:72
bool empty() const
Definition: utf8.h:104
const char * c_str() const
Definition: utf8.h:103
double Distance(const VECTOR2< extended_type > &aVector) const
Compute the distance between two vectors.
Definition: vector2d.h:561
T y
Definition: vector3.h:64
T x
Definition: vector3.h:63
static REPORTER & GetInstance()
Definition: reporter.cpp:198
Keep track of what we are working on within a PTREE.
Definition: eagle_parser.h:124
void pop()
Definition: eagle_parser.h:135
void clear()
Definition: eagle_parser.h:133
void push(const char *aPathSegment, const char *aAttribute="")
Definition: eagle_parser.h:128
wxString Contents()
Return the contents of the XPATH as a single string.
Definition: eagle_parser.h:150
Handle a list of polygons defining a copper zone.
Definition: zone.h:74
void SetDoNotAllowPads(bool aEnable)
Definition: zone.h:777
void SetBorderDisplayStyle(ZONE_BORDER_DISPLAY_STYLE aBorderHatchStyle, int aBorderHatchPitch, bool aRebuilBorderdHatch)
Set all hatch parameters for the zone.
Definition: zone.cpp:1204
virtual void SetLayer(PCB_LAYER_ID aLayer) override
Set the layer this item is on.
Definition: zone.cpp:527
SHAPE_POLY_SET * Outline()
Definition: zone.h:368
void NewHole()
Create a new hole on the zone; i.e., a new contour on the zone's outline.
Definition: zone.h:621
void SetIsRuleArea(bool aEnable)
Definition: zone.h:753
void SetDoNotAllowTracks(bool aEnable)
Definition: zone.h:776
void Rotate(const VECTOR2I &aCentre, const EDA_ANGLE &aAngle) override
Rotate the outlines.
Definition: zone.cpp:1023
void SetLayerSet(const LSET &aLayerSet) override
Definition: zone.cpp:533
void SetDoNotAllowVias(bool aEnable)
Definition: zone.h:775
void SetDoNotAllowFootprints(bool aEnable)
Definition: zone.h:778
bool AppendCorner(VECTOR2I aPosition, int aHoleIdx, bool aAllowDuplication=false)
Add a new corner to the zone outline (to the main outline or a hole)
Definition: zone.cpp:1128
void SetDoNotAllowZoneFills(bool aEnable)
Definition: zone.h:774
static int GetDefaultHatchPitch()
Definition: zone.cpp:1268
static void SetReporter(REPORTER *aReporter)
Set the reporter to use for reporting font substitution warnings.
Definition: fontconfig.cpp:65
NODE_MAP MapChildren(wxXmlNode *aCurrentNode)
Provide an easy access to the children of an XML node via their names.
wxString escapeName(const wxString &aNetName)
Translates Eagle special characters to their counterparts in KiCad.
wxString interpretText(const wxString &aText)
Interprets special characters in Eagle text and converts them to KiCAD notation.
VECTOR2I ConvertArcCenter(const VECTOR2I &aStart, const VECTOR2I &aEnd, double aAngle)
Convert an Eagle curve end to a KiCad center for S_ARC.
wxString convertDescription(wxString aDescr)
Converts Eagle's HTML description into KiCad description format.
OPTIONAL_XML_ATTRIBUTE< wxString > opt_wxString
Definition: eagle_parser.h:391
std::unordered_map< wxString, wxXmlNode * > NODE_MAP
Definition: eagle_parser.h:54
#define _(s)
static constexpr EDA_ANGLE ANGLE_0
Definition: eda_angle.h:401
@ DEGREES_T
Definition: eda_angle.h:31
static constexpr EDA_ANGLE FULL_CIRCLE
Definition: eda_angle.h:399
static constexpr EDA_ANGLE ANGLE_360
Definition: eda_angle.h:407
a few functions useful in geometry calculations.
int GetArcToSegmentCount(int aRadius, int aErrorMax, const EDA_ANGLE &aArcAngle)
#define THROW_IO_ERROR(msg)
Definition: ki_exception.h:39
PCB_LAYER_ID BoardLayerFromLegacyId(int aLegacyId)
Retrieve a layer ID from an integer converted from a legacy (pre-V9) enum value.
Definition: layer_id.cpp:215
bool IsCopperLayer(int aLayerId)
Test whether a layer is a copper layer.
Definition: layer_ids.h:663
size_t CopperLayerToOrdinal(PCB_LAYER_ID aLayer)
Converts KiCad copper layer enum to an ordinal between the front and back layers.
Definition: layer_ids.h:892
PCB_LAYER_ID
A quick note on layer IDs:
Definition: layer_ids.h:60
@ F_CrtYd
Definition: layer_ids.h:116
@ B_Adhes
Definition: layer_ids.h:103
@ Edge_Cuts
Definition: layer_ids.h:112
@ Dwgs_User
Definition: layer_ids.h:107
@ F_Paste
Definition: layer_ids.h:104
@ Cmts_User
Definition: layer_ids.h:108
@ F_Adhes
Definition: layer_ids.h:102
@ B_Mask
Definition: layer_ids.h:98
@ B_Cu
Definition: layer_ids.h:65
@ Eco1_User
Definition: layer_ids.h:109
@ F_Mask
Definition: layer_ids.h:97
@ B_Paste
Definition: layer_ids.h:105
@ UNSELECTED_LAYER
Definition: layer_ids.h:62
@ F_Fab
Definition: layer_ids.h:119
@ F_SilkS
Definition: layer_ids.h:100
@ B_CrtYd
Definition: layer_ids.h:115
@ UNDEFINED_LAYER
Definition: layer_ids.h:61
@ Eco2_User
Definition: layer_ids.h:110
@ B_SilkS
Definition: layer_ids.h:101
@ PCB_LAYER_ID_COUNT
Definition: layer_ids.h:171
@ F_Cu
Definition: layer_ids.h:64
@ B_Fab
Definition: layer_ids.h:118
KICOMMON_API wxString StringFromValue(const EDA_IU_SCALE &aIuScale, EDA_UNITS aUnits, double aValue, bool aAddUnitsText=false, EDA_DATA_TYPE aType=EDA_DATA_TYPE::DISTANCE)
Return the string from aValue according to aUnits (inch, mm ...) for display.
Definition: eda_units.cpp:277
STL namespace.
EDA_ANGLE abs(const EDA_ANGLE &aAngle)
Definition: eda_angle.h:390
static wxString makeKey(const wxString &aFirst, const wxString &aSecond)
Assemble a two part key as a simple concatenation of aFirst and aSecond parts, using a separator.
#define DIMENSION_PRECISION
static int parseEagle(const wxString &aDistance)
Parse an eagle distance which is either mm, or mils if there is "mil" suffix.
static T eagleClamp(T aMin, T aValue, T aMax)
std::vector< ZONE * > ZONES
Definition: pcb_io_eagle.h:47
NET_MAP::const_iterator NET_MAP_CITER
Definition: pcb_io_eagle.h:49
bool ReplaceIllegalFileNameChars(std::string *aName, int aReplaceChar)
Checks aName for illegal file name characters.
wxString UnescapeHTML(const wxString &aString)
Return a new wxString unescaped from HTML format.
Parse an Eagle "attribute" XML element.
Definition: eagle_parser.h:834
opt_double ratio
Definition: eagle_parser.h:862
opt_wxString value
Definition: eagle_parser.h:856
opt_ecoord size
Definition: eagle_parser.h:859
opt_ecoord y
Definition: eagle_parser.h:858
wxString name
Definition: eagle_parser.h:855
opt_erot rot
Definition: eagle_parser.h:863
opt_int align
Definition: eagle_parser.h:874
opt_int display
Definition: eagle_parser.h:873
opt_ecoord x
Definition: eagle_parser.h:857
Eagle circle.
Definition: eagle_parser.h:760
ECOORD x
Definition: eagle_parser.h:772
ECOORD radius
Definition: eagle_parser.h:774
ECOORD y
Definition: eagle_parser.h:773
ECOORD width
Definition: eagle_parser.h:775
wxString number
wxString name
@ EU_MM
millimeters
Definition: eagle_parser.h:486
@ EU_MIL
mils/thous
Definition: eagle_parser.h:488
long long int value
Value expressed in nanometers.
Definition: eagle_parser.h:492
int ToPcbUnits() const
Definition: eagle_parser.h:530
const double IU_PER_MM
Definition: base_units.h:76
const double IU_PER_MILS
Definition: base_units.h:77
constexpr int mmToIU(double mm) const
Definition: base_units.h:88
Eagle dimension element.
Definition: eagle_parser.h:885
opt_wxString dimensionType
Definition: eagle_parser.h:917
opt_ecoord textsize
Definition: eagle_parser.h:915
Eagle element element.
opt_erot rot
wxString name
wxString library
wxString package
ECOORD y
opt_bool smashed
ECOORD x
wxString value
opt_eurn library_urn
Eagle hole element.
ECOORD y
ECOORD drill
ECOORD x
wxString name
opt_bool active
int number
Eagle net.
Definition: eagle_parser.h:554
int netcode
Definition: eagle_parser.h:563
Structure holding common properties for through-hole and SMD pads.
opt_bool thermals
opt_bool stop
wxString name
opt_erot rot
Eagle thru hole pad.
opt_ecoord diameter
opt_bool first
opt_ecoord drill
opt_int shape
Eagle polygon, without vertices which are parsed as needed.
opt_bool orphans
opt_int rank
opt_bool thermals
opt_ecoord spacing
static const int max_priority
ECOORD width
opt_ecoord isolate
Eagle XML rectangle in binary.
Definition: eagle_parser.h:786
ECOORD x2
Definition: eagle_parser.h:801
ECOORD y1
Definition: eagle_parser.h:800
opt_erot rot
Definition: eagle_parser.h:804
int layer
Definition: eagle_parser.h:803
ECOORD y2
Definition: eagle_parser.h:802
ECOORD x1
Definition: eagle_parser.h:799
double degrees
Definition: eagle_parser.h:585
bool spin
Definition: eagle_parser.h:584
bool mirror
Definition: eagle_parser.h:583
subset of eagle.drawing.board.designrules in the XML document
Definition: pcb_io_eagle.h:54
int psBottom
Shape of the bottom pads.
Definition: pcb_io_eagle.h:104
int psElongationLong
Definition: pcb_io_eagle.h:89
double mvStopFrame
solderpaste mask, expressed as percentage of the smaller pad/via dimension
Definition: pcb_io_eagle.h:94
double srRoundness
corner rounding ratio for SMD pads (percentage)
Definition: pcb_io_eagle.h:107
double rlMinViaOuter
minimum copper annulus on via
Definition: pcb_io_eagle.h:122
int mlMaxCreamFrame
solder paste mask, maximum size (Eagle mils, here nanometers)
Definition: pcb_io_eagle.h:101
int mlMinCreamFrame
solder paste mask, minimum size (Eagle mils, here nanometers)
Definition: pcb_io_eagle.h:100
int psTop
Shape of the top pads.
Definition: pcb_io_eagle.h:103
double rlMaxViaOuter
maximum copper annulus on via
Definition: pcb_io_eagle.h:123
void parse(wxXmlNode *aRules, std::function< void()> aCheckpoint)
percent over 100%.
double mdWireWire
wire to wire spacing I presume.
Definition: pcb_io_eagle.h:124
double rvPadTop
top pad size as percent of drill size
Definition: pcb_io_eagle.h:115
int srMaxRoundness
Definition: pcb_io_eagle.h:113
double rvViaOuter
copper annulus is this percent of via hole
Definition: pcb_io_eagle.h:121
double rlMinPadTop
minimum copper annulus on through hole pads
Definition: pcb_io_eagle.h:118
double mvCreamFrame
Definition: pcb_io_eagle.h:97
int psElongationOffset
the offset of the hole within the "long" pad.
Definition: pcb_io_eagle.h:91
int mlMinStopFrame
solder mask, minimum size (Eagle mils, here nanometers)
Definition: pcb_io_eagle.h:98
int srMinRoundness
corner rounding radius, maximum size (Eagle mils, here nanometers)
Definition: pcb_io_eagle.h:110
int mlMaxStopFrame
solder mask, maximum size (Eagle mils, here nanometers)
Definition: pcb_io_eagle.h:99
double rlMaxPadTop
maximum copper annulus on through hole pads
Definition: pcb_io_eagle.h:119
int psFirst
Shape of the first pads.
Definition: pcb_io_eagle.h:105
Eagle SMD pad.
opt_int roundness
ECOORD dx
int layer
opt_bool cream
ECOORD dy
Eagle text element.
Definition: eagle_parser.h:935
opt_double ratio
Definition: eagle_parser.h:957
wxString text
Definition: eagle_parser.h:951
ECOORD y
Definition: eagle_parser.h:953
ECOORD size
Definition: eagle_parser.h:954
opt_erot rot
Definition: eagle_parser.h:958
opt_int align
Definition: eagle_parser.h:974
ECOORD x
Definition: eagle_parser.h:952
@ BOTTOM_CENTER
Definition: eagle_parser.h:969
@ BOTTOM_RIGHT
Definition: eagle_parser.h:971
@ TOP_CENTER
Definition: eagle_parser.h:963
@ TOP_LEFT
Definition: eagle_parser.h:964
@ TOP_RIGHT
Definition: eagle_parser.h:965
@ CENTER_RIGHT
Definition: eagle_parser.h:968
@ CENTER_LEFT
Definition: eagle_parser.h:962
@ BOTTOM_LEFT
Definition: eagle_parser.h:970
int layer
Definition: eagle_parser.h:955
wxString assetId
The unique asset identifier for the asset type.
Definition: eagle_parser.h:452
Eagle vertex.
Definition: eagle_parser.h:603
Eagle via.
Definition: eagle_parser.h:729
opt_ecoord diam
Definition: eagle_parser.h:748
ECOORD drill
< inclusive
Definition: eagle_parser.h:747
ECOORD y
Definition: eagle_parser.h:744
int layer_front_most
Definition: eagle_parser.h:745
int layer_back_most
< extent
Definition: eagle_parser.h:746
ECOORD x
Definition: eagle_parser.h:743
Eagle wire.
Definition: eagle_parser.h:623
ECOORD width
Definition: eagle_parser.h:646
int layer
Definition: eagle_parser.h:647
ECOORD x2
Definition: eagle_parser.h:644
ECOORD y2
Definition: eagle_parser.h:645
ECOORD x1
Definition: eagle_parser.h:642
ECOORD y1
Definition: eagle_parser.h:643
opt_double curve
range is -359.9..359.9
Definition: eagle_parser.h:657
Describes an imported layer and how it could be mapped to KiCad Layers.
PCB_LAYER_ID AutoMapLayer
Best guess as to what the equivalent KiCad layer might be.
bool Required
Should we require the layer to be assigned?
LSET PermittedLayers
KiCad layers that the imported layer can be mapped onto.
wxString Name
Imported layer name as displayed in original application.
Implement a simple wrapper around runtime_error to isolate the errors thrown by the Eagle XML parser.
Definition: eagle_parser.h:82
VECTOR3I v1(5, 5, 5)
VECTOR2I center
int radius
VECTOR2I end
VECTOR2I v2(1, 0)
constexpr int delta
@ GR_TEXT_H_ALIGN_CENTER
@ GR_TEXT_H_ALIGN_RIGHT
@ GR_TEXT_H_ALIGN_LEFT
@ GR_TEXT_V_ALIGN_BOTTOM
@ GR_TEXT_V_ALIGN_CENTER
@ GR_TEXT_V_ALIGN_TOP
const VECTOR2I CalcArcMid(const VECTOR2I &aStart, const VECTOR2I &aEnd, const VECTOR2I &aCenter, bool aMinArcAngle=true)
Return the middle point of an arc, half-way between aStart and aEnd.
Definition: trigo.cpp:209
void RotatePoint(int *pX, int *pY, const EDA_ANGLE &aAngle)
Calculate the new point of coord coord pX, pY, for a rotation center 0, 0.
Definition: trigo.cpp:229
double DEG2RAD(double deg)
Definition: trigo.h:166
@ PCB_DIM_ALIGNED_T
class PCB_DIM_ALIGNED, a linear dimension (graphic item)
Definition: typeinfo.h:101
constexpr int sign(T val)
Definition: util.h:159
VECTOR2< int32_t > VECTOR2I
Definition: vector2d.h:695
ZONE_BORDER_DISPLAY_STYLE
Zone border styles.
Definition: zone_settings.h:59
#define ZONE_THICKNESS_MIN_VALUE_MM
Definition: zones.h:36