$darkmode
DENOPTIM
GraphOperations.java
Go to the documentation of this file.
1/*
2 * DENOPTIM
3 * Copyright (C) 2019 Vishwesh Venkatraman <vishwesh.venkatraman@ntnu.no> and
4 * Marco Foscato <marco.foscato@uib.no>
5 *
6 * This program is free software: you can redistribute it and/or modify
7 * it under the terms of the GNU Affero General Public License as published
8 * by the Free Software Foundation, either version 3 of the License, or
9 * (at your option) any later version.
10 *
11 * This program is distributed in the hope that it will be useful,
12 * but WITHOUT ANY WARRANTY; without even the implied warranty of
13 * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
14 * GNU Affero General Public License for more details.
15 *
16 * You should have received a copy of the GNU Affero General Public License
17 * along with this program. If not, see <http://www.gnu.org/licenses/>.
18 */
19
20package denoptim.ga;
21
22import java.io.File;
23import java.util.ArrayList;
24import java.util.Arrays;
25import java.util.HashMap;
26import java.util.HashSet;
27import java.util.LinkedHashMap;
28import java.util.List;
29import java.util.Map;
30import java.util.Map.Entry;
31import java.util.Set;
32import java.util.TreeMap;
33import java.util.logging.Level;
34import java.util.stream.Collectors;
35import java.util.stream.IntStream;
36
37import org.apache.http.TruncatedChunkException;
38import org.openscience.cdk.graph.ShortestPaths;
39import org.openscience.cdk.interfaces.IAtom;
40import org.openscience.cdk.interfaces.IAtomContainer;
41import org.openscience.cdk.isomorphism.Mappings;
42import org.paukov.combinatorics3.Generator;
43
44import denoptim.constants.DENOPTIMConstants;
45import denoptim.exception.DENOPTIMException;
46import denoptim.fragmenter.BridgeHeadFindingRule;
47import denoptim.fragspace.APMapFinder;
48import denoptim.fragspace.FragmentSpace;
49import denoptim.fragspace.FragmentSpaceParameters;
50import denoptim.fragspace.GraphLinkFinder;
51import denoptim.fragspace.IdFragmentAndAP;
52import denoptim.graph.APClass;
53import denoptim.graph.APMapping;
54import denoptim.graph.AttachmentPoint;
55import denoptim.graph.DGraph;
56import denoptim.graph.Edge;
57import denoptim.graph.RelatedAPPair;
58import denoptim.graph.Ring;
59import denoptim.graph.SymmetricAPs;
60import denoptim.graph.SymmetricVertexes;
61import denoptim.graph.Template;
62import denoptim.graph.Template.ContractLevel;
63import denoptim.graph.Vertex;
64import denoptim.graph.Vertex.BBType;
65import denoptim.graph.rings.ChainLink;
66import denoptim.graph.rings.ClosableChain;
67import denoptim.graph.rings.PathSubGraph;
68import denoptim.graph.rings.RandomCombOfRingsIterator;
69import denoptim.graph.rings.RingClosingAttractor;
70import denoptim.graph.rings.RingClosureParameters;
71import denoptim.io.DenoptimIO;
72import denoptim.logging.CounterID;
73import denoptim.logging.Monitor;
74import denoptim.molecularmodeling.ThreeDimTreeBuilder;
75import denoptim.programs.RunTimeParameters.ParametersType;
76import denoptim.programs.denovo.GAParameters;
77import denoptim.programs.fragmenter.CuttingRule;
78import denoptim.programs.fragmenter.MatchedBond;
79import denoptim.utils.CrossoverType;
80import denoptim.utils.GraphUtils;
81import denoptim.utils.ManySMARTSQuery;
82import denoptim.utils.MutationType;
83import denoptim.utils.ObjectPair;
84import denoptim.utils.Randomizer;
85
90public class GraphOperations
91{
92
93//------------------------------------------------------------------------------
94
108 public static List<XoverSite> locateCompatibleXOverPoints(
109 DGraph graphA, DGraph graphB, FragmentSpace fragSpace,
110 int maxSizeXoverSubGraph)
111 throws DENOPTIMException
112 {
113 // First, we identify all the edges that allow crossover, and collect
114 // their target vertexes (i.e., all the potential seed vertexes of
115 // subgraphs that crossover could swap.
116 List<Vertex[]> compatibleVrtxPairs = new ArrayList<Vertex[]>();
117 for (Edge eA : graphA.getEdgeList())
118 {
119 Vertex vA = eA.getTrgAP().getOwner();
120 // We don't do genetic operations on capping vertexes
121 if (vA.getBuildingBlockType() == BBType.CAP)
122 continue;
123
124 for (Edge eB : graphB.getEdgeList())
125 {
126 Vertex vB = eB.getTrgAP().getOwner();
127 // We don't do genetic operations on capping vertexes
128 if (vB.getBuildingBlockType() == BBType.CAP)
129 continue;
130
131 //Check condition for considering this combination
132 if (isCrossoverPossible(eA, eB, fragSpace))
133 {
134 Vertex[] pair = new Vertex[]{vA,vB};
135 compatibleVrtxPairs.add(pair);
136 }
137 }
138 }
139
140 // The crossover sites are the combination of the above compatible
141 // vertexes that define subgraphs respecting the requirements for
142 // being swapped between the two graphs.
143 ArrayList<XoverSite> sites = new ArrayList<XoverSite>();
144 for (Vertex[] pair : compatibleVrtxPairs)
145 {
146 Vertex vA = pair[0];
147 Vertex vB = pair[1];
148 DGraph gA = vA.getGraphOwner();
149 DGraph gB = vB.getGraphOwner();
150
151 // Here we also identify the branch identity of each descendant
152 List<Vertex> descendantsA = new ArrayList<Vertex>();
153 gA.getChildrenTree(vA, descendantsA, true);
154 List<Vertex> descendantsB = new ArrayList<Vertex>();
155 gB.getChildrenTree(vB, descendantsB, true);
156
157 // Branches that are isomorphic are not considered for crossover
158 DGraph test1 = gA.clone();
159 DGraph test2 = gB.clone();
160 try
161 {
162 DGraph subGraph1 = test1.extractSubgraph(gA.indexOf(vA));
163 DGraph subGraph2 = test2.extractSubgraph(gB.indexOf(vB));
164 if (maxSizeXoverSubGraph >= Math.max(subGraph1.getVertexCount(),
165 subGraph2.getVertexCount()))
166 {
167 if (!subGraph1.isIsomorphicTo(subGraph2))
168 {
169 List<Vertex> branchOnVA = new ArrayList<Vertex>();
170 branchOnVA.add(vA);
171 branchOnVA.addAll(descendantsA);
172 List<Vertex> branchOnVB = new ArrayList<Vertex>();
173 branchOnVB.add(vB);
174 branchOnVB.addAll(descendantsB);
175
176 checkAndAddXoverSites(fragSpace, branchOnVA, branchOnVB,
177 CrossoverType.BRANCH, sites);
178 }
179 }
180 } catch (DENOPTIMException e)
181 {
182 //We should never end up here.
183 e.printStackTrace();
184 }
185
186 // To limit the number of combination, we first get rid of end-point
187 // candidates that cannot be used
188 List<Vertex[]> usablePairs = new ArrayList<Vertex[]>();
189
190 // To identify subgraphs smaller than the full branch we need to find
191 // where such subgraphs end, i.e., the vertexes at the end of
192 // such subgraphs (included in them), a.k.a. the subgraph ends.
193 // Since these subgraph ends will need to allow connection with the
194 // rest of the original graph, they are related to the
195 // already-identified crossover-compatible
196 // sites, i.e., they are the parents of the vertexes collected in
197 // compatibleVrtxPairs. Yet, we can combine them
198 // * in any number from 1 to all of them,
199 // * in any combination of the chosen number of them.
200 // Also, note that the ends need not to cover all the branches. So,
201 // some combinations will have to cut some branches short while
202 // taking some other branches completely till their last leaf.
203 for (Vertex[] otherPair : compatibleVrtxPairs)
204 {
205 // NB: the xover compatible sites are the child vertexes of the
206 // subgraph ends. So we need to get the parent
207 Vertex nextToEndOnA = otherPair[0];
208 Vertex nextToEndOnB = otherPair[1];
209 Vertex endOnA = nextToEndOnA.getParent();
210 Vertex endOnB = nextToEndOnB.getParent();
211 if (endOnA==null || endOnB==null)
212 continue;
213
214 // Exclude vertexes that are not downstream to the seed of the subgraph
215 if (!descendantsA.contains(endOnA) && endOnA!=vA
216 || !descendantsB.contains(endOnB) && endOnB!=vB)
217 continue;
218
219 // If any partner is a fixed-structure templates...
220 if ((gA.getTemplateJacket()!=null
223 || (gB.getTemplateJacket()!=null
226 {
227 //...the two paths must have same length. This would be
228 // checked anyway later when checking for isostructural
229 // subgraphs, but here it helps reducing the size of the
230 // combinatorial problem.
231 PathSubGraph pathA = new PathSubGraph(vA, endOnA, gA);
232 PathSubGraph pathB = new PathSubGraph(vB, endOnB, gB);
233 if (pathA.getPathLength()!=pathB.getPathLength())
234 continue;
235 }
236 Vertex[] pairOfEnds = new Vertex[]{endOnA,endOnB};
237 if (!usablePairs.contains(pairOfEnds))
238 usablePairs.add(pairOfEnds);
239 }
240
241 // We classify the pairs by branch ownership
242 TreeMap<String,List<Vertex[]>> sitesByBranchIdA =
243 new TreeMap<String,List<Vertex[]>>();
244 TreeMap<String,List<Vertex[]>> sitesByBranchIdB =
245 new TreeMap<String,List<Vertex[]>>();
246 for (Vertex[] pp : usablePairs)
247 {
248 String branchIdA = gA.getBranchIdOfVertexAsStr(pp[0]);
249 String branchIdB = gB.getBranchIdOfVertexAsStr(pp[1]);
250 if (sitesByBranchIdA.containsKey(branchIdA))
251 {
252 sitesByBranchIdA.get(branchIdA).add(pp);
253 } else {
254 ArrayList<Vertex[]> lst = new ArrayList<Vertex[]>();
255 lst.add(pp);
256 sitesByBranchIdA.put(branchIdA, lst);
257 }
258 if (sitesByBranchIdB.containsKey(branchIdB))
259 {
260 sitesByBranchIdB.get(branchIdB).add(pp);
261 } else {
262 ArrayList<Vertex[]> lst = new ArrayList<Vertex[]>();
263 lst.add(pp);
264 sitesByBranchIdB.put(branchIdB, lst);
265 }
266 }
267
268 // The side with the smallest set of branches determines the max
269 // number of pairs that can define a subgraph.
270 TreeMap<String,List<Vertex[]>> fewestBranchesSide = null;
271 if (sitesByBranchIdA.size() <= sitesByBranchIdB.size())
272 fewestBranchesSide = sitesByBranchIdA;
273 else
274 fewestBranchesSide = sitesByBranchIdB;
275
276 // Add the empty, i.e., the branch with empty is not cut short.
277 for (List<Vertex[]> val : fewestBranchesSide.values())
278 val.add(new Vertex[]{null,null});
279
280 // Generate the combinations: Cartesian product of multiple lists.
281 // NB: this combinatorial generator retains the
282 // sequence of generated subsets (important for reproducibility)
283 List<List<Vertex[]>> preCombsOfEnds = Generator.cartesianProduct(
284 fewestBranchesSide.values())
285 .stream()
286 .limit(100000) //Prevent explosion!!!
287 .collect(Collectors.<List<Vertex[]>>toList());
288
289 // Remove the 'null,null' place holders that indicate the use of no
290 // end-point on a specific branch.
291 List<List<Vertex[]>> combsOfEnds = new ArrayList<List<Vertex[]>>();
292 for (List<Vertex[]> comb : preCombsOfEnds)
293 {
294 List<Vertex[]> nullPurgedComb = new ArrayList<Vertex[]>();
295 for (Vertex[] inPair : comb)
296 {
297 if (inPair[0]!=null && inPair[1]!=null)
298 nullPurgedComb.add(inPair);
299 }
300 // the case where all entries are null corresponds to use no
301 // end point on any branch, which is already considered above.
302 if (nullPurgedComb.size()>0)
303 combsOfEnds.add(nullPurgedComb);
304 }
305
306 // This would be a strategy to parallelize. However, this type of
307 // parallelization is not compatible with ensuring reproducibility.
308 // Perhaps, we could guarantee reproducibility by acting on the
309 // collector of sites as to ensure the list is sorted
310 // at the end of the generation of all possibilities.
311 /*
312 combsOfEnds
313 .parallelStream()
314 .limit(50) // Prevent explosion!
315 .forEach(c -> processCombinationOfEndPoints(pair, c, sites,
316 fragSpace));
317 */
318
319 combsOfEnds.stream()
320 .limit(50) // Prevent explosion!
321 .forEach(c -> processCombinationOfEndPoints(pair, c, sites,
322 fragSpace));
323 }
324
325 // NB: we consider only templates that are at the same level of embedding
326 for (Vertex vA : graphA.getVertexList())
327 {
328 if (!(vA instanceof Template))
329 continue;
330 Template tA = (Template) vA;
331
333 continue;
334
335 for (Vertex vB : graphB.getVertexList())
336 {
337 if (!(vB instanceof Template))
338 continue;
339 Template tB = (Template) vB;
340
342 continue;
343
345 tA.getInnerGraph(), tB.getInnerGraph(), fragSpace,
346 maxSizeXoverSubGraph))
347 {
348 if (!sites.contains(xos))
349 sites.add(xos);
350 }
351 }
352 }
353 return sites;
354 }
355
356//------------------------------------------------------------------------------
357
370 private static void processCombinationOfEndPoints(Vertex[] pair,
371 List<Vertex[]> cominationOfEnds,
372 List<XoverSite> collector, FragmentSpace fragSpace)
373 {
374 // Empty set corresponds to using the entire branch and subgraph and
375 // has been already dealt with at this point
376 if (cominationOfEnds.size()==0)
377 return;
378
379 // This would be a strategy to parallelize. However, this type of
380 // parallelization is not compatible with ensuring reproducibility.
381 // Perhaps, we could guarantee reproducibility by acting on the
382 // collector as to ensure the list of collected results is sorted
383 // at the end of the generation of all possibilities
384 /*
385 List<List<Vertex[]>> permutsOfEnds = new ArrayList<List<Vertex[]>>();
386 Generator.subset(cominationOfEnds)
387 .simple()
388 .stream()
389 .limit(100) // Prevent explosion!
390 .forEach(c -> permutsOfEnds.add(c));
391 permutsOfEnds
392 .parallelStream()
393 .forEach(c -> processPermutationOfEndPoints(pair, c, collector,
394 fragSpace));
395 */
396
397 Generator.permutation(cominationOfEnds)
398 .simple()
399 .stream()
400 .limit(100) // Prevent explosion!
401 .forEach(c -> processPermutationOfEndPoints(pair, c, collector,
402 fragSpace));
403 }
404
405//------------------------------------------------------------------------------
406
419 private static void processPermutationOfEndPoints(Vertex[] pair,
420 List<Vertex[]> chosenSequenceOfEndpoints,
421 List<XoverSite> collector, FragmentSpace fragSpace)
422 {
423 Vertex vA = pair[0];
424 Vertex vB = pair[1];
425 DGraph gA = vA.getGraphOwner();
426 DGraph gB = vB.getGraphOwner();
427
428 // Exclude overlapping combinations
429 boolean exclude = false;
430 for (Vertex[] pairA : chosenSequenceOfEndpoints)
431 {
432 for (Vertex[] pairB : chosenSequenceOfEndpoints)
433 {
434 if (pairA==pairB)
435 continue;
436
437 if (pairA[0]==pairB[0] || pairA[1]==pairB[1])
438 {
439 exclude = true;
440 break;
441 }
442 }
443 if (exclude)
444 break;
445 }
446 if (exclude)
447 return;
448
449 List<Vertex> subGraphEndInA = new ArrayList<Vertex>();
450 List<Vertex> subGraphEndInB = new ArrayList<Vertex>();
451 List<Vertex> alreadyIncludedFromA = new ArrayList<Vertex>();
452 List<Vertex> alreadyIncludedFromB = new ArrayList<Vertex>();
453 for (Vertex[] otherPair : chosenSequenceOfEndpoints)
454 {
455 Vertex endOnA = otherPair[0];
456 Vertex endOnB = otherPair[1];
457
458 // Ignore vertexes that are already part of the subgraph
459 if (alreadyIncludedFromA.contains(endOnA)
460 || alreadyIncludedFromB.contains(endOnB))
461 continue;
462
463 PathSubGraph pathA = new PathSubGraph(vA, endOnA, gA);
464 PathSubGraph pathB = new PathSubGraph(vB, endOnB, gB);
465 subGraphEndInA.add(endOnA);
466 subGraphEndInB.add(endOnB);
467 alreadyIncludedFromA.addAll(pathA.getVertecesPath());
468 alreadyIncludedFromB.addAll(pathB.getVertecesPath());
469 }
470 ArrayList<Vertex> subGraphA = new ArrayList<Vertex>();
471 subGraphA.add(vA);
472 if (!subGraphEndInA.contains(vA))
473 gA.getChildTreeLimited(vA, subGraphA, subGraphEndInA, true);
474
475 ArrayList<Vertex> subGraphB = new ArrayList<Vertex>();
476 subGraphB.add(vB);
477 if (!subGraphEndInB.contains(vB))
478 gB.getChildTreeLimited(vB, subGraphB, subGraphEndInB, true);
479
480 // The two subgraphs must not be isomorfic to prevent unproductive crossover
481 if (subGraphA.size()>1 && subGraphB.size()>1)
482 {
483 DGraph subGraphCloneA = gA.extractSubgraph(subGraphA);
484 DGraph subGraphCloneB = gB.extractSubgraph(subGraphB);
485 if (subGraphCloneA.isIsomorphicTo(subGraphCloneB))
486 return;
487 } else {
488 if (subGraphA.get(0).sameAs(subGraphB.get(0), new StringBuilder()))
489 return;
490 }
491
492 checkAndAddXoverSites(fragSpace, subGraphA, subGraphB,
493 CrossoverType.SUBGRAPH, collector);
494 }
495
496//------------------------------------------------------------------------------
497
507 private static void checkAndAddXoverSites(FragmentSpace fragSpace,
508 List<Vertex> subGraphA,
509 List<Vertex> subGraphB, CrossoverType xoverType,
510 List<XoverSite> collector)
511 {
512 DGraph gOwnerA = subGraphA.get(0).getGraphOwner();
513 DGraph gOwnerB = subGraphB.get(0).getGraphOwner();
514
515 // What APs need to find a corresponding AP in the other
516 // subgraph in order to allow swapping?
517 List<AttachmentPoint> needyAPsA = gOwnerA.getInterfaceAPs(
518 subGraphA);
519 List<AttachmentPoint> allAPsA = gOwnerA.getSubgraphAPs(
520 subGraphA);
521 List<AttachmentPoint> needyAPsB = gOwnerB.getInterfaceAPs(
522 subGraphB);
523 List<AttachmentPoint> allAPsB = gOwnerB.getSubgraphAPs(
524 subGraphB);
525 if (allAPsA.size() < needyAPsB.size()
526 || allAPsB.size() < needyAPsA.size())
527 {
528 // Impossible to satisfy needy APs. Crossover site is not usable.
529 return;
530 }
531
532 // Shortcut: since the compatibility of one AP that is needed to do
533 // branch swapping is guaranteed by the identification of the seeds of
534 // swappable subgraphs, we can avoid searching for a valid A mapping
535 // when the graphs are not embedded. This because any AP that is not
536 // the one connecting the subgraph to the parent can be left free or
537 // removed without side effects on templates that embed the graph
538 // because there is no such template.
539 Template jacketTmplA = gOwnerA.getTemplateJacket();
540 Template jacketTmplB = gOwnerB.getTemplateJacket();
541 if (xoverType == CrossoverType.BRANCH
542 && jacketTmplA==null
543 && jacketTmplB==null)
544 {
545 XoverSite xos = new XoverSite(subGraphA, needyAPsA, subGraphB,
546 needyAPsB, xoverType);
547 if (!collector.contains(xos))
548 collector.add(xos);
549 return;
550 }
551
552 if ((jacketTmplA!=null && jacketTmplA.getContractLevel()
554 || (jacketTmplB!=null && jacketTmplB.getContractLevel()
556 {
557 // Avoid to alter cyclicity of inner graphs
558 for (Vertex v : subGraphA)
559 if (v.isRCV() && !gOwnerA.getRingsInvolvingVertex(v).isEmpty())
560 return;
561 for (Vertex v : subGraphB)
562 if (v.isRCV() && !gOwnerB.getRingsInvolvingVertex(v).isEmpty())
563 return;
564
565 // Avoid to change the structure of inner graphs
566 DGraph subGraphCloneA = gOwnerA.extractSubgraph(subGraphA);
567 DGraph subGraphCloneB = gOwnerB.extractSubgraph(subGraphB);
568 if (!subGraphCloneA.isIsostructuralTo(subGraphCloneB))
569 return;
570 }
571
572 // Retain connection to parent to keep directionality of spanning tree!
573 // To this end, identify the seed of the subgraphs...
574 Vertex seedOnA = gOwnerA.getDeepestAmongThese(subGraphA);
575 Vertex seedOnB = gOwnerB.getDeepestAmongThese(subGraphB);
576 //...and ensure we use the same APs to link to the parent graph.
577 APMapping fixedRootAPs = new APMapping();
578 fixedRootAPs.put(seedOnA.getEdgeToParent().getTrgAP(),
579 seedOnB.getEdgeToParent().getTrgAP());
580
581 APMapFinder apmf = new APMapFinder(fragSpace,
582 allAPsA, needyAPsA, allAPsB, needyAPsB,
583 fixedRootAPs,
584 false, // false: we stop at the first good mapping
585 true, // true: only complete mapping
586 false); // false: free APs are not compatible by default
587 if (apmf.foundMapping())
588 {
589 XoverSite xos = new XoverSite(subGraphA, needyAPsA,
590 subGraphB, needyAPsB, xoverType);
591 if (!collector.contains(xos))
592 collector.add(xos);
593 }
594 }
595
596//------------------------------------------------------------------------------
597
609 private static boolean isCrossoverPossible(Edge eA, Edge eB,
610 FragmentSpace fragSpace)
611 {
612 APClass apClassSrcA = eA.getSrcAPClass();
613 APClass apClassTrgA = eA.getTrgAPClass();
614 APClass apClassSrcB = eB.getSrcAPClass();
615 APClass apClassTrgB = eB.getTrgAPClass();
616
617 if (apClassSrcA.isCPMapCompatibleWith(apClassTrgB, fragSpace))
618 {
619 if (apClassSrcB.isCPMapCompatibleWith(apClassTrgA, fragSpace))
620 {
621 return true;
622 }
623 }
624 return false;
625 }
626
627//------------------------------------------------------------------------------
628
640 protected static boolean deleteLink(Vertex vertex,
641 int chosenVrtxIdx, Monitor mnt, FragmentSpace fragSpace)
642 throws DENOPTIMException
643 {
644 DGraph graph = vertex.getGraphOwner();
645 boolean done = graph.removeVertexAndWeld(vertex, fragSpace);
646 if (!done)
647 {
649 }
650 return done;
651 }
652
653//------------------------------------------------------------------------------
654
671 protected static boolean substituteLink(Vertex vertex,
672 int chosenVrtxIdx, Monitor mnt, FragmentSpace fragSpace)
673 throws DENOPTIMException
674 {
675 //TODO: for reproducibility, the AP mapping should become an optional
676 // parameter: if given we try to use it, if not given, GraphLinkFinder
677 // will try to find a suitable mapping.
678
679 GraphLinkFinder glf = null;
680 if (chosenVrtxIdx<0)
681 {
682 glf = new GraphLinkFinder(fragSpace, vertex);
683 } else {
684 glf = new GraphLinkFinder(fragSpace, vertex, chosenVrtxIdx);
685 }
686 if (!glf.foundAlternativeLink())
687 {
689 return false;
690 }
691
692 DGraph graph = vertex.getGraphOwner();
693 boolean done = graph.replaceVertex(vertex,
697 fragSpace);
698 if (!done)
699 {
700 mnt.increase(
702 }
703 return done;
704 }
705
706//------------------------------------------------------------------------------
707
723 public static boolean extendLink(Vertex vertex,
724 int chosenAPId, Monitor mnt, FragmentSpace fragSpace)
725 throws DENOPTIMException
726 {
727 return extendLink(vertex, chosenAPId, -1 , mnt, fragSpace);
728 }
729
730//------------------------------------------------------------------------------
731
749 public static boolean extendLink(Vertex vertex, int chosenAPId,
750 int chosenNewVrtxId, Monitor mnt, FragmentSpace fragSpace)
751 throws DENOPTIMException
752 {
753 AttachmentPoint ap = vertex.getAP(chosenAPId);
754 if (ap == null)
755 {
756 throw new DENOPTIMException("No AP "+chosenAPId+" in vertex "
757 +vertex+".");
758 }
760
761 if (e == null)
762 {
763 throw new DENOPTIMException("AP "+chosenAPId+" in vertex "
764 +vertex+" has no edge user.");
765 }
766 if (e.getSrcAP().getOwner() != vertex)
767 {
768 throw new DENOPTIMException("Request to extend a link from a child "
769 + "vertex (AP "+chosenAPId+" of vertex "+vertex+").");
770 }
771 return extendLink(e, chosenNewVrtxId, mnt, fragSpace);
772 }
773
774//------------------------------------------------------------------------------
775
788 public static boolean extendLink(Edge edge, int chosenBBIdx,
789 Monitor mnt, FragmentSpace fragSpace) throws DENOPTIMException
790 {
791 //TODO: for reproducibility, the AP mapping should become an optional
792 // parameter: if given we try to use it, if not given we GraphLinkFinder
793 // will try to find a suitable mapping.
794
795 GraphLinkFinder glf = null;
796 if (chosenBBIdx < 0)
797 {
798 glf = new GraphLinkFinder(fragSpace, edge);
799 } else {
800 glf = new GraphLinkFinder(fragSpace, edge,chosenBBIdx);
801 }
802 if (!glf.foundAlternativeLink())
803 {
805 return false;
806 }
807
808 // Need to convert the mapping to make it independent from the instance
809 // or the new link.
810 LinkedHashMap<AttachmentPoint,Integer> apMap =
811 new LinkedHashMap<AttachmentPoint,Integer>();
812 for (Entry<AttachmentPoint, AttachmentPoint> e :
813 glf.getChosenAPMapping().entrySet())
814 {
815 apMap.put(e.getKey(), e.getValue().getIndexInOwner());
816 }
817
818 DGraph graph = edge.getSrcAP().getOwner().getGraphOwner();
819 boolean done = graph.insertVertex(edge,
822 apMap, fragSpace);
823 if (!done)
824 {
825 mnt.increase(
827 }
828 return done;
829 }
830
831//------------------------------------------------------------------------------
832
854 protected static boolean rebuildBranch(Vertex vertex,
855 boolean force, int chosenVrtxIdx, int chosenApId,
856 GAParameters settings) throws DENOPTIMException
857 {
858 DGraph g = vertex.getGraphOwner();
859
860 // first get the edge with the parent
861 Edge e = vertex.getEdgeToParent();
862 if (e == null)
863 {
864 String msg = "Program Bug in substituteFragment: Unable to locate "
865 + "parent edge for vertex "+vertex+" in graph "+g;
866 settings.getLogger().log(Level.SEVERE, msg);
867 throw new DENOPTIMException(msg);
868 }
869
870 // vertex id of the parent
871 long pvid = e.getSrcVertex();
872 Vertex parentVrt = g.getVertexWithId(pvid);
873
874 // Need to remember symmetry because we are deleting the symm. vertices
875 boolean symmetry = g.hasSymmetryInvolvingVertex(vertex);
876
877 // delete the vertex and its children and all its symmetric partners
878 deleteFragment(vertex);
879
880 // extend the graph at this vertex but without recursion
881 return extendGraph(parentVrt,false,symmetry,force,chosenVrtxIdx,
882 chosenApId, settings);
883 }
884
885//------------------------------------------------------------------------------
886
895 protected static boolean deleteFragment(Vertex vertex)
896 throws DENOPTIMException
897 {
898 long vid = vertex.getVertexId();
899 DGraph molGraph = vertex.getGraphOwner();
900
901 if (molGraph.hasSymmetryInvolvingVertex(vertex))
902 {
903 List<Vertex> toRemove = new ArrayList<Vertex>();
904 toRemove.addAll(molGraph.getSymSetForVertex(vertex));
905 for (Vertex v : toRemove)
906 {
907 molGraph.removeBranchStartingAt(v);
908 }
909 }
910 else
911 {
912 molGraph.removeBranchStartingAt(vertex);
913 }
914
915 if (molGraph.getVertexWithId(vid) == null && molGraph.getVertexCount() > 1)
916 return true;
917
918 return false;
919 }
920
921//------------------------------------------------------------------------------
922
935 protected static boolean deleteChain(Vertex vertex, Monitor mnt,
936 FragmentSpace fragSpace) throws DENOPTIMException
937 {
938 long vid = vertex.getVertexId();
939 DGraph molGraph = vertex.getGraphOwner();
940
941 if (molGraph.hasSymmetryInvolvingVertex(vertex))
942 {
943 List<Vertex> toRemove = new ArrayList<Vertex>();
944 toRemove.addAll(molGraph.getSymSetForVertex(vertex));
945 for (Vertex v : toRemove)
946 {
947 if (!v.getMutationTypes(new ArrayList<MutationType>())
948 .contains(MutationType.DELETECHAIN))
949 continue;
950 molGraph.removeChainUpToBranching(v, fragSpace);
951 }
952 }
953 else
954 {
955 molGraph.removeChainUpToBranching(vertex, fragSpace);
956 }
957
958 if (molGraph.getVertexWithId(vid) == null && molGraph.getVertexCount() > 1)
959 return true;
960 return false;
961 }
962
963//------------------------------------------------------------------------------
964
980 protected static boolean addRing(Vertex vertex, Monitor mnt, boolean force,
981 FragmentSpace fragSpace, GAParameters settings)
982 throws DENOPTIMException
983 {
984 // get settings //TODO: this should happen inside RunTimeParameters
986 if (settings.containsParameters(ParametersType.RC_PARAMS))
987 {
988 rcParams = (RingClosureParameters)settings.getParameters(
990 }
991 Randomizer rng = settings.getRandomizer();
992
993 // First of all we remove capping groups in the graph
994 vertex.getGraphOwner().removeCappingGroups();
995
996 List<AttachmentPoint> freeeAPs = vertex.getFreeAPThroughout();
997 if (freeeAPs.size()==0)
998 {
1000 return false;
1001 }
1002 DGraph originalGraph = vertex.getGraphOwner();
1003 DGraph tmpGraph = originalGraph.clone();
1004
1005 Vertex headVrtx = tmpGraph.getVertexAtPosition(originalGraph.indexOf(
1006 vertex));
1007
1008 // Define the set of rings on the cloned (tmp) graph
1009 List<Ring> setOfRingsOnTmpGraph = null;
1010 for (AttachmentPoint srcAP : headVrtx.getFreeAPThroughout())
1011 {
1012 APClass apc = srcAP.getAPClass();
1013
1014 // Skip if the APClass is not allowed to form ring closures
1015 if (!fragSpace.getRCCompatibilityMatrix().containsKey(apc))
1016 {
1017 continue;
1018 }
1019 List<APClass> rcTrgAPCs = fragSpace.getRCCompatibilityMatrix().get(
1020 apc);
1021
1022 // NB: the fragment space may or may not have a RCV for this AP
1023 Vertex rcvOnSrcAP = null;
1024 List<Vertex> candidateRCVs = fragSpace.getRCVsForAPClass(apc);
1025 boolean rcvIsChosenArbitrarily = false;
1026 if (candidateRCVs.size()>0)
1027 {
1028 rcvOnSrcAP = rng.randomlyChooseOne(candidateRCVs);
1029 } else {
1030 rcvIsChosenArbitrarily = true;
1031 rcvOnSrcAP = fragSpace.getPolarizedRCV(true);
1032 }
1033
1034 // Add the RCV on this AP
1035 List<Vertex> rcvAddedToGraph = new ArrayList<Vertex>();
1036 tmpGraph.appendVertexOnAP(srcAP, rcvOnSrcAP.getAP(0));
1037 rcvAddedToGraph.add(rcvOnSrcAP);
1038
1039 // Add a few RCVs in the rest of the system
1040 // WARNING: hard-coded max number of attempts. It should not be too
1041 // high to prevent combinatorial explosion.
1042 for (int i=0; i<20; i++)
1043 {
1044 // Do it only on APs that APClass-compatible with chord formation
1045 List<AttachmentPoint> apsToTry =
1046 tmpGraph.getAvailableAPsThroughout();
1047 int numberOfAttempts = apsToTry.size();
1048 AttachmentPoint trgAP = null;
1049 for (int iap=0; iap<numberOfAttempts; iap++)
1050 {
1051 AttachmentPoint candidate = rng.randomlyChooseOne(apsToTry);
1052 if (rcTrgAPCs.contains(candidate.getAPClass()))
1053 {
1054 trgAP = candidate;
1055 break;
1056 }
1057 apsToTry.remove(trgAP);
1058 }
1059 if (trgAP==null)
1060 {
1061 // No more AP can be used to form rings with srcAP
1062 break;
1063 }
1064
1065 // Choose type of RCV
1066 Vertex rcvOnTrgAP = null;
1067 if (rcvIsChosenArbitrarily)
1068 {
1069 rcvOnTrgAP = fragSpace.getPolarizedRCV(false);
1070 } else {
1071 List<Vertex> candRCVs = fragSpace.getRCVsForAPClass(
1072 trgAP.getAPClass());
1073 if (candRCVs.size()>0)
1074 {
1075 APClass requiredAPC = RingClosingAttractor.RCAAPCMAP.get(
1076 rcvOnSrcAP.getAP(0).getAPClass());
1077 List<Vertex> keptRCVs = new ArrayList<Vertex>();
1078 for (Vertex rcv : candRCVs)
1079 {
1080 if (requiredAPC.equals(rcv.getAP(0).getAPClass()))
1081 keptRCVs.add(rcv);
1082 }
1083 rcvOnTrgAP = rng.randomlyChooseOne(keptRCVs);
1084 if (rcvOnTrgAP==null)
1085 {
1086 // no RCV is both usable and compatible with the
1087 // one already selected for srcAP
1088 continue;
1089 }
1090 } else {
1091 // The APClass settings and RCV compatibility rules
1092 // do not allow to identify a suitable RCV
1093 continue;
1094 }
1095 }
1096
1097 // append RCV
1098 tmpGraph.appendVertexOnAP(trgAP, rcvOnTrgAP.getAP(0));
1099 rcvAddedToGraph.add(rcvOnTrgAP);
1100 }
1101 if (rcvAddedToGraph.size() < 2)
1102 {
1103 // TODO: we could consider counting these to see what is the
1104 // most frequent cause of this mutation to fail
1105 continue;
1106 }
1107
1108 // Define rings to close in tmp graph
1110 settings.getLogger(), rng);
1111 t3d.setAlignBBsIn3D(false); //3D not needed
1112 IAtomContainer mol = t3d.convertGraphTo3DAtomContainer(tmpGraph,true);
1114 mol,
1115 tmpGraph,
1116 settings.getMaxRingsAddedByMutation(),
1117 fragSpace, rcParams);
1118
1119 //TODO: possibility to generate multiple combinations, rank them,
1120 // and pick the best one. Though definition of comparator is not
1121 // unambiguous.
1122
1123 setOfRingsOnTmpGraph = rCombIter.next();
1124
1125 // Termination of search over trgAPs
1126 if (setOfRingsOnTmpGraph.size()>0)
1127 break;
1128
1129 // Cleanup before starting new iteration
1130 for (Vertex toRemove : rcvAddedToGraph)
1131 tmpGraph.removeVertex(toRemove);
1132 }
1133 if (setOfRingsOnTmpGraph==null || setOfRingsOnTmpGraph.size()==0)
1134 {
1136 return false;
1137 }
1138
1139 // Project rings into the actual graph
1140 boolean done = false;
1141 for (Ring rOnTmp : setOfRingsOnTmpGraph)
1142 {
1143 // Project head RCV and all info to attach it to original graph
1144 Vertex vToHeadRCV = originalGraph.getVertexAtPosition(
1145 tmpGraph.indexOf(rOnTmp.getHeadVertex().getParent()));
1146 AttachmentPoint apToHeadRCV = vToHeadRCV.getAP(
1147 rOnTmp.getHeadVertex().getEdgeToParent().getSrcAP()
1148 .getIndexInOwner());
1149 Vertex headRCV = null;
1150 if (!apToHeadRCV.isAvailable())
1151 {
1152 headRCV = apToHeadRCV.getLinkedAP().getOwner();
1153 } else {
1154 headRCV = rOnTmp.getHeadVertex().clone();
1156 // And append head RCV on original graph
1157 originalGraph.appendVertexOnAP(apToHeadRCV, headRCV.getAP(0));
1158 }
1159
1160 // Project tail RCV and all info to attach it to original graph
1161 Vertex vToTailRCV = originalGraph.getVertexAtPosition(
1162 tmpGraph.indexOf(rOnTmp.getTailVertex().getParent()));
1163 AttachmentPoint apToTailRCV = vToTailRCV.getAP(
1164 rOnTmp.getTailVertex().getEdgeToParent().getSrcAP()
1165 .getIndexInOwner());
1166 Vertex tailRCV = null;
1167 if (!apToTailRCV.isAvailable())
1168 {
1169 tailRCV = apToTailRCV.getLinkedAP().getOwner();
1170 } else {
1171 tailRCV = rOnTmp.getTailVertex().clone();
1173 // And append tail RCV on original graph
1174 originalGraph.appendVertexOnAP(apToTailRCV, tailRCV.getAP(0));
1175 }
1176
1177 // Add ring
1178 originalGraph.addRing(headRCV, tailRCV);
1179 done = true;
1180 }
1181
1182 // Restore capping groups
1183 vertex.getGraphOwner().addCappingGroups(fragSpace);
1184
1185 return done;
1186 }
1187
1188//------------------------------------------------------------------------------
1189
1205 protected static boolean addFusedRing(Vertex vertex, Monitor mnt,
1206 boolean force, FragmentSpace fragSpace, GAParameters settings)
1207 throws DENOPTIMException
1208 {
1209 // get settings //TODO: this should happen inside RunTimeParameters
1211 if (settings.containsParameters(ParametersType.RC_PARAMS))
1212 {
1213 rcParams = (RingClosureParameters)settings.getParameters(
1215 }
1216
1217 Randomizer rng = settings.getRandomizer();
1218
1219 // First of all we remove capping groups in the graph
1220 vertex.getGraphOwner().removeCappingGroups();
1221
1222 List<AttachmentPoint> freeAPs = vertex.getFreeAPThroughout();
1223 if (freeAPs.size()==0)
1224 {
1226 return false;
1227 }
1228
1229 DGraph graph = vertex.getGraphOwner();
1230
1231 // Define where to add a bridge. Multiple sites are the result of
1232 // symmetry, so they all correspond to the same kind of operation
1233 // performed on symmetry-related sites
1234 List<List<RelatedAPPair>> candidatePairsSets =
1236 graph,
1237 fragSpace,
1238 rcParams,
1239 rng.nextBoolean(settings.getSymmetryProbability()),
1240 settings.getLogger(), rng);
1241 if (candidatePairsSets.size()==0)
1242 {
1244 return false;
1245 }
1246
1247 // Bias by potential ring size considering the existing part of the
1248 // to-be-created ring.
1249 // NB: we have to do this twice because some sites may be used to
1250 // form rings with different sizes. So, see below for the second time...
1251 List<List<RelatedAPPair>> szBiasedCandidatePairsSets =
1252 new ArrayList<List<RelatedAPPair>>();
1253 for (List<RelatedAPPair> pairSet : candidatePairsSets)
1254 {
1256 pairSet.get(0).property;
1257 int existingBridgeLength = bhfrOfPair.getExistingBridgeLength();
1258 int[] allowedBridgeLengths = bhfrOfPair.getAllowedBridgeLength(
1259 rcParams.getMaxRingSize());
1260 for (int i=0; i<allowedBridgeLengths.length; i++)
1261 {
1262 int allowedBridgeLength = allowedBridgeLengths[i];
1263 int possibleRingSize = allowedBridgeLength
1264 + existingBridgeLength;
1265 int weight = 1; // weight of a ring size
1266 if (possibleRingSize < rcParams.getMaxRingSize())
1267 {
1268 weight = rcParams.getRingSizeBias().get(possibleRingSize);
1269 }
1270
1271 // We add copies of the same set to the list of candidate
1272 // sets, so when we randomly choose we are more likely to
1273 // choose a set that leads to preferred ring sizes.
1274 for (int z=0; z<weight; z++)
1275 {
1276 szBiasedCandidatePairsSets.add(pairSet);
1277 }
1278 }
1279 }
1280 if (szBiasedCandidatePairsSets.size()==0)
1281 {
1283 return false;
1284 }
1285
1286 // Select one combination
1287 List<RelatedAPPair> chosenPairsSet = rng.randomlyChooseOne(
1288 szBiasedCandidatePairsSets);
1289
1290 // Based on the chosen pair, decide on the number of electrons to use
1291 // in the incoming fragment that will be used to close the ring
1292 // the pairs are all the same kind of ring fusion, so just take the 1st
1293 String elsInHalfFrag = chosenPairsSet.get(0).propID.substring(0,1);
1294 if (elsInHalfFrag.matches("[a-zA-Z]"))
1295 elsInHalfFrag = "0";
1296 boolean newRingIsAromatic = true;
1297 String elInIncomingFrag = "0el";
1298 switch (elsInHalfFrag)
1299 {
1300 case "0":
1301 case "1":
1302 // no aromaticity to be retained: use non-aromatic chords
1303 elInIncomingFrag = "0el";
1304 newRingIsAromatic = false;
1305 break;
1306
1307 case "2":
1308 // Formally we can use any fragment delivering 4n electrons.
1309 // Effectively, we have only 4-el fragments
1310 elInIncomingFrag = "4el";
1311 break;
1312
1313 case "3":
1314 // We could use a 5-el fragment, but the 8-el aromatic system is
1315 // so rare that we avoid it. So, we can only use 3-el fragment
1316 elInIncomingFrag = "3el";
1317 break;
1318
1319 case "4":
1320 // Effectively can only use 2-el fragments
1321 elInIncomingFrag = "2el";
1322 break;
1323
1324 case "5":
1325 // We could use a 3-el fragment, but the 8-el aromatic system is
1326 // so rare that we avoid it. This could become a tunable config
1327 elInIncomingFrag = "1el";
1328 break;
1329 default:
1330 throw new Error("Unknown number of pi-electrons in fragment to "
1331 + "be used for ring fusion operation.");
1332 }
1333
1334 // Collect fragment that can be used as ring-closing bridge based on the
1335 // number of aromatic electrons and number of atoms
1337 chosenPairsSet.get(0).property;
1338
1339 List<Vertex> usableBridges = null;
1340 if (newRingIsAromatic)
1341 {
1342 usableBridges = EAUtils.getUsableAromaticBridges(
1343 elInIncomingFrag,
1344 bhfr.getAllowedBridgeLength(rcParams.getMaxRingSize()),
1345 fragSpace);
1346 } else {
1347 // NB: we keep track of which APs are supposed to be used to form
1348 // the bridge by recording their index in a property of the vertex
1349 usableBridges = EAUtils.getUsableAliphaticBridges(
1350 chosenPairsSet.get(0).apA.getAPClass(),
1351 chosenPairsSet.get(0).apB.getAPClass(),
1352 bhfr.getAllowedBridgeLength(rcParams.getMaxRingSize()),
1353 fragSpace);
1354 }
1355
1356 if (usableBridges.size()==0)
1357 {
1359 return false;
1360 }
1361
1362 // Select size of the incoming bridge based on ring-size biases
1363 // NB: we have to do this twice because some sites may be used to
1364 // form rings with different sizes. So, see above for the first time...
1365 List<Vertex> szBiasedUsableBridges = new ArrayList<Vertex>();
1366 for (Vertex candidateBridge : usableBridges)
1367 {
1368 int thisBridgeLength = (int) candidateBridge.getProperty(
1370 int existingBridgeLength = bhfr.getExistingBridgeLength();
1371 int resultingRingSize = existingBridgeLength + thisBridgeLength;
1372 int weigth = 1; // weight of a ring size
1373 if (resultingRingSize < rcParams.getMaxRingSize())
1374 {
1375 weigth = rcParams.getRingSizeBias().get(resultingRingSize);
1376 }
1377
1378 // We add copies of the same vertex to the list of candidate
1379 // vertexes, so when we randomly choose we are more likely to
1380 // choose those leading to preferred ring sizes.
1381 for (int z=0; z<weigth; z++)
1382 {
1383 szBiasedUsableBridges.add(candidateBridge);
1384 }
1385 }
1386
1387 if (szBiasedUsableBridges.size()==0)
1388 {
1390 return false;
1391 }
1392
1393 Vertex incomingVertex = rng.randomlyChooseOne(szBiasedUsableBridges);
1394
1395 // Decide which aps on the bridge are used as head/tail
1396 List<AttachmentPoint> apsInFusion = new ArrayList<AttachmentPoint>();
1397 int[] idApOnBridge = new int[2];
1398 if (newRingIsAromatic)
1399 {
1400 apsInFusion.addAll(incomingVertex.getAPsWithAPClassStartingWith(
1401 elInIncomingFrag));
1402 if (rng.nextBoolean())
1403 {
1404 idApOnBridge[0] = apsInFusion.get(0).getIndexInOwner();
1405 idApOnBridge[1] = apsInFusion.get(1).getIndexInOwner();
1406 } else {
1407 idApOnBridge[0] = apsInFusion.get(1).getIndexInOwner();
1408 idApOnBridge[1] = apsInFusion.get(0).getIndexInOwner();
1409 }
1410 } else {
1411 idApOnBridge[0] = Integer.parseInt(incomingVertex.getProperty(
1413 idApOnBridge[1] = Integer.parseInt(incomingVertex.getProperty(
1415 }
1416
1417 boolean done = false;
1418 for (RelatedAPPair pairOfAPs : chosenPairsSet)
1419 {
1420 AttachmentPoint apHead = pairOfAPs.apA;
1421 AttachmentPoint apTail = pairOfAPs.apB;
1422
1423 Vertex bridgeClone = incomingVertex.clone();
1424 bridgeClone.setVertexId(graph.getMaxVertexId()+1);
1425
1426 graph.appendVertexOnAP(apHead, bridgeClone.getAP(idApOnBridge[0]));
1427
1428 Vertex rcvBridge = fragSpace.getPolarizedRCV(true);
1429 graph.appendVertexOnAP(bridgeClone.getAP(idApOnBridge[1]),
1430 rcvBridge.getAP(0));
1431
1432 Vertex rcvTail = fragSpace.getPolarizedRCV(false);
1433 graph.appendVertexOnAP(apTail, rcvTail.getAP(0));
1434 graph.addRing(rcvBridge, rcvTail);
1435 done = true;
1436 }
1437
1438 // Restore capping groups
1439 vertex.getGraphOwner().addCappingGroups(fragSpace);
1440
1441 return done;
1442 }
1443
1444//------------------------------------------------------------------------------
1445
1460 protected static boolean extendGraph(Vertex curVertex,
1461 boolean extend,
1462 boolean symmetryOnAps,
1463 GAParameters settings)
1464 throws DENOPTIMException
1465 {
1466 return extendGraph(curVertex, extend, symmetryOnAps, false, -1, -1,
1467 settings);
1468 }
1469
1470//------------------------------------------------------------------------------
1471
1495 protected static boolean extendGraph(Vertex curVrtx,
1496 boolean extend,
1497 boolean symmetryOnAps,
1498 boolean force,
1499 int chosenVrtxIdx,
1500 int chosenApId,
1501 GAParameters settings)
1502 throws DENOPTIMException
1503 {
1504 // get settings //TODO: this should happen inside RunTimeParameters
1506 if (settings.containsParameters(ParametersType.RC_PARAMS))
1507 {
1508 rcParams = (RingClosureParameters)settings.getParameters(
1510 }
1512 if (settings.containsParameters(ParametersType.FS_PARAMS))
1513 {
1514 fsParams = (FragmentSpaceParameters)settings.getParameters(
1516 }
1517 int maxHeavyAtoms = fsParams.getMaxHeavyAtom();
1518
1519 // return true if the append has been successful
1520 boolean status = false;
1521
1522 // check if the fragment has available APs
1523 if (!curVrtx.hasFreeAP())
1524 {
1525 return status;
1526 }
1527
1528 DGraph molGraph = curVrtx.getGraphOwner();
1529 int lvl = molGraph.getLevel(curVrtx);
1530
1531 ArrayList<Long> addedVertices = new ArrayList<>();
1532
1533 List<AttachmentPoint> lstDaps = curVrtx.getAttachmentPoints();
1534 List<AttachmentPoint> toDoAPs = new ArrayList<AttachmentPoint>();
1535 toDoAPs.addAll(lstDaps);
1536 for (int i=0; i<lstDaps.size(); i++)
1537 {
1538 // WARNING: randomization decouples 'i' from the index of the AP
1539 // in the vertex's list of APs! So 'i' is just the i-th attempt on
1540 // the curVertex.
1541
1542 AttachmentPoint ap = settings.getRandomizer().randomlyChooseOne(
1543 toDoAPs);
1544 toDoAPs.remove(ap);
1545 int apId = ap.getIndexInOwner();
1546
1547 // is it possible to extend on this AP?
1548 if (!ap.isAvailable())
1549 {
1550 continue;
1551 }
1552
1553 // NB: this is done also in addRing()
1554 // Ring closure does not change the size of the molecule, so we
1555 // give it an extra chance to occur irrespectively on molecular size
1556 // limit, while still subject of crowdedness probability.
1557 boolean allowOnlyRingClosure = false;
1558 if (!force)
1559 {
1560 // Decide whether we want to extend the graph at this AP?
1561 // Note that depending on the criterion (level/molSize) one
1562 // of these two first factors is 1.0.
1563 double molSizeProb = EAUtils.getMolSizeProbability(molGraph,
1564 settings);
1565 double byLevelProb = EAUtils.getGrowthByLevelProbability(lvl,
1566 settings);
1567 double crowdingProb = EAUtils.getCrowdingProbability(ap,
1568 settings);
1569 double extendGraphProb = molSizeProb * byLevelProb * crowdingProb;
1570 boolean fgrow = settings.getRandomizer().nextBoolean(
1571 extendGraphProb);
1572 if (!fgrow)
1573 {
1574 if (rcParams.allowRingClosures()
1575 && settings.getRandomizer().nextBoolean(byLevelProb
1576 * crowdingProb))
1577 {
1578 allowOnlyRingClosure = true;
1579 } else {
1580 continue;
1581 }
1582 }
1583 }
1584
1585 // Apply closability bias in selection of next fragment
1586 if (!allowOnlyRingClosure
1587 && rcParams.allowRingClosures()
1589 {
1590 boolean successful = attachFragmentInClosableChain(curVrtx,
1591 apId, molGraph, addedVertices, settings);
1592 if (successful)
1593 {
1594 continue;
1595 }
1596 }
1597
1598 // find a compatible combination of fragment and AP
1599 IdFragmentAndAP chosenFrgAndAp = null;
1600 if (allowOnlyRingClosure)
1601 {
1602 // NB: this works only for RCVs that are in the BBSpace, does
1603 // not generate a default RCV on-the-fly. So if no RCV is found
1604 // we'll get a pointer to nothing, which is what we check in the
1605 // next IF-block.
1606 chosenFrgAndAp = getRCVForSrcAp(curVrtx, apId,
1607 fsParams.getFragmentSpace());
1608 } else {
1609 chosenFrgAndAp = getFrgApForSrcAp(curVrtx,
1610 apId, chosenVrtxIdx, chosenApId, fsParams.getFragmentSpace());
1611 }
1612 int fid = chosenFrgAndAp.getVertexMolId();
1613 if (fid == -1)
1614 {
1615 continue;
1616 }
1617
1618 // Get the vertex that we'll add to the graph
1619 Vertex incomingVertex = Vertex.newVertexFromLibrary(-1,
1620 chosenFrgAndAp.getVertexMolId(),
1622 fsParams.getFragmentSpace());
1623
1624 // Stop if graph is already too big
1625 if ((curVrtx.getGraphOwner().getHeavyAtomsCount() +
1626 incomingVertex.getHeavyAtomsCount()) > maxHeavyAtoms)
1627 {
1628 continue;
1629 }
1630
1631 // Decide on symmetric substitution within this vertex...
1632 boolean cpOnSymAPs = applySymmetry(
1634 ap.getAPClass()),
1635 settings.getSymmetryProbability(),
1636 fsParams.getRandomizer());
1637 SymmetricAPs symAPs = new SymmetricAPs();
1638 if (curVrtx.getSymmetricAPs(ap).size()!=0
1639 && (cpOnSymAPs || symmetryOnAps)
1640 && !allowOnlyRingClosure)
1641 {
1642 symAPs.addAll(curVrtx.getSymmetricAPs(ap));
1643
1644 // Are symmetric APs rooted on same atom?
1645 boolean allOnSameSrc = true;
1646 for (AttachmentPoint symAP : symAPs)
1647 {
1648 if (!symAP.hasSameSrcAtom(ap))
1649 {
1650 allOnSameSrc = false;
1651 break;
1652 }
1653 }
1654
1655 if (allOnSameSrc)
1656 {
1657 // If the APs are rooted on the same src atom, we want to
1658 // apply the crowdedness probability to avoid over crowded
1659 // atoms
1660
1661 int crowdedness = EAUtils.getCrowdedness(ap);
1662
1663 SymmetricAPs toKeep = new SymmetricAPs();
1664
1665 // Start by keeping "ap"
1666 toKeep.add(ap);
1667 crowdedness = crowdedness + 1;
1668
1669 // Pick the accepted value once (used to decide how much
1670 // crowdedness we accept)
1671 double shot = settings.getRandomizer().nextDouble();
1672
1673 // Keep as many as allowed by the crowdedness decision
1674 for (AttachmentPoint symAP : symAPs)
1675 {
1676 if (symAP == ap)
1677 continue;
1678
1679 double crowdProb = EAUtils.getCrowdingProbability(
1680 crowdedness, settings);
1681
1682 if (shot > crowdProb)
1683 break;
1684
1685 toKeep.add(symAP);
1686 crowdedness = crowdedness + 1;
1687 }
1688
1689 // Adjust the list of symmetric APs to work with
1690 symAPs = toKeep;
1691 }
1692 } else {
1693 symAPs = new SymmetricAPs();
1694 symAPs.add(ap);
1695 }
1696
1697 // ...and inherit symmetry from previous levels
1698 boolean cpOnSymVrts = molGraph.hasSymmetryInvolvingVertex(curVrtx);
1699 SymmetricVertexes symVerts = new SymmetricVertexes();
1700 if (cpOnSymVrts)
1701 {
1702 symVerts = molGraph.getSymSetForVertex(curVrtx);
1703 }
1704 else
1705 {
1706 symVerts.add(curVrtx);
1707 }
1708
1709 // Consider size after application of symmetry
1710 if ((curVrtx.getGraphOwner().getHeavyAtomsCount() +
1711 incomingVertex.getHeavyAtomsCount() * symVerts.size()
1712 * symAPs.size()) > maxHeavyAtoms)
1713 {
1714 continue;
1715 }
1716
1717 // Collects all sym APs: within the vertex and outside it
1718 List<AttachmentPoint> allAPsFromSymVerts = new ArrayList<>();
1719 for (Vertex symVrt : symVerts)
1720 {
1721 for (AttachmentPoint apOnVrt : symAPs)
1722 {
1723 AttachmentPoint apOnSymVrt = symVrt.getAP(
1724 apOnVrt.getIndexInOwner());
1725 // This check is most often not needed, but it prevents that
1726 // misleading symmetry relations are used to break APClass
1727 // compatibility constraints
1728 if (apOnVrt.sameAs(apOnSymVrt)
1729 // Also ignore previously found APs
1730 && !symAPs.contains(apOnSymVrt))
1731 {
1732 allAPsFromSymVerts.add(apOnSymVrt);
1733 }
1734 }
1735 }
1736 symAPs.addAll(allAPsFromSymVerts);
1737
1739
1740 // loop on all symmetric vertices, but can be only one.
1741 SymmetricVertexes newSymSetOfVertices = new SymmetricVertexes();
1742 for (AttachmentPoint symAP : symAPs)
1743 {
1744 if (!symAP.isAvailable())
1745 {
1746 continue;
1747 }
1748
1749 // Finally add the fragment on a symmetric AP
1750 long newVrtId = GraphUtils.getUniqueVertexIndex();
1751 Vertex fragVertex = Vertex.newVertexFromLibrary(newVrtId,
1752 chosenFrgAndAp.getVertexMolId(),
1754 fsParams.getFragmentSpace());
1755 AttachmentPoint trgAP = fragVertex.getAP(
1756 chosenFrgAndAp.getApId());
1757
1758 molGraph.appendVertexOnAP(symAP, trgAP);
1759
1760 addedVertices.add(newVrtId);
1761 newSymSetOfVertices.add(fragVertex);
1762 }
1763
1764 // If any, store symmetry of new vertices in the graph
1765 if (newSymSetOfVertices.size() > 1)
1766 {
1767 molGraph.addSymmetricSetOfVertices(newSymSetOfVertices);
1768 }
1769 } // end loop over APs
1770
1771 if (extend)
1772 {
1773 // attempt to further extend each of the newly added vertices
1774 for (int i=0; i<addedVertices.size(); i++)
1775 {
1776 long vid = addedVertices.get(i);
1777 Vertex v = molGraph.getVertexWithId(vid);
1778 extendGraph(v, extend, symmetryOnAps, settings);
1779 }
1780 }
1781
1782 if (addedVertices.size() > 0)
1783 status = true;
1784
1785 return status;
1786 }
1787
1788//------------------------------------------------------------------------------
1789
1801 protected static IdFragmentAndAP getFrgApForSrcAp(Vertex curVertex,
1802 int dapidx, FragmentSpace fragSpace) throws DENOPTIMException
1803 {
1804 return getFrgApForSrcAp(curVertex, dapidx, -1, -1, fragSpace);
1805 }
1806
1807//------------------------------------------------------------------------------
1808
1826 protected static IdFragmentAndAP getFrgApForSrcAp(Vertex curVertex,
1827 int dapidx, int chosenVrtxIdx, int chosenApId,
1828 FragmentSpace fragSpace) throws DENOPTIMException
1829 {
1830 List<AttachmentPoint> lstDaps = curVertex.getAttachmentPoints();
1831 AttachmentPoint curDap = lstDaps.get(dapidx);
1832
1833 // Initialize with an empty pointer
1834 IdFragmentAndAP res = new IdFragmentAndAP(-1, -1, BBType.FRAGMENT, -1,
1835 -1, -1);
1836 if (!fragSpace.useAPclassBasedApproach())
1837 {
1838 int fid = fragSpace.getRandomizer().nextInt(
1839 fragSpace.getFragmentLibrary().size());
1840 res = new IdFragmentAndAP(-1,fid,BBType.FRAGMENT,-1,-1,-1);
1841 }
1842 else
1843 {
1844 List<IdFragmentAndAP> candidates =
1845 fragSpace.getFragAPsCompatibleWithClass(
1846 curDap.getAPClass());
1847 if (candidates.size() > 0)
1848 {
1849 if (chosenVrtxIdx>-1 && chosenApId>-1)
1850 {
1851 // We have asked to force the selection
1852 res = new IdFragmentAndAP(-1,chosenVrtxIdx,BBType.FRAGMENT,
1853 chosenApId,-1,-1);
1854 } else {
1855 res = fragSpace.getRandomizer().randomlyChooseOne(candidates);
1856 }
1857 }
1858 }
1859 return res;
1860 }
1861
1862//------------------------------------------------------------------------------
1863
1875 protected static IdFragmentAndAP getRCVForSrcAp(Vertex curVertex,
1876 int dapidx, FragmentSpace fragSpace) throws DENOPTIMException
1877 {
1878 AttachmentPoint ap = curVertex.getAP(dapidx);
1879
1880 Randomizer rng = fragSpace.getRandomizer();
1881 List<Vertex> rcvs = fragSpace.getRCVs();
1882 Vertex chosen = null;
1883 if (!fragSpace.useAPclassBasedApproach())
1884 {
1885 chosen = rng.randomlyChooseOne(rcvs);
1886 } else {
1887 List<Vertex> candidates = fragSpace.getRCVsForAPClass(
1888 ap.getAPClass());
1889 if (candidates.size() > 0)
1890 {
1891 chosen = rng.randomlyChooseOne(candidates);
1892 }
1893 }
1894
1895 IdFragmentAndAP pointer = new IdFragmentAndAP();
1896 if (chosen!=null)
1897 pointer = new IdFragmentAndAP(-1, chosen.getBuildingBlockId(),
1898 chosen.getBuildingBlockType(), 0, -1, -1);
1899 return pointer;
1900 }
1901
1902//------------------------------------------------------------------------------
1903
1904 protected static boolean attachFragmentInClosableChain(
1905 Vertex curVertex, int dapidx, DGraph molGraph,
1906 ArrayList<Long> addedVertices, GAParameters settings)
1907 throws DENOPTIMException
1908 {
1909 boolean res = false;
1911 if (settings.containsParameters(ParametersType.FS_PARAMS))
1912 {
1913 fsParams = (FragmentSpaceParameters)settings.getParameters(
1915 }
1916
1917 // Get candidate fragments
1918 ArrayList<FragForClosabChains> lscFfCc = getFragmentForClosableChain(
1919 curVertex, dapidx, molGraph);
1920
1921 // Here we can get:
1922 // 1) a selection of fragments that allow to close rings
1923 // 2) an empty list because no fragments allow to close rings
1924 // 3) "-1" as molID that means there are closable chains that
1925 // terminate at the current level, so we let the standard
1926 // routine proceeds selecting an extension of the chain
1927 // or cap this end.
1928
1929 // Choose a candidate and attach it to the graph
1930 int numCands = lscFfCc.size();
1931 if (numCands > 0)
1932 {
1933 int chosenId = settings.getRandomizer().nextInt(numCands);
1934 FragForClosabChains chosenFfCc = lscFfCc.get(chosenId);
1935 ArrayList<Integer> newFragIds = chosenFfCc.getFragIDs();
1936 int molIdNewFrag = newFragIds.get(0);
1937 BBType typeNewFrag = BBType.parseInt(newFragIds.get(1));
1938 int dapNewFrag = newFragIds.get(2);
1939 if (molIdNewFrag != -1)
1940 {
1941 long newvid = GraphUtils.getUniqueVertexIndex();
1943 newvid, molIdNewFrag, typeNewFrag,
1944 fsParams.getFragmentSpace());
1945
1946 molGraph.appendVertexOnAP(curVertex.getAP(dapidx),
1947 newVrtx.getAP(dapNewFrag));
1948
1949 if (newvid != -1)
1950 {
1951 addedVertices.add(newvid);
1952 // update list of candidate closable chains
1953 molGraph.getClosableChains().removeAll(
1954 chosenFfCc.getIncompatibleCC());
1955 APClass apc = curVertex.getAttachmentPoints().get(
1956 dapidx).getAPClass();
1957 if (applySymmetry(
1959 settings.getSymmetryProbability(),
1960 fsParams.getRandomizer()))
1961 {
1962//TODO: implement symmetric substitution with closability bias
1963 }
1964 res = true;
1965 }
1966 else
1967 {
1968 String msg = "BUG: Incorrect vertex num. Contact author.";
1969 settings.getLogger().log(Level.SEVERE, msg);
1970 throw new DENOPTIMException(msg);
1971 }
1972 }
1973 }
1974 return res;
1975 }
1976
1977//------------------------------------------------------------------------------
1978
1983 private static class FragForClosabChains
1984 {
1985 private ArrayList<ClosableChain> compatChains;
1986 private ArrayList<ClosableChain> incompatChains;
1987 private ArrayList<Integer> fragIds;
1988
1989 //----------------------------------------------------------------------
1990
1991 public FragForClosabChains(ArrayList<ClosableChain> compatChains,
1992 ArrayList<ClosableChain> incompatChains,
1993 ArrayList<Integer> fragIds)
1994 {
1995 this.compatChains = compatChains;
1996 this.incompatChains = incompatChains;
1997 this.fragIds = fragIds;
1998 }
1999
2000 //----------------------------------------------------------------------
2001
2003 {
2004 compatChains.add(icc);
2005 }
2006
2007 //----------------------------------------------------------------------
2008
2009 public ArrayList<ClosableChain> getCompatibleCC()
2010 {
2011 return compatChains;
2012 }
2013
2014 //----------------------------------------------------------------------
2015
2016 public ArrayList<ClosableChain> getIncompatibleCC()
2017 {
2018 return incompatChains;
2019 }
2020
2021 //----------------------------------------------------------------------
2022
2023 public ArrayList<Integer> getFragIDs()
2024 {
2025 return fragIds;
2026 }
2027
2028 //----------------------------------------------------------------------
2029 }
2030
2031//------------------------------------------------------------------------------
2032
2038 protected static ArrayList<FragForClosabChains> getFragmentForClosableChain(
2039 Vertex curVertex,
2040 int dapidx,
2041 DGraph molGraph)
2042 throws DENOPTIMException
2043 {
2044 // Select candidate fragments respecting the closability conditions
2045 ArrayList<FragForClosabChains> lstChosenFfCc =
2046 new ArrayList<FragForClosabChains>();
2047
2048 if (molGraph.getClosableChains().size() == 0)
2049 {
2050 return lstChosenFfCc;
2051 }
2052
2053 if (curVertex.getBuildingBlockType() == BBType.SCAFFOLD)
2054 {
2055 for (ClosableChain cc : molGraph.getClosableChains())
2056 {
2057 int posInCc = cc.involvesVertex(curVertex);
2058 ChainLink cLink = cc.getLink(posInCc);
2059 int nfid = -1;
2060 BBType nfty = BBType.UNDEFINED;
2061 int nfap = -1;
2062
2063 if (cLink.getApIdToLeft() != dapidx &&
2064 cLink.getApIdToRight() != dapidx)
2065 {
2066 // Chain does not involve AP dapidx
2067 continue;
2068 }
2069
2070 if (cLink.getApIdToRight() == dapidx)
2071 {
2072 if (cc.getSize() > (posInCc+1))
2073 {
2074 // cLink is NOT the rightmost chain link
2075 ChainLink nextChainLink = cc.getLink(posInCc+1);
2076 nfid = nextChainLink.getIdx();
2077 nfty = nextChainLink.getFragType();
2078 nfap = nextChainLink.getApIdToLeft();
2079 }
2080 else
2081 {
2082 // cLink is the rightmost chain link
2083 // closability bias suggest NO fragment
2084 }
2085 }
2086 else if (cLink.getApIdToLeft() == dapidx)
2087 {
2088 if ((posInCc-1) >= 0)
2089 {
2090 // cLink is NOT the leftmost chain link
2091 ChainLink nextChainLink = cc.getLink(posInCc-1);
2092 nfid = nextChainLink.getIdx();
2093 nfty = nextChainLink.getFragType();
2094 nfap = nextChainLink.getApIdToRight();
2095 }
2096 else
2097 {
2098 // cLink is the leftmost chain link
2099 // closability bias suggest NO fragment
2100 }
2101 }
2102
2103 ArrayList<Integer> eligibleFrgId = new ArrayList<Integer>();
2104 eligibleFrgId.add(nfid);
2105 eligibleFrgId.add(nfty.toOldInt());
2106 eligibleFrgId.add(nfap);
2107 boolean found = false;
2108 for (FragForClosabChains ffcc : lstChosenFfCc)
2109 {
2110 int fidA = ffcc.getFragIDs().get(0);
2111 BBType ftyA = BBType.parseInt(ffcc.getFragIDs().get(1));
2112 int fapA = ffcc.getFragIDs().get(2);
2113 if (nfid==fidA && nfty==ftyA && nfap==fapA)
2114 {
2115 found = true;
2116 ffcc.getCompatibleCC().add(cc);
2117 }
2118 else
2119 {
2120 ffcc.getIncompatibleCC().add(cc);
2121 }
2122 }
2123 if (!found)
2124 {
2125 ArrayList<ClosableChain> compatChains =
2126 new ArrayList<ClosableChain>();
2127 ArrayList<ClosableChain> incompatChains =
2128 new ArrayList<ClosableChain>();
2129 for (FragForClosabChains otherFfCc : lstChosenFfCc)
2130 {
2131 incompatChains.addAll(otherFfCc.getCompatibleCC());
2132 }
2133 FragForClosabChains newChosenCc = new FragForClosabChains(
2134 compatChains,
2135 incompatChains,
2136 eligibleFrgId);
2137
2138 newChosenCc.addCompatibleCC(cc);
2139 lstChosenFfCc.add(newChosenCc);
2140 }
2141 }
2142 }
2143 else
2144 {
2145 Vertex parent = molGraph.getParent(curVertex);
2146 Edge edge = molGraph.getEdgeWithParent(
2147 curVertex.getVertexId());
2148 int prntId = parent.getBuildingBlockId();
2149 BBType prntTyp = parent.getBuildingBlockType();
2150 int prntAp = edge.getSrcAPID();
2151 int chidAp = edge.getTrgAPID();
2152 for (ClosableChain cc : molGraph.getClosableChains())
2153 {
2154 int posInCc = cc.involvesVertexAndAP(curVertex, dapidx, chidAp);
2155
2156 if (posInCc == -1)
2157 {
2158 // closable chain does not span this combination
2159 // of vertex and APs
2160 continue;
2161 }
2162
2163 ChainLink cLink = cc.getLink(posInCc);
2164 int nfid = -1;
2165 BBType nfty = BBType.UNDEFINED;
2166 int nfap = -1;
2167
2168 List<Integer> altertnativeDirections = new ArrayList<>();
2169 altertnativeDirections.add(-1);
2170 altertnativeDirections.add(+1);
2171 for (int altDir : altertnativeDirections)
2172 {
2173 ChainLink parentLink = cc.getLink(posInCc + altDir);
2174 int pLnkId = parentLink.getIdx();
2175 BBType pLnkTyp = parentLink.getFragType();
2176
2177 int pLnkAp = -1;
2178 int cApId = -1;
2179 if (altDir>0)
2180 {
2181 pLnkAp = parentLink.getApIdToRight();
2182 cApId = cLink.getApIdToLeft();
2183 } else {
2184 pLnkAp = parentLink.getApIdToLeft();
2185 cApId = cLink.getApIdToRight();
2186 }
2187 if (pLnkId==prntId && pLnkTyp==prntTyp && pLnkAp == prntAp &&
2188 cApId == chidAp)
2189 {
2190 if (cc.getSize() > (posInCc+altDir)
2191 && (posInCc+altDir) >= 0)
2192 {
2193 ChainLink nextChainLink = cc.getLink(posInCc + altDir);
2194 nfid = nextChainLink.getIdx();
2195 nfty = nextChainLink.getFragType();
2196 nfap = nextChainLink.getApIdToLeft();
2197 }
2198 else
2199 {
2200 // cLink is the rightmost chain link
2201 // closability bias suggests NO fragment
2202 }
2203 }
2204 else
2205 {
2206 // different parent link
2207 continue;
2208 }
2209 }
2210
2211 ArrayList<Integer> eligibleFrgId = new ArrayList<Integer>();
2212 eligibleFrgId.add(nfid);
2213 eligibleFrgId.add(nfty.toOldInt());
2214 eligibleFrgId.add(nfap);
2215 boolean found = false;
2216 for (FragForClosabChains ffcc : lstChosenFfCc)
2217 {
2218 int fidA = ffcc.getFragIDs().get(0);
2219 BBType ftyA = BBType.parseInt(ffcc.getFragIDs().get(1));
2220 int fapA = ffcc.getFragIDs().get(2);
2221 if (nfid==fidA && nfty==ftyA && nfap==fapA)
2222 {
2223 found = true;
2224 ffcc.getCompatibleCC().add(cc);
2225 }
2226 else
2227 {
2228 ffcc.getIncompatibleCC().add(cc);
2229 }
2230 }
2231 if (!found)
2232 {
2233 ArrayList<ClosableChain> compatChains =
2234 new ArrayList<ClosableChain>();
2235 ArrayList<ClosableChain> incompatChains =
2236 new ArrayList<ClosableChain>();
2237 for (FragForClosabChains otherFfCc : lstChosenFfCc)
2238 {
2239 incompatChains.addAll(otherFfCc.getCompatibleCC());
2240 }
2241 FragForClosabChains newChosenCc = new FragForClosabChains(
2242 compatChains,
2243 incompatChains,
2244 eligibleFrgId);
2245 newChosenCc.addCompatibleCC(cc);
2246 lstChosenFfCc.add(newChosenCc);
2247 }
2248 }
2249 }
2250 return lstChosenFfCc;
2251 }
2252
2253//------------------------------------------------------------------------------
2254
2265 public static boolean performCrossover(XoverSite site,
2266 FragmentSpace fragSpace) throws DENOPTIMException
2267 {
2268 DGraph gA = site.getA().get(0).getGraphOwner();
2269 DGraph gB = site.getB().get(0).getGraphOwner();
2270
2271 // All the APs that point away from the subgraph
2272 List<AttachmentPoint> allAPsOnA = gA.getSubgraphAPs(site.getA());
2273 List<AttachmentPoint> allAPsOnB = gB.getSubgraphAPs(site.getB());
2274
2275 // The APs that are required to have a mapping for proper crossover,
2276 // eg. because the change of subgraph needs to retain a super structure.
2277 List<AttachmentPoint> needyAPsOnA = site.getAPsNeedingMappingA();
2278 List<AttachmentPoint> needyAPsOnB = site.getAPsNeedingMappingB();
2279
2280 // APs that connects the subgraphs' root to the parent vertex
2281 AttachmentPoint apToParentA = null;
2282 AttachmentPoint apToParentB = null;
2283 for (AttachmentPoint ap : needyAPsOnA)
2284 {
2285 if (!ap.isSrcInUserThroughout())
2286 {
2287 apToParentA = ap;
2288 //WARNING: we assume there is one AND only one AP to parent!!!
2289 break;
2290 }
2291 }
2292 for (AttachmentPoint ap : needyAPsOnB)
2293 {
2294 if (!ap.isSrcInUserThroughout())
2295 {
2296 apToParentB = ap;
2297 //WARNING: we assume there is one AND only one AP to parent!!!
2298 break;
2299 }
2300 }
2301 if (apToParentA==null || apToParentB==null)
2302 {
2303 throw new DENOPTIMException("Could not identify any attachment "
2304 + "point connecting a subgraph to the rest of the graph. "
2305 + "This violates assumption that crossover does not "
2306 + "involve scaffold or vertexes without parent.");
2307 }
2308 // Check if the subgraphs can be used with reversed edge direction, or
2309 // bias the AP mapping to use the original source vertexes.
2310 APMapping fixedRootAPs = null;
2311 //TODO: REACTIVATE ONCE REVERSION of the subgrsph's spanning tree is in place.
2312 //if (!subG_M.isReversible() || !subG_F.isReversible())
2313 if (true)
2314 {
2315 // Constrain the AP mapping so that the AP originally used to
2316 // connect to the parent vertex, will also be used the same way.
2317 // Thus, forces retention of edge direction within the subgraph.
2318 fixedRootAPs = new APMapping();
2319 fixedRootAPs.put(apToParentA, apToParentB);
2320 }
2321
2322 // Find an AP mapping that satisfies both root-vertex constrain and
2323 // need to ensure the mapping of needy APs
2324 APMapFinder apmf = new APMapFinder(fragSpace,
2325 allAPsOnA, needyAPsOnA,
2326 allAPsOnB, needyAPsOnB, fixedRootAPs,
2327 false, // false means stop at the first compatible mapping.
2328 false, // false means we do not require complete mapping.
2329 false); // false means free AP are not considered compatible.
2330 if (!apmf.foundMapping())
2331 {
2332 // Since the xover site has been detected by searching for compatible
2333 // sites that do have a mapping there should always be at least one
2334 // mapping and this exception should never occur.
2335 throw new DENOPTIMException("Missing AP mapping for known XoverSite.");
2336 }
2337
2338 // To replace each subgraph in the original graphs, we need to
2339 // map the APs on the original A/B graph with those in the
2340 // corresponding incoming subgraph, which are clones of the original:
2341 DGraph subGraphA = gA.extractSubgraph(site.getA());
2342 DGraph subGraphB = gB.extractSubgraph(site.getB());
2343
2344 // Here we create the two AP mappings we need: one for A other for B.
2345 LinkedHashMap<AttachmentPoint,AttachmentPoint>
2346 apMapA = new LinkedHashMap<AttachmentPoint,AttachmentPoint>();
2347 LinkedHashMap<AttachmentPoint,AttachmentPoint>
2348 apMapB = new LinkedHashMap<AttachmentPoint,AttachmentPoint>();
2349 for (Map.Entry<AttachmentPoint, AttachmentPoint> e :
2350 apmf.getChosenAPMapping().entrySet())
2351 {
2352 AttachmentPoint apOnA = e.getKey();
2353 AttachmentPoint apOnB = e.getValue();
2354
2355 // NB: assumption that vertex IDs are healthy, AND that order of APs
2356 // is retained upon cloning of the subgraph!
2357 AttachmentPoint apOnSubGraphA = subGraphA.getVertexWithId(
2358 apOnA.getOwner().getVertexId()).getAP(
2359 apOnA.getIndexInOwner());
2360 AttachmentPoint apOnSubGraphB = subGraphB.getVertexWithId(
2361 apOnB.getOwner().getVertexId()).getAP(
2362 apOnB.getIndexInOwner());
2363 apMapA.put(apOnA, apOnSubGraphB);
2364 apMapB.put(apOnB, apOnSubGraphA);
2365 }
2366
2367 // Now we do the actual replacement of subgraphs
2368 if (!gA.replaceSubGraph(site.getA(), subGraphB, apMapA, fragSpace))
2369 return false;
2370 if (!gB.replaceSubGraph(site.getB(), subGraphA, apMapB, fragSpace))
2371 return false;
2372
2373 return true;
2374 }
2375
2376//------------------------------------------------------------------------------
2377
2390 protected static boolean applySymmetry(boolean apclassImposed,
2391 double symmetryProbability, Randomizer randomizer)
2392 {
2393 boolean r = false;
2394 if (apclassImposed)
2395 {
2396 r = true;
2397 }
2398 else
2399 {
2400 r = randomizer.nextBoolean(symmetryProbability);
2401 }
2402 return r;
2403 }
2404
2405//------------------------------------------------------------------------------
2406
2419 public static boolean performMutation(DGraph graph, Monitor mnt,
2420 GAParameters settings) throws DENOPTIMException
2421 {
2422 // Get vertices that can be mutated: they can be part of subgraphs
2423 // embedded in templates. Here, we consider only single-vertexes sites.
2424 // So sites for ADDRINGFUSION mutation are not added here.
2425 List<Vertex> mutable = graph.getMutableSites(
2426 settings.getExcludedMutationTypes());
2427 // Now, add also the sites that involve multiple vertexes, such sites for
2428 // ADDFUSEDRING mutation.
2429 for (List<RelatedAPPair> siteCombination : EAUtils.searchRingFusionSites(
2430 graph, settings))
2431 {
2432 for (RelatedAPPair site : siteCombination)
2433 {
2434 Vertex vA = site.apA.getOwner();
2435 Vertex vB = site.apB.getOwner();
2436 if (!mutable.contains(vA))
2437 mutable.add(vA);
2438 if (!mutable.contains(vB))
2439 mutable.add(vB);
2440 }
2441 }
2442
2443 if (mutable.size() == 0)
2444 {
2446 String msg = "Graph has no mutable site. Mutation aborted.";
2447 settings.getLogger().info(msg);
2448 return false;
2449 }
2450 boolean doneMutation = true;
2451 int numberOfMutations = EAUtils.chooseNumberOfSitesToMutate(
2452 settings.getMultiSiteMutationWeights(),
2453 settings.getRandomizer().nextDouble());
2454 for (int i=0; i<numberOfMutations; i++)
2455 {
2456 if (i>0)
2457 {
2458 mutable = graph.getMutableSites(
2459 settings.getExcludedMutationTypes());
2460 break;
2461 }
2462 Vertex v = settings.getRandomizer().randomlyChooseOne(mutable);
2463 doneMutation = performMutation(v, mnt, settings);
2464 if(!doneMutation)
2465 break;
2466 }
2467 return doneMutation;
2468 }
2469
2470//------------------------------------------------------------------------------
2471
2485 public static boolean performMutation(Vertex vertex, Monitor mnt,
2486 GAParameters settings) throws DENOPTIMException
2487 {
2488 List<MutationType> mTypes = vertex.getMutationTypes(
2489 settings.getExcludedMutationTypes());
2490 if (mTypes.size() == 0)
2491 {
2492 return false;
2493 }
2494 MutationType mType = settings.getRandomizer().randomlyChooseOne(mTypes);
2495 return performMutation(vertex, mType, mnt, settings);
2496 }
2497
2498//------------------------------------------------------------------------------
2499
2511 public static boolean performMutation(Vertex vertex,
2512 MutationType mType, Monitor mnt, GAParameters settings)
2513 throws DENOPTIMException
2514 {
2515 DGraph c = vertex.getGraphOwner().clone();
2516 int pos = vertex.getGraphOwner().indexOf(vertex);
2517 try
2518 {
2519 return performMutation(vertex, mType, false, -1 ,-1, mnt, settings);
2520 } catch (IllegalArgumentException|NullPointerException e)
2521 {
2522 String debugFile = "failedMutation_" + mType
2523 + "_" + vertex.getVertexId() + "(" + pos + ")_"
2524 + settings.timeStamp + ".sdf";
2525 DenoptimIO.writeGraphToSDF(new File(debugFile), c, false,
2526 settings.getLogger(), settings.getRandomizer());
2527 settings.getLogger().warning("Fatal exception while performing "
2528 + "mutation. See file '" + debugFile + "' to reproduce the "
2529 + "problem.");
2530 throw e;
2531 }
2532 }
2533
2534//------------------------------------------------------------------------------
2535
2561 public static boolean performMutation(Vertex vertex,
2562 MutationType mType, boolean force, int chosenVrtxIdx,
2563 int chosenApId, Monitor mnt, GAParameters settings)
2564 throws DENOPTIMException
2565 {
2567 if (settings.containsParameters(ParametersType.FS_PARAMS))
2568 {
2569 fsParams = (FragmentSpaceParameters)settings.getParameters(
2571 }
2572
2573 DGraph graph = vertex.getGraphOwner();
2574 if (graph == null)
2575 {
2577 settings.getLogger().info("Vertex has no owner - "
2578 + "Mutation aborted");
2579 return false;
2580 }
2581 if (!vertex.getMutationTypes(settings.getExcludedMutationTypes())
2582 .contains(mType))
2583 {
2585 settings.getLogger().info("Vertex does not allow mutation type "
2586 + "'" + mType + "' - Mutation aborted");
2587 return false;
2588 }
2589
2590 int graphId = graph.getGraphId();
2591 int positionOfVertex = graph.indexOf(vertex);
2592 //NB: since we have renumbered the vertexes, we use the old vertex ID
2593 // when reporting what vertex is being mutated. Also, note that the
2594 // identity of the candidate is already in the graph's local msg.
2595 String mutantOrigin = graph.getLocalMsg() + "|"
2596 + mType + "|"
2597 + vertex.getProperty(DENOPTIMConstants.STOREDVID)
2598 + " (" + positionOfVertex + ")";
2599 graph.setLocalMsg(mutantOrigin);
2600
2601 boolean done = false;
2602 switch (mType)
2603 {
2604 case CHANGEBRANCH:
2605 done = rebuildBranch(vertex, force, chosenVrtxIdx, chosenApId,
2606 settings);
2607 if (!done)
2608 mnt.increase(
2610 break;
2611
2612 case CHANGELINK:
2613 done = substituteLink(vertex, chosenVrtxIdx, mnt,
2614 fsParams.getFragmentSpace());
2615 if (!done)
2616 mnt.increase(
2618 break;
2619
2620 case DELETELINK:
2621 done = deleteLink(vertex, chosenApId, mnt,
2622 fsParams.getFragmentSpace());
2623 if (!done)
2624 mnt.increase(
2626 break;
2627
2628 case DELETECHAIN:
2629 done = deleteChain(vertex, mnt, fsParams.getFragmentSpace());
2630 if (!done)
2631 mnt.increase(
2633 break;
2634
2635 case ADDLINK:
2636 if (chosenApId < 0)
2637 {
2638 List<Integer> candidates = new ArrayList<Integer>();
2639 for (Vertex c : vertex.getChilddren())
2640 {
2641 candidates.add(c.getEdgeToParent().getSrcAP()
2642 .getIndexInOwner());
2643 }
2644 if (candidates.size() == 0)
2645 {
2646 mnt.increase(
2648 break;
2649 }
2650 chosenApId = settings.getRandomizer().randomlyChooseOne(
2651 candidates);
2652 }
2653 done = extendLink(vertex, chosenApId, chosenVrtxIdx, mnt,
2654 fsParams.getFragmentSpace());
2655 if (!done)
2656 mnt.increase(
2658 break;
2659
2660 case ADDRING:
2661 done = addRing(vertex, mnt, false, fsParams.getFragmentSpace(),
2662 settings);
2663 if (!done)
2665 break;
2666
2667 case ADDFUSEDRING:
2668 done = addFusedRing(vertex, mnt, false, fsParams.getFragmentSpace(),
2669 settings);
2670 if (!done)
2672 break;
2673
2674 case EXTEND:
2675 vertex.getGraphOwner().removeCappingGroupsOn(vertex);
2676 done = extendGraph(vertex, false, false, force, chosenVrtxIdx,
2677 chosenApId, settings);
2678 if (!done)
2680 break;
2681
2682 case DELETE:
2683 done = deleteFragment(vertex);
2684 if (!done)
2686 break;
2687 }
2688
2689 String msg = "Mutation '" + mType.toString() + "' on vertex "
2690 + vertex.toString() + " (position " + positionOfVertex
2691 + " in graph " + graphId+"): ";
2692 if (done)
2693 {
2694 msg = msg + "done";
2695
2696 // Triggers reconstruction of the molecular representation of
2697 // templates upon changes of the embedded graph
2698 if (graph.getTemplateJacket() != null)
2699 {
2701 }
2702 } else {
2703 msg = msg + "unsuccessful";
2704 }
2705 settings.getLogger().info(msg);
2706
2707 return done;
2708 }
2709
2710//------------------------------------------------------------------------------
2711
2712
2713
2714}
General set of constants used in DENOPTIM.
static final String VRTPROPBRIDGELENGTH
Name of Vertex property used to record how long a ring-closing bridge is.
static final String VRTPROPBRIDGEEND_B
Name of Vertex property used to record which AP is selected for bridge formation on side 'B'.
static final Object STOREDVID
Key of the property remembering vertex IDs.
static final String VRTPROPBRIDGEEND_A
Name of Vertex property used to record which AP is selected for bridge formation on side 'A'.
SMARTS-based rules to identify potential bridge head atoms for ring fusion operations.
An utility class to encapsulate the search for an AttachmentPoint-AttachmentPoint mapping.
APMapping getChosenAPMapping()
Returns the AttachmentPoint-AttachmentPoint mapping chosen among the possible mappings.
boolean foundMapping()
Returns true if any mapping has been found.
Class defining a space of building blocks.
boolean imposeSymmetryOnAPsOfClass(APClass apClass)
Checks if the symmetry settings impose use of symmetry on attachment points of the given AP class.
Parameters defining the fragment space.
Data structure containing information that identifies a single AP of a vertex/fragment.
Helper methods for the genetic algorithm.
Definition: EAUtils.java:107
static double getGrowthByLevelProbability(int level, GAParameters settings)
Calculates the probability of adding a fragment to the given level.
Definition: EAUtils.java:2231
static int chooseNumberOfSitesToMutate(double[] multiSiteMutationProb, double hit)
Takes a decision on how many sites to mutate on a candidate.
Definition: EAUtils.java:224
static List< Vertex > getUsableAliphaticBridges(APClass apcA, APClass apcB, int[] allowedLengths, FragmentSpace fragSpace)
Finds all vertexes that can be used as aliphatic bridge.
Definition: EAUtils.java:3038
static double getCrowdingProbability(AttachmentPoint ap, GAParameters settings)
Calculated the probability of using and attachment point rooted on an atom that is holding other atta...
Definition: EAUtils.java:2254
static List< List< RelatedAPPair > > searchRingFusionSites(DGraph graph, GAParameters gaParams)
Definition: EAUtils.java:2471
static int getCrowdedness(AttachmentPoint ap)
Calculate the current crowdedness of the given attachment point.
Definition: EAUtils.java:2299
static List< Vertex > getUsableAromaticBridges(String elInIncomingFrag, int[] allowedLengths, FragmentSpace fragSpace)
Finds all vertexes that can be used as aromatic bridge, i.e., can be used to create an aromatic ring ...
Definition: EAUtils.java:2994
static double getMolSizeProbability(DGraph graph, GAParameters settings)
Calculated the probability of extending a graph based on the current size of the molecular representa...
Definition: EAUtils.java:2154
Private class representing a selected closable chain of fragments.
FragForClosabChains(ArrayList< ClosableChain > compatChains, ArrayList< ClosableChain > incompatChains, ArrayList< Integer > fragIds)
Collection of operators meant to alter graphs and associated utilities.
static IdFragmentAndAP getFrgApForSrcAp(Vertex curVertex, int dapidx, FragmentSpace fragSpace)
Select a compatible fragment for the given attachment point.
static boolean performMutation(Vertex vertex, MutationType mType, boolean force, int chosenVrtxIdx, int chosenApId, Monitor mnt, GAParameters settings)
Mutates the given vertex according to the given mutation type, if possible.
static boolean extendGraph(Vertex curVrtx, boolean extend, boolean symmetryOnAps, boolean force, int chosenVrtxIdx, int chosenApId, GAParameters settings)
function that will keep extending the graph.
static boolean extendLink(Vertex vertex, int chosenAPId, Monitor mnt, FragmentSpace fragSpace)
Inserts a vertex in between two connected vertexes that are identified by the one vertex holding the ...
static List< XoverSite > locateCompatibleXOverPoints(DGraph graphA, DGraph graphB, FragmentSpace fragSpace, int maxSizeXoverSubGraph)
Identify crossover sites, i.e., subgraphs that can be swapped between two graphs (i....
static boolean applySymmetry(boolean apclassImposed, double symmetryProbability, Randomizer randomizer)
Decides whether to apply constitutional symmetry or not.
static void checkAndAddXoverSites(FragmentSpace fragSpace, List< Vertex > subGraphA, List< Vertex > subGraphB, CrossoverType xoverType, List< XoverSite > collector)
Here we check that the given subgraphs have a mapping that allows to swap them, and full fill any oth...
static boolean performMutation(Vertex vertex, MutationType mType, Monitor mnt, GAParameters settings)
Mutates the given vertex according to the given mutation type, if possible.
static boolean substituteLink(Vertex vertex, int chosenVrtxIdx, Monitor mnt, FragmentSpace fragSpace)
Substitutes a vertex while keeping its surrounding.
static boolean isCrossoverPossible(Edge eA, Edge eB, FragmentSpace fragSpace)
Evaluate AP class-compatibility of a pair of edges with respect to crossover.
static void processCombinationOfEndPoints(Vertex[] pair, List< Vertex[]> cominationOfEnds, List< XoverSite > collector, FragmentSpace fragSpace)
Given a pair of seed vertexes that define where a pair of subgraphs stars in the corresponding origin...
static boolean attachFragmentInClosableChain(Vertex curVertex, int dapidx, DGraph molGraph, ArrayList< Long > addedVertices, GAParameters settings)
static void processPermutationOfEndPoints(Vertex[] pair, List< Vertex[]> chosenSequenceOfEndpoints, List< XoverSite > collector, FragmentSpace fragSpace)
Given a pair of seed vertexes that define where a pair of subgraphs stars in the corresponding origin...
static boolean extendGraph(Vertex curVertex, boolean extend, boolean symmetryOnAps, GAParameters settings)
function that will keep extending the graph according to the growth/substitution probability.
static ArrayList< FragForClosabChains > getFragmentForClosableChain(Vertex curVertex, int dapidx, DGraph molGraph)
Method to select fragments that increase the likeliness of generating closable chains.
static boolean performMutation(Vertex vertex, Monitor mnt, GAParameters settings)
Tries to do mutate the given vertex.
static IdFragmentAndAP getFrgApForSrcAp(Vertex curVertex, int dapidx, int chosenVrtxIdx, int chosenApId, FragmentSpace fragSpace)
Select a compatible fragment for the given attachment point.
static IdFragmentAndAP getRCVForSrcAp(Vertex curVertex, int dapidx, FragmentSpace fragSpace)
Select a compatible ring-closing vertex for the given attachment point.
static boolean deleteFragment(Vertex vertex)
Deletion mutation removes the vertex and also the symmetric partners on its parent.
static boolean rebuildBranch(Vertex vertex, boolean force, int chosenVrtxIdx, int chosenApId, GAParameters settings)
Substitutes a vertex and any child branch.
static boolean addFusedRing(Vertex vertex, Monitor mnt, boolean force, FragmentSpace fragSpace, GAParameters settings)
Tries to add a fused ring using a pair of free APs, one of which on the given vertex.
static boolean deleteLink(Vertex vertex, int chosenVrtxIdx, Monitor mnt, FragmentSpace fragSpace)
Removes a vertex while merging as many of the child branches into the parent vertex.
static boolean extendLink(Vertex vertex, int chosenAPId, int chosenNewVrtxId, Monitor mnt, FragmentSpace fragSpace)
Inserts a vertex in between two connected vertexes that are identified by the one vertex holding the ...
static boolean performMutation(DGraph graph, Monitor mnt, GAParameters settings)
Tries to do mutate the given graph.
static boolean addRing(Vertex vertex, Monitor mnt, boolean force, FragmentSpace fragSpace, GAParameters settings)
Tries to use any free AP of the given vertex to close ring in the graph by adding a chord.
static boolean extendLink(Edge edge, int chosenBBIdx, Monitor mnt, FragmentSpace fragSpace)
Replace an edge with two edges with a new vertex in between, thus inserting a vertex in between two d...
static boolean deleteChain(Vertex vertex, Monitor mnt, FragmentSpace fragSpace)
Deletes the given vertex and all other vertexes that are not connected to more than 2 non-capping gro...
static boolean performCrossover(XoverSite site, FragmentSpace fragSpace)
Performs the crossover that swaps the two subgraphs defining the given XoverSite.
This class collects the data identifying the subgraphs that would be swapped by a crossover event.
Definition: XoverSite.java:36
boolean isCPMapCompatibleWith(APClass other, FragmentSpace fragSpace)
Check compatibility as defined in the compatibility matrix considering this AP as source and the othe...
Definition: APClass.java:483
boolean equals(Object o)
Definition: APClass.java:516
Class representing a mapping between attachment points (APs).
Definition: APMapping.java:42
LinkedHashMap< Integer, Integer > toIntMappig()
Produces an index-based version of this mapping where each index represents the attachment point as i...
Definition: APMapping.java:71
An attachment point (AP) is a possibility to attach a Vertex onto the vertex holding the AP (i....
AttachmentPoint getLinkedAP()
Gets the attachment point (AP) that is connected to this AP via the edge user.
APClass getAPClass()
Returns the Attachment Point class.
boolean isAvailable()
Check availability of this attachment point.
Edge getEdgeUserThroughout()
Gets the edge that is using this AP, or null if no edge is using this AP.
Container for the list of vertices and the edges that connect them.
Definition: DGraph.java:102
boolean removeVertexAndWeld(Vertex vertex, FragmentSpace fragSpace)
Remove a given vertex belonging to this graph and re-connects the resulting graph branches as much as...
Definition: DGraph.java:1423
boolean replaceVertex(Vertex vertex, int bbId, BBType bbt, LinkedHashMap< Integer, Integer > apIdMap, FragmentSpace fragSpace)
Replaced a given vertex belonging to this graph with a new vertex generated specifically for this pur...
Definition: DGraph.java:2487
Vertex getVertexWithId(long vid)
Searches for a vertex with the given identifier.
Definition: DGraph.java:2811
DGraph extractSubgraph(int index)
Creates a new graph that corresponds to the subgraph of this graph when exploring the spanning tree f...
Definition: DGraph.java:4487
boolean isIsomorphicTo(DGraph other)
Checks if this graph is "DENOPTIM-isomorphic" to the other one given.
Definition: DGraph.java:3682
ArrayList< Ring > getRingsInvolvingVertex(Vertex v)
Returns the list of rings that include the given vertex in their fundamental cycle.
Definition: DGraph.java:1054
void getChildrenTree(Vertex vertex, List< Vertex > children)
Gets all the children of the current vertex recursively.
Definition: DGraph.java:3000
String getLocalMsg()
Definition: DGraph.java:287
void removeVertex(Vertex vertex)
Remove a vertex from this graph.
Definition: DGraph.java:1347
int indexOf(Vertex v)
Returns the index of a vertex in the list of vertices of this graph.
Definition: DGraph.java:2798
Vertex getVertexAtPosition(int pos)
Returns the vertex that is in the given position of the list of vertices belonging to this graph.
Definition: DGraph.java:2743
Vertex getDeepestAmongThese(List< Vertex > list)
Identify the oldest ancestor (i.e., most great grandparent) in the given collection.
Definition: DGraph.java:3352
String getBranchIdOfVertexAsStr(Vertex v)
Returns the branch identifier as a literal string.
Definition: DGraph.java:3207
List< AttachmentPoint > getAvailableAPsThroughout()
Returns the list of attachment points contained in this graph that are available throughout the templ...
Definition: DGraph.java:4240
void appendVertexOnAP(AttachmentPoint srcAP, AttachmentPoint trgAP)
Append a vertex to this graph: adds the new vertex to the list of vertices belonging to the graph,...
Definition: DGraph.java:6005
List< AttachmentPoint > getInterfaceAPs(List< Vertex > subGraphB)
Searches for all AttachmentPoints that represent the interface between a subgraph,...
Definition: DGraph.java:7379
DGraph clone()
Returns almost "deep-copy" of this graph.
Definition: DGraph.java:3415
boolean replaceSubGraph(List< Vertex > subGrpVrtxs, DGraph incomingGraph, LinkedHashMap< AttachmentPoint, AttachmentPoint > apMap, FragmentSpace fragSpace)
Replaced the subgraph represented by a given collection of vertices that belong to this graph.
Definition: DGraph.java:1909
int getLevel(Vertex v)
Calculates the level of a vertex in this graph.
Definition: DGraph.java:5555
void addSymmetricSetOfVertices(SymmetricVertexes symSet)
Adds a symmetric set of vertices to this graph.
Definition: DGraph.java:889
SymmetricVertexes getSymSetForVertex(Vertex v)
Returns the set of vertexes symmetric to the given one.
Definition: DGraph.java:861
List< AttachmentPoint > getSubgraphAPs(List< Vertex > subGraphB)
Searches for all AttachmentPoints that are owned by vertices in a subgraph but either available or us...
Definition: DGraph.java:7414
void addRing(Ring ring)
Definition: DGraph.java:1258
boolean hasSymmetryInvolvingVertex(Vertex v)
Definition: DGraph.java:301
boolean insertVertex(Edge edge, int bbId, BBType bbt, LinkedHashMap< AttachmentPoint, Integer > apMap, FragmentSpace fragSpace)
Inserts a given vertex in between two vertices connected by the given edge.
Definition: DGraph.java:2589
void getChildTreeLimited(Vertex vertex, List< Vertex > children, boolean stopBeforeRCVs)
Gets all the children of the current vertex recursively.
Definition: DGraph.java:3257
boolean removeBranchStartingAt(Vertex v, boolean symmetry)
Deletes the branch, i.e., the specified vertex and its children.
Definition: DGraph.java:5017
Template getTemplateJacket()
Definition: DGraph.java:7198
boolean removeChainUpToBranching(Vertex v, FragmentSpace fragSpace)
Mutates the graph by removing the chain where a given vertex is located up to the first branching (i....
Definition: DGraph.java:5107
void setLocalMsg(String msg)
Definition: DGraph.java:279
boolean isIsostructuralTo(DGraph other)
Checks if this graph is "DENOPTIM-isostructural" to the other one given.
Definition: DGraph.java:3809
This class represents the edge between two vertices.
Definition: Edge.java:38
AttachmentPoint getTrgAP()
Definition: Edge.java:115
long getSrcVertex()
Definition: Edge.java:122
AttachmentPoint getSrcAP()
Definition: Edge.java:94
APClass getTrgAPClass()
Definition: Edge.java:157
APClass getSrcAPClass()
Definition: Edge.java:150
This class represents the closure of a ring in a spanning tree.
Definition: Ring.java:40
A collection of AttachmentPoints that are related by a relation that we call "symmetry",...
boolean add(T item)
Adds an item to this list, if not already present.
A collection of Vertexs that are related by a relation that we call "symmetry", even though this clas...
ContractLevel getContractLevel()
Returns the contract level of this template, i.e., to what extent the content of this template can be...
Definition: Template.java:203
void clearIAtomContainer()
Removes the molecular representation.
Definition: Template.java:600
A vertex is a data structure that has an identity and holds a list of AttachmentPoints.
Definition: Vertex.java:62
abstract Vertex clone()
Returns a deep-copy of this vertex.
List< AttachmentPoint > getAPsWithAPClassStartingWith(String root)
Finds only APs that have APClass starting with the given string.
Definition: Vertex.java:261
int getBuildingBlockId()
Returns the index of the building block that should correspond to the position of the building block ...
Definition: Vertex.java:305
Edge getEdgeToParent()
Looks into the edges that use any of the APs that belong to this vertex and returns the edge that has...
Definition: Vertex.java:1060
void setVertexId(long vertexId2)
Definition: Vertex.java:282
Vertex getParent()
Looks into the edges that use any of the APs that belong to this vertex and returns the vertex which ...
Definition: Vertex.java:1084
Vertex.BBType getBuildingBlockType()
Definition: Vertex.java:319
DGraph getGraphOwner()
Returns the graph this vertex belongs to or null.
Definition: Vertex.java:852
ArrayList< Vertex > getChilddren()
Looks into the edges that use any of the APs that belong to this vertex and returns the list of verti...
Definition: Vertex.java:1173
Object getProperty(Object property)
Definition: Vertex.java:1224
abstract int getHeavyAtomsCount()
ArrayList< AttachmentPoint > getFreeAPThroughout()
Gets attachment points that are availability throughout the graph level, i.e., checks also across the...
Definition: Vertex.java:403
AttachmentPoint getAP(int i)
Get attachment point i on this vertex.
Definition: Vertex.java:1008
static Vertex newVertexFromLibrary(int bbId, Vertex.BBType bbt, FragmentSpace fragSpace)
Builds a new molecular fragment kind of vertex.
Definition: Vertex.java:215
ClosableChain represents a chain of fragments (chain links) that is closable (or candidate closable).
This object represents a path in a DGraph.
int getPathLength()
Returns the length of the list of edges involved in this path.
List< Vertex > getVertecesPath()
Returns the list of verteces involved.
A class for iterating over sets of ring combinations generated by considering any constrain and setti...
The RingClosingAttractor represent the available valence/connection that allows to close a ring.
static final Map< APClass, APClass > RCAAPCMAP
Recognized APClasses on RingClosingAttractor and compatible types.
Parameters and setting related to handling ring closures.
Utility methods for input/output.
static void writeGraphToSDF(File file, DGraph graph, boolean append, boolean make3D, Logger logger, Randomizer randomizer)
Writes the graph to SDF file.
A collection of counters user to count actions taken by the evolutionary algorithm.
Definition: Monitor.java:37
Tool to build build three-dimensional (3D) tree-like molecular structures from DGraph.
void setAlignBBsIn3D(boolean align)
Sets the flag that controls whether building blocks have to be aligned according to the AP vectors or...
IAtomContainer convertGraphTo3DAtomContainer(DGraph graph)
Created a three-dimensional molecular representation from a given DGraph.
RunTimeParameters getParameters(ParametersType type)
Randomizer getRandomizer()
Returns the current program-specific randomizer.
Parameters for genetic algorithm.
Utilities for graphs.
Definition: GraphUtils.java:40
static synchronized void ensureVertexIDConsistency(long l)
Method used to ensure consistency between internal atomic integer and vertex id from imported graphs.
Definition: GraphUtils.java:55
static synchronized long getUniqueVertexIndex()
Unique counter for the number of graph vertices generated.
Definition: GraphUtils.java:97
Tool to generate random numbers and random decisions.
Definition: Randomizer.java:35
boolean nextBoolean()
Returns the next pseudo-random, uniformly distributed boolean value from this random number generator...
public< T > T randomlyChooseOne(Collection< T > c)
Chooses one member among the given collection.
Enum specifying to what extent the template's inner graph can be changed.
Definition: Template.java:104
FIXED
Inner graphs are effectively equivalent to the Fragment class, as no change in the inner structure is...
Definition: Template.java:116
FIXED_STRUCT
Inner graph keep the same structure, but the identify of vertices can change.
Definition: Template.java:124
The type of building block.
Definition: Vertex.java:87
static BBType parseInt(int i)
Translates the integer into the enum.
Definition: Vertex.java:104
Identifier of a counter.
Definition: CounterID.java:29
FS_PARAMS
Parameters pertaining the definition of the fragment space.
RC_PARAMS
Parameters pertaining to ring closures in graphs.
Types of crossover defined.
SUBGRAPH
Swaps a portion of a branch trying to retain cyclicity.
BRANCH
Swaps the entire branch starting from a given vertex.
Types of mutation defined in relation to what happens to the target vertex (i.e., the actual mutation...
DELETECHAIN
Removes a vertex and all its neighbors recursively until a branching point, i.e., until a vertex that...