KiCad PCB EDA Suite
Loading...
Searching...
No Matches
cadstar_pcb_archive_loader.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) 2020-2021 Roberto Fernandez Bautista <[email protected]>
5 * Copyright The KiCad Developers, see AUTHORS.txt for contributors.
6 *
7 * This program is free software: you can redistribute it and/or modify it
8 * under the terms of the GNU General Public License as published by the
9 * Free Software Foundation, either version 3 of the License, or (at your
10 * option) any later version.
11 *
12 * This program is distributed in the hope that it will be useful, but
13 * WITHOUT ANY WARRANTY; without even the implied warranty of
14 * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
15 * General Public License for more details.
16 *
17 * You should have received a copy of the GNU General Public License along
18 * with this program. If not, see <http://www.gnu.org/licenses/>.
19 */
20
25
27
29#include <board_stackup_manager/stackup_predefined_prms.h> // KEY_COPPER, KEY_CORE, KEY_PREPREG
30#include <board.h>
33#include <pcb_dimension.h>
34#include <pcb_shape.h>
35#include <footprint.h>
36#include <pad.h>
37#include <pcb_group.h>
38#include <pcb_text.h>
39#include <project.h>
40#include <pcb_track.h>
41#include <progress_reporter.h>
42#include <zone.h>
44#include <trigo.h>
45#include <macros.h>
46#include <wx/debug.h>
47#include <wx/log.h>
48
49#include <limits> // std::numeric_limits
50
51
53{
54 m_board = aBoard;
55 m_project = aProject;
56
58 m_progressReporter->SetNumPhases( 3 ); // (0) Read file, (1) Parse file, (2) Load file
59
60 Parse();
61
62 LONGPOINT designLimit = Assignments.Technology.DesignLimit;
63
64 //Note: can't use getKiCadPoint() due wxPoint being int - need long long to make the check
65 long long designSizeXkicad = (long long) designLimit.x * KiCadUnitMultiplier;
66 long long designSizeYkicad = (long long) designLimit.y * KiCadUnitMultiplier;
67
68 // Max size limited by the positive dimension of wxPoint (which is an int)
69 long long maxDesignSizekicad = std::numeric_limits<int>::max();
70
71 if( designSizeXkicad > maxDesignSizekicad || designSizeYkicad > maxDesignSizekicad )
72 {
73 // Note that we allow the floating point output here because this message is displayed to the user and should
74 // be in their locale.
75 THROW_IO_ERROR( wxString::Format(
76 _( "The design is too large and cannot be imported into KiCad. \n"
77 "Please reduce the maximum design size in CADSTAR by navigating to: \n"
78 "Design Tab -> Properties -> Design Options -> Maximum Design Size. \n"
79 "Current Design size: %.2f, %.2f millimeters. \n" //format:allow
80 "Maximum permitted design size: %.2f, %.2f millimeters.\n" ), //format:allow
81 (double) designSizeXkicad / PCB_IU_PER_MM,
82 (double) designSizeYkicad / PCB_IU_PER_MM,
83 (double) maxDesignSizekicad / PCB_IU_PER_MM,
84 (double) maxDesignSizekicad / PCB_IU_PER_MM ) );
85 }
86
88 ( Assignments.Technology.DesignArea.first + Assignments.Technology.DesignArea.second )
89 / 2;
90
91 if( Layout.NetSynch == NETSYNCH::WARNING )
92 {
93 wxLogWarning(
94 _( "The selected file indicates that nets might be out of synchronisation "
95 "with the schematic. It is recommended that you carry out an 'Align Nets' "
96 "procedure in CADSTAR and re-import, to avoid inconsistencies between the "
97 "PCB and the schematic. " ) );
98 }
99
101 {
102 m_progressReporter->BeginPhase( 2 );
103
104 // Significantly most amount of time spent loading coppers compared to all the other steps
105 // (39 seconds vs max of 100ms in other steps). This is due to requirement of boolean
106 // operations to join them together into a single polygon.
107 long numSteps = Layout.Coppers.size();
108
109 // A large amount is also spent calculating zone priorities
110 numSteps += ( Layout.Templates.size() * Layout.Templates.size() ) / 2;
111
112 m_progressReporter->SetMaxProgress( numSteps );
113 }
114
119 loadGroups();
120 loadBoards();
121 loadFigures();
122 loadTexts();
124 loadAreas();
128 loadCoppers(); // Progress reporting is here as significantly most amount of time spent
129
131 {
132 if( !calculateZonePriorities( id ) )
133 {
134 wxLogError( wxString::Format( _( "Unable to determine zone fill priorities for layer "
135 "'%s'. A best attempt has been made but it is "
136 "possible that DRC errors exist and that manual "
137 "editing of the zone priorities is required." ),
138 m_board->GetLayerName( id ) ) );
139 }
140 }
141
142 loadNets();
144
145 if( Layout.Trunks.size() > 0 )
146 {
147 wxLogWarning(
148 _( "The CADSTAR design contains Trunk routing elements, which have no KiCad "
149 "equivalent. These elements were not loaded." ) );
150 }
151
152 if( Layout.VariantHierarchy.Variants.size() > 0 )
153 {
154 wxLogWarning( wxString::Format(
155 _( "The CADSTAR design contains variants which has no KiCad equivalent. Only "
156 "the variant '%s' was loaded." ),
157 Layout.VariantHierarchy.Variants.begin()->second.Name ) );
158 }
159
160 if( Layout.ReuseBlocks.size() > 0 )
161 {
162 wxLogWarning(
163 _( "The CADSTAR design contains re-use blocks which has no KiCad equivalent. The "
164 "re-use block information has been discarded during the import." ) );
165 }
166
167 wxLogWarning( _( "CADSTAR fonts are different to the ones in KiCad. This will likely result "
168 "in alignment issues that may cause DRC errors. Please review the imported "
169 "text elements carefully and correct manually if required." ) );
170
171 wxLogMessage(
172 _( "The CADSTAR design has been imported successfully.\n"
173 "Please review the import errors and warnings (if any)." ) );
174}
175
177{
178 std::vector<FOOTPRINT*> retval;
179
180 for( std::pair<SYMDEF_ID, FOOTPRINT*> fpPair : m_libraryMap )
181 {
182 retval.push_back( static_cast<FOOTPRINT*>( fpPair.second->Clone() ) );
183 }
184
185 return retval;
186}
187
188
189std::vector<std::unique_ptr<FOOTPRINT>> CADSTAR_PCB_ARCHIVE_LOADER::LoadLibrary()
190{
191 // loading the library after parsing takes almost no time in comparison
193 m_progressReporter->SetNumPhases( 2 ); // (0) Read file, (1) Parse file
194
195 Parse( true /*aLibrary*/);
196
197 // Some memory handling
198 for( std::pair<SYMDEF_ID, FOOTPRINT*> libItem : m_libraryMap )
199 {
200 FOOTPRINT* footprint = libItem.second;
201
202 if( footprint )
203 delete footprint;
204 }
205
206 m_libraryMap.clear();
207
208 if( m_board )
209 delete m_board;
210
211 m_board = new BOARD(); // dummy board for loading
212 m_project = nullptr;
213 m_designCenter = { 0, 0 }; // load footprints at 0,0
214
218
219 std::vector<std::unique_ptr<FOOTPRINT>> retval;
220
221 for( auto& [id, footprint] : m_libraryMap )
222 {
223 footprint->SetParent( nullptr ); // remove association to m_board
224 retval.emplace_back( footprint );
225 }
226
227 delete m_board;
228
229 // Don't delete the generated footprints, but empty the map
230 // (the destructor of this class would end up deleting them if not)
231 m_libraryMap.clear();
232
233 return retval;
234}
235
236
237void CADSTAR_PCB_ARCHIVE_LOADER::logBoardStackupWarning( const wxString& aCadstarLayerName,
238 const PCB_LAYER_ID& aKiCadLayer )
239{
241 {
242 wxLogWarning( wxString::Format(
243 _( "The CADSTAR layer '%s' has no KiCad equivalent. All elements on this "
244 "layer have been mapped to KiCad layer '%s' instead." ),
245 aCadstarLayerName, LSET::Name( aKiCadLayer ) ) );
246 }
247}
248
249
250void CADSTAR_PCB_ARCHIVE_LOADER::logBoardStackupMessage( const wxString& aCadstarLayerName,
251 const PCB_LAYER_ID& aKiCadLayer )
252{
254 {
255 wxLogMessage( wxString::Format(
256 _( "The CADSTAR layer '%s' has been assumed to be a technical layer. All "
257 "elements on this layer have been mapped to KiCad layer '%s'." ),
258 aCadstarLayerName, LSET::Name( aKiCadLayer ) ) );
259 }
260}
261
262
264 BOARD_STACKUP_ITEM* aKiCadItem,
265 int aDielectricSublayer )
266{
267 if( !aCadstarLayer.MaterialId.IsEmpty() )
268 {
269 MATERIAL material = Assignments.Layerdefs.Materials.at( aCadstarLayer.MaterialId );
270
271 aKiCadItem->SetMaterial( material.Name, aDielectricSublayer );
272 aKiCadItem->SetEpsilonR( material.Permittivity.GetDouble(), aDielectricSublayer );
273 aKiCadItem->SetLossTangent( material.LossTangent.GetDouble(), aDielectricSublayer );
274 //TODO add Resistivity when KiCad supports it
275 }
276
277 if( !aCadstarLayer.Name.IsEmpty() )
278 aKiCadItem->SetLayerName( aCadstarLayer.Name );
279
280 if( aCadstarLayer.Thickness != 0 )
281 aKiCadItem->SetThickness( getKiCadLength( aCadstarLayer.Thickness ), aDielectricSublayer );
282}
283
284
286{
287 // Structure describing an electrical layer with optional dielectric layers below it
288 // (construction layers in CADSTAR)
289 struct LAYER_BLOCK
290 {
291 LAYER_ID ElecLayerID = wxEmptyString; // Normally not empty, but could be empty if the
292 // first layer in the stackup is a construction
293 // layer
294 std::vector<LAYER_ID> ConstructionLayers; // Normally empty for the last electrical layer
295 // but it is possible to build a board in CADSTAR
296 // with no construction layers or with the bottom
297 // layer being a construction layer
298
299 bool IsInitialised() { return !ElecLayerID.IsEmpty() || ConstructionLayers.size() > 0; };
300 };
301
302 std::vector<LAYER_BLOCK> cadstarBoardStackup;
303 LAYER_BLOCK currentBlock;
304 bool first = true;
305
306 // Find the electrical and construction (dielectric) layers in the stackup
307 for( LAYER_ID cadstarLayerID : Assignments.Layerdefs.LayerStack )
308 {
309 LAYER cadstarLayer = Assignments.Layerdefs.Layers.at( cadstarLayerID );
310
311 if( cadstarLayer.Type == LAYER_TYPE::JUMPERLAYER ||
312 cadstarLayer.Type == LAYER_TYPE::POWER ||
313 cadstarLayer.Type == LAYER_TYPE::ELEC )
314 {
315 if( currentBlock.IsInitialised() )
316 {
317 cadstarBoardStackup.push_back( currentBlock );
318 currentBlock = LAYER_BLOCK(); // reset the block
319 }
320
321 currentBlock.ElecLayerID = cadstarLayerID;
322 first = false;
323 }
324 else if( cadstarLayer.Type == LAYER_TYPE::CONSTRUCTION )
325 {
326 if( first )
327 {
328 wxLogWarning( wxString::Format( _( "The CADSTAR construction layer '%s' is on "
329 "the outer surface of the board. It has been "
330 "ignored." ),
331 cadstarLayer.Name ) );
332 }
333 else
334 {
335 currentBlock.ConstructionLayers.push_back( cadstarLayerID );
336 }
337 }
338 }
339
340 if( currentBlock.IsInitialised() )
341 cadstarBoardStackup.push_back( currentBlock );
342
343 m_numCopperLayers = cadstarBoardStackup.size();
344
345 // Special case: last layer in the stackup is a construction layer, drop it
346 if( cadstarBoardStackup.back().ConstructionLayers.size() > 0 )
347 {
348 for( const LAYER_ID& layerID : cadstarBoardStackup.back().ConstructionLayers )
349 {
350 LAYER cadstarLayer = Assignments.Layerdefs.Layers.at( layerID );
351
352 wxLogWarning( wxString::Format( _( "The CADSTAR construction layer '%s' is on "
353 "the outer surface of the board. It has been "
354 "ignored." ),
355 cadstarLayer.Name ) );
356 }
357
358 cadstarBoardStackup.back().ConstructionLayers.clear();
359 }
360
361 // Make sure it is an even number of layers (KiCad doesn't yet support unbalanced stack-ups)
362 if( ( m_numCopperLayers % 2 ) != 0 )
363 {
364 LAYER_BLOCK bottomLayer = cadstarBoardStackup.back();
365 cadstarBoardStackup.pop_back();
366
367 LAYER_BLOCK secondToLastLayer = cadstarBoardStackup.back();
368 cadstarBoardStackup.pop_back();
369
370 LAYER_BLOCK dummyLayer;
371
372 if( secondToLastLayer.ConstructionLayers.size() > 0 )
373 {
374 LAYER_ID lastConstruction = secondToLastLayer.ConstructionLayers.back();
375
376 if( secondToLastLayer.ConstructionLayers.size() > 1 )
377 {
378 // At least two construction layers, lets remove one here and use the
379 // other in the dummy layer
380 secondToLastLayer.ConstructionLayers.pop_back();
381 }
382 else
383 {
384 // There is only one construction layer, lets halve its thickness so it is split
385 // evenly between this layer and the dummy layer
386 Assignments.Layerdefs.Layers.at( lastConstruction ).Thickness /= 2;
387 }
388
389 dummyLayer.ConstructionLayers.push_back( lastConstruction );
390 }
391
392 cadstarBoardStackup.push_back( secondToLastLayer );
393 cadstarBoardStackup.push_back( dummyLayer );
394 cadstarBoardStackup.push_back( bottomLayer );
396 }
397
398 wxASSERT( m_numCopperLayers == (int) cadstarBoardStackup.size() );
399 wxASSERT( cadstarBoardStackup.back().ConstructionLayers.size() == 0 );
400
401 // Create a new stackup from default stackup list
402 BOARD_DESIGN_SETTINGS& boardDesignSettings = m_board->GetDesignSettings();
403 BOARD_STACKUP& stackup = boardDesignSettings.GetStackupDescriptor();
404 stackup.RemoveAll();
405 m_board->SetEnabledLayers( LSET::AllLayersMask() );
406 m_board->SetVisibleLayers( LSET::AllLayersMask() );
407 m_board->SetCopperLayerCount( m_numCopperLayers );
408 stackup.BuildDefaultStackupList( &m_board->GetDesignSettings(), m_numCopperLayers );
409
410 size_t stackIndex = 0;
411
412 for( BOARD_STACKUP_ITEM* item : stackup.GetList() )
413 {
414 if( item->GetType() == BOARD_STACKUP_ITEM_TYPE::BS_ITEM_TYPE_COPPER )
415 {
416 LAYER_ID layerID = cadstarBoardStackup.at( stackIndex ).ElecLayerID;
417
418 if( layerID.IsEmpty() )
419 {
420 // Loading a dummy layer. Make zero thickness so it doesn't affect overall stackup
421 item->SetThickness( 0 );
422 }
423 else
424 {
425 LAYER copperLayer = Assignments.Layerdefs.Layers.at( layerID );
426 initStackupItem( copperLayer, item, 0 );
427 LAYER_T copperType = LAYER_T::LT_SIGNAL;
428
429 switch( copperLayer.Type )
430 {
432 copperType = LAYER_T::LT_JUMPER;
433 break;
434
435 case LAYER_TYPE::ELEC:
436 copperType = LAYER_T::LT_SIGNAL;
437 break;
438
440 copperType = LAYER_T::LT_POWER;
441 m_powerPlaneLayers.push_back( copperLayer.ID ); //need to add a Copper zone
442 break;
443
444 default:
445 wxFAIL_MSG( wxT( "Unexpected Layer type. Was expecting an electrical type" ) );
446 break;
447 }
448
449 m_board->SetLayerType( item->GetBrdLayerId(), copperType );
450 m_board->SetLayerName( item->GetBrdLayerId(), item->GetLayerName() );
451 m_layermap.insert( { copperLayer.ID, item->GetBrdLayerId() } );
452 }
453 }
454 else if( item->GetType() == BOARD_STACKUP_ITEM_TYPE::BS_ITEM_TYPE_DIELECTRIC )
455 {
456 LAYER_BLOCK layerBlock = cadstarBoardStackup.at( stackIndex );
457 LAYER_BLOCK layerBlockBelow = cadstarBoardStackup.at( stackIndex + 1 );
458
459 if( layerBlock.ConstructionLayers.size() == 0 )
460 {
461 ++stackIndex;
462 continue; // Older cadstar designs have no construction layers - use KiCad defaults
463 }
464
465 int dielectricId = stackIndex + 1;
466 item->SetDielectricLayerId( dielectricId );
467
468 //Prepreg or core?
469 //Look at CADSTAR layer embedding (see LAYER->Embedding) to check whether the electrical
470 //layer embeds above and below to decide if current layer is prepreg or core
471 if( layerBlock.ElecLayerID.IsEmpty() )
472 {
473 //Dummy electrical layer, assume prepreg
474 item->SetTypeName( KEY_PREPREG );
475 }
476 else
477 {
478 LAYER copperLayer = Assignments.Layerdefs.Layers.at( layerBlock.ElecLayerID );
479
480 if( layerBlockBelow.ElecLayerID.IsEmpty() )
481 {
482 // Dummy layer below, just use current layer to decide
483
484 if( copperLayer.Embedding == EMBEDDING::ABOVE )
485 item->SetTypeName( KEY_CORE );
486 else
487 item->SetTypeName( KEY_PREPREG );
488 }
489 else
490 {
491 LAYER copperLayerBelow =
492 Assignments.Layerdefs.Layers.at( layerBlockBelow.ElecLayerID );
493
494 if( copperLayer.Embedding == EMBEDDING::ABOVE )
495 {
496 // Need to check layer below is embedding downwards
497 if( copperLayerBelow.Embedding == EMBEDDING::BELOW )
498 item->SetTypeName( KEY_CORE );
499 else
500 item->SetTypeName( KEY_PREPREG );
501 }
502 else
503 {
504 item->SetTypeName( KEY_PREPREG );
505 }
506 }
507 }
508
509 int dielectricSublayer = 0;
510
511 for( LAYER_ID constructionLaID : layerBlock.ConstructionLayers )
512 {
513 LAYER dielectricLayer = Assignments.Layerdefs.Layers.at( constructionLaID );
514
515 if( dielectricSublayer )
516 item->AddDielectricPrms( dielectricSublayer );
517
518 initStackupItem( dielectricLayer, item, dielectricSublayer );
519 m_board->SetLayerName( item->GetBrdLayerId(), item->GetLayerName() );
520 m_layermap.insert( { dielectricLayer.ID, item->GetBrdLayerId() } );
521 ++dielectricSublayer;
522 }
523
524 ++stackIndex;
525 }
526 else if( item->GetType() == BOARD_STACKUP_ITEM_TYPE::BS_ITEM_TYPE_SILKSCREEN )
527 {
528 item->SetColor( wxT( "White" ) );
529 }
530 else if( item->GetType() == BOARD_STACKUP_ITEM_TYPE::BS_ITEM_TYPE_SOLDERMASK )
531 {
532 item->SetColor( wxT( "Green" ) );
533 }
534 }
535
536 int thickness = stackup.BuildBoardThicknessFromStackup();
537 boardDesignSettings.SetBoardThickness( thickness );
538 boardDesignSettings.m_HasStackup = true;
539
540 int numElecLayersProcessed = 0;
541
542 // Map CADSTAR documentation layers to KiCad "User layers"
543 int currentDocLayer = 0;
544 std::vector<PCB_LAYER_ID> docLayers = { Dwgs_User, Cmts_User, User_1, User_2, User_3, User_4,
546
547 for( LAYER_ID cadstarLayerID : Assignments.Layerdefs.LayerStack )
548 {
549 LAYER curLayer = Assignments.Layerdefs.Layers.at( cadstarLayerID );
551 wxString layerName = curLayer.Name.Lower();
552
553 enum class LOG_LEVEL
554 {
555 NONE,
556 MSG,
557 WARN
558 };
559
560 auto selectLayerID =
561 [&]( PCB_LAYER_ID aFront, PCB_LAYER_ID aBack, LOG_LEVEL aLogType )
562 {
563 if( numElecLayersProcessed >= m_numCopperLayers )
564 kicadLayerID = aBack;
565 else
566 kicadLayerID = aFront;
567
568 switch( aLogType )
569 {
570 case LOG_LEVEL::NONE:
571 break;
572
573 case LOG_LEVEL::MSG:
574 logBoardStackupMessage( curLayer.Name, kicadLayerID );
575 break;
576
577 case LOG_LEVEL::WARN:
578 logBoardStackupWarning( curLayer.Name, kicadLayerID );
579 break;
580 }
581 };
582
583 switch( curLayer.Type )
584 {
590 //Shouldn't be here if CPA file is correctly parsed and not corrupt
591 THROW_IO_ERROR( wxString::Format( _( "Unexpected layer '%s' in layer stack." ),
592 curLayer.Name ) );
593 break;
594
596 case LAYER_TYPE::ELEC:
598 ++numElecLayersProcessed;
601 //Already dealt with these when loading board stackup
602 break;
603
604 case LAYER_TYPE::DOC:
605
606 if( currentDocLayer >= (int) docLayers.size() )
607 currentDocLayer = 0;
608
609 kicadLayerID = docLayers.at( currentDocLayer++ );
610 logBoardStackupMessage( curLayer.Name, kicadLayerID );
611 break;
612
614 switch( curLayer.SubType )
615 {
617 selectLayerID( PCB_LAYER_ID::F_Fab, PCB_LAYER_ID::B_Fab, LOG_LEVEL::NONE );
618 break;
619
621 selectLayerID( PCB_LAYER_ID::F_CrtYd, PCB_LAYER_ID::B_CrtYd, LOG_LEVEL::NONE );
622 break;
623
625 // Generic Non-electrical layer (older CADSTAR versions).
626 // Attempt to detect technical layers by string matching.
627 if( layerName.Contains( wxT( "glue" ) ) || layerName.Contains( wxT( "adhesive" ) ) )
628 {
629 selectLayerID( PCB_LAYER_ID::F_Adhes, PCB_LAYER_ID::B_Adhes, LOG_LEVEL::MSG );
630 }
631 else if( layerName.Contains( wxT( "silk" ) ) || layerName.Contains( wxT( "legend" ) ) )
632 {
633 selectLayerID( PCB_LAYER_ID::F_SilkS, PCB_LAYER_ID::B_SilkS, LOG_LEVEL::MSG );
634 }
635 else if( layerName.Contains( wxT( "assembly" ) ) || layerName.Contains( wxT( "fabrication" ) ) )
636 {
637 selectLayerID( PCB_LAYER_ID::F_Fab, PCB_LAYER_ID::B_Fab, LOG_LEVEL::MSG );
638 }
639 else if( layerName.Contains( wxT( "resist" ) ) || layerName.Contains( wxT( "mask" ) ) )
640 {
641 selectLayerID( PCB_LAYER_ID::F_Mask, PCB_LAYER_ID::B_Mask, LOG_LEVEL::MSG );
642 }
643 else if( layerName.Contains( wxT( "paste" ) ) )
644 {
645 selectLayerID( PCB_LAYER_ID::F_Paste, PCB_LAYER_ID::B_Paste, LOG_LEVEL::MSG );
646 }
647 else
648 {
649 // Does not appear to be a technical layer - Map to Eco layers for now.
651 LOG_LEVEL::WARN );
652 }
653 break;
654
656 selectLayerID( PCB_LAYER_ID::F_Paste, PCB_LAYER_ID::B_Paste, LOG_LEVEL::MSG );
657 break;
658
660 selectLayerID( PCB_LAYER_ID::F_SilkS, PCB_LAYER_ID::B_SilkS, LOG_LEVEL::MSG );
661 break;
662
664 selectLayerID( PCB_LAYER_ID::F_Mask, PCB_LAYER_ID::B_Mask, LOG_LEVEL::MSG );
665 break;
666
669 //Unsure what these layer types are used for. Map to Eco layers for now.
670 selectLayerID( PCB_LAYER_ID::Eco1_User, PCB_LAYER_ID::Eco2_User, LOG_LEVEL::WARN );
671 break;
672
673 default:
674 wxFAIL_MSG( wxT( "Unknown CADSTAR Layer Sub-type" ) );
675 break;
676 }
677 break;
678
679 default:
680 wxFAIL_MSG( wxT( "Unknown CADSTAR Layer Type" ) );
681 break;
682 }
683
684 m_layermap.insert( { curLayer.ID, kicadLayerID } );
685 }
686}
687
688
690{
691 LSET enabledLayers = m_board->GetEnabledLayers();
692 LSET validRemappingLayers = enabledLayers | LSET::AllBoardTechMask() |
694
695 std::vector<INPUT_LAYER_DESC> inputLayers;
696 std::map<wxString, LAYER_ID> cadstarLayerNameMap;
697
698 for( std::pair<LAYER_ID, PCB_LAYER_ID> layerPair : m_layermap )
699 {
700 LAYER* curLayer = &Assignments.Layerdefs.Layers.at( layerPair.first );
701
702 //Only remap documentation and non-electrical layers
703 if( curLayer->Type == LAYER_TYPE::NONELEC || curLayer->Type == LAYER_TYPE::DOC )
704 {
705 INPUT_LAYER_DESC iLdesc;
706 iLdesc.Name = curLayer->Name;
707 iLdesc.PermittedLayers = validRemappingLayers;
708 iLdesc.AutoMapLayer = layerPair.second;
709
710 inputLayers.push_back( iLdesc );
711 cadstarLayerNameMap.insert( { curLayer->Name, curLayer->ID } );
712 }
713 }
714
715 if( inputLayers.size() == 0 )
716 return;
717
718 // Callback:
719 std::map<wxString, PCB_LAYER_ID> reMappedLayers = m_layerMappingHandler( inputLayers );
720
721 for( std::pair<wxString, PCB_LAYER_ID> layerPair : reMappedLayers )
722 {
723 if( layerPair.second == PCB_LAYER_ID::UNDEFINED_LAYER )
724 {
725 wxFAIL_MSG( wxT( "Unexpected Layer ID" ) );
726 continue;
727 }
728
729 LAYER_ID cadstarLayerID = cadstarLayerNameMap.at( layerPair.first );
730 m_layermap.at( cadstarLayerID ) = layerPair.second;
731 enabledLayers |= LSET( { layerPair.second } );
732 }
733
734 m_board->SetEnabledLayers( enabledLayers );
735 m_board->SetVisibleLayers( enabledLayers );
736}
737
738
740{
741 BOARD_DESIGN_SETTINGS& bds = m_board->GetDesignSettings();
742 std::map<SPACINGCODE_ID, SPACINGCODE>& spacingCodes = Assignments.Codedefs.SpacingCodes;
743
744 auto applyRule =
745 [&]( wxString aID, int* aVal )
746 {
747 if( spacingCodes.find( aID ) == spacingCodes.end() )
748 wxLogWarning( _( "Design rule %s was not found. This was ignored." ) );
749 else
750 *aVal = getKiCadLength( spacingCodes.at( aID ).Spacing );
751 };
752
753 //Note: for details on the different spacing codes see SPACINGCODE::ID
754
755 applyRule( "T_T", &bds.m_MinClearance );
756 applyRule( "C_B", &bds.m_CopperEdgeClearance );
757 applyRule( "H_H", &bds.m_HoleToHoleMin );
758
759 bds.m_TrackMinWidth = getKiCadLength( Assignments.Technology.MinRouteWidth );
760 bds.m_ViasMinSize = bds.m_TrackMinWidth; // Not specified, assumed same as track width
761 bds.m_ViasMinAnnularWidth = bds.m_TrackMinWidth / 2; // Not specified, assumed half track width
762 bds.m_MinThroughDrill = PCB_IU_PER_MM * 0.0508; // CADSTAR does not specify a minimum hole size
763 // so set to minimum permitted in KiCad (2 mils)
764 bds.m_HoleClearance = 0; // Testing suggests cadstar might not have a copper-to-hole clearance
765
766 auto applyNetClassRule = [&]( wxString aID, const std::shared_ptr<NETCLASS>& aNetClassPtr )
767 {
768 int value = -1;
769 applyRule( aID, &value );
770
771 if( value != -1 )
772 aNetClassPtr->SetClearance( value );
773 };
774
775 applyNetClassRule( "T_T", bds.m_NetSettings->GetDefaultNetclass() );
776
777 wxLogWarning( _( "KiCad design rules are different from CADSTAR ones. Only the compatible "
778 "design rules were imported. It is recommended that you review the design "
779 "rules that have been applied." ) );
780}
781
782
784{
785 for( std::pair<SYMDEF_ID, SYMDEF_PCB> symPair : Library.ComponentDefinitions )
786 {
787 SYMDEF_ID key = symPair.first;
788 SYMDEF_PCB component = symPair.second;
789
790 // Check that we are not loading a documentation symbol.
791 // Documentation symbols in CADSTAR are graphical "footprints" that can be assigned
792 // to any layer. The definition in the library assigns all elements to an undefined layer.
793 LAYER_ID componentLayer;
794
795 if( component.Figures.size() > 0 )
796 {
797 FIGURE firstFigure = component.Figures.begin()->second;
798 componentLayer = firstFigure.LayerID;
799 }
800 else if( component.Texts.size() > 0 )
801 {
802 TEXT firstText = component.Texts.begin()->second;
803 componentLayer = firstText.LayerID;
804 }
805
806 if( !componentLayer.IsEmpty() && getLayerType( componentLayer ) == LAYER_TYPE::NOLAYER )
807 continue; // don't process documentation symbols
808
809 FOOTPRINT* footprint = new FOOTPRINT( m_board );
810 footprint->SetPosition( getKiCadPoint( component.Origin ) );
811
812 LIB_ID libID;
813 libID.Parse( component.BuildLibName(), true );
814
815 footprint->SetFPID( libID );
816 loadLibraryFigures( component, footprint );
817 loadLibraryAreas( component, footprint );
818 loadLibraryPads( component, footprint );
819 loadLibraryCoppers( component, footprint ); // Load coppers after pads to ensure correct
820 // ordering of pads in footprint->Pads()
821
822 footprint->SetPosition( { 0, 0 } ); // KiCad expects library footprints at 0,0
823 footprint->SetReference( wxT( "REF**" ) );
824 footprint->SetValue( libID.GetLibItemName() );
825 footprint->AutoPositionFields();
826 m_libraryMap.insert( std::make_pair( key, footprint ) );
827 }
828}
829
830
832 FOOTPRINT* aFootprint )
833{
834 for( std::pair<FIGURE_ID, FIGURE> figPair : aComponent.Figures )
835 {
836 FIGURE& fig = figPair.second;
837
838 for( const PCB_LAYER_ID& layer : getKiCadLayerSet( fig.LayerID ).Seq() )
839 {
841 layer,
843 wxString::Format( wxT( "Component %s:%s -> Figure %s" ),
844 aComponent.ReferenceName,
845 aComponent.Alternate,
846 fig.ID ),
847 aFootprint );
848 }
849 }
850}
851
852
854 FOOTPRINT* aFootprint )
855{
856 for( COMPONENT_COPPER compCopper : aComponent.ComponentCoppers )
857 {
858 int lineThickness = getKiCadLength( getCopperCode( compCopper.CopperCodeID ).CopperWidth );
859 LSET layers = getKiCadLayerSet( compCopper.LayerID );
860 LSET copperLayers = LSET::AllCuMask() & layers;
861 LSET remainingLayers = layers;
862
863 if( compCopper.AssociatedPadIDs.size() > 0 && copperLayers.count() > 0
864 && compCopper.Shape.Type == SHAPE_TYPE::SOLID )
865 {
866 // The copper is associated with pads and in an electrical layer which means it can
867 // have a net associated with it. Load as a pad instead.
868 // Note: we can only handle SOLID copper shapes. If the copper shape is an outline or
869 // hatched or outline, then we give up and load as a graphical shape instead.
870
871 // Find the first non-PCB-only pad. If there are none, use the first one
872 COMPONENT_PAD anchorPad;
873 bool found = false;
874
875 for( PAD_ID padID : compCopper.AssociatedPadIDs )
876 {
877 anchorPad = aComponent.ComponentPads.at( padID );
878
879 if( !anchorPad.PCBonlyPad )
880 {
881 found = true;
882 break;
883 }
884 }
885
886 if( !found )
887 anchorPad = aComponent.ComponentPads.at( compCopper.AssociatedPadIDs.front() );
888
889 std::unique_ptr<PAD> pad = std::make_unique<PAD>( aFootprint );
890 pad->SetAttribute( PAD_ATTRIB::SMD );
891 pad->SetLayerSet( copperLayers );
892 pad->SetNumber( anchorPad.Identifier.IsEmpty() ? wxString::Format( wxT( "%ld" ), anchorPad.ID )
893 : anchorPad.Identifier );
894
895 // Custom pad shape with an anchor at the position of one of the associated
896 // pads and same size as the pad. Shape circle as it fits inside a rectangle
897 // but not the other way round
898 PADCODE anchorpadcode = getPadCode( anchorPad.PadCodeID );
899 int anchorSize = getKiCadLength( anchorpadcode.Shape.Size );
900 VECTOR2I anchorPos = getKiCadPoint( anchorPad.Position );
901
902 if( anchorSize <= 0 )
903 anchorSize = 1;
904
906 pad->SetAnchorPadShape( PADSTACK::ALL_LAYERS, PAD_SHAPE::CIRCLE );
907 pad->SetSize( PADSTACK::ALL_LAYERS, { anchorSize, anchorSize } );
908 pad->SetPosition( anchorPos );
909
910 SHAPE_POLY_SET shapePolys = getPolySetFromCadstarShape( compCopper.Shape, lineThickness, aFootprint );
911 shapePolys.Move( -anchorPos );
912 pad->AddPrimitivePoly( PADSTACK::ALL_LAYERS, shapePolys, 0, true );
913
914 // Now renumber all the associated pads
915 COMPONENT_PAD associatedPad;
916
917 for( PAD_ID padID : compCopper.AssociatedPadIDs )
918 {
919 PAD* assocPad = getPadReference( aFootprint, padID );
920 assocPad->SetNumber( pad->GetNumber() );
921 }
922
923 aFootprint->Add( pad.release(), ADD_MODE::APPEND ); // Append so that we get the correct behaviour
924 // when finding pads by PAD_ID. See loadNets()
925
926 m_librarycopperpads[aComponent.ID][anchorPad.ID].push_back( aFootprint->Pads().size() );
927
928 remainingLayers ^= copperLayers; // don't process copper layers again!
929 }
930
931 if( remainingLayers.any() )
932 {
933 for( const PCB_LAYER_ID& layer : remainingLayers.Seq() )
934 {
935 drawCadstarShape( compCopper.Shape, layer, lineThickness,
936 wxString::Format( wxT( "Component %s:%s -> Copper element" ),
937 aComponent.ReferenceName, aComponent.Alternate ),
938 aFootprint );
939 }
940 }
941 }
942}
943
944
946 FOOTPRINT* aFootprint )
947{
948 for( std::pair<COMP_AREA_ID, COMPONENT_AREA> areaPair : aComponent.ComponentAreas )
949 {
950 COMPONENT_AREA& area = areaPair.second;
951
952 if( area.NoVias || area.NoTracks )
953 {
954 int lineThickness = 0; // CADSTAR areas only use the line width for display purpose
955 ZONE* zone = getZoneFromCadstarShape( area.Shape, lineThickness, aFootprint );
956
957 aFootprint->Add( zone, ADD_MODE::APPEND );
958
959 if( isLayerSet( area.LayerID ) )
960 zone->SetLayerSet( getKiCadLayerSet( area.LayerID ) );
961 else
962 zone->SetLayer( getKiCadLayer( area.LayerID ) );
963
964 zone->SetIsRuleArea( true ); //import all CADSTAR areas as Keepout zones
965 zone->SetDoNotAllowPads( false ); //no CADSTAR equivalent
966 zone->SetZoneName( area.ID );
967
968 //There is no distinction between tracks and copper pours in CADSTAR Keepout zones
969 zone->SetDoNotAllowTracks( area.NoTracks );
970 zone->SetDoNotAllowZoneFills( area.NoTracks );
971
972 zone->SetDoNotAllowVias( area.NoVias );
973 }
974 else
975 {
976 wxString libName = aComponent.ReferenceName;
977
978 if( !aComponent.Alternate.IsEmpty() )
979 libName << wxT( " (" ) << aComponent.Alternate << wxT( ")" );
980
981 wxLogError( wxString::Format( _( "The CADSTAR area '%s' in library component '%s' does not "
982 "have a KiCad equivalent. The area is neither a via nor "
983 "route keepout area. The area was not imported." ),
984 area.ID, libName ) );
985 }
986 }
987}
988
989
991 FOOTPRINT* aFootprint )
992{
993 for( std::pair<PAD_ID, COMPONENT_PAD> padPair : aComponent.ComponentPads )
994 {
995 if( PAD* pad = getKiCadPad( padPair.second, aFootprint ) )
996 {
997 aFootprint->Add( pad, ADD_MODE::APPEND ); // Append so that we get correct behaviour
998 // when finding pads by PAD_ID - see loadNets()
999 }
1000 }
1001}
1002
1003
1005{
1006 PADCODE csPadcode = getPadCode( aCadstarPad.PadCodeID );
1007 wxString errorMSG;
1008
1009 std::unique_ptr<PAD> pad = std::make_unique<PAD>( aParent );
1010 LSET padLayerSet;
1011
1012 switch( aCadstarPad.Side )
1013 {
1014 case PAD_SIDE::MAXIMUM: //Bottom side
1015 padLayerSet |= LSET( { B_Cu, B_Paste, B_Mask } );
1016 break;
1017
1018 case PAD_SIDE::MINIMUM: //TOP side
1019 padLayerSet |= LSET( { F_Cu, F_Paste, F_Mask } );
1020 break;
1021
1023 padLayerSet = LSET::AllCuMask( m_numCopperLayers ) | LSET( { F_Mask, B_Mask, F_Paste, B_Paste } );
1024 break;
1025
1026 default:
1027 wxFAIL_MSG( wxT( "Unknown Pad type" ) );
1028 }
1029
1030 pad->SetAttribute( PAD_ATTRIB::SMD ); // assume SMD pad for now
1031 pad->SetLocalSolderMaskMargin( 0 );
1032 pad->SetLocalSolderPasteMargin( 0 );
1033 pad->SetLocalSolderPasteMarginRatio( 0.0 );
1034 bool complexPadErrorLogged = false;
1035
1036 for( auto& [layer, shape] : csPadcode.Reassigns )
1037 {
1038 PCB_LAYER_ID kiLayer = getKiCadLayer( layer );
1039
1040 if( shape.Size == 0 )
1041 {
1042 if( kiLayer > UNDEFINED_LAYER )
1043 padLayerSet.reset( kiLayer );
1044 }
1045 else
1046 {
1047 int newMargin = getKiCadLength( shape.Size - csPadcode.Shape.Size ) / 2;
1048
1049 if( kiLayer == F_Mask || kiLayer == B_Mask )
1050 {
1051 std::optional<int> localMargin = pad->GetLocalSolderMaskMargin();
1052
1053 if( !localMargin.has_value() )
1054 pad->SetLocalSolderMaskMargin( newMargin );
1055 else if( std::abs( localMargin.value() ) < std::abs( newMargin ) )
1056 pad->SetLocalSolderMaskMargin( newMargin );
1057 }
1058 else if( kiLayer == F_Paste || kiLayer == B_Paste )
1059 {
1060 std::optional<int> localMargin = pad->GetLocalSolderPasteMargin();
1061
1062 if( !localMargin.has_value() )
1063 pad->SetLocalSolderPasteMargin( newMargin );
1064 else if( std::abs( localMargin.value() ) < std::abs( newMargin ) )
1065 pad->SetLocalSolderPasteMargin( newMargin );
1066 }
1067 else
1068 {
1069 //TODO fix properly
1070
1071 if( !complexPadErrorLogged )
1072 {
1073 complexPadErrorLogged = true;
1074 errorMSG += wxT( "\n - " )
1075 + wxString::Format( _( "The CADSTAR pad definition '%s' is a complex pad stack, "
1076 "which is not supported in KiCad. Please review the "
1077 "imported pads as they may require manual correction." ),
1078 csPadcode.Name );
1079 }
1080 }
1081 }
1082 }
1083
1084 pad->SetLayerSet( padLayerSet );
1085
1086 if( aCadstarPad.PCBonlyPad )
1087 {
1088 // PCB Only pads in CADSTAR do not have a representation in the schematic - they are
1089 // purely mechanical pads that have no net associated with them. Make the pad name
1090 // empty to avoid warnings when importing from the schematic
1091 pad->SetNumber( wxT( "" ) );
1092 }
1093 else
1094 {
1095 pad->SetNumber( aCadstarPad.Identifier.IsEmpty() ? wxString::Format( wxT( "%ld" ), aCadstarPad.ID )
1096 : aCadstarPad.Identifier );
1097 }
1098
1099 if( csPadcode.Shape.Size == 0 )
1100 {
1101 if( csPadcode.DrillDiameter == UNDEFINED_VALUE && aCadstarPad.Side == PAD_SIDE::THROUGH_HOLE )
1102 {
1103 // Through-hole, zero sized pad? Lets load this just on the F_Mask for now to
1104 // prevent DRC errors.
1105 // TODO: This could be a custom padstack
1106 pad->SetAttribute( PAD_ATTRIB::SMD );
1107 pad->SetLayerSet( LSET( { F_Mask } ) );
1108 }
1109
1110 // zero sized pads seems to break KiCad so lets make it very small instead
1111 csPadcode.Shape.Size = 1;
1112 }
1113
1114 VECTOR2I padOffset = { 0, 0 }; // offset of the pad origin (before rotating)
1115 VECTOR2I drillOffset = { 0, 0 }; // offset of the drill origin w.r.t. the pad (before rotating)
1116
1117 switch( csPadcode.Shape.ShapeType )
1118 {
1120 //todo fix: use custom shape instead (Donught shape, i.e. a circle with a hole)
1122 pad->SetSize( PADSTACK::ALL_LAYERS, { getKiCadLength( csPadcode.Shape.Size ),
1123 getKiCadLength( csPadcode.Shape.Size ) } );
1124 break;
1125
1128 pad->SetSize( PADSTACK::ALL_LAYERS,
1129 { getKiCadLength( (long long) csPadcode.Shape.Size
1130 + (long long) csPadcode.Shape.LeftLength
1131 + (long long) csPadcode.Shape.RightLength ),
1132 getKiCadLength( csPadcode.Shape.Size ) } );
1133 pad->SetChamferPositions( PADSTACK::ALL_LAYERS,
1136 pad->SetRoundRectRadiusRatio( PADSTACK::ALL_LAYERS, 0.5 );
1137 pad->SetChamferRectRatio( PADSTACK::ALL_LAYERS, 0.0 );
1138
1139 padOffset.x = getKiCadLength( ( (long long) csPadcode.Shape.LeftLength / 2 ) -
1140 ( (long long) csPadcode.Shape.RightLength / 2 ) );
1141 break;
1142
1145 pad->SetSize( PADSTACK::ALL_LAYERS, { getKiCadLength( csPadcode.Shape.Size ),
1146 getKiCadLength( csPadcode.Shape.Size ) } );
1147 break;
1148
1150 {
1151 // Cadstar diamond shape is a square rotated 45 degrees
1152 // We convert it in KiCad to a square with chamfered edges
1153 int sizeOfSquare = (double) getKiCadLength( csPadcode.Shape.Size ) * sqrt(2.0);
1155 pad->SetChamferRectRatio( PADSTACK::ALL_LAYERS, 0.5 );
1156 pad->SetSize( PADSTACK::ALL_LAYERS, { sizeOfSquare, sizeOfSquare } );
1157
1158 padOffset.x = getKiCadLength( ( (long long) csPadcode.Shape.LeftLength / 2 ) -
1159 ( (long long) csPadcode.Shape.RightLength / 2 ) );
1160 }
1161 break;
1162
1165 pad->SetSize( PADSTACK::ALL_LAYERS,
1166 { getKiCadLength( (long long) csPadcode.Shape.Size
1167 + (long long) csPadcode.Shape.LeftLength
1168 + (long long) csPadcode.Shape.RightLength ),
1169 getKiCadLength( csPadcode.Shape.Size ) } );
1170
1171 padOffset.x = getKiCadLength( ( (long long) csPadcode.Shape.LeftLength / 2 ) -
1172 ( (long long) csPadcode.Shape.RightLength / 2 ) );
1173 break;
1174
1178 pad->SetChamferRectRatio( PADSTACK::ALL_LAYERS, 0.25 );
1179 pad->SetSize( PADSTACK::ALL_LAYERS, { getKiCadLength( csPadcode.Shape.Size ),
1180 getKiCadLength( csPadcode.Shape.Size ) } );
1181 break;
1182
1185 pad->SetSize( PADSTACK::ALL_LAYERS,
1186 { getKiCadLength( (long long) csPadcode.Shape.Size
1187 + (long long) csPadcode.Shape.LeftLength
1188 + (long long) csPadcode.Shape.RightLength ),
1189 getKiCadLength( csPadcode.Shape.Size ) } );
1190
1191 padOffset.x = getKiCadLength( ( (long long) csPadcode.Shape.LeftLength / 2 ) -
1192 ( (long long) csPadcode.Shape.RightLength / 2 ) );
1193 break;
1194
1197 pad->SetRoundRectCornerRadius( PADSTACK::ALL_LAYERS,
1198 getKiCadLength( csPadcode.Shape.InternalFeature ) );
1199 pad->SetSize( PADSTACK::ALL_LAYERS,
1200 { getKiCadLength( (long long) csPadcode.Shape.Size
1201 + (long long) csPadcode.Shape.LeftLength
1202 + (long long) csPadcode.Shape.RightLength ),
1203 getKiCadLength( csPadcode.Shape.Size ) } );
1204
1205 padOffset.x = getKiCadLength( ( (long long) csPadcode.Shape.LeftLength / 2 ) -
1206 ( (long long) csPadcode.Shape.RightLength / 2 ) );
1207 break;
1208
1209
1212 pad->SetSize( PADSTACK::ALL_LAYERS, { getKiCadLength( csPadcode.Shape.Size ),
1213 getKiCadLength( csPadcode.Shape.Size ) } );
1214 break;
1215
1216 default:
1217 wxFAIL_MSG( wxT( "Unknown Pad Shape" ) );
1218 }
1219
1220 if( csPadcode.ReliefClearance != UNDEFINED_VALUE )
1221 pad->SetThermalGap( getKiCadLength( csPadcode.ReliefClearance ) );
1222
1223 if( csPadcode.ReliefWidth != UNDEFINED_VALUE )
1224 pad->SetLocalThermalSpokeWidthOverride( getKiCadLength( csPadcode.ReliefWidth ) );
1225
1226 if( csPadcode.DrillDiameter != UNDEFINED_VALUE )
1227 {
1228 if( csPadcode.SlotLength != UNDEFINED_VALUE )
1229 {
1230 pad->SetDrillShape( PAD_DRILL_SHAPE::OBLONG );
1231 pad->SetDrillSize( { getKiCadLength( (long long) csPadcode.SlotLength +
1232 (long long) csPadcode.DrillDiameter ),
1233 getKiCadLength( csPadcode.DrillDiameter ) } );
1234 }
1235 else
1236 {
1237 pad->SetDrillShape( PAD_DRILL_SHAPE::CIRCLE );
1238 pad->SetDrillSize( { getKiCadLength( csPadcode.DrillDiameter ),
1239 getKiCadLength( csPadcode.DrillDiameter ) } );
1240 }
1241
1242 drillOffset.x = -getKiCadLength( csPadcode.DrillXoffset );
1243 drillOffset.y = getKiCadLength( csPadcode.DrillYoffset );
1244
1245 if( csPadcode.Plated )
1246 pad->SetAttribute( PAD_ATTRIB::PTH );
1247 else
1248 pad->SetAttribute( PAD_ATTRIB::NPTH );
1249 }
1250 else
1251 {
1252 pad->SetDrillSize( { 0, 0 } );
1253 }
1254
1255 if( csPadcode.SlotOrientation != 0 )
1256 {
1257 LSET lset = pad->GetLayerSet();
1258 lset &= LSET::AllCuMask();
1259
1260 if( lset.size() > 0 )
1261 {
1262 SHAPE_POLY_SET padOutline;
1263 PCB_LAYER_ID layer = lset.Seq().at( 0 );
1264 int maxError = m_board->GetDesignSettings().m_MaxError;
1265
1266 pad->SetPosition( { 0, 0 } );
1267 pad->TransformShapeToPolygon( padOutline, layer, 0, maxError, ERROR_INSIDE );
1268
1269 PCB_SHAPE* padShape = new PCB_SHAPE;
1270 padShape->SetShape( SHAPE_T::POLY );
1271 padShape->SetFilled( true );
1272 padShape->SetPolyShape( padOutline );
1273 padShape->SetStroke( STROKE_PARAMS( 0 ) );
1274 padShape->Move( padOffset - drillOffset );
1275 padShape->Rotate( VECTOR2I( 0, 0 ), ANGLE_180 - getAngle( csPadcode.SlotOrientation ) );
1276
1277 SHAPE_POLY_SET editedPadOutline = padShape->GetPolyShape();
1278
1279 if( editedPadOutline.Contains( { 0, 0 } ) )
1280 {
1281 pad->SetAnchorPadShape( PADSTACK::ALL_LAYERS, PAD_SHAPE::RECTANGLE );
1282 pad->SetSize( PADSTACK::ALL_LAYERS, VECTOR2I( { 4, 4 } ) );
1284 pad->AddPrimitive( PADSTACK::ALL_LAYERS, padShape );
1285 padOffset = { 0, 0 };
1286 }
1287 else
1288 {
1289 // The CADSTAR pad has the hole shape outside the pad shape
1290 // Lets just put the hole in the center of the pad instead
1291 csPadcode.SlotOrientation = 0;
1292 drillOffset = { 0, 0 };
1293
1294 errorMSG += wxT( "\n - " )
1295 + wxString::Format( _( "The CADSTAR pad definition '%s' has the hole shape outside the "
1296 "pad shape. The hole has been moved to the center of the pad." ),
1297 csPadcode.Name );
1298 }
1299 }
1300 else
1301 {
1302 wxFAIL_MSG( wxT( "No copper layers defined in the pad?" ) );
1303 csPadcode.SlotOrientation = 0;
1304 pad->SetOffset( PADSTACK::ALL_LAYERS, drillOffset );
1305 }
1306 }
1307 else
1308 {
1309 pad->SetOffset( PADSTACK::ALL_LAYERS, drillOffset );
1310 }
1311
1312 EDA_ANGLE padOrientation = getAngle( aCadstarPad.OrientAngle )
1313 + getAngle( csPadcode.Shape.OrientAngle );
1314
1315 RotatePoint( padOffset, padOrientation );
1316 RotatePoint( drillOffset, padOrientation );
1317 pad->SetPosition( getKiCadPoint( aCadstarPad.Position ) - padOffset - drillOffset );
1318 pad->SetOrientation( padOrientation + getAngle( csPadcode.SlotOrientation ) );
1319
1320 //TODO handle csPadcode.Reassigns
1321
1322 //log warnings:
1323 if( m_padcodesTested.find( csPadcode.ID ) == m_padcodesTested.end() && !errorMSG.IsEmpty() )
1324 {
1325 wxLogError( _( "The CADSTAR pad definition '%s' has import errors: %s" ),
1326 csPadcode.Name,
1327 errorMSG );
1328
1329 m_padcodesTested.insert( csPadcode.ID );
1330 }
1331
1332 return pad.release();
1333}
1334
1335
1337{
1338 size_t index = aCadstarPadID - (long) 1;
1339
1340 if( !( index < aFootprint->Pads().size() ) )
1341 {
1342 THROW_IO_ERROR( wxString::Format( _( "Unable to find pad index '%d' in footprint '%s'." ),
1343 (long) aCadstarPadID,
1344 aFootprint->GetReference() ) );
1345 }
1346
1347 return aFootprint->Pads().at( index );
1348}
1349
1350
1352{
1353 for( std::pair<GROUP_ID, GROUP> groupPair : Layout.Groups )
1354 {
1355 GROUP& csGroup = groupPair.second;
1356
1357 PCB_GROUP* kiGroup = new PCB_GROUP( m_board );
1358
1359 m_board->Add( kiGroup );
1360 kiGroup->SetName( csGroup.Name );
1361 kiGroup->SetLocked( csGroup.Fixed );
1362
1363 m_groupMap.insert( { csGroup.ID, kiGroup } );
1364 }
1365
1366 //now add any groups to their parent group
1367 for( std::pair<GROUP_ID, GROUP> groupPair : Layout.Groups )
1368 {
1369 GROUP& csGroup = groupPair.second;
1370
1371 if( !csGroup.GroupID.IsEmpty() )
1372 {
1373 if( m_groupMap.find( csGroup.ID ) == m_groupMap.end() )
1374 {
1375 THROW_IO_ERROR( wxString::Format( _( "Unable to find group ID %s in the group definitions." ),
1376 csGroup.ID ) );
1377 }
1378 else if( m_groupMap.find( csGroup.ID ) == m_groupMap.end() )
1379 {
1380 THROW_IO_ERROR( wxString::Format( _( "Unable to find sub group %s in the group map (parent "
1381 "group ID=%s, Name=%s)." ),
1382 csGroup.GroupID,
1383 csGroup.ID,
1384 csGroup.Name ) );
1385 }
1386 else
1387 {
1388 PCB_GROUP* kiCadGroup = m_groupMap.at( csGroup.ID );
1389 PCB_GROUP* parentGroup = m_groupMap.at( csGroup.GroupID );
1390 parentGroup->AddItem( kiCadGroup );
1391 }
1392 }
1393 }
1394}
1395
1396
1398{
1399 for( std::pair<BOARD_ID, CADSTAR_BOARD> boardPair : Layout.Boards )
1400 {
1401 CADSTAR_BOARD& board = boardPair.second;
1402 GROUP_ID boardGroup = createUniqueGroupID( wxT( "Board" ) );
1403
1405 wxString::Format( wxT( "BOARD %s" ), board.ID ), m_board, boardGroup );
1406
1407 if( !board.GroupID.IsEmpty() )
1408 addToGroup( board.GroupID, getKiCadGroup( boardGroup ) );
1409
1410 //TODO process board attributes when KiCad supports them
1411 }
1412}
1413
1414
1416{
1417 for( std::pair<FIGURE_ID, FIGURE> figPair : Layout.Figures )
1418 {
1419 FIGURE& fig = figPair.second;
1420
1421 for( const PCB_LAYER_ID& layer : getKiCadLayerSet( fig.LayerID ).Seq() )
1422 {
1424 wxString::Format( wxT( "FIGURE %s" ), fig.ID ), m_board, fig.GroupID );
1425 }
1426
1427 //TODO process "swaprule" (doesn't seem to apply to Layout Figures?)
1428 //TODO process re-use block when KiCad Supports it
1429 //TODO process attributes when KiCad Supports attributes in figures
1430 }
1431}
1432
1433
1435{
1436 for( std::pair<TEXT_ID, TEXT> txtPair : Layout.Texts )
1437 {
1438 TEXT& csTxt = txtPair.second;
1439 drawCadstarText( csTxt, m_board );
1440 }
1441}
1442
1443
1445{
1446 for( std::pair<DIMENSION_ID, DIMENSION> dimPair : Layout.Dimensions )
1447 {
1448 DIMENSION& csDim = dimPair.second;
1449
1450 switch( csDim.Type )
1451 {
1452 case DIMENSION::TYPE::LINEARDIM:
1453 switch( csDim.Subtype )
1454 {
1455 case DIMENSION::SUBTYPE::ANGLED:
1456 wxLogWarning( wxString::Format( _( "Dimension ID %s is an angled dimension, which has no KiCad "
1457 "equivalent. An aligned dimension was loaded instead." ),
1458 csDim.ID ) );
1460 case DIMENSION::SUBTYPE::DIRECT:
1461 case DIMENSION::SUBTYPE::ORTHOGONAL:
1462 {
1463 if( csDim.Line.Style == DIMENSION::LINE::STYLE::EXTERNAL )
1464 {
1465 wxLogWarning( wxString::Format( _( "Dimension ID %s has 'External' style in CADSTAR. External "
1466 "dimension styles are not yet supported in KiCad. The "
1467 "dimension object was imported with an internal dimension "
1468 "style instead." ),
1469 csDim.ID ) );
1470 }
1471
1472 PCB_DIM_ALIGNED* dimension = nullptr;
1473
1474 if( csDim.Subtype == DIMENSION::SUBTYPE::ORTHOGONAL )
1475 {
1476 dimension = new PCB_DIM_ORTHOGONAL( m_board );
1477 PCB_DIM_ORTHOGONAL* orDim = static_cast<PCB_DIM_ORTHOGONAL*>( dimension );
1478
1479 if( csDim.ExtensionLineParams.Start.x == csDim.Line.Start.x )
1481 else
1483 }
1484 else
1485 {
1486 dimension = new PCB_DIM_ALIGNED( m_board, PCB_DIM_ALIGNED_T );
1487 }
1488
1489 m_board->Add( dimension, ADD_MODE::APPEND );
1490 applyDimensionSettings( csDim, dimension );
1491
1493
1494 // Calculate height:
1495 VECTOR2I crossbarStart = getKiCadPoint( csDim.Line.Start );
1496 VECTOR2I crossbarEnd = getKiCadPoint( csDim.Line.End );
1497 VECTOR2I crossbarVector = crossbarEnd - crossbarStart;
1498 VECTOR2I heightVector = crossbarStart - dimension->GetStart();
1499 double height = 0.0;
1500
1501 if( csDim.Subtype == DIMENSION::SUBTYPE::ORTHOGONAL )
1502 {
1503 if( csDim.ExtensionLineParams.Start.x == csDim.Line.Start.x )
1504 height = heightVector.y;
1505 else
1506 height = heightVector.x;
1507 }
1508 else
1509 {
1510 EDA_ANGLE angle( crossbarVector );
1511 angle += ANGLE_90;
1512 height = heightVector.x * angle.Cos() + heightVector.y * angle.Sin();
1513 }
1514
1515 dimension->SetHeight( height );
1516 }
1517 break;
1518
1519 default:
1520 // Radius and diameter dimensions are LEADERDIM (even if not actually leader)
1521 // Angular dimensions are always ANGLEDIM
1522 wxLogError( _( "Unexpected Dimension type (ID %s). This was not imported." ), csDim.ID );
1523 continue;
1524 }
1525 break;
1526
1527 case DIMENSION::TYPE::LEADERDIM:
1528 //TODO: update import when KiCad supports radius and diameter dimensions
1529
1530 if( csDim.Line.Style == DIMENSION::LINE::STYLE::INTERNAL )
1531 {
1532 // "internal" is a simple double sided arrow from start to end (no extension lines)
1534 m_board->Add( dimension, ADD_MODE::APPEND );
1535 applyDimensionSettings( csDim, dimension );
1536
1537 // Lets set again start/end:
1538 dimension->SetStart( getKiCadPoint( csDim.Line.Start ) );
1539 dimension->SetEnd( getKiCadPoint( csDim.Line.End ) );
1540
1541 // Do not use any extension lines:
1542 dimension->SetExtensionOffset( 0 );
1543 dimension->SetExtensionHeight( 0 );
1544 dimension->SetHeight( 0 );
1545 }
1546 else
1547 {
1548 // "external" is a "leader" style dimension
1549 PCB_DIM_LEADER* leaderDim = new PCB_DIM_LEADER( m_board );
1550 m_board->Add( leaderDim, ADD_MODE::APPEND );
1551
1552 applyDimensionSettings( csDim, leaderDim );
1553 leaderDim->SetStart( getKiCadPoint( csDim.Line.End ) );
1554
1555 /*
1556 * In CADSTAR, the resulting shape orientation of the leader dimension depends on
1557 * on the positions of the #Start (S) and #End (E) points as shown below. In the
1558 * diagrams below, the leader angle (angRad) is represented by HEV
1559 *
1560 * Orientation 1: (orientX = -1, | Orientation 2: (orientX = 1,
1561 * orientY = 1) | orientY = 1)
1562 * |
1563 * --------V | V----------
1564 * \ | /
1565 * \ | /
1566 * H _E/ | \E_ H
1567 * |
1568 * S | S
1569 * |
1570 *
1571 * Orientation 3: (orientX = -1, | Orientation 4: (orientX = 1,
1572 * orientY = -1) | orientY = -1)
1573 * |
1574 * S | S
1575 * _ | _
1576 * H E\ | /E H
1577 * / | \
1578 * / | \
1579 * ----------V | V-----------
1580 * |
1581 *
1582 * Corner cases:
1583 *
1584 * It is not possible to generate a leader object with start and end point being
1585 * identical. Assume Orientation 2 if start and end points are identical.
1586 *
1587 * If start and end points are aligned vertically (i.e. S.x == E.x):
1588 * - If E.y > S.y - Orientation 2
1589 * - If E.y < S.y - Orientation 4
1590 *
1591 * If start and end points are aligned horitontally (i.e. S.y == E.y):
1592 * - If E.x > S.x - Orientation 2
1593 * - If E.x < S.x - Orientation 1
1594 */
1595 double angRad = DEG2RAD( getAngleDegrees( csDim.Line.LeaderAngle ) );
1596
1597 double orientX = 1;
1598 double orientY = 1;
1599
1600 if( csDim.Line.End.x >= csDim.Line.Start.x )
1601 {
1602 if( csDim.Line.End.y >= csDim.Line.Start.y )
1603 {
1604 //Orientation 2
1605 orientX = 1;
1606 orientY = 1;
1607 }
1608 else
1609 {
1610 //Orientation 4
1611 orientX = 1;
1612 orientY = -1;
1613 }
1614 }
1615 else
1616 {
1617 if( csDim.Line.End.y >= csDim.Line.Start.y )
1618 {
1619 //Orientation 1
1620 orientX = -1;
1621 orientY = 1;
1622 }
1623 else
1624 {
1625 //Orientation 3
1626 orientX = -1;
1627 orientY = -1;
1628 }
1629 }
1630
1631 VECTOR2I endOffset( csDim.Line.LeaderLineLength * cos( angRad ) * orientX,
1632 csDim.Line.LeaderLineLength * sin( angRad ) * orientY );
1633
1634 VECTOR2I endPoint = VECTOR2I( csDim.Line.End ) + endOffset;
1635 VECTOR2I txtPoint( endPoint.x + ( csDim.Line.LeaderLineExtensionLength * orientX ),
1636 endPoint.y );
1637
1638 leaderDim->SetEnd( getKiCadPoint( endPoint ) );
1639 leaderDim->SetTextPos( getKiCadPoint( txtPoint ) );
1640 leaderDim->SetOverrideText( ParseTextFields( csDim.Text.Text, &m_context ) );
1641 leaderDim->SetPrefix( wxEmptyString );
1642 leaderDim->SetSuffix( wxEmptyString );
1644
1645 if( orientX == 1 )
1647 else
1649
1650 leaderDim->SetExtensionOffset( 0 );
1651 }
1652 break;
1653
1654 case DIMENSION::TYPE::ANGLEDIM:
1655 //TODO: update import when KiCad supports angular dimensions
1656 wxLogError( _( "Dimension %s is an angular dimension which has no KiCad equivalent. "
1657 "The object was not imported." ),
1658 csDim.ID );
1659 break;
1660 }
1661 }
1662}
1663
1664
1666{
1667 for( std::pair<AREA_ID, AREA> areaPair : Layout.Areas )
1668 {
1669 AREA& area = areaPair.second;
1670
1671 if( area.NoVias || area.NoTracks || area.Keepout || area.Routing )
1672 {
1673 int lineThickness = 0; // CADSTAR areas only use the line width for display purpose
1674 ZONE* zone = getZoneFromCadstarShape( area.Shape, lineThickness, m_board );
1675
1676 m_board->Add( zone, ADD_MODE::APPEND );
1677
1678 if( isLayerSet( area.LayerID ) )
1679 zone->SetLayerSet( getKiCadLayerSet( area.LayerID ) );
1680 else
1681 zone->SetLayer( getKiCadLayer( area.LayerID ) );
1682
1683 zone->SetIsRuleArea( true ); //import all CADSTAR areas as Keepout zones
1684 zone->SetDoNotAllowPads( false ); //no CADSTAR equivalent
1685 zone->SetZoneName( area.Name );
1686
1687 zone->SetDoNotAllowFootprints( area.Keepout );
1688
1689 zone->SetDoNotAllowTracks( area.NoTracks );
1690 zone->SetDoNotAllowZoneFills( area.NoTracks );
1691
1692 zone->SetDoNotAllowVias( area.NoVias );
1693
1694 if( area.Placement )
1695 {
1696 wxLogWarning( wxString::Format( _( "The CADSTAR area '%s' is marked as a placement area in "
1697 "CADSTAR. Placement areas are not supported in KiCad. Only "
1698 "the supported elements for the area were imported." ),
1699 area.Name ) );
1700 }
1701 }
1702 else
1703 {
1704 wxLogError( wxString::Format( _( "The CADSTAR area '%s' does not have a KiCad equivalent. Pure "
1705 "Placement areas are not supported." ),
1706 area.Name ) );
1707 }
1708
1709 //todo Process area.AreaHeight when KiCad supports 3D design rules
1710 //TODO process attributes
1711 //TODO process addition to a group
1712 //TODO process "swaprule"
1713 //TODO process re-use block
1714 }
1715}
1716
1717
1719{
1720 for( std::pair<COMPONENT_ID, COMPONENT> compPair : Layout.Components )
1721 {
1722 COMPONENT& comp = compPair.second;
1723
1724 if( !comp.VariantID.empty() && comp.VariantParentComponentID != comp.ID )
1725 continue; // Only load master Variant
1726
1727 auto fpIter = m_libraryMap.find( comp.SymdefID );
1728
1729 if( fpIter == m_libraryMap.end() )
1730 {
1731 THROW_IO_ERROR( wxString::Format( _( "Unable to find component '%s' in the library (Symdef ID: '%s')" ),
1732 comp.Name,
1733 comp.SymdefID ) );
1734 }
1735
1736 FOOTPRINT* libFootprint = fpIter->second;
1737
1738 // Use Duplicate() to ensure unique KIID for all objects
1739 FOOTPRINT* footprint = static_cast<FOOTPRINT*>( libFootprint->Duplicate( IGNORE_PARENT_GROUP ) );
1740
1741 m_board->Add( footprint, ADD_MODE::APPEND );
1742
1743 // First lets fix the pad names on the footprint.
1744 // CADSTAR defines the pad name in the PART definition and the SYMDEF (i.e. the PCB
1745 // footprint definition) uses a numerical sequence. COMP is the only object that has
1746 // visibility of both the SYMDEF and PART.
1747 if( Parts.PartDefinitions.find( comp.PartID ) != Parts.PartDefinitions.end() )
1748 {
1749 PART part = Parts.PartDefinitions.at( comp.PartID );
1750
1751 // Only do this when the number of pins in the part definition equals the number of
1752 // pads in the footprint.
1753 if( part.Definition.Pins.size() == footprint->Pads().size() )
1754 {
1755 for( std::pair<PART_DEFINITION_PIN_ID, PART::DEFINITION::PIN> pinPair :
1756 part.Definition.Pins )
1757 {
1758 PART::DEFINITION::PIN pin = pinPair.second;
1759 wxString pinName = pin.Name;
1760
1761 if( pinName.empty() )
1762 pinName = pin.Identifier;
1763
1764 if( pinName.empty() )
1765 pinName = wxString::Format( wxT( "%ld" ), pin.ID );
1766
1767 getPadReference( footprint, pin.ID )->SetNumber( pinName );
1768 }
1769 }
1770 }
1771
1772 //Override pads with pad exceptions
1773 if( comp.PadExceptions.size() > 0 )
1774 {
1775 SYMDEF_PCB fpLibEntry = Library.ComponentDefinitions.at( comp.SymdefID );
1776
1777 for( std::pair<PAD_ID, PADEXCEPTION> padPair : comp.PadExceptions )
1778 {
1779 PADEXCEPTION& padEx = padPair.second;
1780 COMPONENT_PAD csPad = fpLibEntry.ComponentPads.at( padPair.first );
1781
1782 // Reset the pad to be around 0,0
1783 csPad.Position -= fpLibEntry.Origin;
1784 csPad.Position += m_designCenter;
1785
1786 if( !padEx.PadCode.IsEmpty() )
1787 csPad.PadCodeID = padEx.PadCode;
1788
1789 if( padEx.OverrideExits )
1790 csPad.Exits = padEx.Exits;
1791
1792 if( padEx.OverrideOrientation )
1793 csPad.OrientAngle = padEx.OrientAngle;
1794
1795 if( padEx.OverrideSide )
1796 csPad.Side = padEx.Side;
1797
1798 // Find the pad in the footprint definition
1799 PAD* kiPad = getPadReference( footprint, padEx.ID );
1800
1801 wxString padNumber = kiPad->GetNumber();
1802
1803 delete kiPad;
1804
1805 if( ( kiPad = getKiCadPad( csPad, footprint ) ) )
1806 {
1807 kiPad->SetNumber( padNumber );
1808
1809 // Change the pointer in the footprint to the newly created pad
1810 getPadReference( footprint, padEx.ID ) = kiPad;
1811 }
1812 }
1813 }
1814
1815 //set to empty string to avoid duplication when loading attributes:
1816 footprint->SetValue( wxEmptyString );
1817
1818 footprint->SetPosition( getKiCadPoint( comp.Origin ) );
1819 footprint->SetOrientation( getAngle( comp.OrientAngle ) );
1820 footprint->SetReference( comp.Name );
1821
1822 if( comp.Mirror )
1823 {
1824 EDA_ANGLE mirroredAngle = - getAngle( comp.OrientAngle );
1825 mirroredAngle.Normalize180();
1826 footprint->SetOrientation( mirroredAngle );
1827 footprint->Flip( getKiCadPoint( comp.Origin ), FLIP_DIRECTION::LEFT_RIGHT );
1828 }
1829
1830 loadComponentAttributes( comp, footprint );
1831
1832 if( !comp.PartID.IsEmpty() && comp.PartID != wxT( "NO_PART" ) )
1833 footprint->SetLibDescription( getPart( comp.PartID ).Definition.Name );
1834
1835 m_componentMap.insert( { comp.ID, footprint } );
1836 }
1837}
1838
1839
1841{
1842 //No KiCad equivalent. Loaded as graphic and text elements instead
1843
1844 for( std::pair<DOCUMENTATION_SYMBOL_ID, DOCUMENTATION_SYMBOL> docPair : Layout.DocumentationSymbols )
1845 {
1846 DOCUMENTATION_SYMBOL& docSymInstance = docPair.second;
1847
1848
1849 auto docSymIter = Library.ComponentDefinitions.find( docSymInstance.SymdefID );
1850
1851 if( docSymIter == Library.ComponentDefinitions.end() )
1852 {
1853 THROW_IO_ERROR( wxString::Format( _( "Unable to find documentation symbol in the "
1854 "library (Symdef ID: '%s')" ),
1855 docSymInstance.SymdefID ) );
1856 }
1857
1858 SYMDEF_PCB& docSymDefinition = ( *docSymIter ).second;
1859 VECTOR2I moveVector = getKiCadPoint( docSymInstance.Origin ) - getKiCadPoint( docSymDefinition.Origin );
1860 double rotationAngle = getAngleTenthDegree( docSymInstance.OrientAngle );
1861 double scalingFactor = (double) docSymInstance.ScaleRatioNumerator
1862 / (double) docSymInstance.ScaleRatioDenominator;
1863 VECTOR2I centreOfTransform = getKiCadPoint( docSymDefinition.Origin );
1864 bool mirrorInvert = docSymInstance.Mirror;
1865
1866 //create a group to store the items in
1867 wxString groupName = docSymDefinition.ReferenceName;
1868
1869 if( !docSymDefinition.Alternate.IsEmpty() )
1870 groupName += wxT( " (" ) + docSymDefinition.Alternate + wxT( ")" );
1871
1872 GROUP_ID groupID = createUniqueGroupID( groupName );
1873
1874 LSEQ layers = getKiCadLayerSet( docSymInstance.LayerID ).Seq();
1875
1876 for( PCB_LAYER_ID layer : layers )
1877 {
1878 for( std::pair<FIGURE_ID, FIGURE> figPair : docSymDefinition.Figures )
1879 {
1880 FIGURE fig = figPair.second;
1882 wxString::Format( wxT( "DOCUMENTATION SYMBOL %s, FIGURE %s" ),
1883 docSymDefinition.ReferenceName, fig.ID ),
1884 m_board, groupID, moveVector, rotationAngle, scalingFactor,
1885 centreOfTransform, mirrorInvert );
1886 }
1887 }
1888
1889 for( std::pair<TEXT_ID, TEXT> textPair : docSymDefinition.Texts )
1890 {
1891 TEXT txt = textPair.second;
1892 drawCadstarText( txt, m_board, groupID, docSymInstance.LayerID, moveVector, rotationAngle,
1893 scalingFactor, centreOfTransform, mirrorInvert );
1894 }
1895 }
1896}
1897
1898
1900{
1901 for( std::pair<TEMPLATE_ID, TEMPLATE> tempPair : Layout.Templates )
1902 {
1903 TEMPLATE& csTemplate = tempPair.second;
1904
1905 int zonelinethickness = 0; // The line thickness in CADSTAR is only for display purposes but
1906 // does not affect the end copper result.
1907 ZONE* zone = getZoneFromCadstarShape( csTemplate.Shape, zonelinethickness, m_board );
1908
1909 m_board->Add( zone, ADD_MODE::APPEND );
1910
1911 zone->SetZoneName( csTemplate.Name );
1912 zone->SetLayer( getKiCadLayer( csTemplate.LayerID ) );
1913 zone->SetAssignedPriority( 1 ); // initially 1, we will increase in calculateZonePriorities
1914
1915 if( !( csTemplate.NetID.IsEmpty() || csTemplate.NetID == wxT( "NONE" ) ) )
1916 zone->SetNet( getKiCadNet( csTemplate.NetID ) );
1917
1918 if( csTemplate.Pouring.AllowInNoRouting )
1919 {
1920 wxLogWarning( wxString::Format( _( "The CADSTAR template '%s' has the setting 'Allow in No Routing "
1921 "Areas' enabled. This setting has no KiCad equivalent, so it has "
1922 "been ignored." ),
1923 csTemplate.Name ) );
1924 }
1925
1926 if( csTemplate.Pouring.BoxIsolatedPins )
1927 {
1928 wxLogWarning( wxString::Format( _( "The CADSTAR template '%s' has the setting 'Box Isolated Pins' "
1929 "enabled. This setting has no KiCad equivalent, so it has been "
1930 "ignored." ),
1931 csTemplate.Name ) );
1932 }
1933
1934 if( csTemplate.Pouring.AutomaticRepour )
1935 {
1936 wxLogWarning( wxString::Format( _( "The CADSTAR template '%s' has the setting 'Automatic Repour' "
1937 "enabled. This setting has no KiCad equivalent, so it has been "
1938 "ignored." ),
1939 csTemplate.Name ) );
1940 }
1941
1942 // Sliver width has different behaviour to KiCad Zone's minimum thickness
1943 // In Cadstar 'Sliver width' has to be greater than the Copper thickness, whereas in
1944 // Kicad it is the opposite.
1945 if( csTemplate.Pouring.SliverWidth != 0 )
1946 {
1947 wxLogWarning( wxString::Format(
1948 _( "The CADSTAR template '%s' has a non-zero value defined for the "
1949 "'Sliver Width' setting. There is no KiCad equivalent for "
1950 "this, so this setting was ignored." ),
1951 csTemplate.Name ) );
1952 }
1953
1954
1955 if( csTemplate.Pouring.MinIsolatedCopper != csTemplate.Pouring.MinDisjointCopper )
1956 {
1957 wxLogWarning( wxString::Format(
1958 _( "The CADSTAR template '%s' has different settings for 'Retain Poured Copper "
1959 "- Disjoint' and 'Retain Poured Copper - Isolated'. KiCad does not "
1960 "distinguish between these two settings. The setting for disjoint copper "
1961 "has been applied as the minimum island area of the KiCad Zone." ),
1962 csTemplate.Name ) );
1963 }
1964
1965 long long minIslandArea = -1;
1966
1967 if( csTemplate.Pouring.MinDisjointCopper != UNDEFINED_VALUE )
1968 {
1969 minIslandArea = (long long) getKiCadLength( csTemplate.Pouring.MinDisjointCopper )
1970 * (long long) getKiCadLength( csTemplate.Pouring.MinDisjointCopper );
1971
1973 }
1974 else
1975 {
1977 }
1978
1979 zone->SetMinIslandArea( minIslandArea );
1980
1981 // In cadstar zone clearance is in addition to the global clearance.
1982 // TODO: need to create custom rules for individual items: zone to pad, zone to track, etc.
1984 clearance += m_board->GetDesignSettings().m_MinClearance;
1985
1987
1988 COPPERCODE pouringCopperCode = getCopperCode( csTemplate.Pouring.CopperCodeID );
1989 int minThickness = getKiCadLength( pouringCopperCode.CopperWidth );
1990 zone->SetMinThickness( minThickness );
1991
1992 if( csTemplate.Pouring.FillType == TEMPLATE::POURING::COPPER_FILL_TYPE::HATCHED )
1993 {
1995 zone->SetHatchGap( getKiCadHatchCodeGap( csTemplate.Pouring.HatchCodeID ) );
1998 }
1999 else
2000 {
2002 }
2003
2004 if( csTemplate.Pouring.ThermalReliefOnPads != csTemplate.Pouring.ThermalReliefOnVias
2005 || csTemplate.Pouring.ThermalReliefPadsAngle
2006 != csTemplate.Pouring.ThermalReliefViasAngle )
2007 {
2008 wxLogWarning( wxString::Format(
2009 _( "The CADSTAR template '%s' has different settings for thermal relief "
2010 "in pads and vias. KiCad only supports one single setting for both. The "
2011 "setting for pads has been applied." ),
2012 csTemplate.Name ) );
2013 }
2014
2015 COPPERCODE reliefCopperCode = getCopperCode( csTemplate.Pouring.ReliefCopperCodeID );
2016 int spokeWidth = getKiCadLength( reliefCopperCode.CopperWidth );
2017 int reliefWidth = getKiCadLength( csTemplate.Pouring.ClearanceWidth );
2018
2019 // Cadstar supports having a spoke width thinner than the minimum thickness of the zone, but
2020 // this is not permitted in KiCad. We load it as solid fill instead.
2021 if( csTemplate.Pouring.ThermalReliefOnPads && reliefWidth > 0 )
2022 {
2023 if( spokeWidth < minThickness )
2024 {
2025 wxLogWarning( wxString::Format(
2026 _( "The CADSTAR template '%s' has thermal reliefs in the original design "
2027 "but the spoke width (%.2f mm) is thinner than the minimum thickness of " //format:allow
2028 "the zone (%.2f mm). KiCad requires the minimum thickness of the zone " //format:allow
2029 "to be preserved. Therefore the minimum thickness has been applied as "
2030 "the new spoke width and will be applied next time the zones are "
2031 "filled." ),
2032 csTemplate.Name, (double) getKiCadLength( spokeWidth ) / 1E6,
2033 (double) getKiCadLength( minThickness ) / 1E6 ) );
2034
2035 spokeWidth = minThickness;
2036 }
2037
2038 zone->SetThermalReliefGap( reliefWidth );
2039 zone->SetThermalReliefSpokeWidth( spokeWidth );
2041 }
2042 else
2043 {
2045 }
2046
2047 m_zonesMap.insert( { csTemplate.ID, zone } );
2048 }
2049
2050 //Now create power plane layers:
2051 for( LAYER_ID layer : m_powerPlaneLayers )
2052 {
2053 wxASSERT( Assignments.Layerdefs.Layers.find( layer ) != Assignments.Layerdefs.Layers.end() );
2054
2055 //The net name will equal the layer name
2056 wxString powerPlaneLayerName = Assignments.Layerdefs.Layers.at( layer ).Name;
2057 NET_ID netid = wxEmptyString;
2058
2059 for( std::pair<NET_ID, NET_PCB> netPair : Layout.Nets )
2060 {
2061 NET_PCB net = netPair.second;
2062
2063 if( net.Name == powerPlaneLayerName )
2064 {
2065 netid = net.ID;
2066 break;
2067 }
2068 }
2069
2070 if( netid.IsEmpty() )
2071 {
2072 wxLogError( _( "The CADSTAR layer '%s' is defined as a power plane layer. However no net with "
2073 "such name exists. The layer has been loaded but no copper zone was created." ),
2074 powerPlaneLayerName );
2075 }
2076 else
2077 {
2078 for( std::pair<BOARD_ID, CADSTAR_BOARD> boardPair : Layout.Boards )
2079 {
2080 //create a zone in each board shape
2081 BOARD_DESIGN_SETTINGS& bds = m_board->GetDesignSettings();
2082 CADSTAR_BOARD& board = boardPair.second;
2083 int defaultLineThicknesss = bds.GetLineThickness( PCB_LAYER_ID::Edge_Cuts );
2084 ZONE* zone = getZoneFromCadstarShape( board.Shape, defaultLineThicknesss, m_board );
2085
2086 m_board->Add( zone, ADD_MODE::APPEND );
2087
2088 zone->SetZoneName( powerPlaneLayerName );
2089 zone->SetLayer( getKiCadLayer( layer ) );
2092 zone->SetMinIslandArea( -1 );
2093 zone->SetAssignedPriority( 0 ); // Priority always 0 (lowest priority) for implied power planes.
2094 zone->SetNet( getKiCadNet( netid ) );
2095 }
2096 }
2097 }
2098}
2099
2100
2102{
2103 for( std::pair<COPPER_ID, COPPER> copPair : Layout.Coppers )
2104 {
2105 COPPER& csCopper = copPair.second;
2106
2107 checkPoint();
2108
2109 if( !csCopper.PouredTemplateID.IsEmpty() )
2110 {
2111 ZONE* pouredZone = m_zonesMap.at( csCopper.PouredTemplateID );
2112 SHAPE_POLY_SET fill;
2113
2114 int copperWidth = getKiCadLength( getCopperCode( csCopper.CopperCodeID ).CopperWidth );
2115
2116 if( csCopper.Shape.Type == SHAPE_TYPE::OPENSHAPE )
2117 {
2118 // This is usually for themal reliefs. They are lines of copper with a thickness.
2119 // We convert them to an oval in most cases, but handle also the possibility of
2120 // encountering arcs in here.
2121
2122 std::vector<PCB_SHAPE*> outlineShapes = getShapesFromVertices( csCopper.Shape.Vertices );
2123
2124 for( PCB_SHAPE* shape : outlineShapes )
2125 {
2126 SHAPE_POLY_SET poly;
2127
2128 if( shape->GetShape() == SHAPE_T::ARC )
2129 {
2130 TransformArcToPolygon( poly, shape->GetStart(), shape->GetArcMid(), shape->GetEnd(),
2131 copperWidth, ARC_HIGH_DEF, ERROR_LOC::ERROR_INSIDE );
2132 }
2133 else
2134 {
2135 TransformOvalToPolygon( poly, shape->GetStart(), shape->GetEnd(), copperWidth,
2137 }
2138
2139 poly.ClearArcs();
2140 fill.BooleanAdd( poly );
2141 }
2142
2143 }
2144 else
2145 {
2146 fill = getPolySetFromCadstarShape( csCopper.Shape, -1 );
2147 fill.ClearArcs();
2149 }
2150
2151 if( pouredZone->HasFilledPolysForLayer( getKiCadLayer( csCopper.LayerID ) ) )
2152 fill.BooleanAdd( *pouredZone->GetFill( getKiCadLayer( csCopper.LayerID ) ) );
2153
2154 fill.Fracture();
2155
2156 pouredZone->SetFilledPolysList( getKiCadLayer( csCopper.LayerID ), fill );
2157 pouredZone->SetIsFilled( true );
2158 pouredZone->SetNeedRefill( false );
2159 continue;
2160 }
2161
2162 // For now we are going to load coppers to a KiCad zone however this isn't perfect
2163 //TODO: Load onto a graphical polygon with a net
2164
2165 if( !m_doneCopperWarning )
2166 {
2167 wxLogWarning( _( "The CADSTAR design contains COPPER elements, which have no direct KiCad "
2168 "equivalent. These have been imported as a KiCad Zone if solid or hatch "
2169 "filled, or as a KiCad Track if the shape was an unfilled outline (open or "
2170 "closed)." ) );
2171 m_doneCopperWarning = true;
2172 }
2173
2174
2175 if( csCopper.Shape.Type == SHAPE_TYPE::OPENSHAPE
2176 || csCopper.Shape.Type == SHAPE_TYPE::OUTLINE )
2177 {
2178 std::vector<PCB_SHAPE*> outlineShapes = getShapesFromVertices( csCopper.Shape.Vertices );
2179
2180 std::vector<PCB_TRACK*> outlineTracks = makeTracksFromShapes( outlineShapes, m_board,
2181 getKiCadNet( csCopper.NetRef.NetID ),
2182 getKiCadLayer( csCopper.LayerID ),
2184
2185 //cleanup
2186 for( PCB_SHAPE* shape : outlineShapes )
2187 delete shape;
2188
2189 for( const CUTOUT& cutout : csCopper.Shape.Cutouts )
2190 {
2191 std::vector<PCB_SHAPE*> cutoutShapes = getShapesFromVertices( cutout.Vertices );
2192
2193 std::vector<PCB_TRACK*> cutoutTracks = makeTracksFromShapes( cutoutShapes, m_board,
2194 getKiCadNet( csCopper.NetRef.NetID ),
2195 getKiCadLayer( csCopper.LayerID ),
2197
2198 //cleanup
2199 for( PCB_SHAPE* shape : cutoutShapes )
2200 delete shape;
2201 }
2202 }
2203 else
2204 {
2205 ZONE* zone = getZoneFromCadstarShape( csCopper.Shape,
2207 m_board );
2208
2209 m_board->Add( zone, ADD_MODE::APPEND );
2210
2211 zone->SetZoneName( csCopper.ID );
2212 zone->SetLayer( getKiCadLayer( csCopper.LayerID ) );
2214
2215 if( csCopper.Shape.Type == SHAPE_TYPE::HATCHED )
2216 {
2221 }
2222 else
2223 {
2225 }
2226
2229 zone->SetNet( getKiCadNet( csCopper.NetRef.NetID ) );
2230 zone->SetAssignedPriority( m_zonesMap.size() + 1 ); // Highest priority (always fill first)
2231
2232 SHAPE_POLY_SET fill( *zone->Outline() );
2233 fill.Fracture();
2234
2235 zone->SetFilledPolysList( getKiCadLayer( csCopper.LayerID ), fill );
2236 }
2237 }
2238}
2239
2240
2242{
2243 for( std::pair<NET_ID, NET_PCB> netPair : Layout.Nets )
2244 {
2245 NET_PCB net = netPair.second;
2246 wxString netnameForErrorReporting = net.Name;
2247
2248 std::map<NETELEMENT_ID, long> netelementSizes;
2249
2250 if( netnameForErrorReporting.IsEmpty() )
2251 netnameForErrorReporting = wxString::Format( wxT( "$%ld" ), net.SignalNum );
2252
2253 for( std::pair<NETELEMENT_ID, NET_PCB::VIA> viaPair : net.Vias )
2254 {
2255 NET_PCB::VIA via = viaPair.second;
2256
2257 // viasize is used for calculating route offset (as done in CADSTAR post processor)
2258 int viaSize = loadNetVia( net.ID, via );
2259 netelementSizes.insert( { viaPair.first, viaSize } );
2260 }
2261
2262 for( std::pair<NETELEMENT_ID, NET_PCB::PIN> pinPair : net.Pins )
2263 {
2264 NET_PCB::PIN pin = pinPair.second;
2265 FOOTPRINT* footprint = getFootprintFromCadstarID( pin.ComponentID );
2266
2267 if( footprint == nullptr )
2268 {
2269 wxLogWarning( wxString::Format( _( "The net '%s' references component ID '%s' which does not exist. "
2270 "This has been ignored." ),
2271 netnameForErrorReporting, pin.ComponentID ) );
2272 }
2273 else if( ( pin.PadID - (long) 1 ) > (long) footprint->Pads().size() )
2274 {
2275 wxLogWarning( wxString::Format( _( "The net '%s' references non-existent pad index '%d' in "
2276 "component '%s'. This has been ignored." ),
2277 netnameForErrorReporting,
2278 pin.PadID,
2279 footprint->GetReference() ) );
2280 }
2281 else
2282 {
2283 // The below works because we have added the pads in the correct order to the
2284 // footprint and the PAD_ID in Cadstar is a sequential, numerical ID
2285 PAD* pad = getPadReference( footprint, pin.PadID );
2286 pad->SetNet( getKiCadNet( net.ID ) );
2287
2288 // also set the net to any copper pads (i.e. copper elements that we have imported
2289 // as pads instead:
2290 SYMDEF_ID symdefid = Layout.Components.at( pin.ComponentID ).SymdefID;
2291
2292 if( m_librarycopperpads.find( symdefid ) != m_librarycopperpads.end() )
2293 {
2294 ASSOCIATED_COPPER_PADS assocPads = m_librarycopperpads.at( symdefid );
2295
2296 if( assocPads.find( pin.PadID ) != assocPads.end() )
2297 {
2298 for( PAD_ID copperPadID : assocPads.at( pin.PadID ) )
2299 {
2300 PAD* copperpad = getPadReference( footprint, copperPadID );
2301 copperpad->SetNet( getKiCadNet( net.ID ) );
2302 }
2303 }
2304 }
2305
2306 // padsize is used for calculating route offset (as done in CADSTAR post processor)
2307 int padsize = std::min( pad->GetSizeX(), pad->GetSizeY() );
2308 netelementSizes.insert( { pinPair.first, padsize } );
2309 }
2310 }
2311
2312 // For junction points we need to find out the biggest size of the other routes connecting
2313 // at the junction in order to correctly apply the same "route offset" operation that the
2314 // CADSTAR post processor applies when generating Manufacturing output. The only exception
2315 // is if there is just a single route at the junction point, we use that route width
2316 auto getJunctionSize =
2317 [&]( const NETELEMENT_ID& aJptNetElemId, const NET_PCB::CONNECTION_PCB& aConnectionToIgnore ) -> int
2318 {
2319 int jptsize = std::numeric_limits<int>::max();
2320
2321 for( NET_PCB::CONNECTION_PCB connection : net.Connections )
2322 {
2323 if( connection.Route.RouteVertices.size() == 0 )
2324 continue;
2325
2326 if( connection.StartNode == aConnectionToIgnore.StartNode
2327 && connection.EndNode == aConnectionToIgnore.EndNode )
2328 {
2329 continue;
2330 }
2331
2332 if( connection.StartNode == aJptNetElemId )
2333 {
2334 int s = getKiCadLength( connection.Route.RouteVertices.front().RouteWidth );
2335 jptsize = std::max( jptsize, s );
2336 }
2337 else if( connection.EndNode == aJptNetElemId )
2338 {
2339 int s = getKiCadLength( connection.Route.RouteVertices.back().RouteWidth );
2340 jptsize = std::max( jptsize, s );
2341 }
2342 }
2343
2344 if( jptsize == std::numeric_limits<int>::max()
2345 && !aConnectionToIgnore.Route.RouteVertices.empty() )
2346 {
2347 // aConnectionToIgnore is actually the only one that has a route, so lets use that
2348 // to determine junction size
2349 NET_PCB::ROUTE_VERTEX vertex = aConnectionToIgnore.Route.RouteVertices.front();
2350
2351 if( aConnectionToIgnore.EndNode == aJptNetElemId )
2352 vertex = aConnectionToIgnore.Route.RouteVertices.back();
2353
2354 jptsize = getKiCadLength( vertex.RouteWidth );
2355 }
2356
2357 return jptsize;
2358 };
2359
2360 for( const NET_PCB::CONNECTION_PCB& connection : net.Connections )
2361 {
2362 int startSize = std::numeric_limits<int>::max();
2363 int endSize = std::numeric_limits<int>::max();
2364
2365 if( netelementSizes.find( connection.StartNode ) != netelementSizes.end() )
2366 startSize = netelementSizes.at( connection.StartNode );
2367 else if( net.Junctions.find( connection.StartNode ) != net.Junctions.end() )
2368 startSize = getJunctionSize( connection.StartNode, connection );
2369
2370 if( netelementSizes.find( connection.EndNode ) != netelementSizes.end() )
2371 endSize = netelementSizes.at( connection.EndNode );
2372 else if( net.Junctions.find( connection.EndNode ) != net.Junctions.end() )
2373 endSize = getJunctionSize( connection.EndNode, connection );
2374
2375 startSize /= KiCadUnitMultiplier;
2376 endSize /= KiCadUnitMultiplier;
2377
2378 if( !connection.Unrouted )
2379 loadNetTracks( net.ID, connection.Route, startSize, endSize );
2380 }
2381 }
2382}
2383
2384
2386{
2387 auto findAndReplaceTextField =
2388 [&]( TEXT_FIELD_NAME aField, wxString aValue )
2389 {
2390 if( m_context.TextFieldToValuesMap.find( aField ) != m_context.TextFieldToValuesMap.end() )
2391 {
2392 if( m_context.TextFieldToValuesMap.at( aField ) != aValue )
2393 {
2394 m_context.TextFieldToValuesMap.at( aField ) = aValue;
2395 m_context.InconsistentTextFields.insert( aField );
2396 return false;
2397 }
2398 }
2399 else
2400 {
2401 m_context.TextFieldToValuesMap.insert( { aField, aValue } );
2402 }
2403
2404 return true;
2405 };
2406
2407 if( m_project )
2408 {
2409 std::map<wxString, wxString>& txtVars = m_project->GetTextVars();
2410
2411 // Most of the design text fields can be derived from other elements
2412 if( Layout.VariantHierarchy.Variants.size() > 0 )
2413 {
2414 VARIANT loadedVar = Layout.VariantHierarchy.Variants.begin()->second;
2415
2416 findAndReplaceTextField( TEXT_FIELD_NAME::VARIANT_NAME, loadedVar.Name );
2417 findAndReplaceTextField( TEXT_FIELD_NAME::VARIANT_DESCRIPTION, loadedVar.Description );
2418 }
2419
2420 findAndReplaceTextField( TEXT_FIELD_NAME::DESIGN_TITLE, Header.JobTitle );
2421
2422 for( std::pair<TEXT_FIELD_NAME, wxString> txtvalue : m_context.TextFieldToValuesMap )
2423 {
2424 wxString varName = CADSTAR_TO_KICAD_FIELDS.at( txtvalue.first );
2425 wxString varValue = txtvalue.second;
2426
2427 txtVars.insert( { varName, varValue } );
2428 }
2429
2430 for( std::pair<wxString, wxString> txtvalue : m_context.FilenamesToTextMap )
2431 {
2432 wxString varName = txtvalue.first;
2433 wxString varValue = txtvalue.second;
2434
2435 txtVars.insert( { varName, varValue } );
2436 }
2437 }
2438 else
2439 {
2440 wxLogError( _( "Text Variables could not be set as there is no project loaded." ) );
2441 }
2442}
2443
2444
2446 FOOTPRINT* aFootprint )
2447{
2448 for( std::pair<ATTRIBUTE_ID, ATTRIBUTE_VALUE> attrPair : aComponent.AttributeValues )
2449 {
2450 ATTRIBUTE_VALUE& attrval = attrPair.second;
2451
2452 if( attrval.HasLocation ) //only import attributes with location. Ignore the rest
2453 addAttribute( attrval.AttributeLocation, attrval.AttributeID, aFootprint, attrval.Value );
2454 }
2455
2456 for( std::pair<ATTRIBUTE_ID, TEXT_LOCATION> textlocPair : aComponent.TextLocations )
2457 {
2458 TEXT_LOCATION& textloc = textlocPair.second;
2459 wxString attrval;
2460
2461 if( textloc.AttributeID == COMPONENT_NAME_ATTRID )
2462 attrval = wxEmptyString; // Designator is loaded separately
2463 else if( textloc.AttributeID == COMPONENT_NAME_2_ATTRID )
2464 attrval = wxT( "${REFERENCE}" );
2465 else if( textloc.AttributeID == PART_NAME_ATTRID )
2466 attrval = getPart( aComponent.PartID ).Name;
2467 else
2468 attrval = getAttributeValue( textloc.AttributeID, aComponent.AttributeValues );
2469
2470 addAttribute( textloc, textloc.AttributeID, aFootprint, attrval );
2471 }
2472}
2473
2474
2476 const NET_PCB::ROUTE& aCadstarRoute,
2477 long aStartWidth, long aEndWidth )
2478{
2479 if( aCadstarRoute.RouteVertices.size() == 0 )
2480 return;
2481
2482 std::vector<PCB_SHAPE*> shapes;
2483 std::vector<NET_PCB::ROUTE_VERTEX> routeVertices = aCadstarRoute.RouteVertices;
2484
2485 // Add thin route at front so that route offsetting works as expected
2486 if( aStartWidth < routeVertices.front().RouteWidth )
2487 {
2488 NET_PCB::ROUTE_VERTEX newFrontVertex = aCadstarRoute.RouteVertices.front();
2489 newFrontVertex.RouteWidth = aStartWidth;
2490 newFrontVertex.Vertex.End = aCadstarRoute.StartPoint;
2491 routeVertices.insert( routeVertices.begin(), newFrontVertex );
2492 }
2493
2494 // Add thin route at the back if required
2495 if( aEndWidth < routeVertices.back().RouteWidth )
2496 {
2497 NET_PCB::ROUTE_VERTEX newBackVertex = aCadstarRoute.RouteVertices.back();
2498 newBackVertex.RouteWidth = aEndWidth;
2499 routeVertices.push_back( newBackVertex );
2500 }
2501
2502 POINT prevEnd = aCadstarRoute.StartPoint;
2503
2504 for( const NET_PCB::ROUTE_VERTEX& v : routeVertices )
2505 {
2506 PCB_SHAPE* shape = getShapeFromVertex( prevEnd, v.Vertex );
2507 shape->SetLayer( getKiCadLayer( aCadstarRoute.LayerID ) );
2508 shape->SetStroke( STROKE_PARAMS( getKiCadLength( v.RouteWidth ), LINE_STYLE::SOLID ) );
2509 shape->SetLocked( v.Fixed );
2510 shapes.push_back( shape );
2511 prevEnd = v.Vertex.End;
2512
2513 if( !m_doneTearDropWarning && ( v.TeardropAtEnd || v.TeardropAtStart ) )
2514 {
2515 // TODO: load teardrops
2516 wxLogError( _( "The CADSTAR design contains teardrops. This importer does not yet "
2517 "support them, so the teardrops in the design have been ignored." ) );
2518
2519 m_doneTearDropWarning = true;
2520 }
2521 }
2522
2523 NETINFO_ITEM* net = getKiCadNet( aCadstarNetID );
2524 std::vector<PCB_TRACK*> tracks = makeTracksFromShapes( shapes, m_board, net );
2525
2526 //cleanup
2527 for( PCB_SHAPE* shape : shapes )
2528 delete shape;
2529}
2530
2531
2532int CADSTAR_PCB_ARCHIVE_LOADER::loadNetVia( const NET_ID& aCadstarNetID, const NET_PCB::VIA& aCadstarVia )
2533{
2534 PCB_VIA* via = new PCB_VIA( m_board );
2535 m_board->Add( via, ADD_MODE::APPEND );
2536
2537 VIACODE csViaCode = getViaCode( aCadstarVia.ViaCodeID );
2538 LAYERPAIR csLayerPair = getLayerPair( aCadstarVia.LayerPairID );
2539
2540 via->SetPosition( getKiCadPoint( aCadstarVia.Location ) );
2541 via->SetDrill( getKiCadLength( csViaCode.DrillDiameter ) );
2542 via->SetLocked( aCadstarVia.Fixed );
2543
2544 if( csViaCode.Shape.ShapeType != PAD_SHAPE_TYPE::CIRCLE )
2545 {
2546 wxLogError( _( "The CADSTAR via code '%s' has different shape from a circle defined. "
2547 "KiCad only supports circular vias so this via type has been changed to "
2548 "be a via with circular shape of %.2f mm diameter." ), //format:allow
2549 csViaCode.Name,
2550 (double) ( (double) getKiCadLength( csViaCode.Shape.Size ) / 1E6 ) );
2551 }
2552
2553 via->SetWidth( PADSTACK::ALL_LAYERS, getKiCadLength( csViaCode.Shape.Size ) );
2554
2555 bool start_layer_outside = csLayerPair.PhysicalLayerStart == 1
2556 || csLayerPair.PhysicalLayerStart == Assignments.Technology.MaxPhysicalLayer;
2557 bool end_layer_outside = csLayerPair.PhysicalLayerEnd == 1
2558 || csLayerPair.PhysicalLayerEnd == Assignments.Technology.MaxPhysicalLayer;
2559
2560 if( start_layer_outside && end_layer_outside )
2561 via->SetViaType( VIATYPE::THROUGH );
2562 else if( ( !start_layer_outside ) && ( !end_layer_outside ) )
2563 via->SetViaType( VIATYPE::BURIED );
2564 else
2565 via->SetViaType( VIATYPE::BLIND );
2566
2567 via->SetLayerPair( getKiCadCopperLayerID( csLayerPair.PhysicalLayerStart ),
2568 getKiCadCopperLayerID( csLayerPair.PhysicalLayerEnd ) );
2569 via->SetNet( getKiCadNet( aCadstarNetID ) );
2570
2571 return via->GetWidth( PADSTACK::ALL_LAYERS );
2572}
2573
2574
2576 BOARD_ITEM_CONTAINER* aContainer,
2577 const GROUP_ID& aCadstarGroupID,
2578 const LAYER_ID& aCadstarLayerOverride,
2579 const VECTOR2I& aMoveVector,
2580 double aRotationAngle, double aScalingFactor,
2581 const VECTOR2I& aTransformCentre,
2582 bool aMirrorInvert )
2583{
2584 PCB_TEXT* txt = new PCB_TEXT( aContainer );
2585 aContainer->Add( txt );
2586 txt->SetText( aCadstarText.Text );
2587
2588 EDA_ANGLE rotationAngle( aRotationAngle, TENTHS_OF_A_DEGREE_T );
2589 VECTOR2I rotatedTextPos = getKiCadPoint( aCadstarText.Position );
2590 RotatePoint( rotatedTextPos, aTransformCentre, rotationAngle );
2591 rotatedTextPos.x = KiROUND( ( rotatedTextPos.x - aTransformCentre.x ) * aScalingFactor );
2592 rotatedTextPos.y = KiROUND( ( rotatedTextPos.y - aTransformCentre.y ) * aScalingFactor );
2593 rotatedTextPos += aTransformCentre;
2594 txt->SetTextPos( rotatedTextPos );
2595 txt->SetPosition( rotatedTextPos );
2596
2597 txt->SetTextAngle( getAngle( aCadstarText.OrientAngle ) + rotationAngle );
2598
2599 txt->SetMirrored( aCadstarText.Mirror );
2600
2601 applyTextCode( txt, aCadstarText.TextCodeID );
2602
2603 switch( aCadstarText.Alignment )
2604 {
2605 case ALIGNMENT::NO_ALIGNMENT: // Default for Single line text is Bottom Left
2609 break;
2610
2614 break;
2615
2619 break;
2620
2624 break;
2625
2629 break;
2630
2634 break;
2635
2636 case ALIGNMENT::TOPLEFT:
2639 break;
2640
2644 break;
2645
2649 break;
2650
2651 default:
2652 wxFAIL_MSG( wxT( "Unknown Alignment - needs review!" ) );
2653 }
2654
2655 if( aMirrorInvert )
2656 txt->Flip( aTransformCentre, FLIP_DIRECTION::LEFT_RIGHT );
2657
2658 //scale it after flipping:
2659 if( aScalingFactor != 1.0 )
2660 {
2661 VECTOR2I unscaledTextSize = txt->GetTextSize();
2662 int unscaledThickness = txt->GetTextThickness();
2663
2664 VECTOR2I scaledTextSize;
2665 scaledTextSize.x = KiROUND( (double) unscaledTextSize.x * aScalingFactor );
2666 scaledTextSize.y = KiROUND( (double) unscaledTextSize.y * aScalingFactor );
2667
2668 txt->SetTextSize( scaledTextSize );
2669 txt->SetTextThickness( KiROUND( (double) unscaledThickness * aScalingFactor ) );
2670 }
2671
2672 txt->Move( aMoveVector );
2673
2674 if( aCadstarText.Alignment == ALIGNMENT::NO_ALIGNMENT )
2676
2677 LAYER_ID layersToDrawOn = aCadstarLayerOverride;
2678
2679 if( layersToDrawOn.IsEmpty() )
2680 layersToDrawOn = aCadstarText.LayerID;
2681
2682 if( isLayerSet( layersToDrawOn ) )
2683 {
2684 //Make a copy on each layer
2685 for( PCB_LAYER_ID layer : getKiCadLayerSet( layersToDrawOn ).Seq() )
2686 {
2687 txt->SetLayer( layer );
2688 PCB_TEXT* newtxt = static_cast<PCB_TEXT*>( txt->Duplicate( IGNORE_PARENT_GROUP ) );
2689 m_board->Add( newtxt, ADD_MODE::APPEND );
2690
2691 if( !aCadstarGroupID.IsEmpty() )
2692 addToGroup( aCadstarGroupID, newtxt );
2693 }
2694
2695 m_board->Remove( txt );
2696 delete txt;
2697 }
2698 else
2699 {
2700 txt->SetLayer( getKiCadLayer( layersToDrawOn ) );
2701
2702 if( !aCadstarGroupID.IsEmpty() )
2703 addToGroup( aCadstarGroupID, txt );
2704 }
2705}
2706
2707
2709 const PCB_LAYER_ID& aKiCadLayer,
2710 int aLineThickness,
2711 const wxString& aShapeName,
2712 BOARD_ITEM_CONTAINER* aContainer,
2713 const GROUP_ID& aCadstarGroupID,
2714 const VECTOR2I& aMoveVector,
2715 double aRotationAngle, double aScalingFactor,
2716 const VECTOR2I& aTransformCentre,
2717 bool aMirrorInvert )
2718{
2719 auto drawAsOutline =
2720 [&]()
2721 {
2722 drawCadstarVerticesAsShapes( aCadstarShape.Vertices, aKiCadLayer, aLineThickness, aContainer,
2723 aCadstarGroupID, aMoveVector, aRotationAngle, aScalingFactor,
2724 aTransformCentre, aMirrorInvert );
2725 drawCadstarCutoutsAsShapes( aCadstarShape.Cutouts, aKiCadLayer, aLineThickness, aContainer,
2726 aCadstarGroupID, aMoveVector, aRotationAngle, aScalingFactor,
2727 aTransformCentre, aMirrorInvert );
2728 };
2729
2730 if( aCadstarShape.Type == SHAPE_TYPE::OPENSHAPE || aCadstarShape.Type == SHAPE_TYPE::OUTLINE )
2731 {
2732 drawAsOutline();
2733 return;
2734 }
2735
2736 // Special case solid shapes that are effectively a single line
2737 if( aCadstarShape.Vertices.size() < 3 )
2738 {
2739 drawAsOutline();
2740 return;
2741 }
2742
2743 PCB_SHAPE* shape = new PCB_SHAPE( aContainer, SHAPE_T::POLY );
2744
2745 if( aCadstarShape.Type == SHAPE_TYPE::SOLID )
2747 else if( getHatchCodeAngle( aCadstarShape.HatchCodeID ) > ANGLE_90 )
2749 else
2750 shape->SetFillMode( FILL_T::HATCH );
2751
2752 SHAPE_POLY_SET shapePolys = getPolySetFromCadstarShape( aCadstarShape, -1, aContainer, aMoveVector,
2753 aRotationAngle, aScalingFactor, aTransformCentre,
2754 aMirrorInvert );
2755
2756 shapePolys.Fracture();
2757
2758 shape->SetPolyShape( shapePolys );
2759 shape->SetStroke( STROKE_PARAMS( aLineThickness, LINE_STYLE::SOLID ) );
2760 shape->SetLayer( aKiCadLayer );
2761 aContainer->Add( shape, ADD_MODE::APPEND );
2762
2763 if( !aCadstarGroupID.IsEmpty() )
2764 addToGroup( aCadstarGroupID, shape );
2765}
2766
2767
2768void CADSTAR_PCB_ARCHIVE_LOADER::drawCadstarCutoutsAsShapes( const std::vector<CUTOUT>& aCutouts,
2769 const PCB_LAYER_ID& aKiCadLayer,
2770 int aLineThickness,
2771 BOARD_ITEM_CONTAINER* aContainer,
2772 const GROUP_ID& aCadstarGroupID,
2773 const VECTOR2I& aMoveVector,
2774 double aRotationAngle,
2775 double aScalingFactor,
2776 const VECTOR2I& aTransformCentre,
2777 bool aMirrorInvert )
2778{
2779 for( const CUTOUT& cutout : aCutouts )
2780 {
2781 drawCadstarVerticesAsShapes( cutout.Vertices, aKiCadLayer, aLineThickness, aContainer,
2782 aCadstarGroupID, aMoveVector, aRotationAngle, aScalingFactor,
2783 aTransformCentre, aMirrorInvert );
2784 }
2785}
2786
2787
2788void CADSTAR_PCB_ARCHIVE_LOADER::drawCadstarVerticesAsShapes( const std::vector<VERTEX>& aCadstarVertices,
2789 const PCB_LAYER_ID& aKiCadLayer,
2790 int aLineThickness,
2791 BOARD_ITEM_CONTAINER* aContainer,
2792 const GROUP_ID& aCadstarGroupID,
2793 const VECTOR2I& aMoveVector,
2794 double aRotationAngle,
2795 double aScalingFactor,
2796 const VECTOR2I& aTransformCentre,
2797 bool aMirrorInvert )
2798{
2799 std::vector<PCB_SHAPE*> shapes = getShapesFromVertices( aCadstarVertices, aContainer, aCadstarGroupID,
2800 aMoveVector, aRotationAngle, aScalingFactor,
2801 aTransformCentre, aMirrorInvert );
2802
2803 for( PCB_SHAPE* shape : shapes )
2804 {
2805 shape->SetStroke( STROKE_PARAMS( aLineThickness, LINE_STYLE::SOLID ) );
2806 shape->SetLayer( aKiCadLayer );
2807 shape->SetParent( aContainer );
2808 aContainer->Add( shape, ADD_MODE::APPEND );
2809 }
2810}
2811
2812
2813std::vector<PCB_SHAPE*>
2814CADSTAR_PCB_ARCHIVE_LOADER::getShapesFromVertices( const std::vector<VERTEX>& aCadstarVertices,
2815 BOARD_ITEM_CONTAINER* aContainer,
2816 const GROUP_ID& aCadstarGroupID,
2817 const VECTOR2I& aMoveVector,
2818 double aRotationAngle, double aScalingFactor,
2819 const VECTOR2I& aTransformCentre,
2820 bool aMirrorInvert )
2821{
2822 std::vector<PCB_SHAPE*> shapes;
2823
2824 if( aCadstarVertices.size() < 2 )
2825 //need at least two points to draw a segment! (unlikely but possible to have only one)
2826 return shapes;
2827
2828 const VERTEX* prev = &aCadstarVertices.at( 0 ); // first one should always be a point vertex
2829 const VERTEX* cur;
2830
2831 for( size_t i = 1; i < aCadstarVertices.size(); i++ )
2832 {
2833 cur = &aCadstarVertices.at( i );
2834 shapes.push_back( getShapeFromVertex( prev->End, *cur, aContainer, aCadstarGroupID, aMoveVector,
2835 aRotationAngle, aScalingFactor, aTransformCentre, aMirrorInvert ) );
2836 prev = cur;
2837 }
2838
2839 return shapes;
2840}
2841
2842
2844 const VERTEX& aCadstarVertex,
2845 BOARD_ITEM_CONTAINER* aContainer,
2846 const GROUP_ID& aCadstarGroupID,
2847 const VECTOR2I& aMoveVector,
2848 double aRotationAngle,
2849 double aScalingFactor,
2850 const VECTOR2I& aTransformCentre,
2851 bool aMirrorInvert )
2852{
2853 PCB_SHAPE* shape = nullptr;
2854 bool cw = false;
2855
2856 VECTOR2I startPoint = getKiCadPoint( aCadstarStartPoint );
2857 VECTOR2I endPoint = getKiCadPoint( aCadstarVertex.End );
2858 VECTOR2I centerPoint;
2859
2860 if( aCadstarVertex.Type == VERTEX_TYPE::ANTICLOCKWISE_SEMICIRCLE
2861 || aCadstarVertex.Type == VERTEX_TYPE::CLOCKWISE_SEMICIRCLE )
2862 {
2863 centerPoint = ( startPoint + endPoint ) / 2;
2864 }
2865 else
2866 {
2867 centerPoint = getKiCadPoint( aCadstarVertex.Center );
2868 }
2869
2870 switch( aCadstarVertex.Type )
2871 {
2872
2874 shape = new PCB_SHAPE( aContainer, SHAPE_T::SEGMENT );
2875
2876 shape->SetStart( startPoint );
2877 shape->SetEnd( endPoint );
2878 break;
2879
2882 cw = true;
2884
2887 {
2888 shape = new PCB_SHAPE( aContainer, SHAPE_T::ARC );
2889
2890 shape->SetCenter( centerPoint );
2891 shape->SetStart( startPoint );
2892
2893 EDA_ANGLE arcStartAngle( startPoint - centerPoint );
2894 EDA_ANGLE arcEndAngle( endPoint - centerPoint );
2895 EDA_ANGLE arcAngle = ( arcEndAngle - arcStartAngle ).Normalize();
2896 //TODO: detect if we are supposed to draw a circle instead (i.e. two SEMICIRCLEs with opposite
2897 // start/end points and same centre point)
2898
2899 if( !cw )
2900 arcAngle.NormalizeNegative(); // anticlockwise arc
2901
2902 shape->SetArcAngleAndEnd( arcAngle, true );
2903
2904 break;
2905 }
2906 }
2907
2908 //Apply transforms
2909 if( aMirrorInvert )
2910 shape->Flip( aTransformCentre, FLIP_DIRECTION::LEFT_RIGHT );
2911
2912 if( aScalingFactor != 1.0 )
2913 {
2914 shape->Move( -1*aTransformCentre );
2915 shape->Scale( aScalingFactor );
2916 shape->Move( aTransformCentre );
2917 }
2918
2919 if( aRotationAngle != 0.0 )
2920 shape->Rotate( aTransformCentre, EDA_ANGLE( aRotationAngle, TENTHS_OF_A_DEGREE_T ) );
2921
2922 if( aMoveVector != VECTOR2I{ 0, 0 } )
2923 shape->Move( aMoveVector );
2924
2925 if( !aCadstarGroupID.IsEmpty() )
2926 addToGroup( aCadstarGroupID, shape );
2927
2928 return shape;
2929}
2930
2931
2932ZONE* CADSTAR_PCB_ARCHIVE_LOADER::getZoneFromCadstarShape( const SHAPE& aCadstarShape, const int& aLineThickness,
2933 BOARD_ITEM_CONTAINER* aParentContainer )
2934{
2935 ZONE* zone = new ZONE( aParentContainer );
2936
2937 if( aCadstarShape.Type == SHAPE_TYPE::HATCHED )
2938 {
2941 }
2942 else
2943 {
2945 }
2946
2947 SHAPE_POLY_SET polygon = getPolySetFromCadstarShape( aCadstarShape, aLineThickness );
2948
2949 zone->AddPolygon( polygon.COutline( 0 ) );
2950
2951 for( int i = 0; i < polygon.HoleCount( 0 ); i++ )
2952 zone->AddPolygon( polygon.CHole( 0, i ) );
2953
2954 return zone;
2955}
2956
2957
2959 int aLineThickness,
2960 BOARD_ITEM_CONTAINER* aContainer,
2961 const VECTOR2I& aMoveVector,
2962 double aRotationAngle,
2963 double aScalingFactor,
2964 const VECTOR2I& aTransformCentre,
2965 bool aMirrorInvert )
2966{
2967 GROUP_ID noGroup = wxEmptyString;
2968
2969 std::vector<PCB_SHAPE*> outlineShapes = getShapesFromVertices( aCadstarShape.Vertices,
2970 aContainer, noGroup, aMoveVector,
2971 aRotationAngle, aScalingFactor,
2972 aTransformCentre, aMirrorInvert );
2973
2974 SHAPE_POLY_SET polySet( getLineChainFromShapes( outlineShapes ) );
2975
2976 //cleanup
2977 for( PCB_SHAPE* shape : outlineShapes )
2978 delete shape;
2979
2980 for( const CUTOUT& cutout : aCadstarShape.Cutouts )
2981 {
2982 std::vector<PCB_SHAPE*> cutoutShapes = getShapesFromVertices( cutout.Vertices, aContainer,
2983 noGroup, aMoveVector,
2984 aRotationAngle, aScalingFactor,
2985 aTransformCentre, aMirrorInvert );
2986
2987 polySet.AddHole( getLineChainFromShapes( cutoutShapes ) );
2988
2989 //cleanup
2990 for( PCB_SHAPE* shape : cutoutShapes )
2991 delete shape;
2992 }
2993
2994 polySet.ClearArcs();
2995
2996 if( aLineThickness > 0 )
2997 polySet.Inflate( aLineThickness / 2, CORNER_STRATEGY::ROUND_ALL_CORNERS, ARC_HIGH_DEF );
2998
2999#ifdef DEBUG
3000 for( int i = 0; i < polySet.OutlineCount(); ++i )
3001 {
3002 wxASSERT( polySet.Outline( i ).PointCount() > 2 );
3003
3004 for( int j = 0; j < polySet.HoleCount( i ); ++j )
3005 wxASSERT( polySet.Hole( i, j ).PointCount() > 2 );
3006 }
3007#endif
3008
3009 return polySet;
3010}
3011
3012
3014{
3015 SHAPE_LINE_CHAIN lineChain;
3016
3017 for( PCB_SHAPE* shape : aShapes )
3018 {
3019 switch( shape->GetShape() )
3020 {
3021 case SHAPE_T::ARC:
3022 {
3023 SHAPE_ARC arc( shape->GetCenter(), shape->GetStart(), shape->GetArcAngle() );
3024
3025 if( shape->EndsSwapped() )
3026 arc.Reverse();
3027
3028 lineChain.Append( arc );
3029 break;
3030 }
3031
3032 case SHAPE_T::SEGMENT:
3033 lineChain.Append( shape->GetStartX(), shape->GetStartY() );
3034 lineChain.Append( shape->GetEndX(), shape->GetEndY() );
3035 break;
3036
3037 default:
3038 wxFAIL_MSG( wxT( "Drawsegment type is unexpected. Ignored." ) );
3039 }
3040 }
3041
3042 // Shouldn't have less than 3 points to make a closed shape!
3043 wxASSERT( lineChain.PointCount() > 2 );
3044
3045 // Check if it is closed
3046 if( lineChain.GetPoint( 0 ) != lineChain.GetPoint( lineChain.PointCount() - 1 ) )
3047 lineChain.Append( lineChain.GetPoint( 0 ) );
3048
3049 lineChain.SetClosed( true );
3050
3051 return lineChain;
3052}
3053
3054
3055std::vector<PCB_TRACK*> CADSTAR_PCB_ARCHIVE_LOADER::makeTracksFromShapes( const std::vector<PCB_SHAPE*>& aShapes,
3056 BOARD_ITEM_CONTAINER* aParentContainer,
3057 NETINFO_ITEM* aNet,
3058 PCB_LAYER_ID aLayerOverride,
3059 int aWidthOverride )
3060{
3061 std::vector<PCB_TRACK*> tracks;
3062 PCB_TRACK* prevTrack = nullptr;
3063 PCB_TRACK* track = nullptr;
3064
3065 auto addTrack =
3066 [&]( PCB_TRACK* aTrack )
3067 {
3068 // Ignore zero length tracks in the same way as the CADSTAR postprocessor does
3069 // when generating gerbers. Note that CADSTAR reports these as "Route offset
3070 // errors" when running a DRC within CADSTAR, so we shouldn't be getting this in
3071 // general, however it is used to remove any synthetic points added to
3072 // aDrawSegments by the caller of this function.
3073 if( aTrack->GetLength() != 0 )
3074 {
3075 tracks.push_back( aTrack );
3076 aParentContainer->Add( aTrack, ADD_MODE::APPEND );
3077 }
3078 else
3079 {
3080 delete aTrack;
3081 }
3082 };
3083
3084 for( PCB_SHAPE* shape : aShapes )
3085 {
3086 switch( shape->GetShape() )
3087 {
3088 case SHAPE_T::ARC:
3089 {
3090 SHAPE_ARC arc( shape->GetStart(), shape->GetArcMid(), shape->GetEnd(), 0 );
3091
3092 if( shape->EndsSwapped() )
3093 arc.Reverse();
3094
3095 track = new PCB_ARC( aParentContainer, &arc );
3096 break;
3097 }
3098
3099 case SHAPE_T::SEGMENT:
3100 track = new PCB_TRACK( aParentContainer );
3101 track->SetStart( shape->GetStart() );
3102 track->SetEnd( shape->GetEnd() );
3103 break;
3104
3105 default:
3106 wxFAIL_MSG( wxT( "Drawsegment type is unexpected. Ignored." ) );
3107 continue;
3108 }
3109
3110 if( aWidthOverride == -1 )
3111 track->SetWidth( shape->GetWidth() );
3112 else
3113 track->SetWidth( aWidthOverride );
3114
3115 if( aLayerOverride == PCB_LAYER_ID::UNDEFINED_LAYER )
3116 track->SetLayer( shape->GetLayer() );
3117 else
3118 track->SetLayer( aLayerOverride );
3119
3120 if( aNet != nullptr )
3121 track->SetNet( aNet );
3122 else
3123 track->SetNetCode( -1 );
3124
3125 track->SetLocked( shape->IsLocked() );
3126
3127 // Apply route offsetting, mimmicking the behaviour of the CADSTAR post processor
3128 if( prevTrack != nullptr )
3129 {
3130 int offsetAmount = ( track->GetWidth() / 2 ) - ( prevTrack->GetWidth() / 2 );
3131
3132 if( offsetAmount > 0 )
3133 {
3134 // modify the start of the current track
3135 VECTOR2I newStart = track->GetStart();
3136 applyRouteOffset( &newStart, track->GetEnd(), offsetAmount );
3137 track->SetStart( newStart );
3138 }
3139 else if( offsetAmount < 0 )
3140 {
3141 // amend the end of the previous track
3142 VECTOR2I newEnd = prevTrack->GetEnd();
3143 applyRouteOffset( &newEnd, prevTrack->GetStart(), -offsetAmount );
3144 prevTrack->SetEnd( newEnd );
3145 } // don't do anything if offsetAmount == 0
3146
3147 // Add a synthetic track of the thinnest width between the tracks
3148 // to ensure KiCad features works as expected on the imported design
3149 // (KiCad expects tracks are contiguous segments)
3150 if( track->GetStart() != prevTrack->GetEnd() )
3151 {
3152 int minWidth = std::min( track->GetWidth(), prevTrack->GetWidth() );
3153 PCB_TRACK* synthTrack = new PCB_TRACK( aParentContainer );
3154 synthTrack->SetStart( prevTrack->GetEnd() );
3155 synthTrack->SetEnd( track->GetStart() );
3156 synthTrack->SetWidth( minWidth );
3157 synthTrack->SetLocked( track->IsLocked() );
3158 synthTrack->SetNet( track->GetNet() );
3159 synthTrack->SetLayer( track->GetLayer() );
3160 addTrack( synthTrack );
3161 }
3162 }
3163
3164 if( prevTrack )
3165 addTrack( prevTrack );
3166
3167 prevTrack = track;
3168 }
3169
3170 if( track )
3171 addTrack( track );
3172
3173 return tracks;
3174}
3175
3176
3178 const ATTRIBUTE_ID& aCadstarAttributeID,
3179 FOOTPRINT* aFootprint, const wxString& aAttributeValue )
3180{
3181 PCB_FIELD* field;
3182
3183 if( aCadstarAttributeID == COMPONENT_NAME_ATTRID )
3184 {
3185 field = &aFootprint->Reference(); //text should be set outside this function
3186 }
3187 else if( aCadstarAttributeID == PART_NAME_ATTRID )
3188 {
3189 if( aFootprint->Value().GetText().IsEmpty() )
3190 {
3191 // Use PART_NAME_ATTRID as the value is value field is blank
3192 aFootprint->SetValue( aAttributeValue );
3193 field = &aFootprint->Value();
3194 }
3195 else
3196 {
3197 field = new PCB_FIELD( aFootprint, FIELD_T::USER, aCadstarAttributeID );
3198 aFootprint->Add( field );
3199 field->SetText( aAttributeValue );
3200 }
3201 field->SetVisible( false ); //make invisible to avoid clutter.
3202 }
3203 else if( aCadstarAttributeID != COMPONENT_NAME_2_ATTRID
3204 && getAttributeName( aCadstarAttributeID ) == wxT( "Value" ) )
3205 {
3206 if( !aFootprint->Value().GetText().IsEmpty() )
3207 {
3208 //copy the object
3209 aFootprint->Add( aFootprint->Value().Duplicate( IGNORE_PARENT_GROUP ) );
3210 }
3211
3212 aFootprint->SetValue( aAttributeValue );
3213 field = &aFootprint->Value();
3214 field->SetVisible( false ); //make invisible to avoid clutter.
3215 }
3216 else
3217 {
3218 field = new PCB_FIELD( aFootprint, FIELD_T::USER, aCadstarAttributeID );
3219 aFootprint->Add( field );
3220 field->SetText( aAttributeValue );
3221 field->SetVisible( false ); //make all user attributes invisible to avoid clutter.
3222 }
3223
3224 field->SetPosition( getKiCadPoint( aCadstarAttrLoc.Position ) );
3225 field->SetLayer( getKiCadLayer( aCadstarAttrLoc.LayerID ) );
3226 field->SetMirrored( aCadstarAttrLoc.Mirror );
3227 field->SetTextAngle( getAngle( aCadstarAttrLoc.OrientAngle ) );
3228
3229 if( aCadstarAttrLoc.Mirror ) // If mirroring, invert angle to match CADSTAR
3230 field->SetTextAngle( -field->GetTextAngle() );
3231
3232 applyTextCode( field, aCadstarAttrLoc.TextCodeID );
3233
3234 field->SetKeepUpright( false ); //Keeping it upright seems to result in incorrect orientation
3235
3236 switch( aCadstarAttrLoc.Alignment )
3237 {
3238 case ALIGNMENT::NO_ALIGNMENT: // Default for Single line text is Bottom Left
3244 break;
3245
3249 break;
3250
3254 break;
3255
3259 break;
3260
3264 break;
3265
3269 break;
3270
3271 case ALIGNMENT::TOPLEFT:
3274 break;
3275
3279 break;
3280
3284 break;
3285
3286 default:
3287 wxFAIL_MSG( wxT( "Unknown Alignment - needs review!" ) );
3288 }
3289}
3290
3291
3293 const VECTOR2I& aRefPoint,
3294 const long& aOffsetAmount )
3295{
3296 VECTOR2I v( *aPointToOffset - aRefPoint );
3297 int newLength = v.EuclideanNorm() - aOffsetAmount;
3298
3299 if( newLength > 0 )
3300 {
3301 VECTOR2I offsetted = v.Resize( newLength ) + VECTOR2I( aRefPoint );
3302 aPointToOffset->x = offsetted.x;
3303 aPointToOffset->y = offsetted.y;
3304 }
3305 else
3306 {
3307 *aPointToOffset = aRefPoint; // zero length track. Needs to be removed to mimmick
3308 // cadstar behaviour
3309 }
3310}
3311
3312
3313void CADSTAR_PCB_ARCHIVE_LOADER:: applyTextCode( EDA_TEXT* aKiCadText, const TEXTCODE_ID& aCadstarTextCodeID )
3314{
3315 TEXTCODE tc = getTextCode( aCadstarTextCodeID );
3316
3317 aKiCadText->SetTextThickness( getKiCadLength( tc.LineWidth ) );
3318
3319 if( tc.Font.Modifier1 == FONT_BOLD )
3320 aKiCadText->SetBold( true );
3321
3322 if( tc.Font.Italic )
3323 aKiCadText->SetItalic( true );
3324
3325 VECTOR2I textSize;
3326 textSize.x = getKiCadLength( tc.Width );
3327
3328 // The width is zero for all non-cadstar fonts. Using a width equal to the height seems
3329 // to work well for most fonts.
3330 if( textSize.x == 0 )
3331 textSize.x = getKiCadLength( tc.Height );
3332
3333 textSize.y = KiROUND( TXT_HEIGHT_RATIO * (double) getKiCadLength( tc.Height ) );
3334
3335 if( textSize.x == 0 || textSize.y == 0 )
3336 {
3337 // Make zero sized text not visible
3338
3341 }
3342 else
3343 {
3344 aKiCadText->SetTextSize( textSize );
3345 }
3346
3348 aKiCadText->SetFont( font );
3349}
3350
3351
3353{
3354 wxCHECK( Assignments.Codedefs.LineCodes.find( aCadstarLineCodeID ) != Assignments.Codedefs.LineCodes.end(),
3355 m_board->GetDesignSettings().GetLineThickness( PCB_LAYER_ID::Edge_Cuts ) );
3356
3357 return getKiCadLength( Assignments.Codedefs.LineCodes.at( aCadstarLineCodeID ).Width );
3358}
3359
3360
3362 const COPPERCODE_ID& aCadstaCopperCodeID )
3363{
3364 wxCHECK( Assignments.Codedefs.CopperCodes.find( aCadstaCopperCodeID ) != Assignments.Codedefs.CopperCodes.end(),
3365 COPPERCODE() );
3366
3367 return Assignments.Codedefs.CopperCodes.at( aCadstaCopperCodeID );
3368}
3369
3370
3372{
3373 wxCHECK( Assignments.Codedefs.TextCodes.find( aCadstarTextCodeID ) != Assignments.Codedefs.TextCodes.end(),
3374 TEXTCODE() );
3375
3376 return Assignments.Codedefs.TextCodes.at( aCadstarTextCodeID );
3377}
3378
3379
3381{
3382 wxCHECK( Assignments.Codedefs.PadCodes.find( aCadstarPadCodeID ) != Assignments.Codedefs.PadCodes.end(),
3383 PADCODE() );
3384
3385 return Assignments.Codedefs.PadCodes.at( aCadstarPadCodeID );
3386}
3387
3388
3390{
3391 wxCHECK( Assignments.Codedefs.ViaCodes.find( aCadstarViaCodeID ) != Assignments.Codedefs.ViaCodes.end(),
3392 VIACODE() );
3393
3394 return Assignments.Codedefs.ViaCodes.at( aCadstarViaCodeID );
3395}
3396
3397
3399{
3400 wxCHECK( Assignments.Codedefs.LayerPairs.find( aCadstarLayerPairID ) != Assignments.Codedefs.LayerPairs.end(),
3401 LAYERPAIR() );
3402
3403 return Assignments.Codedefs.LayerPairs.at( aCadstarLayerPairID );
3404}
3405
3406
3408{
3409 wxCHECK( Assignments.Codedefs.AttributeNames.find( aCadstarAttributeID )
3410 != Assignments.Codedefs.AttributeNames.end(),
3411 wxEmptyString );
3412
3413 return Assignments.Codedefs.AttributeNames.at( aCadstarAttributeID ).Name;
3414}
3415
3416
3418 const std::map<ATTRIBUTE_ID, ATTRIBUTE_VALUE>& aCadstarAttrMap )
3419{
3420 wxCHECK( aCadstarAttrMap.find( aCadstarAttributeID ) != aCadstarAttrMap.end(), wxEmptyString );
3421
3422 return aCadstarAttrMap.at( aCadstarAttributeID ).Value;
3423}
3424
3425
3428{
3429 if( Assignments.Layerdefs.Layers.find( aCadstarLayerID ) != Assignments.Layerdefs.Layers.end() )
3430 return Assignments.Layerdefs.Layers.at( aCadstarLayerID ).Type;
3431
3432 return LAYER_TYPE::UNDEFINED;
3433}
3434
3435
3437{
3438 wxCHECK( Parts.PartDefinitions.find( aCadstarPartID ) != Parts.PartDefinitions.end(), PART() );
3439
3440 return Parts.PartDefinitions.at( aCadstarPartID );
3441}
3442
3443
3445 const ROUTECODE_ID& aCadstarRouteCodeID )
3446{
3447 wxCHECK( Assignments.Codedefs.RouteCodes.find( aCadstarRouteCodeID ) != Assignments.Codedefs.RouteCodes.end(),
3448 ROUTECODE() );
3449
3450 return Assignments.Codedefs.RouteCodes.at( aCadstarRouteCodeID );
3451}
3452
3453
3455 const HATCHCODE_ID& aCadstarHatchcodeID )
3456{
3457 wxCHECK( Assignments.Codedefs.HatchCodes.find( aCadstarHatchcodeID ) != Assignments.Codedefs.HatchCodes.end(),
3458 HATCHCODE() );
3459
3460 return Assignments.Codedefs.HatchCodes.at( aCadstarHatchcodeID );
3461}
3462
3463
3465{
3466 checkAndLogHatchCode( aCadstarHatchcodeID );
3467 HATCHCODE hcode = getHatchCode( aCadstarHatchcodeID );
3468
3469 if( hcode.Hatches.size() < 1 )
3470 return m_board->GetDesignSettings().GetDefaultZoneSettings().m_HatchOrientation;
3471 else
3472 return getAngle( hcode.Hatches.at( 0 ).OrientAngle );
3473}
3474
3475
3477{
3478 checkAndLogHatchCode( aCadstarHatchcodeID );
3479 HATCHCODE hcode = getHatchCode( aCadstarHatchcodeID );
3480
3481 if( hcode.Hatches.size() < 1 )
3482 return m_board->GetDesignSettings().GetDefaultZoneSettings().m_HatchThickness;
3483 else
3484 return getKiCadLength( hcode.Hatches.at( 0 ).LineWidth );
3485}
3486
3487
3489{
3490 checkAndLogHatchCode( aCadstarHatchcodeID );
3491 HATCHCODE hcode = getHatchCode( aCadstarHatchcodeID );
3492
3493 if( hcode.Hatches.size() < 1 )
3494 return m_board->GetDesignSettings().GetDefaultZoneSettings().m_HatchGap;
3495 else
3496 return getKiCadLength( hcode.Hatches.at( 0 ).Step );
3497}
3498
3499
3501{
3502 wxCHECK( m_groupMap.find( aCadstarGroupID ) != m_groupMap.end(), nullptr );
3503
3504 return m_groupMap.at( aCadstarGroupID );
3505}
3506
3507
3509{
3510 if( m_hatchcodesTested.find( aCadstarHatchcodeID ) != m_hatchcodesTested.end() )
3511 {
3512 return; //already checked
3513 }
3514 else
3515 {
3516 HATCHCODE hcode = getHatchCode( aCadstarHatchcodeID );
3517
3518 if( hcode.Hatches.size() != 2 )
3519 {
3520 wxLogWarning( wxString::Format(
3521 _( "The CADSTAR Hatching code '%s' has %d hatches defined. "
3522 "KiCad only supports 2 hatches (crosshatching) 90 degrees apart. "
3523 "The imported hatching is crosshatched." ),
3524 hcode.Name, (int) hcode.Hatches.size() ) );
3525 }
3526 else
3527 {
3528 if( hcode.Hatches.at( 0 ).LineWidth != hcode.Hatches.at( 1 ).LineWidth )
3529 {
3530 wxLogWarning( wxString::Format(
3531 _( "The CADSTAR Hatching code '%s' has different line widths for each "
3532 "hatch. KiCad only supports one width for the hatching. The imported "
3533 "hatching uses the width defined in the first hatch definition, i.e. "
3534 "%.2f mm." ), //format:allow
3535 hcode.Name,
3536 (double) ( (double) getKiCadLength( hcode.Hatches.at( 0 ).LineWidth ) )
3537 / 1E6 ) );
3538 }
3539
3540 if( hcode.Hatches.at( 0 ).Step != hcode.Hatches.at( 1 ).Step )
3541 {
3542 wxLogWarning( wxString::Format(
3543 _( "The CADSTAR Hatching code '%s' has different step sizes for each "
3544 "hatch. KiCad only supports one step size for the hatching. The imported "
3545 "hatching uses the step size defined in the first hatching definition, "
3546 "i.e. %.2f mm." ), //format:allow
3547 hcode.Name,
3548 (double) ( (double) getKiCadLength( hcode.Hatches.at( 0 ).Step ) )
3549 / 1E6 ) );
3550 }
3551
3552 if( abs( hcode.Hatches.at( 0 ).OrientAngle - hcode.Hatches.at( 1 ).OrientAngle )
3553 != 90000 )
3554 {
3555 wxLogWarning( wxString::Format(
3556 _( "The hatches in CADSTAR Hatching code '%s' have an angle "
3557 "difference of %.1f degrees. KiCad only supports hatching 90 " //format:allow
3558 "degrees apart. The imported hatching has two hatches 90 "
3559 "degrees apart, oriented %.1f degrees from horizontal." ), //format:allow
3560 hcode.Name,
3561 getAngle( abs( hcode.Hatches.at( 0 ).OrientAngle
3562 - hcode.Hatches.at( 1 ).OrientAngle ) ).AsDegrees(),
3563 getAngle( hcode.Hatches.at( 0 ).OrientAngle ).AsDegrees() ) );
3564 }
3565 }
3566
3567 m_hatchcodesTested.insert( aCadstarHatchcodeID );
3568 }
3569}
3570
3571
3573 PCB_DIMENSION_BASE* aKiCadDim )
3574{
3575 UNITS dimensionUnits = aCadstarDim.LinearUnits;
3576 LINECODE linecode = Assignments.Codedefs.LineCodes.at( aCadstarDim.Line.LineCodeID );
3577
3578 aKiCadDim->SetLayer( getKiCadLayer( aCadstarDim.LayerID ) );
3579 aKiCadDim->SetPrecision( static_cast<DIM_PRECISION>( aCadstarDim.Precision ) );
3580 aKiCadDim->SetStart( getKiCadPoint( aCadstarDim.ExtensionLineParams.Start ) );
3581 aKiCadDim->SetEnd( getKiCadPoint( aCadstarDim.ExtensionLineParams.End ) );
3582 aKiCadDim->SetExtensionOffset( getKiCadLength( aCadstarDim.ExtensionLineParams.Offset ) );
3583 aKiCadDim->SetLineThickness( getKiCadLength( linecode.Width ) );
3584
3585 applyTextCode( aKiCadDim, aCadstarDim.Text.TextCodeID );
3586
3587 // Find prefix and suffix:
3588 wxString prefix = wxEmptyString;
3589 wxString suffix = wxEmptyString;
3590 int startpos = aCadstarDim.Text.Text.Find( wxT( "<@DISTANCE" ) );
3591
3592 if( startpos != wxNOT_FOUND )
3593 {
3594 prefix = ParseTextFields( aCadstarDim.Text.Text.SubString( 0, startpos - 1 ), &m_context );
3595 wxString remainingStr = aCadstarDim.Text.Text.Mid( startpos );
3596 int endpos = remainingStr.Find( "@>" );
3597 suffix = ParseTextFields( remainingStr.Mid( endpos + 2 ), &m_context );
3598 }
3599
3600 if( suffix.StartsWith( wxT( "mm" ) ) )
3601 {
3603 suffix = suffix.Mid( 2 );
3604 }
3605 else
3606 {
3608 }
3609
3610 aKiCadDim->SetPrefix( prefix );
3611 aKiCadDim->SetSuffix( suffix );
3612
3613 if( aCadstarDim.LinearUnits == UNITS::DESIGN )
3614 {
3615 // For now we will hardcode the units as per the original CADSTAR design.
3616 // TODO: update this when KiCad supports design units
3617 aKiCadDim->SetPrecision( static_cast<DIM_PRECISION>( Assignments.Technology.UnitDisplPrecision ) );
3618 dimensionUnits = Assignments.Technology.Units;
3619 }
3620
3621 switch( dimensionUnits )
3622 {
3623 case UNITS::METER:
3624 case UNITS::CENTIMETER:
3625 case UNITS::MICROMETRE:
3626 wxLogWarning( wxString::Format( _( "Dimension ID %s uses a type of unit that "
3627 "is not supported in KiCad. Millimeters were "
3628 "applied instead." ),
3629 aCadstarDim.ID ) );
3631 case UNITS::MM:
3632 aKiCadDim->SetUnitsMode( DIM_UNITS_MODE::MM );
3633 break;
3634
3635 case UNITS::INCH:
3636 aKiCadDim->SetUnitsMode( DIM_UNITS_MODE::INCH );
3637 break;
3638
3639 case UNITS::THOU:
3640 aKiCadDim->SetUnitsMode( DIM_UNITS_MODE::MILS );
3641 break;
3642
3643 case UNITS::DESIGN:
3644 wxFAIL_MSG( wxT( "We should have handled design units before coming here!" ) );
3645 break;
3646 }
3647}
3648
3649
3651{
3652 std::map<TEMPLATE_ID, std::set<TEMPLATE_ID>> winningOverlaps;
3653
3654 auto inflateValue =
3655 [&]( ZONE* aZoneA, ZONE* aZoneB )
3656 {
3657 int extra = getKiCadLength( Assignments.Codedefs.SpacingCodes.at( wxT( "C_C" ) ).Spacing )
3658 - m_board->GetDesignSettings().m_MinClearance;
3659
3660 int retval = std::max( aZoneA->GetLocalClearance().value(), aZoneB->GetLocalClearance().value() );
3661
3662 retval += extra;
3663
3664 return retval;
3665 };
3666
3667 // Find the error in fill area when guessing that aHigherZone gets filled before aLowerZone
3668 auto errorArea =
3669 [&]( ZONE* aLowerZone, ZONE* aHigherZone ) -> double
3670 {
3671 SHAPE_POLY_SET intersectShape( *aHigherZone->Outline() );
3672 intersectShape.Inflate( inflateValue( aLowerZone, aHigherZone ),
3674
3675 SHAPE_POLY_SET lowerZoneFill( *aLowerZone->GetFilledPolysList( aLayer ) );
3676 SHAPE_POLY_SET lowerZoneOutline( *aLowerZone->Outline() );
3677
3678 lowerZoneOutline.BooleanSubtract( intersectShape );
3679
3680 lowerZoneFill.BooleanSubtract( lowerZoneOutline );
3681
3682 double leftOverArea = lowerZoneFill.Area();
3683
3684 return leftOverArea;
3685 };
3686
3687 auto intersectionAreaOfZoneOutlines =
3688 [&]( ZONE* aZoneA, ZONE* aZoneB ) -> double
3689 {
3690 SHAPE_POLY_SET outLineA( *aZoneA->Outline() );
3691 outLineA.Inflate( inflateValue( aZoneA, aZoneB ), CORNER_STRATEGY::ROUND_ALL_CORNERS, ARC_HIGH_DEF );
3692
3693 SHAPE_POLY_SET outLineB( *aZoneA->Outline() );
3694 outLineB.Inflate( inflateValue( aZoneA, aZoneB ), CORNER_STRATEGY::ROUND_ALL_CORNERS, ARC_HIGH_DEF );
3695
3696 outLineA.BooleanIntersection( outLineB );
3697
3698 return outLineA.Area();
3699 };
3700
3701 // Lambda to determine if the zone with template ID 'a' is lower priority than 'b'
3702 auto isLowerPriority =
3703 [&]( const TEMPLATE_ID& a, const TEMPLATE_ID& b ) -> bool
3704 {
3705 return winningOverlaps[b].count( a ) > 0;
3706 };
3707
3708 for( std::map<TEMPLATE_ID, ZONE*>::iterator it1 = m_zonesMap.begin(); it1 != m_zonesMap.end(); ++it1 )
3709 {
3710 TEMPLATE& thisTemplate = Layout.Templates.at( it1->first );
3711 ZONE* thisZone = it1->second;
3712
3713 if( !thisZone->GetLayerSet().Contains( aLayer ) )
3714 continue;
3715
3716 for( std::map<TEMPLATE_ID, ZONE*>::iterator it2 = it1;
3717 it2 != m_zonesMap.end(); ++it2 )
3718 {
3719 TEMPLATE& otherTemplate = Layout.Templates.at( it2->first );
3720 ZONE* otherZone = it2->second;
3721
3722 if( thisTemplate.ID == otherTemplate.ID )
3723 continue;
3724
3725 if( !otherZone->GetLayerSet().Contains( aLayer ) )
3726 {
3727 checkPoint();
3728 continue;
3729 }
3730
3731 if( intersectionAreaOfZoneOutlines( thisZone, otherZone ) == 0 )
3732 {
3733 checkPoint();
3734 continue; // The zones do not interact in any way
3735 }
3736
3737 SHAPE_POLY_SET thisZonePolyFill = *thisZone->GetFilledPolysList( aLayer );
3738 SHAPE_POLY_SET otherZonePolyFill = *otherZone->GetFilledPolysList( aLayer );
3739
3740 if( thisZonePolyFill.Area() > 0.0 && otherZonePolyFill.Area() > 0.0 )
3741 {
3742 // Test if this zone were lower priority than other zone, what is the error?
3743 double areaThis = errorArea( thisZone, otherZone );
3744 // Vice-versa
3745 double areaOther = errorArea( otherZone, thisZone );
3746
3747 if( areaThis > areaOther )
3748 {
3749 // thisTemplate is filled before otherTemplate
3750 winningOverlaps[thisTemplate.ID].insert( otherTemplate.ID );
3751 }
3752 else
3753 {
3754 // thisTemplate is filled AFTER otherTemplate
3755 winningOverlaps[otherTemplate.ID].insert( thisTemplate.ID );
3756 }
3757 }
3758 else if( thisZonePolyFill.Area() > 0.0 )
3759 {
3760 // The other template is not filled, this one wins
3761 winningOverlaps[thisTemplate.ID].insert( otherTemplate.ID );
3762 }
3763 else if( otherZonePolyFill.Area() > 0.0 )
3764 {
3765 // This template is not filled, the other one wins
3766 winningOverlaps[otherTemplate.ID].insert( thisTemplate.ID );
3767 }
3768 else
3769 {
3770 // Neither of the templates is poured - use zone outlines instead (bigger outlines
3771 // get a lower priority)
3772 if( intersectionAreaOfZoneOutlines( thisZone, otherZone ) != 0 )
3773 {
3774 if( thisZone->Outline()->Area() > otherZone->Outline()->Area() )
3775 winningOverlaps[otherTemplate.ID].insert( thisTemplate.ID );
3776 else
3777 winningOverlaps[thisTemplate.ID].insert( otherTemplate.ID );
3778 }
3779 }
3780
3781 checkPoint();
3782 }
3783 }
3784
3785 // Build a set of unique TEMPLATE_IDs of all the zones that intersect with another one
3786 std::set<TEMPLATE_ID> intersectingIDs;
3787
3788 for( const auto& idPair : winningOverlaps )
3789 {
3790 intersectingIDs.insert( idPair.first );
3791 intersectingIDs.insert( idPair.second.begin(), idPair.second.end() );
3792 }
3793
3794 // Now store them in a vector
3795 std::vector<TEMPLATE_ID> sortedIDs;
3796
3797 for( const TEMPLATE_ID& id : intersectingIDs )
3798 {
3799 sortedIDs.push_back( id );
3800 }
3801
3802 // sort by priority
3803 std::sort( sortedIDs.begin(), sortedIDs.end(), isLowerPriority );
3804
3805 TEMPLATE_ID prevID = wxEmptyString;
3806
3807 for( const TEMPLATE_ID& id : sortedIDs )
3808 {
3809 if( prevID.IsEmpty() )
3810 {
3811 prevID = id;
3812 continue;
3813 }
3814
3815 wxASSERT( !isLowerPriority( id, prevID ) );
3816
3817 int newPriority = m_zonesMap.at( prevID )->GetAssignedPriority();
3818
3819 // Only increase priority of the current zone
3820 if( isLowerPriority( prevID, id ) )
3821 newPriority++;
3822
3823 m_zonesMap.at( id )->SetAssignedPriority( newPriority );
3824 prevID = id;
3825 }
3826
3827 // Verify
3828 for( const auto& idPair : winningOverlaps )
3829 {
3830 const TEMPLATE_ID& winningID = idPair.first;
3831
3832 for( const TEMPLATE_ID& losingID : idPair.second )
3833 {
3834 if( m_zonesMap.at( losingID )->GetAssignedPriority() > m_zonesMap.at( winningID )->GetAssignedPriority() )
3835 return false;
3836 }
3837 }
3838
3839 return true;
3840}
3841
3842
3844{
3845 if( m_componentMap.find( aCadstarComponentID ) == m_componentMap.end() )
3846 return nullptr;
3847 else
3848 return m_componentMap.at( aCadstarComponentID );
3849}
3850
3851
3853{
3854 VECTOR2I retval;
3855
3856 retval.x = ( aCadstarPoint.x - m_designCenter.x ) * KiCadUnitMultiplier;
3857 retval.y = -( aCadstarPoint.y - m_designCenter.y ) * KiCadUnitMultiplier;
3858
3859 return retval;
3860}
3861
3862
3864{
3865 if( aCadstarNetID.IsEmpty() )
3866 {
3867 return nullptr;
3868 }
3869 else if( m_netMap.find( aCadstarNetID ) != m_netMap.end() )
3870 {
3871 return m_netMap.at( aCadstarNetID );
3872 }
3873 else
3874 {
3875 wxCHECK( Layout.Nets.find( aCadstarNetID ) != Layout.Nets.end(), nullptr );
3876
3877 NET_PCB csNet = Layout.Nets.at( aCadstarNetID );
3878 wxString newName = csNet.Name;
3879
3880 if( csNet.Name.IsEmpty() )
3881 {
3882 if( csNet.Pins.size() > 0 )
3883 {
3884 // Create default KiCad net naming:
3885
3886 NET_PCB::PIN firstPin = ( *csNet.Pins.begin() ).second;
3887 //we should have already loaded the component with loadComponents() :
3888 FOOTPRINT* m = getFootprintFromCadstarID( firstPin.ComponentID );
3889 newName = wxT( "Net-(" );
3890 newName << m->Reference().GetText();
3891 newName << wxT( "-Pad" ) << wxString::Format( wxT( "%ld" ), firstPin.PadID );
3892 newName << wxT( ")" );
3893 }
3894 else
3895 {
3896 wxFAIL_MSG( wxT( "A net with no pins associated?" ) );
3897 newName = wxT( "csNet-" );
3898 newName << wxString::Format( wxT( "%i" ), csNet.SignalNum );
3899 }
3900 }
3901
3902 if( !m_doneNetClassWarning && !csNet.NetClassID.IsEmpty() && csNet.NetClassID != wxT( "NONE" ) )
3903 {
3904 wxLogMessage( _( "The CADSTAR design contains nets with a 'Net Class' assigned. KiCad "
3905 "does not have an equivalent to CADSTAR's Net Class so these elements "
3906 "were not imported. Note: KiCad's version of 'Net Class' is closer to "
3907 "CADSTAR's 'Net Route Code' (which has been imported for all nets)." ) );
3908 m_doneNetClassWarning = true;
3909 }
3910
3911 if( !m_doneSpacingClassWarning && !csNet.SpacingClassID.IsEmpty() && csNet.SpacingClassID != wxT( "NONE" ) )
3912 {
3913 wxLogWarning( _( "The CADSTAR design contains nets with a 'Spacing Class' assigned. "
3914 "KiCad does not have an equivalent to CADSTAR's Spacing Class so "
3915 "these elements were not imported. Please review the design rules as "
3916 "copper pours may be affected by this." ) );
3918 }
3919
3920 std::shared_ptr<NET_SETTINGS>& netSettings = m_board->GetDesignSettings().m_NetSettings;
3921 NETINFO_ITEM* netInfo = new NETINFO_ITEM( m_board, newName, ++m_numNets );
3922 std::shared_ptr<NETCLASS> netclass;
3923
3924 std::tuple<ROUTECODE_ID, NETCLASS_ID, SPACING_CLASS_ID> key = { csNet.RouteCodeID,
3925 csNet.NetClassID,
3926 csNet.SpacingClassID };
3927
3928 if( m_netClassMap.find( key ) != m_netClassMap.end() )
3929 {
3930 netclass = m_netClassMap.at( key );
3931 }
3932 else
3933 {
3934 wxString netClassName;
3935
3936 ROUTECODE rc = getRouteCode( csNet.RouteCodeID );
3937 netClassName += wxT( "Route code: " ) + rc.Name;
3938
3939 if( !csNet.NetClassID.IsEmpty() )
3940 {
3941 CADSTAR_NETCLASS nc = Assignments.Codedefs.NetClasses.at( csNet.NetClassID );
3942 netClassName += wxT( " | Net class: " ) + nc.Name;
3943 }
3944
3945 if( !csNet.SpacingClassID.IsEmpty() )
3946 {
3947 SPCCLASSNAME sp = Assignments.Codedefs.SpacingClassNames.at( csNet.SpacingClassID );
3948 netClassName += wxT( " | Spacing class: " ) + sp.Name;
3949 }
3950
3951 netclass.reset( new NETCLASS( netClassName ) );
3952 netSettings->SetNetclass( netClassName, netclass );
3953 netclass->SetTrackWidth( getKiCadLength( rc.OptimalWidth ) );
3954 m_netClassMap.insert( { key, netclass } );
3955 }
3956
3957 m_board->GetDesignSettings().m_NetSettings->SetNetclassPatternAssignment( newName, netclass->GetName() );
3958
3959 netInfo->SetNetClass( netclass );
3960 m_board->Add( netInfo, ADD_MODE::APPEND );
3961 m_netMap.insert( { aCadstarNetID, netInfo } );
3962 return netInfo;
3963 }
3964
3965 return nullptr;
3966}
3967
3968
3969PCB_LAYER_ID CADSTAR_PCB_ARCHIVE_LOADER::getKiCadCopperLayerID( unsigned int aLayerNum, bool aDetectMaxLayer )
3970{
3971 if( aDetectMaxLayer && aLayerNum == (unsigned int) m_numCopperLayers )
3972 return PCB_LAYER_ID::B_Cu;
3973
3974 switch( aLayerNum )
3975 {
3976 case 1: return PCB_LAYER_ID::F_Cu;
3977 case 2: return PCB_LAYER_ID::In1_Cu;
3978 case 3: return PCB_LAYER_ID::In2_Cu;
3979 case 4: return PCB_LAYER_ID::In3_Cu;
3980 case 5: return PCB_LAYER_ID::In4_Cu;
3981 case 6: return PCB_LAYER_ID::In5_Cu;
3982 case 7: return PCB_LAYER_ID::In6_Cu;
3983 case 8: return PCB_LAYER_ID::In7_Cu;
3984 case 9: return PCB_LAYER_ID::In8_Cu;
3985 case 10: return PCB_LAYER_ID::In9_Cu;
3986 case 11: return PCB_LAYER_ID::In10_Cu;
3987 case 12: return PCB_LAYER_ID::In11_Cu;
3988 case 13: return PCB_LAYER_ID::In12_Cu;
3989 case 14: return PCB_LAYER_ID::In13_Cu;
3990 case 15: return PCB_LAYER_ID::In14_Cu;
3991 case 16: return PCB_LAYER_ID::In15_Cu;
3992 case 17: return PCB_LAYER_ID::In16_Cu;
3993 case 18: return PCB_LAYER_ID::In17_Cu;
3994 case 19: return PCB_LAYER_ID::In18_Cu;
3995 case 20: return PCB_LAYER_ID::In19_Cu;
3996 case 21: return PCB_LAYER_ID::In20_Cu;
3997 case 22: return PCB_LAYER_ID::In21_Cu;
3998 case 23: return PCB_LAYER_ID::In22_Cu;
3999 case 24: return PCB_LAYER_ID::In23_Cu;
4000 case 25: return PCB_LAYER_ID::In24_Cu;
4001 case 26: return PCB_LAYER_ID::In25_Cu;
4002 case 27: return PCB_LAYER_ID::In26_Cu;
4003 case 28: return PCB_LAYER_ID::In27_Cu;
4004 case 29: return PCB_LAYER_ID::In28_Cu;
4005 case 30: return PCB_LAYER_ID::In29_Cu;
4006 case 31: return PCB_LAYER_ID::In30_Cu;
4007 case 32: return PCB_LAYER_ID::B_Cu;
4008 }
4009
4011}
4012
4013
4015{
4016 wxCHECK( Assignments.Layerdefs.Layers.find( aCadstarLayerID ) != Assignments.Layerdefs.Layers.end(), false );
4017
4018 LAYER& layer = Assignments.Layerdefs.Layers.at( aCadstarLayerID );
4019
4020 switch( layer.Type )
4021 {
4022 case LAYER_TYPE::ALLDOC:
4025 return true;
4026
4027 default:
4028 return false;
4029 }
4030
4031 return false;
4032}
4033
4034
4036{
4037 if( getLayerType( aCadstarLayerID ) == LAYER_TYPE::NOLAYER )
4038 {
4039 //The "no layer" is common for CADSTAR documentation symbols
4040 //map it to undefined layer for later processing
4042 }
4043
4044 wxCHECK( m_layermap.find( aCadstarLayerID ) != m_layermap.end(), PCB_LAYER_ID::UNDEFINED_LAYER );
4045
4046 return m_layermap.at( aCadstarLayerID );
4047}
4048
4049
4051{
4052 LAYER_TYPE layerType = getLayerType( aCadstarLayerID );
4053
4054 switch( layerType )
4055 {
4056 case LAYER_TYPE::ALLDOC:
4057 return LSET( { PCB_LAYER_ID::Dwgs_User,
4062
4065
4074
4075 default:
4076 return LSET( { getKiCadLayer( aCadstarLayerID ) } );
4077 }
4078}
4079
4080
4081void CADSTAR_PCB_ARCHIVE_LOADER::addToGroup( const GROUP_ID& aCadstarGroupID, BOARD_ITEM* aKiCadItem )
4082{
4083 wxCHECK( m_groupMap.find( aCadstarGroupID ) != m_groupMap.end(), );
4084
4085 PCB_GROUP* parentGroup = m_groupMap.at( aCadstarGroupID );
4086 parentGroup->AddItem( aKiCadItem );
4087}
4088
4089
4091{
4092 wxString groupName = aName;
4093 int num = 0;
4094
4095 while( m_groupMap.find( groupName ) != m_groupMap.end() )
4096 groupName = aName + wxT( "_" ) + wxString::Format( wxT( "%i" ), ++num );
4097
4098 PCB_GROUP* docSymGroup = new PCB_GROUP( m_board );
4099 m_board->Add( docSymGroup );
4100 docSymGroup->SetName( groupName );
4101 GROUP_ID groupID( groupName );
4102 m_groupMap.insert( { groupID, docSymGroup } );
4103
4104 return groupID;
4105}
int index
@ ERROR_INSIDE
constexpr int ARC_HIGH_DEF
Definition base_units.h:129
constexpr double PCB_IU_PER_MM
Pcbnew IU is 1 nanometer.
Definition base_units.h:70
constexpr EDA_IU_SCALE pcbIUScale
Definition base_units.h:112
LAYER_T
The allowed types of layers, same as Specctra DSN spec.
Definition board.h:185
@ LT_POWER
Definition board.h:188
@ LT_JUMPER
Definition board.h:190
@ LT_SIGNAL
Definition board.h:187
@ BS_ITEM_TYPE_COPPER
@ BS_ITEM_TYPE_SILKSCREEN
@ BS_ITEM_TYPE_DIELECTRIC
@ BS_ITEM_TYPE_SOLDERMASK
constexpr BOX2I KiROUND(const BOX2D &aBoxD)
Definition box2.h:990
#define COMPONENT_NAME_2_ATTRID
Component Name 2 Attribute ID - typically used for indicating the placement of designators in placeme...
#define COMPONENT_NAME_ATTRID
Component Name Attribute ID - typically used for placement of designators on silk screen.
#define PART_NAME_ATTRID
Loads a cpa file into a KiCad BOARD object.
BASE_SET & reset(size_t pos)
Definition base_set.h:143
bool SetNetCode(int aNetCode, bool aNoAssert)
Set net using a net code.
PCB_LAYER_ID GetLayer() const override
Return the primary layer this item is on.
void SetLayer(PCB_LAYER_ID aLayer) override
Set the layer this item is on.
NETINFO_ITEM * GetNet() const
Return #NET_INFO object for a given item.
void SetNet(NETINFO_ITEM *aNetInfo)
Set a NET_INFO object for the item.
Container for design settings for a BOARD object.
std::shared_ptr< NET_SETTINGS > m_NetSettings
BOARD_STACKUP & GetStackupDescriptor()
void SetBoardThickness(int aThickness)
int GetLineThickness(PCB_LAYER_ID aLayer) const
Return the default graphic segment thickness from the layer class for the given layer.
Abstract interface for BOARD_ITEMs capable of storing other items inside.
virtual void Add(BOARD_ITEM *aItem, ADD_MODE aMode=ADD_MODE::INSERT, bool aSkipConnectivity=false)=0
Adds an item to the container.
A base class for any item which can be embedded within the BOARD container class, and therefore insta...
Definition board_item.h:84
virtual BOARD_ITEM * Duplicate(bool addToParentGroup, BOARD_COMMIT *aCommit=nullptr) const
Create a copy of this BOARD_ITEM.
void SetLocked(bool aLocked) override
Definition board_item.h:328
bool IsLocked() const override
virtual void SetLayer(PCB_LAYER_ID aLayer)
Set the layer this item is on.
Definition board_item.h:285
Manage one layer needed to make a physical board.
void SetThickness(int aThickness, int aDielectricSubLayer=0)
void SetMaterial(const wxString &aName, int aDielectricSubLayer=0)
void SetLossTangent(double aTg, int aDielectricSubLayer=0)
void SetEpsilonR(double aEpsilon, int aDielectricSubLayer=0)
void SetLayerName(const wxString &aName)
Manage layers needed to make a physical board.
void RemoveAll()
Delete all items in list and clear the list.
const std::vector< BOARD_STACKUP_ITEM * > & GetList() const
int BuildBoardThicknessFromStackup() const
void BuildDefaultStackupList(const BOARD_DESIGN_SETTINGS *aSettings, int aActiveCopperLayersCount=0)
Create a default stackup, according to the current BOARD_DESIGN_SETTINGS settings.
static const std::map< TEXT_FIELD_NAME, wxString > CADSTAR_TO_KICAD_FIELDS
Map between CADSTAR fields and KiCad text variables.
TEXT_FIELD_NAME
These are special fields in text objects enclosed between the tokens '<@' and '>' such as <@[FIELD_NA...
@ NO_ALIGNMENT
NO_ALIGNMENT has different meaning depending on the object type.
static wxString ParseTextFields(const wxString &aTextString, PARSER_CONTEXT *aParserContext)
Replaces CADSTAR fields for the equivalent in KiCad and stores the field values in aParserContext.
wxString LAYER_ID
ID of a Sheet (if schematic) or board Layer (if PCB)
static void FixTextPositionNoAlignment(EDA_TEXT *aKiCadTextItem)
Correct the position of a text element that had NO_ALIGNMENT in CADSTAR.
@ OPENSHAPE
Unfilled open shape. Cannot have cutouts.
@ SOLID
Filled closed shape (solid fill).
@ HATCHED
Filled closed shape (hatch fill).
static const double TXT_HEIGHT_RATIO
CADSTAR fonts are drawn on a 24x24 integer matrix, where the each axis goes from 0 to 24.
void checkPoint()
Updates m_progressReporter or throws if user canceled.
@ DESIGN
Inherits from design units (assumed Assignments->Technology->Units)
PROGRESS_REPORTER * m_progressReporter
std::map< TEMPLATE_ID, ZONE * > m_zonesMap
Map between Cadstar and KiCad zones.
std::map< std::tuple< ROUTECODE_ID, NETCLASS_ID, SPACING_CLASS_ID >, std::shared_ptr< NETCLASS > > m_netClassMap
Map between Cadstar and KiCad classes.
bool m_doneCopperWarning
Used by loadCoppers() to avoid multiple duplicate warnings.
std::set< PADCODE_ID > m_padcodesTested
Used by getKiCadPad() to avoid multiple duplicate warnings.
int getKiCadLength(long long aCadstarLength)
void initStackupItem(const LAYER &aCadstarLayer, BOARD_STACKUP_ITEM *aKiCadItem, int aDielectricSublayer)
int m_numCopperLayers
Number of layers in the design.
std::vector< LAYER_ID > m_powerPlaneLayers
List of layers that are marked as power plane in CADSTAR.
void drawCadstarText(const TEXT &aCadstarText, BOARD_ITEM_CONTAINER *aContainer, const GROUP_ID &aCadstarGroupID=wxEmptyString, const LAYER_ID &aCadstarLayerOverride=wxEmptyString, const VECTOR2I &aMoveVector={ 0, 0 }, double aRotationAngle=0.0, double aScalingFactor=1.0, const VECTOR2I &aTransformCentre={ 0, 0 }, bool aMirrorInvert=false)
bool isLayerSet(const LAYER_ID &aCadstarLayerID)
LAYERPAIR getLayerPair(const LAYERPAIR_ID &aCadstarLayerPairID)
FOOTPRINT * getFootprintFromCadstarID(const COMPONENT_ID &aCadstarComponentID)
PADCODE getPadCode(const PADCODE_ID &aCadstarPadCodeID)
int loadNetVia(const NET_ID &aCadstarNetID, const NET_PCB::VIA &aCadstarVia)
Load via and return via size.
EDA_ANGLE getAngle(const long long &aCadstarAngle)
std::vector< PCB_SHAPE * > getShapesFromVertices(const std::vector< VERTEX > &aCadstarVertices, BOARD_ITEM_CONTAINER *aContainer=nullptr, const GROUP_ID &aCadstarGroupID=wxEmptyString, const VECTOR2I &aMoveVector={ 0, 0 }, double aRotationAngle=0.0, double aScalingFactor=1.0, const VECTOR2I &aTransformCentre={ 0, 0 }, bool aMirrorInvert=false)
Returns a vector of pointers to PCB_SHAPE objects.
void applyTextCode(EDA_TEXT *aKiCadText, const TEXTCODE_ID &aCadstarTextCodeID)
Apply cadstar textcode parameters to a KiCad text object.
std::map< COMPONENT_ID, FOOTPRINT * > m_componentMap
Map between Cadstar and KiCad components on the board.
SHAPE_LINE_CHAIN getLineChainFromShapes(const std::vector< PCB_SHAPE * > &aShapes)
Returns a SHAPE_LINE_CHAIN object from a series of PCB_SHAPE objects.
std::map< PAD_ID, std::vector< PAD_ID > > ASSOCIATED_COPPER_PADS
Map of pad anchor points (first) to copper pads (second).
void applyDimensionSettings(const DIMENSION &aCadstarDim, PCB_DIMENSION_BASE *aKiCadDim)
void loadNetTracks(const NET_ID &aCadstarNetID, const NET_PCB::ROUTE &aCadstarRoute, long aStartWidth=std::numeric_limits< long >::max(), long aEndWidth=std::numeric_limits< long >::max())
ZONE * getZoneFromCadstarShape(const SHAPE &aCadstarShape, const int &aLineThickness, BOARD_ITEM_CONTAINER *aParentContainer)
PCB_LAYER_ID getKiCadCopperLayerID(unsigned int aLayerNum, bool aDetectMaxLayer=true)
std::vector< PCB_TRACK * > makeTracksFromShapes(const std::vector< PCB_SHAPE * > &aShapes, BOARD_ITEM_CONTAINER *aParentContainer, NETINFO_ITEM *aNet=nullptr, PCB_LAYER_ID aLayerOverride=UNDEFINED_LAYER, int aWidthOverride=-1)
Returns a vector of pointers to TRACK/ARC objects.
VIACODE getViaCode(const VIACODE_ID &aCadstarViaCodeID)
VECTOR2I m_designCenter
Used for calculating the required offset to apply to the Cadstar design so that it fits in KiCad canv...
void Load(BOARD *aBoard, PROJECT *aProject)
Loads a CADSTAR PCB Archive file into the KiCad BOARD object given.
void drawCadstarCutoutsAsShapes(const std::vector< CUTOUT > &aCutouts, const PCB_LAYER_ID &aKiCadLayer, int aLineThickness, BOARD_ITEM_CONTAINER *aContainer, const GROUP_ID &aCadstarGroupID=wxEmptyString, const VECTOR2I &aMoveVector={ 0, 0 }, double aRotationAngle=0.0, double aScalingFactor=1.0, const VECTOR2I &aTransformCentre={ 0, 0 }, bool aMirrorInvert=false)
Uses PCB_SHAPEs to draw the cutouts on m_board object.
void logBoardStackupWarning(const wxString &aCadstarLayerName, const PCB_LAYER_ID &aKiCadLayer)
std::vector< FOOTPRINT * > GetLoadedLibraryFootpints() const
Return a copy of the loaded library footprints (caller owns the objects)
PCB_SHAPE * getShapeFromVertex(const POINT &aCadstarStartPoint, const VERTEX &aCadstarVertex, BOARD_ITEM_CONTAINER *aContainer=nullptr, const GROUP_ID &aCadstarGroupID=wxEmptyString, const VECTOR2I &aMoveVector={ 0, 0 }, double aRotationAngle=0.0, double aScalingFactor=1.0, const VECTOR2I &aTransformCentre={ 0, 0 }, bool aMirrorInvert=false)
Returns a pointer to a PCB_SHAPE object.
void checkAndLogHatchCode(const HATCHCODE_ID &aCadstarHatchcodeID)
bool m_doneSpacingClassWarning
Used by getKiCadNet() to avoid multiple duplicate warnings.
int m_numNets
Number of nets loaded so far.
void loadLibraryPads(const SYMDEF_PCB &aComponent, FOOTPRINT *aFootprint)
PAD * getKiCadPad(const COMPONENT_PAD &aCadstarPad, FOOTPRINT *aParent)
void drawCadstarShape(const SHAPE &aCadstarShape, const PCB_LAYER_ID &aKiCadLayer, int aLineThickness, const wxString &aShapeName, BOARD_ITEM_CONTAINER *aContainer, const GROUP_ID &aCadstarGroupID=wxEmptyString, const VECTOR2I &aMoveVector={ 0, 0 }, double aRotationAngle=0.0, double aScalingFactor=1.0, const VECTOR2I &aTransformCentre={ 0, 0 }, bool aMirrorInvert=false)
NETINFO_ITEM * getKiCadNet(const NET_ID &aCadstarNetID)
Searches m_netMap and returns the NETINFO_ITEM pointer if exists.
void logBoardStackupMessage(const wxString &aCadstarLayerName, const PCB_LAYER_ID &aKiCadLayer)
int getLineThickness(const LINECODE_ID &aCadstarLineCodeID)
std::map< NET_ID, NETINFO_ITEM * > m_netMap
Map between Cadstar and KiCad Nets.
void loadComponentAttributes(const COMPONENT &aComponent, FOOTPRINT *aFootprint)
PCB_GROUP * getKiCadGroup(const GROUP_ID &aCadstarGroupID)
bool m_logLayerWarnings
Used in loadBoardStackup()
HATCHCODE getHatchCode(const HATCHCODE_ID &aCadstarHatchcodeID)
void loadLibraryCoppers(const SYMDEF_PCB &aComponent, FOOTPRINT *aFootprint)
LAYER_TYPE getLayerType(const LAYER_ID aCadstarLayerID)
void loadLibraryFigures(const SYMDEF_PCB &aComponent, FOOTPRINT *aFootprint)
TEXTCODE getTextCode(const TEXTCODE_ID &aCadstarTextCodeID)
wxString getAttributeName(const ATTRIBUTE_ID &aCadstarAttributeID)
wxString getAttributeValue(const ATTRIBUTE_ID &aCadstarAttributeID, const std::map< ATTRIBUTE_ID, ATTRIBUTE_VALUE > &aCadstarAttributeMap)
void applyRouteOffset(VECTOR2I *aPointToOffset, const VECTOR2I &aRefPoint, const long &aOffsetAmount)
CADSTAR's Post Processor does an action called "Route Offset" which is applied when a route is wider ...
VECTOR2I getKiCadPoint(const VECTOR2I &aCadstarPoint)
Scales, offsets and inverts y axis to make the point usable directly in KiCad.
void remapUnsureLayers()
Callback m_layerMappingHandler for layers we aren't sure of.
double getAngleTenthDegree(const long long &aCadstarAngle)
LSET getKiCadLayerSet(const LAYER_ID &aCadstarLayerID)
void addToGroup(const GROUP_ID &aCadstarGroupID, BOARD_ITEM *aKiCadItem)
std::map< SYMDEF_ID, FOOTPRINT * > m_libraryMap
Map between Cadstar and KiCad components in the library.
COPPERCODE getCopperCode(const COPPERCODE_ID &aCadstaCopperCodeID)
SHAPE_POLY_SET getPolySetFromCadstarShape(const SHAPE &aCadstarShape, int aLineThickness=-1, BOARD_ITEM_CONTAINER *aContainer=nullptr, const VECTOR2I &aMoveVector={ 0, 0 }, double aRotationAngle=0.0, double aScalingFactor=1.0, const VECTOR2I &aTransformCentre={ 0, 0 }, bool aMirrorInvert=false)
Returns a SHAPE_POLY_SET object from a Cadstar SHAPE.
EDA_ANGLE getHatchCodeAngle(const HATCHCODE_ID &aCadstarHatchcodeID)
int getKiCadHatchCodeThickness(const HATCHCODE_ID &aCadstarHatchcodeID)
PCB_LAYER_ID getKiCadLayer(const LAYER_ID &aCadstarLayerID)
std::set< HATCHCODE_ID > m_hatchcodesTested
Used by checkAndLogHatchCode() to avoid multiple duplicate warnings.
void loadLibraryAreas(const SYMDEF_PCB &aComponent, FOOTPRINT *aFootprint)
GROUP_ID createUniqueGroupID(const wxString &aName)
Adds a new PCB_GROUP* to m_groupMap.
int getKiCadHatchCodeGap(const HATCHCODE_ID &aCadstarHatchcodeID)
std::vector< std::unique_ptr< FOOTPRINT > > LoadLibrary()
Parse a CADSTAR PCB Archive and load the footprints contained within.
ROUTECODE getRouteCode(const ROUTECODE_ID &aCadstarRouteCodeID)
void drawCadstarVerticesAsShapes(const std::vector< VERTEX > &aCadstarVertices, const PCB_LAYER_ID &aKiCadLayer, int aLineThickness, BOARD_ITEM_CONTAINER *aContainer, const GROUP_ID &aCadstarGroupID=wxEmptyString, const VECTOR2I &aMoveVector={ 0, 0 }, double aRotationAngle=0.0, double aScalingFactor=1.0, const VECTOR2I &aTransformCentre={ 0, 0 }, bool aMirrorInvert=false)
Uses PCB_SHAPE to draw the vertices on m_board object.
void addAttribute(const ATTRIBUTE_LOCATION &aCadstarAttrLoc, const ATTRIBUTE_ID &aCadstarAttributeID, FOOTPRINT *aFootprint, const wxString &aAttributeValue)
Adds a CADSTAR Attribute to a KiCad footprint.
std::map< GROUP_ID, PCB_GROUP * > m_groupMap
Map between Cadstar and KiCad groups.
bool calculateZonePriorities(PCB_LAYER_ID &aLayer)
Tries to make a best guess as to the zone priorities based on the pour status.
std::map< LAYER_ID, PCB_LAYER_ID > m_layermap
Map between Cadstar and KiCad Layers.
PAD *& getPadReference(FOOTPRINT *aFootprint, const PAD_ID aCadstarPadID)
bool m_doneNetClassWarning
Used by getKiCadNet() to avoid multiple duplicate warnings.
double getAngleDegrees(const long long &aCadstarAngle)
PART getPart(const PART_ID &aCadstarPartID)
LAYER_MAPPING_HANDLER m_layerMappingHandler
Callback to get layer mapping.
std::map< SYMDEF_ID, ASSOCIATED_COPPER_PADS > m_librarycopperpads
Associated copper pads (if any) for each component library definition.
long PAD_ID
Pad identifier (pin) in the PCB.
void Parse(bool aLibrary=false)
Parses the file.
int KiCadUnitMultiplier
Use this value to convert units in this CPA file to KiCad units.
@ ALLELEC
Inbuilt layer type (cannot be assigned to user layers)
@ ALLDOC
Inbuilt layer type (cannot be assigned to user layers)
@ NOLAYER
Inbuilt layer type (cannot be assigned to user layers)
@ JUMPERLAYER
Inbuilt layer type (cannot be assigned to user layers)
@ ALLLAYER
Inbuilt layer type (cannot be assigned to user layers)
@ ASSCOMPCOPP
Inbuilt layer type (cannot be assigned to user layers)
@ MAXIMUM
The highest PHYSICAL_LAYER_ID currently defined (i.e.
@ THROUGH_HOLE
All physical layers currently defined.
EDA_ANGLE NormalizeNegative()
Definition eda_angle.h:246
double Sin() const
Definition eda_angle.h:178
EDA_ANGLE Normalize180()
Definition eda_angle.h:268
double Cos() const
Definition eda_angle.h:197
void AddItem(EDA_ITEM *aItem)
Add item to group.
Definition eda_group.cpp:27
void SetName(const wxString &aName)
Definition eda_group.h:52
void SetCenter(const VECTOR2I &aCenter)
SHAPE_POLY_SET & GetPolyShape()
Definition eda_shape.h:337
void SetPolyShape(const SHAPE_POLY_SET &aShape)
Definition eda_shape.h:345
virtual void SetFilled(bool aFlag)
Definition eda_shape.h:136
void SetStart(const VECTOR2I &aStart)
Definition eda_shape.h:178
void SetShape(SHAPE_T aShape)
Definition eda_shape.h:168
void SetEnd(const VECTOR2I &aEnd)
Definition eda_shape.h:220
void SetArcAngleAndEnd(const EDA_ANGLE &aAngle, bool aCheckNegativeAngle=false)
Set the end point from the angle center and start.
void SetFillMode(FILL_T aFill)
A mix-in class (via multiple inheritance) that handles texts such as labels, parts,...
Definition eda_text.h:80
const EDA_ANGLE & GetTextAngle() const
Definition eda_text.h:147
void SetTextSize(VECTOR2I aNewSize, bool aEnforceMinTextSize=true)
Definition eda_text.cpp:546
virtual const wxString & GetText() const
Return the string associated with the text object.
Definition eda_text.h:98
void SetTextPos(const VECTOR2I &aPoint)
Definition eda_text.cpp:590
void SetMirrored(bool isMirrored)
Definition eda_text.cpp:407
void SetVertJustify(GR_TEXT_V_ALIGN_T aType)
Definition eda_text.cpp:431
virtual void SetVisible(bool aVisible)
Definition eda_text.cpp:400
void SetTextThickness(int aWidth)
The TextThickness is that set by the user.
Definition eda_text.cpp:298
void SetBold(bool aBold)
Set the text to be bold - this will also update the font if needed.
Definition eda_text.cpp:349
void SetKeepUpright(bool aKeepUpright)
Definition eda_text.cpp:439
virtual void SetText(const wxString &aText)
Definition eda_text.cpp:284
virtual void SetTextAngle(const EDA_ANGLE &aAngle)
Definition eda_text.cpp:313
int GetTextThickness() const
Definition eda_text.h:128
void SetItalic(bool aItalic)
Set the text to be italic - this will also update the font if needed.
Definition eda_text.cpp:321
void SetFont(KIFONT::FONT *aFont)
Definition eda_text.cpp:513
VECTOR2I GetTextSize() const
Definition eda_text.h:261
void SetHorizJustify(GR_TEXT_H_ALIGN_T aType)
Definition eda_text.cpp:423
void SetPosition(const VECTOR2I &aPos) override
void SetFPID(const LIB_ID &aFPID)
Definition footprint.h:352
void SetOrientation(const EDA_ANGLE &aNewAngle)
PCB_FIELD & Value()
read/write accessors:
Definition footprint.h:787
std::deque< PAD * > & Pads()
Definition footprint.h:306
void SetReference(const wxString &aReference)
Definition footprint.h:757
void SetValue(const wxString &aValue)
Definition footprint.h:778
PCB_FIELD & Reference()
Definition footprint.h:788
void Add(BOARD_ITEM *aItem, ADD_MODE aMode=ADD_MODE::INSERT, bool aSkipConnectivity=false) override
Removes an item from the container.
void AutoPositionFields()
Position Reference and Value fields at the top and bottom of footprint's bounding box.
void Flip(const VECTOR2I &aCentre, FLIP_DIRECTION aFlipDirection) override
Flip this object, i.e.
BOARD_ITEM * Duplicate(bool addToParentGroup, BOARD_COMMIT *aCommit=nullptr) const override
Create a copy of this BOARD_ITEM.
void SetLibDescription(const wxString &aDesc)
Definition footprint.h:369
const wxString & GetReference() const
Definition footprint.h:751
FONT is an abstract base class for both outline and stroke fonts.
Definition font.h:98
static FONT * GetFont(const wxString &aFontName=wxEmptyString, bool aBold=false, bool aItalic=false, const std::vector< wxString > *aEmbeddedFiles=nullptr, bool aForDrawingSheet=false)
Definition font.cpp:147
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
LSEQ is a sequence (and therefore also a set) of PCB_LAYER_IDs.
Definition lseq.h:47
LSET is a set of PCB_LAYER_IDs.
Definition lset.h:37
static const LSET & AllBoardTechMask()
Return a mask holding board technical layers (no CU layer) on both side.
Definition lset.cpp:683
static const LSET & AllCuMask()
return AllCuMask( MAX_CU_LAYERS );
Definition lset.cpp:608
static const LSET & UserMask()
Definition lset.cpp:690
LSEQ Seq(const LSEQ &aSequence) const
Return an LSEQ from the union of this LSET and a desired sequence.
Definition lset.cpp:313
static LSET AllCuMask(int aCuLayerCount)
Return a mask holding the requested number of Cu PCB_LAYER_IDs.
Definition lset.cpp:599
static const LSET & AllLayersMask()
Definition lset.cpp:641
static LSET UserDefinedLayersMask(int aUserDefinedLayerCount=MAX_USER_DEFINED_LAYERS)
Return a mask with the requested number of user defined layers.
Definition lset.cpp:704
static wxString Name(PCB_LAYER_ID aLayerId)
Return the fixed name association with aLayerId.
Definition lset.cpp:188
bool Contains(PCB_LAYER_ID aLayer) const
See if the layer set contains a PCB layer.
Definition lset.h:63
Handle the data for a net.
Definition netinfo.h:54
void SetNetClass(const std::shared_ptr< NETCLASS > &aNetClass)
std::shared_ptr< NETCLASS > GetDefaultNetclass()
Gets the default netclass for the project.
static constexpr PCB_LAYER_ID ALL_LAYERS
! Temporary layer identifier to identify code that is not padstack-aware
Definition padstack.h:177
Definition pad.h:55
const wxString & GetNumber() const
Definition pad.h:137
void SetNumber(const wxString &aNumber)
Set the pad number (note that it can be alphanumeric, such as the array reference "AA12").
Definition pad.h:136
Abstract dimension API.
void SetUnitsFormat(const DIM_UNITS_FORMAT aFormat)
void SetPrefix(const wxString &aPrefix)
void SetExtensionOffset(int aOffset)
void SetSuffix(const wxString &aSuffix)
void SetLineThickness(int aWidth)
virtual const VECTOR2I & GetStart() const
The dimension's origin is the first feature point for the dimension.
virtual void SetEnd(const VECTOR2I &aPoint)
void SetPrecision(DIM_PRECISION aPrecision)
virtual void SetStart(const VECTOR2I &aPoint)
void SetOverrideText(const wxString &aValue)
void SetUnitsMode(DIM_UNITS_MODE aMode)
For better understanding of the points that make a dimension:
void SetExtensionHeight(int aHeight)
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.
An orthogonal dimension is like an aligned dimension, but the extension lines are locked to the X or ...
void SetOrientation(DIR aOrientation)
Set the orientation of the dimension line (so, perpendicular to the feature lines).
A set of BOARD_ITEMs (i.e., without duplicates).
Definition pcb_group.h:53
void SetLocked(bool aLocked) override
void Rotate(const VECTOR2I &aRotCentre, const EDA_ANGLE &aAngle) override
Rotate this object.
void Flip(const VECTOR2I &aCentre, FLIP_DIRECTION aFlipDirection) override
Flip this object, i.e.
void SetLayer(PCB_LAYER_ID aLayer) override
Set the layer this item is on.
void Move(const VECTOR2I &aMoveVector) override
Move this object.
void Scale(double aScale)
void SetStroke(const STROKE_PARAMS &aStroke) override
Definition pcb_shape.h:92
void Flip(const VECTOR2I &aCentre, FLIP_DIRECTION aFlipDirection) override
Flip this object, i.e.
Definition pcb_text.cpp:453
virtual void SetPosition(const VECTOR2I &aPos) override
Definition pcb_text.h:84
void Move(const VECTOR2I &aMoveVector) override
Move this object.
Definition pcb_text.h:86
void SetEnd(const VECTOR2I &aEnd)
Definition pcb_track.h:93
void SetStart(const VECTOR2I &aStart)
Definition pcb_track.h:96
const VECTOR2I & GetStart() const
Definition pcb_track.h:97
const VECTOR2I & GetEnd() const
Definition pcb_track.h:94
virtual void SetWidth(int aWidth)
Definition pcb_track.h:90
virtual int GetWidth() const
Definition pcb_track.h:91
Container for project specific data.
Definition project.h:65
void Reverse()
Represent a polyline containing arcs as well as line segments: A chain of connected line and/or arc s...
virtual const VECTOR2I GetPoint(int aIndex) const override
void SetClosed(bool aClosed)
Mark the line chain as closed (i.e.
int PointCount() const
Return the number of points (vertices) in this line chain.
void Append(int aX, int aY, bool aAllowDuplication=false)
Append a new point at the end of the line chain.
Represent a set of closed polygons.
void BooleanAdd(const SHAPE_POLY_SET &b)
Perform boolean polyset union.
void ClearArcs()
Removes all arc references from all the outlines and holes in the polyset.
double Area()
Return the area of this poly set.
void Inflate(int aAmount, CORNER_STRATEGY aCornerStrategy, int aMaxError, bool aSimplify=false)
Perform outline inflation/deflation.
int HoleCount(int aOutline) const
Returns the number of holes in a given outline.
int AddHole(const SHAPE_LINE_CHAIN &aHole, int aOutline=-1)
Adds a new hole to the given outline (default: last) and returns its index.
SHAPE_LINE_CHAIN & Outline(int aIndex)
Return the reference to aIndex-th outline in the set.
SHAPE_LINE_CHAIN & Hole(int aOutline, int aHole)
Return the reference to aHole-th hole in the aIndex-th outline.
void BooleanIntersection(const SHAPE_POLY_SET &b)
Perform boolean polyset intersection.
const SHAPE_LINE_CHAIN & CHole(int aOutline, int aHole) const
int OutlineCount() const
Return the number of outlines in the set.
void Move(const VECTOR2I &aVector) override
void Fracture(bool aSimplify=true)
Convert a set of polygons with holes to a single outline with "slits"/"fractures" connecting the oute...
bool Contains(const VECTOR2I &aP, int aSubpolyIndex=-1, int aAccuracy=0, bool aUseBBoxCaches=false) const
Return true if a given subpolygon contains the point aP.
void BooleanSubtract(const SHAPE_POLY_SET &b)
Perform boolean polyset difference.
const SHAPE_LINE_CHAIN & COutline(int aIndex) const
virtual VECTOR2I GetStart() const
Definition shape.h:286
Simple container to manage line stroke parameters.
T EuclideanNorm() const
Compute the Euclidean norm of the vector, which is defined as sqrt(x ** 2 + y ** 2).
Definition vector2d.h:283
VECTOR2< T > Resize(T aNewLength) const
Return a vector of the same direction, but length specified in aNewLength.
Definition vector2d.h:385
Handle a list of polygons defining a copper zone.
Definition zone.h:73
void SetHatchThickness(int aThickness)
Definition zone.h:316
void SetNeedRefill(bool aNeedRefill)
Definition zone.h:301
void SetDoNotAllowPads(bool aEnable)
Definition zone.h:738
std::optional< int > GetLocalClearance() const override
Definition zone.cpp:846
void SetLocalClearance(std::optional< int > aClearance)
Definition zone.h:186
void AddPolygon(std::vector< VECTOR2I > &aPolygon)
Add a polygon to the zone outline.
Definition zone.cpp:1166
std::shared_ptr< SHAPE_POLY_SET > GetFilledPolysList(PCB_LAYER_ID aLayer) const
Definition zone.h:606
void SetMinThickness(int aMinThickness)
Definition zone.h:307
void SetHatchOrientation(const EDA_ANGLE &aStep)
Definition zone.h:322
void SetThermalReliefSpokeWidth(int aThermalReliefSpokeWidth)
Definition zone.h:237
virtual void SetLayer(PCB_LAYER_ID aLayer) override
Set the layer this item is on.
Definition zone.cpp:550
SHAPE_POLY_SET * Outline()
Definition zone.h:340
void SetHatchStyle(ZONE_BORDER_DISPLAY_STYLE aStyle)
Definition zone.h:595
SHAPE_POLY_SET * GetFill(PCB_LAYER_ID aLayer)
Definition zone.h:613
void SetIsRuleArea(bool aEnable)
Definition zone.h:720
void SetDoNotAllowTracks(bool aEnable)
Definition zone.h:737
void SetFilledPolysList(PCB_LAYER_ID aLayer, const SHAPE_POLY_SET &aPolysList)
Set the list of filled polygons.
Definition zone.h:634
void SetIsFilled(bool isFilled)
Definition zone.h:298
void SetFillMode(ZONE_FILL_MODE aFillMode)
Definition zone.h:223
bool HasFilledPolysForLayer(PCB_LAYER_ID aLayer) const
Definition zone.h:597
void SetLayerSet(const LSET &aLayerSet) override
Definition zone.cpp:556
void SetDoNotAllowVias(bool aEnable)
Definition zone.h:736
void SetThermalReliefGap(int aThermalReliefGap)
Definition zone.h:226
virtual LSET GetLayerSet() const override
Return a std::bitset of all layers on which the item physically resides.
Definition zone.h:136
void SetDoNotAllowFootprints(bool aEnable)
Definition zone.h:739
void SetDoNotAllowZoneFills(bool aEnable)
Definition zone.h:735
void SetAssignedPriority(unsigned aPriority)
Definition zone.h:120
void SetPadConnection(ZONE_CONNECTION aPadConnection)
Definition zone.h:304
void SetZoneName(const wxString &aName)
Definition zone.h:164
void SetIslandRemovalMode(ISLAND_REMOVAL_MODE aRemove)
Definition zone.h:742
void SetMinIslandArea(long long int aArea)
Definition zone.h:745
void SetHatchGap(int aStep)
Definition zone.h:319
void TransformArcToPolygon(SHAPE_POLY_SET &aBuffer, const VECTOR2I &aStart, const VECTOR2I &aMid, const VECTOR2I &aEnd, int aWidth, int aError, ERROR_LOC aErrorLoc)
Convert arc to multiple straight segments.
void TransformOvalToPolygon(SHAPE_POLY_SET &aBuffer, const VECTOR2I &aStart, const VECTOR2I &aEnd, int aWidth, int aError, ERROR_LOC aErrorLoc, int aMinSegCount=0)
Convert a oblong shape to a polygon, using multiple segments.
@ ROUND_ALL_CORNERS
All angles are rounded.
#define _(s)
static constexpr EDA_ANGLE ANGLE_90
Definition eda_angle.h:413
@ TENTHS_OF_A_DEGREE_T
Definition eda_angle.h:30
static constexpr EDA_ANGLE ANGLE_180
Definition eda_angle.h:415
#define IGNORE_PARENT_GROUP
Definition eda_item.h:56
@ SEGMENT
Definition eda_shape.h:45
@ REVERSE_HATCH
Definition eda_shape.h:62
@ HATCH
Definition eda_shape.h:61
@ FILLED_SHAPE
Fill with object color.
Definition eda_shape.h:58
#define DEFAULT_SIZE_TEXT
This is the "default-of-the-default" hardcoded text size; individual application define their own def...
Definition eda_text.h:70
#define THROW_IO_ERROR(msg)
macro which captures the "call site" values of FILE_, __FUNCTION & LINE
PCB_LAYER_ID
A quick note on layer IDs:
Definition layer_ids.h:60
@ In22_Cu
Definition layer_ids.h:87
@ In11_Cu
Definition layer_ids.h:76
@ In29_Cu
Definition layer_ids.h:94
@ In30_Cu
Definition layer_ids.h:95
@ User_8
Definition layer_ids.h:131
@ F_CrtYd
Definition layer_ids.h:116
@ In17_Cu
Definition layer_ids.h:82
@ 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
@ In9_Cu
Definition layer_ids.h:74
@ Cmts_User
Definition layer_ids.h:108
@ User_6
Definition layer_ids.h:129
@ User_7
Definition layer_ids.h:130
@ In19_Cu
Definition layer_ids.h:84
@ In7_Cu
Definition layer_ids.h:72
@ In28_Cu
Definition layer_ids.h:93
@ In26_Cu
Definition layer_ids.h:91
@ F_Adhes
Definition layer_ids.h:102
@ B_Mask
Definition layer_ids.h:98
@ B_Cu
Definition layer_ids.h:65
@ User_5
Definition layer_ids.h:128
@ Eco1_User
Definition layer_ids.h:109
@ F_Mask
Definition layer_ids.h:97
@ In21_Cu
Definition layer_ids.h:86
@ In23_Cu
Definition layer_ids.h:88
@ B_Paste
Definition layer_ids.h:105
@ In15_Cu
Definition layer_ids.h:80
@ In2_Cu
Definition layer_ids.h:67
@ User_9
Definition layer_ids.h:132
@ F_Fab
Definition layer_ids.h:119
@ In10_Cu
Definition layer_ids.h:75
@ F_SilkS
Definition layer_ids.h:100
@ In4_Cu
Definition layer_ids.h:69
@ B_CrtYd
Definition layer_ids.h:115
@ UNDEFINED_LAYER
Definition layer_ids.h:61
@ Eco2_User
Definition layer_ids.h:110
@ In16_Cu
Definition layer_ids.h:81
@ In24_Cu
Definition layer_ids.h:89
@ In1_Cu
Definition layer_ids.h:66
@ User_3
Definition layer_ids.h:126
@ User_1
Definition layer_ids.h:124
@ B_SilkS
Definition layer_ids.h:101
@ In13_Cu
Definition layer_ids.h:78
@ User_4
Definition layer_ids.h:127
@ In8_Cu
Definition layer_ids.h:73
@ In14_Cu
Definition layer_ids.h:79
@ User_2
Definition layer_ids.h:125
@ In12_Cu
Definition layer_ids.h:77
@ In27_Cu
Definition layer_ids.h:92
@ In6_Cu
Definition layer_ids.h:71
@ In5_Cu
Definition layer_ids.h:70
@ In3_Cu
Definition layer_ids.h:68
@ In20_Cu
Definition layer_ids.h:85
@ F_Cu
Definition layer_ids.h:64
@ In18_Cu
Definition layer_ids.h:83
@ In25_Cu
Definition layer_ids.h:90
@ B_Fab
Definition layer_ids.h:118
This file contains miscellaneous commonly used macros and functions.
#define KI_FALLTHROUGH
The KI_FALLTHROUGH macro is to be used when switch statement cases should purposely fallthrough from ...
Definition macros.h:83
@ LEFT_RIGHT
Flip left to right (around the Y axis)
Definition mirror.h:28
constexpr int Mils2IU(const EDA_IU_SCALE &aIuScale, int mils)
Definition eda_units.h:175
EDA_ANGLE abs(const EDA_ANGLE &aAngle)
Definition eda_angle.h:400
@ NPTH
like PAD_PTH, but not plated mechanical use only, no connection allowed
Definition padstack.h:103
@ SMD
Smd pad, appears on the solder paste layer (default)
Definition padstack.h:99
@ PTH
Plated through hole pad.
Definition padstack.h:98
@ CHAMFERED_RECT
Definition padstack.h:60
@ ROUNDRECT
Definition padstack.h:57
@ RECTANGLE
Definition padstack.h:54
DIM_PRECISION
Class to handle a set of BOARD_ITEMs.
#define KEY_PREPREG
#define KEY_CORE
ALIGNMENT Alignment
In CADSTAR The default alignment for a TEXT object (when "(No Alignment()" is selected) Bottom Left o...
bool HasLocation
Flag to know if this ATTRIBUTE_VALUE has a location i.e.
Represent a cutout in a closed shape (e.g.
long ScaleRatioNumerator
Documentation symbols can be arbitrarily scaled when added to a design.
long ScaleRatioDenominator
Documentation symbols can be arbitrarily scaled when added to a design.
POINT Origin
Origin of the component (this is used as the reference point when placing the component in the design...
LAYER_ID LayerID
Move all objects in the Symdef to this layer.
SYMDEF_ID SymdefID
Normally documentation symbols only have TEXT, FIGURE and TEXT_LOCATION objects which are all drawn o...
GROUP_ID GroupID
If not empty, this FIGURE is part of a group.
long Modifier1
It seems this is related to weight. 400=Normal, 700=Bold.
GROUP_ID GroupID
If not empty, this GROUP is part of another GROUP.
ROUTECODE_ID RouteCodeID
"NETCODE" subnode
wxString Name
This is undefined (wxEmptyString) if the net is unnamed.
NETCLASS_ID NetClassID
The net might not have a net class, in which case it will be wxEmptyString ("NETCLASSREF" subnode)
SPACING_CLASS_ID SpacingClassID
The net might not have a spacing class, in which case it will be wxEmptyString ("SPACINGCLASS" subnod...
long SignalNum
This is undefined if the net has been given a name.
wxString Name
This name can be different to the PART name.
std::map< PART_DEFINITION_PIN_ID, PIN > Pins
Represent a point in x,y coordinates.
wxString HatchCodeID
Only Applicable for HATCHED Type.
std::vector< CUTOUT > Cutouts
Not Applicable to OPENSHAPE Type.
std::map< FIGURE_ID, FIGURE > Figures
POINT Origin
Origin of the component (this is used as the reference point when placing the component in the design...
wxString Alternate
This is in addition to ReferenceName.
wxString ReferenceName
This is the name which identifies the symbol in the library Multiple components may exist with the sa...
long Width
Defaults to 0 if using system fonts or, if using CADSTAR font, default to equal height (1:1 aspect ra...
ALIGNMENT Alignment
In CADSTAR The default alignment for a TEXT object (when "(No Alignment)" is selected) Bottom Left of...
< Nodename = "VARIANT" or "VMASTER" (master variant
Represents a vertex in a shape.
From CADSTAR Help: "Area is for creating areas within which, and nowhere else, certain operations are...
bool Keepout
From CADSTAR Help: "Auto Placement cannot place components within this area.
bool Placement
From CADSTAR Help: "Auto Placement can place components within this area.
bool NoVias
From CADSTAR Help: "No vias will be placed within this area by the automatic router.
bool Routing
From CADSTAR Help: "Area can be used to place routes during Automatic Routing.
bool NoTracks
From CADSTAR Help: "Area cannot be used to place routes during automatic routing.
GROUP_ID GroupID
Normally CADSTAR_BOARD cannot be part of a reuseblock, but included for completeness.
From CADSTAR Help: "Area is for creating areas within which, and nowhere else, certain operations are...
bool NoVias
From CADSTAR Help: "Check this button to specify that any area created by the Rectangle,...
bool NoTracks
From CADSTAR Help: "Check this button to specify that any area created by the Rectangle,...
A shape of copper in the component footprint.
bool PCBonlyPad
From CADSTAR Help: "The PCB Only Pad property can be used to stop ECO Update, Back Annotation,...
POINT Position
Pad position within the component's coordinate frame.
wxString Identifier
This is an identifier that is displayed to the user.
std::map< ATTRIBUTE_ID, ATTRIBUTE_VALUE > AttributeValues
std::map< ATTRIBUTE_ID, TEXT_LOCATION > TextLocations
This contains location of any attributes, including designator position.
TEMPLATE_ID PouredTemplateID
If not empty, it means this COPPER is part of a poured template.
long Overshoot
Overshoot of the extension line past the arrow line.
long LeaderLineExtensionLength
Only for TYPE=LEADERLINE Length of the horizontal part of the leader line [param6].
long LeaderLineLength
Only for TYPE=LEADERLINE Length of the angled part of the leader line [param5].
long LeaderAngle
Only for TYPE=LEADERLINE subnode "LEADERANG".
Linear, leader (radius/diameter) or angular dimension.
LAYER_ID LayerID
ID on which to draw this [param1].
EXTENSION_LINE ExtensionLineParams
Not applicable to TYPE=LEADERDIM.
DIMENSION_ID ID
Some ID (doesn't seem to be used) subnode="DIMREF".
long Precision
Number of decimal points to display in the measurement [param3].
long Thickness
Note: Units of length are defined in file header.
std::map< NETELEMENT_ID, JUNCTION_PCB > Junctions
long ReliefWidth
if undefined inherits from design
std::map< LAYER_ID, CADSTAR_PAD_SHAPE > Reassigns
long ReliefClearance
if undefined inherits from design
PADCODE_ID PadCode
If not empty, override padcode.
std::map< PAD_ID, COMPONENT_PAD > ComponentPads
std::vector< COMPONENT_COPPER > ComponentCoppers
std::map< COMP_AREA_ID, COMPONENT_AREA > ComponentAreas
long AdditionalIsolation
This is the gap to apply in routes and pads in addition to the existing pad-to-copper or route-to-cop...
bool ThermalReliefOnVias
false when subnode "NOVIARELIEF" is present
HATCHCODE_ID HatchCodeID
Only for FillType = HATCHED.
bool ThermalReliefOnPads
false when subnode "NOPINRELIEF" is present
long ThermalReliefPadsAngle
Orientation for the thermal reliefs.
long MinDisjointCopper
The value is the length of one side of a notional square.
bool AutomaticRepour
true when subnode "REGENERATE" is present
bool AllowInNoRouting
true when subnode "IGNORETRN" is present
bool BoxIsolatedPins
true when subnode "BOXPINS" is present
long ClearanceWidth
Specifies the space around pads when pouring (i.e.
COPPERCODE_ID ReliefCopperCodeID
From CADSTAR Help: "Relief Copper Code is forselecting the width of line used to draw thethermal reli...
COPPERCODE_ID CopperCodeID
From CADSTAR Help: "Copper Code is for selecting the width of the line used to draw the outline and f...
long ThermalReliefViasAngle
Disabled when !ThermalReliefOnVias (param6)
long MinIsolatedCopper
The value is the length of one side of a notional square.
long SliverWidth
Minimum width of copper that may be created.
Templates are CADSTAR's equivalent to a "filled zone".
POURING Pouring
Copper pour settings (e.g. relief / hatching /etc.)
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.
LSET PermittedLayers
KiCad layers that the imported layer can be mapped onto.
wxString Name
Imported layer name as displayed in original application.
@ USER
The field ID hasn't been set yet; field is invalid.
KIBIS_COMPONENT * comp
KIBIS_PIN * pin
bool cw
int clearance
@ 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
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:102
VECTOR2< int32_t > VECTOR2I
Definition vector2d.h:695
@ THERMAL
Use thermal relief for pads.
Definition zones.h:50
@ FULL
pads are covered by copper
Definition zones.h:51