using System; using System.Collections.Generic; using System.Diagnostics; using System.Linq; using System.Threading; using OpenNest.Converters; using OpenNest.Engine.BestFit; using OpenNest.Engine.ML; using OpenNest.Geometry; using OpenNest.Math; using OpenNest.RectanglePacking; namespace OpenNest { public class NestEngine { public NestEngine(Plate plate) { Plate = plate; } public Plate Plate { get; set; } public NestDirection NestDirection { get; set; } public int PlateNumber { get; set; } public NestPhase WinnerPhase { get; private set; } public List PhaseResults { get; } = new(); public bool ForceFullAngleSweep { get; set; } public List AngleResults { get; } = new(); public bool Fill(NestItem item) { return Fill(item, Plate.WorkArea()); } public bool Fill(List groupParts) { return Fill(groupParts, Plate.WorkArea()); } public bool Fill(NestItem item, Box workArea) { var parts = Fill(item, workArea, null, CancellationToken.None); if (parts == null || parts.Count == 0) return false; Plate.Parts.AddRange(parts); return true; } public List Fill(NestItem item, Box workArea, IProgress progress, CancellationToken token) { PhaseResults.Clear(); AngleResults.Clear(); var best = FindBestFill(item, workArea, progress, token); if (token.IsCancellationRequested) return best ?? new List(); // Try improving by filling the remainder strip separately. var remainderSw = Stopwatch.StartNew(); var improved = TryRemainderImprovement(item, workArea, best); remainderSw.Stop(); if (IsBetterFill(improved, best, workArea)) { Debug.WriteLine($"[Fill] Remainder improvement: {improved.Count} parts (was {best?.Count ?? 0})"); best = improved; WinnerPhase = NestPhase.Remainder; PhaseResults.Add(new PhaseResult(NestPhase.Remainder, improved.Count, remainderSw.ElapsedMilliseconds)); ReportProgress(progress, NestPhase.Remainder, PlateNumber, best, workArea); } if (best == null || best.Count == 0) return new List(); if (item.Quantity > 0 && best.Count > item.Quantity) best = best.Take(item.Quantity).ToList(); return best; } private List FindBestFill(NestItem item, Box workArea) { var bestRotation = RotationAnalysis.FindBestRotation(item); var engine = new FillLinear(workArea, Plate.PartSpacing); // Build candidate rotation angles — always try the best rotation and +90°. var angles = new List { bestRotation, bestRotation + Angle.HalfPI }; // When the work area is narrow relative to the part, sweep rotation // angles so we can find one that fits the part into the tight strip. var testPart = new Part(item.Drawing); if (!bestRotation.IsEqualTo(0)) testPart.Rotate(bestRotation); testPart.UpdateBounds(); var partLongestSide = System.Math.Max(testPart.BoundingBox.Width, testPart.BoundingBox.Length); var workAreaShortSide = System.Math.Min(workArea.Width, workArea.Length); if (workAreaShortSide < partLongestSide) { // Try every 5° from 0 to 175° to find rotations that fit. var step = Angle.ToRadians(5); for (var a = 0.0; a < System.Math.PI; a += step) { if (!angles.Any(existing => existing.IsEqualTo(a))) angles.Add(a); } } if (ForceFullAngleSweep) { var step = Angle.ToRadians(5); for (var a = 0.0; a < System.Math.PI; a += step) { if (!angles.Any(existing => existing.IsEqualTo(a))) angles.Add(a); } } // When the work area triggers a full sweep (and we're not forcing it for training), // try ML angle prediction to reduce the sweep. if (!ForceFullAngleSweep && angles.Count > 2) { var features = FeatureExtractor.Extract(item.Drawing); if (features != null) { var predicted = AnglePredictor.PredictAngles( features, workArea.Width, workArea.Length); if (predicted != null) { // Use predicted angles, but always keep bestRotation and bestRotation + 90. var mlAngles = new List(predicted); if (!mlAngles.Any(a => a.IsEqualTo(bestRotation))) mlAngles.Add(bestRotation); if (!mlAngles.Any(a => a.IsEqualTo(bestRotation + Angle.HalfPI))) mlAngles.Add(bestRotation + Angle.HalfPI); Debug.WriteLine($"[FindBestFill] ML: {angles.Count} angles -> {mlAngles.Count} predicted"); angles = mlAngles; } } } // Try pair-based approach first. var pairResult = FillWithPairs(item, workArea); var best = pairResult; var bestScore = FillScore.Compute(best, workArea); Debug.WriteLine($"[FindBestFill] Pair: {bestScore.Count} parts"); // Try linear phase. var linearBag = new System.Collections.Concurrent.ConcurrentBag<(FillScore score, List parts)>(); System.Threading.Tasks.Parallel.ForEach(angles, angle => { var localEngine = new FillLinear(workArea, Plate.PartSpacing); var h = localEngine.Fill(item.Drawing, angle, NestDirection.Horizontal); var v = localEngine.Fill(item.Drawing, angle, NestDirection.Vertical); if (h != null && h.Count > 0) linearBag.Add((FillScore.Compute(h, workArea), h)); if (v != null && v.Count > 0) linearBag.Add((FillScore.Compute(v, workArea), v)); }); foreach (var (score, parts) in linearBag) { if (score > bestScore) { best = parts; bestScore = score; } } Debug.WriteLine($"[FindBestFill] Linear: {bestScore.Count} parts, density={bestScore.Density:P1} | WorkArea: {workArea.Width:F1}x{workArea.Length:F1} | Angles: {angles.Count}"); // Try rectangle best-fit (mixes orientations to fill remnant strips). var rectResult = FillRectangleBestFit(item, workArea); var rectScore = rectResult != null ? FillScore.Compute(rectResult, workArea) : default; Debug.WriteLine($"[FindBestFill] RectBestFit: {rectScore.Count} parts"); if (rectScore > bestScore) best = rectResult; return best; } private List FindBestFill(NestItem item, Box workArea, IProgress progress, CancellationToken token) { List best = null; try { var bestRotation = RotationAnalysis.FindBestRotation(item); var engine = new FillLinear(workArea, Plate.PartSpacing); var angles = new List { bestRotation, bestRotation + Angle.HalfPI }; var testPart = new Part(item.Drawing); if (!bestRotation.IsEqualTo(0)) testPart.Rotate(bestRotation); testPart.UpdateBounds(); var partLongestSide = System.Math.Max(testPart.BoundingBox.Width, testPart.BoundingBox.Length); var workAreaShortSide = System.Math.Min(workArea.Width, workArea.Length); if (workAreaShortSide < partLongestSide) { var step = Angle.ToRadians(5); for (var a = 0.0; a < System.Math.PI; a += step) { if (!angles.Any(existing => existing.IsEqualTo(a))) angles.Add(a); } } if (ForceFullAngleSweep) { var step = Angle.ToRadians(5); for (var a = 0.0; a < System.Math.PI; a += step) { if (!angles.Any(existing => existing.IsEqualTo(a))) angles.Add(a); } } // When the work area triggers a full sweep (and we're not forcing it for training), // try ML angle prediction to reduce the sweep. if (!ForceFullAngleSweep && angles.Count > 2) { var features = FeatureExtractor.Extract(item.Drawing); if (features != null) { var predicted = AnglePredictor.PredictAngles( features, workArea.Width, workArea.Length); if (predicted != null) { // Use predicted angles, but always keep bestRotation and bestRotation + 90. var mlAngles = new List(predicted); if (!mlAngles.Any(a => a.IsEqualTo(bestRotation))) mlAngles.Add(bestRotation); if (!mlAngles.Any(a => a.IsEqualTo(bestRotation + Angle.HalfPI))) mlAngles.Add(bestRotation + Angle.HalfPI); Debug.WriteLine($"[FindBestFill] ML: {angles.Count} angles -> {mlAngles.Count} predicted"); angles = mlAngles; } } } // Pairs phase first var pairSw = Stopwatch.StartNew(); var pairResult = FillWithPairs(item, workArea, token, progress); pairSw.Stop(); best = pairResult; var bestScore = FillScore.Compute(best, workArea); WinnerPhase = NestPhase.Pairs; PhaseResults.Add(new PhaseResult(NestPhase.Pairs, pairResult.Count, pairSw.ElapsedMilliseconds)); Debug.WriteLine($"[FindBestFill] Pair: {bestScore.Count} parts"); ReportProgress(progress, NestPhase.Pairs, PlateNumber, best, workArea); token.ThrowIfCancellationRequested(); // Linear phase var linearSw = Stopwatch.StartNew(); var linearBag = new System.Collections.Concurrent.ConcurrentBag<(FillScore score, List parts)>(); var angleBag = new System.Collections.Concurrent.ConcurrentBag(); var anglesCompleted = 0; System.Threading.Tasks.Parallel.ForEach(angles, new System.Threading.Tasks.ParallelOptions { CancellationToken = token }, angle => { var localEngine = new FillLinear(workArea, Plate.PartSpacing); var h = localEngine.Fill(item.Drawing, angle, NestDirection.Horizontal); var v = localEngine.Fill(item.Drawing, angle, NestDirection.Vertical); var angleDeg = Angle.ToDegrees(angle); if (h != null && h.Count > 0) { linearBag.Add((FillScore.Compute(h, workArea), h)); angleBag.Add(new AngleResult { AngleDeg = angleDeg, Direction = NestDirection.Horizontal, PartCount = h.Count }); } if (v != null && v.Count > 0) { linearBag.Add((FillScore.Compute(v, workArea), v)); angleBag.Add(new AngleResult { AngleDeg = angleDeg, Direction = NestDirection.Vertical, PartCount = v.Count }); } var done = Interlocked.Increment(ref anglesCompleted); var bestCount = System.Math.Max(h?.Count ?? 0, v?.Count ?? 0); progress?.Report(new NestProgress { Phase = NestPhase.Linear, PlateNumber = PlateNumber, Description = $"Linear: {done}/{angles.Count} angles, {angleDeg:F0}° = {bestCount} parts" }); }); linearSw.Stop(); AngleResults.AddRange(angleBag); var bestLinearCount = 0; foreach (var (score, parts) in linearBag) { if (parts.Count > bestLinearCount) bestLinearCount = parts.Count; if (score > bestScore) { best = parts; bestScore = score; WinnerPhase = NestPhase.Linear; } } PhaseResults.Add(new PhaseResult(NestPhase.Linear, bestLinearCount, linearSw.ElapsedMilliseconds)); Debug.WriteLine($"[FindBestFill] Linear: {bestScore.Count} parts, density={bestScore.Density:P1} | WorkArea: {workArea.Width:F1}x{workArea.Length:F1} | Angles: {angles.Count}"); ReportProgress(progress, NestPhase.Linear, PlateNumber, best, workArea); token.ThrowIfCancellationRequested(); // RectBestFit phase var rectSw = Stopwatch.StartNew(); var rectResult = FillRectangleBestFit(item, workArea); rectSw.Stop(); var rectScore = rectResult != null ? FillScore.Compute(rectResult, workArea) : default; Debug.WriteLine($"[FindBestFill] RectBestFit: {rectScore.Count} parts"); PhaseResults.Add(new PhaseResult(NestPhase.RectBestFit, rectResult?.Count ?? 0, rectSw.ElapsedMilliseconds)); if (rectScore > bestScore) { best = rectResult; WinnerPhase = NestPhase.RectBestFit; ReportProgress(progress, NestPhase.RectBestFit, PlateNumber, best, workArea); } } catch (OperationCanceledException) { Debug.WriteLine("[FindBestFill] Cancelled, returning current best"); } return best ?? new List(); } public bool Fill(List groupParts, Box workArea) { var parts = Fill(groupParts, workArea, null, CancellationToken.None); if (parts == null || parts.Count == 0) return false; Plate.Parts.AddRange(parts); return true; } public List Fill(List groupParts, Box workArea, IProgress progress, CancellationToken token) { if (groupParts == null || groupParts.Count == 0) return new List(); var engine = new FillLinear(workArea, Plate.PartSpacing); var angles = RotationAnalysis.FindHullEdgeAngles(groupParts); var best = FillPattern(engine, groupParts, angles, workArea); Debug.WriteLine($"[Fill(groupParts,Box)] Linear: {best?.Count ?? 0} parts | WorkArea: {workArea.Width:F1}x{workArea.Length:F1}"); ReportProgress(progress, NestPhase.Linear, PlateNumber, best, workArea); if (groupParts.Count == 1) { try { token.ThrowIfCancellationRequested(); var nestItem = new NestItem { Drawing = groupParts[0].BaseDrawing }; var rectResult = FillRectangleBestFit(nestItem, workArea); Debug.WriteLine($"[Fill(groupParts,Box)] RectBestFit: {rectResult?.Count ?? 0} parts"); if (IsBetterFill(rectResult, best, workArea)) { best = rectResult; ReportProgress(progress, NestPhase.RectBestFit, PlateNumber, best, workArea); } token.ThrowIfCancellationRequested(); var pairResult = FillWithPairs(nestItem, workArea, token); Debug.WriteLine($"[Fill(groupParts,Box)] Pair: {pairResult.Count} parts | Winner: {(IsBetterFill(pairResult, best, workArea) ? "Pair" : "Linear")}"); if (IsBetterFill(pairResult, best, workArea)) { best = pairResult; ReportProgress(progress, NestPhase.Pairs, PlateNumber, best, workArea); } // Try improving by filling the remainder strip separately. var improved = TryRemainderImprovement(nestItem, workArea, best); if (IsBetterFill(improved, best, workArea)) { Debug.WriteLine($"[Fill(groupParts,Box)] Remainder improvement: {improved.Count} parts (was {best?.Count ?? 0})"); best = improved; ReportProgress(progress, NestPhase.Remainder, PlateNumber, best, workArea); } } catch (OperationCanceledException) { Debug.WriteLine("[Fill(groupParts,Box)] Cancelled, returning current best"); } } return best ?? new List(); } public bool Pack(List items) { var workArea = Plate.WorkArea(); return PackArea(workArea, items); } public bool PackArea(Box box, List items) { var binItems = BinConverter.ToItems(items, Plate.PartSpacing, Plate.Area()); var bin = BinConverter.CreateBin(box, Plate.PartSpacing); var engine = new PackBottomLeft(bin); engine.Pack(binItems); var parts = BinConverter.ToParts(bin, items); Plate.Parts.AddRange(parts); return parts.Count > 0; } private List FillRectangleBestFit(NestItem item, Box workArea) { var binItem = BinConverter.ToItem(item, Plate.PartSpacing); var bin = BinConverter.CreateBin(workArea, Plate.PartSpacing); var engine = new FillBestFit(bin); engine.Fill(binItem); return BinConverter.ToParts(bin, new List { item }); } private List FillWithPairs(NestItem item, Box workArea) { var bestFits = BestFitCache.GetOrCompute( item.Drawing, Plate.Size.Width, Plate.Size.Length, Plate.PartSpacing); var candidates = SelectPairCandidates(bestFits, workArea); Debug.WriteLine($"[FillWithPairs] Total: {bestFits.Count}, Kept: {bestFits.Count(r => r.Keep)}, Trying: {candidates.Count}"); var resultBag = new System.Collections.Concurrent.ConcurrentBag<(FillScore score, List parts)>(); System.Threading.Tasks.Parallel.For(0, candidates.Count, i => { var result = candidates[i]; var pairParts = result.BuildParts(item.Drawing); var angles = result.HullAngles; var engine = new FillLinear(workArea, Plate.PartSpacing); var filled = FillPattern(engine, pairParts, angles, workArea); if (filled != null && filled.Count > 0) resultBag.Add((FillScore.Compute(filled, workArea), filled)); }); List best = null; var bestScore = default(FillScore); foreach (var (score, parts) in resultBag) { if (best == null || score > bestScore) { best = parts; bestScore = score; } } Debug.WriteLine($"[FillWithPairs] Best pair result: {bestScore.Count} parts, remnant={bestScore.UsableRemnantArea:F1}, density={bestScore.Density:P1}"); return best ?? new List(); } private List FillWithPairs(NestItem item, Box workArea, CancellationToken token, IProgress progress = null) { var bestFits = BestFitCache.GetOrCompute( item.Drawing, Plate.Size.Width, Plate.Size.Length, Plate.PartSpacing); var candidates = SelectPairCandidates(bestFits, workArea); Debug.WriteLine($"[FillWithPairs] Total: {bestFits.Count}, Kept: {bestFits.Count(r => r.Keep)}, Trying: {candidates.Count}"); var resultBag = new System.Collections.Concurrent.ConcurrentBag<(FillScore score, List parts)>(); try { var pairsCompleted = 0; var pairsBestCount = 0; System.Threading.Tasks.Parallel.For(0, candidates.Count, new System.Threading.Tasks.ParallelOptions { CancellationToken = token }, i => { var result = candidates[i]; var pairParts = result.BuildParts(item.Drawing); var angles = result.HullAngles; var engine = new FillLinear(workArea, Plate.PartSpacing); var filled = FillPattern(engine, pairParts, angles, workArea); if (filled != null && filled.Count > 0) resultBag.Add((FillScore.Compute(filled, workArea), filled)); var done = Interlocked.Increment(ref pairsCompleted); InterlockedMax(ref pairsBestCount, filled?.Count ?? 0); progress?.Report(new NestProgress { Phase = NestPhase.Pairs, PlateNumber = PlateNumber, Description = $"Pairs: {done}/{candidates.Count} candidates, best = {pairsBestCount} parts" }); }); } catch (OperationCanceledException) { Debug.WriteLine("[FillWithPairs] Cancelled mid-phase, using results so far"); } List best = null; var bestScore = default(FillScore); foreach (var (score, parts) in resultBag) { if (best == null || score > bestScore) { best = parts; bestScore = score; } } Debug.WriteLine($"[FillWithPairs] Best pair result: {bestScore.Count} parts, remnant={bestScore.UsableRemnantArea:F1}, density={bestScore.Density:P1}"); return best ?? new List(); } /// /// Selects pair candidates to try for the given work area. Always includes /// the top 50 by area. For narrow work areas, also includes all pairs whose /// shortest side fits the strip width — these are candidates that can only /// be evaluated by actually tiling them into the narrow space. /// private List SelectPairCandidates(List bestFits, Box workArea) { var kept = bestFits.Where(r => r.Keep).ToList(); var top = kept.Take(50).ToList(); var workShortSide = System.Math.Min(workArea.Width, workArea.Length); var plateShortSide = System.Math.Min(Plate.Size.Width, Plate.Size.Length); // When the work area is significantly narrower than the plate, // include all pairs that fit the narrow dimension. if (workShortSide < plateShortSide * 0.5) { var stripCandidates = kept .Where(r => r.ShortestSide <= workShortSide + Tolerance.Epsilon); var existing = new HashSet(top); foreach (var r in stripCandidates) { if (existing.Add(r)) top.Add(r); } Debug.WriteLine($"[SelectPairCandidates] Strip mode: {top.Count} candidates (shortSide <= {workShortSide:F1})"); } return top; } private bool HasOverlaps(List parts, double spacing) { if (parts == null || parts.Count <= 1) return false; for (var i = 0; i < parts.Count; i++) { var box1 = parts[i].BoundingBox; for (var j = i + 1; j < parts.Count; j++) { var box2 = parts[j].BoundingBox; // Fast bounding box rejection — if boxes don't overlap, // the parts can't intersect. Eliminates nearly all pairs // in grid layouts. if (box1.Right < box2.Left || box2.Right < box1.Left || box1.Top < box2.Bottom || box2.Top < box1.Bottom) continue; List pts; if (parts[i].Intersects(parts[j], out pts)) { var b1 = parts[i].BoundingBox; var b2 = parts[j].BoundingBox; Debug.WriteLine($"[HasOverlaps] Overlap: part[{i}] ({parts[i].BaseDrawing?.Name}) @ ({b1.Left:F2},{b1.Bottom:F2})-({b1.Right:F2},{b1.Top:F2}) rot={parts[i].Rotation:F2}" + $" vs part[{j}] ({parts[j].BaseDrawing?.Name}) @ ({b2.Left:F2},{b2.Bottom:F2})-({b2.Right:F2},{b2.Top:F2}) rot={parts[j].Rotation:F2}" + $" intersections={pts?.Count ?? 0}"); return true; } } } return false; } private bool IsBetterFill(List candidate, List current, Box workArea) { if (candidate == null || candidate.Count == 0) return false; if (current == null || current.Count == 0) return true; return FillScore.Compute(candidate, workArea) > FillScore.Compute(current, workArea); } private bool IsBetterValidFill(List candidate, List current, Box workArea) { if (candidate != null && candidate.Count > 0 && HasOverlaps(candidate, Plate.PartSpacing)) { Debug.WriteLine($"[IsBetterValidFill] REJECTED {candidate.Count} parts due to overlaps (current best: {current?.Count ?? 0})"); return false; } return IsBetterFill(candidate, current, workArea); } /// /// Groups parts into positional clusters along the given axis. /// Parts whose center positions are separated by more than half /// the part dimension start a new cluster. /// private static List> ClusterParts(List parts, bool horizontal) { var sorted = horizontal ? parts.OrderBy(p => p.BoundingBox.Center.X).ToList() : parts.OrderBy(p => p.BoundingBox.Center.Y).ToList(); var refDim = horizontal ? sorted.Max(p => p.BoundingBox.Width) : sorted.Max(p => p.BoundingBox.Length); var gapThreshold = refDim * 0.5; var clusters = new List>(); var current = new List { sorted[0] }; for (var i = 1; i < sorted.Count; i++) { var prevCenter = horizontal ? sorted[i - 1].BoundingBox.Center.X : sorted[i - 1].BoundingBox.Center.Y; var currCenter = horizontal ? sorted[i].BoundingBox.Center.X : sorted[i].BoundingBox.Center.Y; if (currCenter - prevCenter > gapThreshold) { clusters.Add(current); current = new List(); } current.Add(sorted[i]); } clusters.Add(current); return clusters; } private List TryStripRefill(NestItem item, Box workArea, List parts, bool horizontal) { if (parts == null || parts.Count < 3) return null; var clusters = ClusterParts(parts, horizontal); if (clusters.Count < 2) return null; // Determine the mode (most common) cluster count, excluding the last cluster. var mainClusters = clusters.Take(clusters.Count - 1).ToList(); var modeCount = mainClusters .GroupBy(c => c.Count) .OrderByDescending(g => g.Count()) .First() .Key; var lastCluster = clusters[clusters.Count - 1]; // Only attempt refill if the last cluster is smaller than the mode. if (lastCluster.Count >= modeCount) return null; Debug.WriteLine($"[TryStripRefill] {(horizontal ? "H" : "V")} clusters: {clusters.Count}, mode: {modeCount}, last: {lastCluster.Count}"); // Build the main parts list (everything except the last cluster). var mainParts = clusters.Take(clusters.Count - 1).SelectMany(c => c).ToList(); var mainBox = ((IEnumerable)mainParts).GetBoundingBox(); // Compute the strip box from the main grid edge to the work area edge. Box stripBox; if (horizontal) { var stripLeft = mainBox.Right + Plate.PartSpacing; var stripWidth = workArea.Right - stripLeft; if (stripWidth <= 0) return null; stripBox = new Box(stripLeft, workArea.Y, stripWidth, workArea.Length); } else { var stripBottom = mainBox.Top + Plate.PartSpacing; var stripHeight = workArea.Top - stripBottom; if (stripHeight <= 0) return null; stripBox = new Box(workArea.X, stripBottom, workArea.Width, stripHeight); } Debug.WriteLine($"[TryStripRefill] Strip: {stripBox.Width:F1}x{stripBox.Length:F1} at ({stripBox.X:F1},{stripBox.Y:F1})"); var stripParts = FindBestFill(item, stripBox); if (stripParts == null || stripParts.Count <= lastCluster.Count) { Debug.WriteLine($"[TryStripRefill] No improvement: strip={stripParts?.Count ?? 0} vs oddball={lastCluster.Count}"); return null; } Debug.WriteLine($"[TryStripRefill] Improvement: strip={stripParts.Count} vs oddball={lastCluster.Count}"); var combined = new List(mainParts.Count + stripParts.Count); combined.AddRange(mainParts); combined.AddRange(stripParts); return combined; } private List TryRemainderImprovement(NestItem item, Box workArea, List currentBest) { if (currentBest == null || currentBest.Count < 3) return null; List best = null; var hResult = TryStripRefill(item, workArea, currentBest, horizontal: true); if (IsBetterFill(hResult, best, workArea)) best = hResult; var vResult = TryStripRefill(item, workArea, currentBest, horizontal: false); if (IsBetterFill(vResult, best, workArea)) best = vResult; return best; } private Pattern BuildRotatedPattern(List groupParts, double angle) { var pattern = new Pattern(); var center = ((IEnumerable)groupParts).GetBoundingBox().Center; foreach (var part in groupParts) { var clone = (Part)part.Clone(); clone.UpdateBounds(); if (!angle.IsEqualTo(0)) clone.Rotate(angle, center); pattern.Parts.Add(clone); } pattern.UpdateBounds(); return pattern; } private List FillPattern(FillLinear engine, List groupParts, List angles, Box workArea) { List best = null; var bestScore = default(FillScore); foreach (var angle in angles) { var pattern = BuildRotatedPattern(groupParts, angle); if (pattern.Parts.Count == 0) continue; var h = engine.Fill(pattern, NestDirection.Horizontal); var scoreH = h != null && h.Count > 0 ? FillScore.Compute(h, workArea) : default; if (scoreH.Count > 0 && (best == null || scoreH > bestScore)) { best = h; bestScore = scoreH; } var v = engine.Fill(pattern, NestDirection.Vertical); var scoreV = v != null && v.Count > 0 ? FillScore.Compute(v, workArea) : default; if (scoreV.Count > 0 && (best == null || scoreV > bestScore)) { best = v; bestScore = scoreV; } } return best; } private static void ReportProgress( IProgress progress, NestPhase phase, int plateNumber, List best, Box workArea) { if (progress == null || best == null || best.Count == 0) return; var score = FillScore.Compute(best, workArea); var clonedParts = new List(best.Count); var totalPartArea = 0.0; foreach (var part in best) { clonedParts.Add((Part)part.Clone()); totalPartArea += part.BaseDrawing.Area; } progress.Report(new NestProgress { Phase = phase, PlateNumber = plateNumber, BestPartCount = score.Count, BestDensity = score.Density, UsableRemnantArea = workArea.Area() - totalPartArea, BestParts = clonedParts, Description = null }); } /// /// Mixed-part geometry-aware nesting using NFP-based collision avoidance /// and simulated annealing optimization. /// public List AutoNest(List items, CancellationToken cancellation = default) { return AutoNest(items, Plate, cancellation); } /// /// Mixed-part geometry-aware nesting using NFP-based collision avoidance /// and simulated annealing optimization. /// public static List AutoNest(List items, Plate plate, CancellationToken cancellation = default) { var workArea = plate.WorkArea(); var halfSpacing = plate.PartSpacing / 2.0; var nfpCache = new NfpCache(); var candidateRotations = new Dictionary>(); // Extract perimeter polygons for each unique drawing. foreach (var item in items) { var drawing = item.Drawing; if (candidateRotations.ContainsKey(drawing.Id)) continue; var perimeterPolygon = ExtractPerimeterPolygon(drawing, halfSpacing); if (perimeterPolygon == null) { Debug.WriteLine($"[AutoNest] Skipping drawing '{drawing.Name}': no valid perimeter"); continue; } // Compute candidate rotations for this drawing. var rotations = ComputeCandidateRotations(item, perimeterPolygon, workArea); candidateRotations[drawing.Id] = rotations; // Register polygons at each candidate rotation. foreach (var rotation in rotations) { var rotatedPolygon = RotatePolygon(perimeterPolygon, rotation); nfpCache.RegisterPolygon(drawing.Id, rotation, rotatedPolygon); } } if (candidateRotations.Count == 0) return new List(); // Pre-compute all NFPs. nfpCache.PreComputeAll(); Debug.WriteLine($"[AutoNest] NFP cache: {nfpCache.Count} entries for {candidateRotations.Count} drawings"); // Run simulated annealing optimizer. var optimizer = new SimulatedAnnealing(); var result = optimizer.Optimize(items, workArea, nfpCache, candidateRotations, cancellation); if (result.Sequence == null || result.Sequence.Count == 0) return new List(); // Final BLF placement with the best solution. var blf = new BottomLeftFill(workArea, nfpCache); var placedParts = blf.Fill(result.Sequence); var parts = BottomLeftFill.ToNestParts(placedParts); Debug.WriteLine($"[AutoNest] Result: {parts.Count} parts placed, {result.Iterations} SA iterations"); return parts; } /// /// Extracts the perimeter polygon from a drawing, inflated by half-spacing. /// private static Polygon ExtractPerimeterPolygon(Drawing drawing, double halfSpacing) { var entities = ConvertProgram.ToGeometry(drawing.Program) .Where(e => e.Layer != SpecialLayers.Rapid) .ToList(); if (entities.Count == 0) return null; var definedShape = new ShapeProfile(entities); var perimeter = definedShape.Perimeter; if (perimeter == null) return null; // Inflate by half-spacing if spacing is non-zero. Shape inflated; if (halfSpacing > 0) { var offsetEntity = perimeter.OffsetEntity(halfSpacing, OffsetSide.Right); inflated = offsetEntity as Shape ?? perimeter; } else { inflated = perimeter; } // Convert to polygon with circumscribed arcs for tight nesting. var polygon = inflated.ToPolygonWithTolerance(0.01, circumscribe: true); if (polygon.Vertices.Count < 3) return null; // Normalize: move reference point to origin. polygon.UpdateBounds(); var bb = polygon.BoundingBox; polygon.Offset(-bb.Left, -bb.Bottom); return polygon; } /// /// Computes candidate rotation angles for a drawing. /// private static List ComputeCandidateRotations(NestItem item, Polygon perimeterPolygon, Box workArea) { var rotations = new List { 0 }; // Add hull-edge angles from the polygon itself. var hullAngles = ComputeHullEdgeAngles(perimeterPolygon); foreach (var angle in hullAngles) { if (!rotations.Any(r => r.IsEqualTo(angle))) rotations.Add(angle); } // Add 90-degree rotation. if (!rotations.Any(r => r.IsEqualTo(Angle.HalfPI))) rotations.Add(Angle.HalfPI); // For narrow work areas, add sweep angles. var partBounds = perimeterPolygon.BoundingBox; var partLongest = System.Math.Max(partBounds.Width, partBounds.Length); var workShort = System.Math.Min(workArea.Width, workArea.Length); if (workShort < partLongest) { var step = Angle.ToRadians(5); for (var a = 0.0; a < System.Math.PI; a += step) { if (!rotations.Any(r => r.IsEqualTo(a))) rotations.Add(a); } } return rotations; } /// /// Computes convex hull edge angles from a polygon for candidate rotations. /// private static List ComputeHullEdgeAngles(Polygon polygon) { var angles = new List(); if (polygon.Vertices.Count < 3) return angles; var hull = ConvexHull.Compute(polygon.Vertices); var verts = hull.Vertices; var n = hull.IsClosed() ? verts.Count - 1 : verts.Count; for (var i = 0; i < n; i++) { var next = (i + 1) % n; var dx = verts[next].X - verts[i].X; var dy = verts[next].Y - verts[i].Y; if (dx * dx + dy * dy < Tolerance.Epsilon) continue; var angle = -System.Math.Atan2(dy, dx); if (!angles.Any(a => a.IsEqualTo(angle))) angles.Add(angle); } return angles; } /// /// Creates a rotated copy of a polygon around the origin. /// private static Polygon RotatePolygon(Polygon polygon, double angle) { if (angle.IsEqualTo(0)) return polygon; var result = new Polygon(); var cos = System.Math.Cos(angle); var sin = System.Math.Sin(angle); foreach (var v in polygon.Vertices) { result.Vertices.Add(new Vector( v.X * cos - v.Y * sin, v.X * sin + v.Y * cos)); } // Re-normalize to origin. result.UpdateBounds(); var bb = result.BoundingBox; result.Offset(-bb.Left, -bb.Bottom); return result; } private static void InterlockedMax(ref int location, int value) { int current; do { current = location; if (value <= current) return; } while (Interlocked.CompareExchange(ref location, value, current) != current); } } }