Free cookie consent management tool by TermsFeed Policy Generator

source: branches/TSNE/HeuristicLab.Algorithms.DataAnalysis/3.4/GBM/GradientBoostingRegressionAlgorithm.cs @ 14558

Last change on this file since 14558 was 14558, checked in by bwerth, 7 years ago

#2700 made TSNE compatible with the new pausible BasicAlgs, removed rescaling of scatterplots during alg to give it a more movie-esque feel

File size: 23.0 KB
RevLine 
[13646]1#region License Information
2/* HeuristicLab
[14185]3 * Copyright (C) 2002-2016 Heuristic and Evolutionary Algorithms Laboratory (HEAL)
[13646]4 * and the BEACON Center for the Study of Evolution in Action.
5 *
6 * This file is part of HeuristicLab.
7 *
8 * HeuristicLab is free software: you can redistribute it and/or modify
9 * it under the terms of the GNU General Public License as published by
10 * the Free Software Foundation, either version 3 of the License, or
11 * (at your option) any later version.
12 *
13 * HeuristicLab is distributed in the hope that it will be useful,
14 * but WITHOUT ANY WARRANTY; without even the implied warranty of
15 * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
16 * GNU General Public License for more details.
17 *
18 * You should have received a copy of the GNU General Public License
19 * along with HeuristicLab. If not, see <http://www.gnu.org/licenses/>.
20 */
21#endregion
22
23using System;
24using System.Collections.Generic;
25using System.Linq;
26using System.Threading;
27using HeuristicLab.Analysis;
28using HeuristicLab.Common;
29using HeuristicLab.Core;
30using HeuristicLab.Data;
31using HeuristicLab.Encodings.SymbolicExpressionTreeEncoding;
32using HeuristicLab.Optimization;
33using HeuristicLab.Parameters;
34using HeuristicLab.Persistence.Default.CompositeSerializers.Storable;
35using HeuristicLab.Problems.DataAnalysis;
36using HeuristicLab.Problems.DataAnalysis.Symbolic;
37using HeuristicLab.Problems.DataAnalysis.Symbolic.Regression;
38using HeuristicLab.Random;
[13653]39using HeuristicLab.Selection;
[13646]40
41namespace HeuristicLab.Algorithms.DataAnalysis.MctsSymbolicRegression {
42  [Item("Gradient Boosting Machine Regression (GBM)",
43    "Gradient boosting for any regression base learner (e.g. MCTS symbolic regression)")]
44  [StorableClass]
45  [Creatable(CreatableAttribute.Categories.DataAnalysisRegression, Priority = 350)]
[14518]46  public class GradientBoostingRegressionAlgorithm : BasicAlgorithm, IDataAnalysisAlgorithm<IRegressionProblem> {
[13646]47    public override Type ProblemType {
48      get { return typeof(IRegressionProblem); }
49    }
50
51    public new IRegressionProblem Problem {
52      get { return (IRegressionProblem)base.Problem; }
53      set { base.Problem = value; }
54    }
[14558]55    public override bool SupportsPause
56    {
57      get { return false; }
58    }
[13646]59
60    #region ParameterNames
61
62    private const string IterationsParameterName = "Iterations";
63    private const string NuParameterName = "Nu";
64    private const string MParameterName = "M";
65    private const string RParameterName = "R";
66    private const string RegressionAlgorithmParameterName = "RegressionAlgorithm";
67    private const string SeedParameterName = "Seed";
68    private const string SetSeedRandomlyParameterName = "SetSeedRandomly";
69    private const string CreateSolutionParameterName = "CreateSolution";
[13889]70    private const string StoreRunsParameterName = "StoreRuns";
[13646]71    private const string RegressionAlgorithmSolutionResultParameterName = "RegressionAlgorithmResult";
72
73    #endregion
74
75    #region ParameterProperties
76
77    public IFixedValueParameter<IntValue> IterationsParameter {
78      get { return (IFixedValueParameter<IntValue>)Parameters[IterationsParameterName]; }
79    }
80
81    public IFixedValueParameter<DoubleValue> NuParameter {
82      get { return (IFixedValueParameter<DoubleValue>)Parameters[NuParameterName]; }
83    }
84
85    public IFixedValueParameter<DoubleValue> RParameter {
86      get { return (IFixedValueParameter<DoubleValue>)Parameters[RParameterName]; }
87    }
88
89    public IFixedValueParameter<DoubleValue> MParameter {
90      get { return (IFixedValueParameter<DoubleValue>)Parameters[MParameterName]; }
91    }
92
93    // regression algorithms are currently: DataAnalysisAlgorithms, BasicAlgorithms and engine algorithms with no common interface
94    public IConstrainedValueParameter<IAlgorithm> RegressionAlgorithmParameter {
95      get { return (IConstrainedValueParameter<IAlgorithm>)Parameters[RegressionAlgorithmParameterName]; }
96    }
97
98    public IFixedValueParameter<StringValue> RegressionAlgorithmSolutionResultParameter {
99      get { return (IFixedValueParameter<StringValue>)Parameters[RegressionAlgorithmSolutionResultParameterName]; }
100    }
101
102    public IFixedValueParameter<IntValue> SeedParameter {
103      get { return (IFixedValueParameter<IntValue>)Parameters[SeedParameterName]; }
104    }
105
106    public FixedValueParameter<BoolValue> SetSeedRandomlyParameter {
107      get { return (FixedValueParameter<BoolValue>)Parameters[SetSeedRandomlyParameterName]; }
108    }
109
110    public IFixedValueParameter<BoolValue> CreateSolutionParameter {
111      get { return (IFixedValueParameter<BoolValue>)Parameters[CreateSolutionParameterName]; }
112    }
[13889]113    public IFixedValueParameter<BoolValue> StoreRunsParameter {
114      get { return (IFixedValueParameter<BoolValue>)Parameters[StoreRunsParameterName]; }
115    }
[13646]116
117    #endregion
118
119    #region Properties
120
121    public int Iterations {
122      get { return IterationsParameter.Value.Value; }
123      set { IterationsParameter.Value.Value = value; }
124    }
125
126    public int Seed {
127      get { return SeedParameter.Value.Value; }
128      set { SeedParameter.Value.Value = value; }
129    }
130
131    public bool SetSeedRandomly {
132      get { return SetSeedRandomlyParameter.Value.Value; }
133      set { SetSeedRandomlyParameter.Value.Value = value; }
134    }
135
136    public double Nu {
137      get { return NuParameter.Value.Value; }
138      set { NuParameter.Value.Value = value; }
139    }
140
141    public double R {
142      get { return RParameter.Value.Value; }
143      set { RParameter.Value.Value = value; }
144    }
145
146    public double M {
147      get { return MParameter.Value.Value; }
148      set { MParameter.Value.Value = value; }
149    }
150
151    public bool CreateSolution {
152      get { return CreateSolutionParameter.Value.Value; }
153      set { CreateSolutionParameter.Value.Value = value; }
154    }
155
[13889]156    public bool StoreRuns {
157      get { return StoreRunsParameter.Value.Value; }
158      set { StoreRunsParameter.Value.Value = value; }
159    }
160
[13646]161    public IAlgorithm RegressionAlgorithm {
162      get { return RegressionAlgorithmParameter.Value; }
163    }
164
165    public string RegressionAlgorithmResult {
166      get { return RegressionAlgorithmSolutionResultParameter.Value.Value; }
167      set { RegressionAlgorithmSolutionResultParameter.Value.Value = value; }
168    }
169
170    #endregion
171
172    [StorableConstructor]
173    protected GradientBoostingRegressionAlgorithm(bool deserializing)
174      : base(deserializing) {
175    }
176
177    protected GradientBoostingRegressionAlgorithm(GradientBoostingRegressionAlgorithm original, Cloner cloner)
178      : base(original, cloner) {
179    }
180
181    public override IDeepCloneable Clone(Cloner cloner) {
182      return new GradientBoostingRegressionAlgorithm(this, cloner);
183    }
184
185    public GradientBoostingRegressionAlgorithm() {
186      Problem = new RegressionProblem(); // default problem
[13978]187      var osgp = CreateOSGP();
[13646]188      var regressionAlgs = new ItemSet<IAlgorithm>(new IAlgorithm[] {
[13653]189        new RandomForestRegression(),
[13978]190        osgp,
[13646]191      });
192      foreach (var alg in regressionAlgs) alg.Prepare();
193
194
195      Parameters.Add(new FixedValueParameter<IntValue>(IterationsParameterName,
196        "Number of iterations", new IntValue(100)));
197      Parameters.Add(new FixedValueParameter<IntValue>(SeedParameterName,
198        "The random seed used to initialize the new pseudo random number generator.", new IntValue(0)));
199      Parameters.Add(new FixedValueParameter<BoolValue>(SetSeedRandomlyParameterName,
200        "True if the random seed should be set to a random value, otherwise false.", new BoolValue(true)));
201      Parameters.Add(new FixedValueParameter<DoubleValue>(NuParameterName,
202        "The learning rate nu when updating predictions in GBM (0 < nu <= 1)", new DoubleValue(0.5)));
203      Parameters.Add(new FixedValueParameter<DoubleValue>(RParameterName,
204        "The fraction of rows that are sampled randomly for the base learner in each iteration (0 < r <= 1)",
205        new DoubleValue(1)));
206      Parameters.Add(new FixedValueParameter<DoubleValue>(MParameterName,
207        "The fraction of variables that are sampled randomly for the base learner in each iteration (0 < m <= 1)",
208        new DoubleValue(0.5)));
209      Parameters.Add(new ConstrainedValueParameter<IAlgorithm>(RegressionAlgorithmParameterName,
[13978]210        "The regression algorithm to use as a base learner", regressionAlgs, osgp));
[13646]211      Parameters.Add(new FixedValueParameter<StringValue>(RegressionAlgorithmSolutionResultParameterName,
212        "The name of the solution produced by the regression algorithm", new StringValue("Solution")));
213      Parameters[RegressionAlgorithmSolutionResultParameterName].Hidden = true;
214      Parameters.Add(new FixedValueParameter<BoolValue>(CreateSolutionParameterName,
215        "Flag that indicates if a solution should be produced at the end of the run", new BoolValue(true)));
216      Parameters[CreateSolutionParameterName].Hidden = true;
[13889]217      Parameters.Add(new FixedValueParameter<BoolValue>(StoreRunsParameterName,
218        "Flag that indicates if the results of the individual runs should be stored for detailed analysis", new BoolValue(false)));
219      Parameters[StoreRunsParameterName].Hidden = true;
[13646]220    }
221
222    protected override void Run(CancellationToken cancellationToken) {
223      // Set up the algorithm
224      if (SetSeedRandomly) Seed = new System.Random().Next();
225      var rand = new MersenneTwister((uint)Seed);
226
227      // Set up the results display
228      var iterations = new IntValue(0);
229      Results.Add(new Result("Iterations", iterations));
230
231      var table = new DataTable("Qualities");
[13889]232      table.Rows.Add(new DataRow("R² (train)"));
233      table.Rows.Add(new DataRow("R² (test)"));
[13646]234      Results.Add(new Result("Qualities", table));
235      var curLoss = new DoubleValue();
236      var curTestLoss = new DoubleValue();
[13889]237      Results.Add(new Result("R² (train)", curLoss));
238      Results.Add(new Result("R² (test)", curTestLoss));
[13646]239      var runCollection = new RunCollection();
[13889]240      if (StoreRuns)
241        Results.Add(new Result("Runs", runCollection));
[13646]242
243      // init
244      var problemData = Problem.ProblemData;
[13889]245      var targetVarName = problemData.TargetVariable;
[13707]246      var activeVariables = problemData.AllowedInputVariables.Concat(new string[] { problemData.TargetVariable });
[13646]247      var modifiableDataset = new ModifiableDataset(
[13707]248        activeVariables,
249        activeVariables.Select(v => problemData.Dataset.GetDoubleValues(v).ToList()));
[13646]250
251      var trainingRows = problemData.TrainingIndices;
252      var testRows = problemData.TestIndices;
253      var yPred = new double[trainingRows.Count()];
254      var yPredTest = new double[testRows.Count()];
255      var y = problemData.Dataset.GetDoubleValues(problemData.TargetVariable, problemData.TrainingIndices).ToArray();
256      var curY = problemData.Dataset.GetDoubleValues(problemData.TargetVariable, problemData.TrainingIndices).ToArray();
257
258      var yTest = problemData.Dataset.GetDoubleValues(problemData.TargetVariable, problemData.TestIndices).ToArray();
259      var curYTest = problemData.Dataset.GetDoubleValues(problemData.TargetVariable, problemData.TestIndices).ToArray();
260      var nu = Nu;
261      var mVars = (int)Math.Ceiling(M * problemData.AllowedInputVariables.Count());
262      var rRows = (int)Math.Ceiling(R * problemData.TrainingIndices.Count());
263      var alg = RegressionAlgorithm;
264      List<IRegressionModel> models = new List<IRegressionModel>();
265      try {
266
267        // Loop until iteration limit reached or canceled.
268        for (int i = 0; i < Iterations; i++) {
269          cancellationToken.ThrowIfCancellationRequested();
270
271          modifiableDataset.RemoveVariable(targetVarName);
272          modifiableDataset.AddVariable(targetVarName, curY.Concat(curYTest));
273
274          SampleTrainingData(rand, modifiableDataset, rRows, problemData.Dataset, curY, problemData.TargetVariable, problemData.TrainingIndices); // all training indices from the original problem data are allowed
275          var modifiableProblemData = new RegressionProblemData(modifiableDataset,
276            problemData.AllowedInputVariables.SampleRandomWithoutRepetition(rand, mVars),
277            problemData.TargetVariable);
278          modifiableProblemData.TrainingPartition.Start = 0;
279          modifiableProblemData.TrainingPartition.End = rRows;
280          modifiableProblemData.TestPartition.Start = problemData.TestPartition.Start;
281          modifiableProblemData.TestPartition.End = problemData.TestPartition.End;
282
283          if (!TrySetProblemData(alg, modifiableProblemData))
284            throw new NotSupportedException("The algorithm cannot be used with GBM.");
285
286          IRegressionModel model;
287          IRun run;
[13898]288
[13646]289          // try to find a model. The algorithm might fail to produce a model. In this case we just retry until the iterations are exhausted
[13898]290          if (TryExecute(alg, rand.Next(), RegressionAlgorithmResult, out model, out run)) {
[13646]291            int row = 0;
292            // update predictions for training and test
293            // update new targets (in the case of squared error loss we simply use negative residuals)
294            foreach (var pred in model.GetEstimatedValues(problemData.Dataset, trainingRows)) {
295              yPred[row] = yPred[row] + nu * pred;
296              curY[row] = y[row] - yPred[row];
297              row++;
298            }
299            row = 0;
300            foreach (var pred in model.GetEstimatedValues(problemData.Dataset, testRows)) {
301              yPredTest[row] = yPredTest[row] + nu * pred;
302              curYTest[row] = yTest[row] - yPredTest[row];
303              row++;
304            }
305            // determine quality
306            OnlineCalculatorError error;
307            var trainR = OnlinePearsonsRCalculator.Calculate(yPred, y, out error);
308            var testR = OnlinePearsonsRCalculator.Calculate(yPredTest, yTest, out error);
309
310            // iteration results
311            curLoss.Value = error == OnlineCalculatorError.None ? trainR * trainR : 0.0;
312            curTestLoss.Value = error == OnlineCalculatorError.None ? testR * testR : 0.0;
313
314            models.Add(model);
315
316
317          }
318
[13889]319          if (StoreRuns)
320            runCollection.Add(run);
321          table.Rows["R² (train)"].Values.Add(curLoss.Value);
322          table.Rows["R² (test)"].Values.Add(curTestLoss.Value);
[13646]323          iterations.Value = i + 1;
324        }
325
326        // produce solution
327        if (CreateSolution) {
328          // when all our models are symbolic models we can easily combine them to a single model
329          if (models.All(m => m is ISymbolicRegressionModel)) {
330            Results.Add(new Result("Solution", CreateSymbolicSolution(models, Nu, (IRegressionProblemData)problemData.Clone())));
331          }
332          // just produce an ensemble solution for now (TODO: correct scaling or linear regression for ensemble model weights)
[13699]333
[13917]334          var ensembleSolution = CreateEnsembleSolution(models, (IRegressionProblemData)problemData.Clone());
[13699]335          Results.Add(new Result("EnsembleSolution", ensembleSolution));
[13646]336        }
[13699]337      }
338      finally {
[13646]339        // reset everything
340        alg.Prepare(true);
341      }
342    }
343
[13917]344    private static IRegressionEnsembleSolution CreateEnsembleSolution(List<IRegressionModel> models,
345      IRegressionProblemData problemData) {
346      var rows = problemData.TrainingPartition.Size;
347      var features = models.Count;
348      double[,] inputMatrix = new double[rows, features + 1];
349      //add model estimates
350      for (int m = 0; m < models.Count; m++) {
351        var model = models[m];
352        var estimates = model.GetEstimatedValues(problemData.Dataset, problemData.TrainingIndices);
353        int estimatesCounter = 0;
354        foreach (var estimate in estimates) {
355          inputMatrix[estimatesCounter, m] = estimate;
356          estimatesCounter++;
357        }
358      }
[13653]359
[13917]360      //add target
361      var targets = problemData.Dataset.GetDoubleValues(problemData.TargetVariable, problemData.TrainingIndices);
362      int targetCounter = 0;
363      foreach (var target in targets) {
364        inputMatrix[targetCounter, models.Count] = target;
365        targetCounter++;
366      }
367
368      alglib.linearmodel lm = new alglib.linearmodel();
369      alglib.lrreport ar = new alglib.lrreport();
370      double[] coefficients;
371      int retVal = 1;
372      alglib.lrbuildz(inputMatrix, rows, features, out retVal, out lm, out ar);
373      if (retVal != 1) throw new ArgumentException("Error in calculation of linear regression solution");
374
375      alglib.lrunpack(lm, out coefficients, out features);
376
377      var ensembleModel = new RegressionEnsembleModel(models, coefficients.Take(models.Count)) { AverageModelEstimates = false };
[13941]378      var ensembleSolution = (IRegressionEnsembleSolution)ensembleModel.CreateRegressionSolution(problemData);
[13917]379      return ensembleSolution;
380    }
381
382
[13653]383    private IAlgorithm CreateOSGP() {
384      // configure strict osgp
385      var alg = new OffspringSelectionGeneticAlgorithm.OffspringSelectionGeneticAlgorithm();
386      var prob = new SymbolicRegressionSingleObjectiveProblem();
387      prob.MaximumSymbolicExpressionTreeDepth.Value = 7;
388      prob.MaximumSymbolicExpressionTreeLength.Value = 15;
389      alg.Problem = prob;
390      alg.SuccessRatio.Value = 1.0;
391      alg.ComparisonFactorLowerBound.Value = 1.0;
392      alg.ComparisonFactorUpperBound.Value = 1.0;
393      alg.MutationProbability.Value = 0.15;
394      alg.PopulationSize.Value = 200;
395      alg.MaximumSelectionPressure.Value = 100;
396      alg.MaximumEvaluatedSolutions.Value = 20000;
397      alg.SelectorParameter.Value = alg.SelectorParameter.ValidValues.OfType<GenderSpecificSelector>().First();
398      alg.MutatorParameter.Value = alg.MutatorParameter.ValidValues.OfType<MultiSymbolicExpressionTreeManipulator>().First();
399      alg.StoreAlgorithmInEachRun = false;
400      return alg;
401    }
402
[13646]403    private void SampleTrainingData(MersenneTwister rand, ModifiableDataset ds, int rRows,
404      IDataset sourceDs, double[] curTarget, string targetVarName, IEnumerable<int> trainingIndices) {
405      var selectedRows = trainingIndices.SampleRandomWithoutRepetition(rand, rRows).ToArray();
406      int t = 0;
407      object[] srcRow = new object[ds.Columns];
408      var varNames = ds.DoubleVariables.ToArray();
409      foreach (var r in selectedRows) {
410        // take all values from the original dataset
411        for (int c = 0; c < srcRow.Length; c++) {
412          var col = sourceDs.GetReadOnlyDoubleValues(varNames[c]);
413          srcRow[c] = col[r];
414        }
415        ds.ReplaceRow(t, srcRow);
416        // but use the updated target values
417        ds.SetVariableValue(curTarget[r], targetVarName, t);
418        t++;
419      }
420    }
421
422    private static ISymbolicRegressionSolution CreateSymbolicSolution(List<IRegressionModel> models, double nu, IRegressionProblemData problemData) {
423      var symbModels = models.OfType<ISymbolicRegressionModel>();
424      var lowerLimit = symbModels.Min(m => m.LowerEstimationLimit);
425      var upperLimit = symbModels.Max(m => m.UpperEstimationLimit);
426      var interpreter = new SymbolicDataAnalysisExpressionTreeLinearInterpreter();
427      var progRootNode = new ProgramRootSymbol().CreateTreeNode();
428      var startNode = new StartSymbol().CreateTreeNode();
429
430      var addNode = new Addition().CreateTreeNode();
431      var mulNode = new Multiplication().CreateTreeNode();
432      var scaleNode = (ConstantTreeNode)new Constant().CreateTreeNode(); // all models are scaled using the same nu
433      scaleNode.Value = nu;
434
435      foreach (var m in symbModels) {
436        var relevantPart = m.SymbolicExpressionTree.Root.GetSubtree(0).GetSubtree(0); // skip root and start
437        addNode.AddSubtree((ISymbolicExpressionTreeNode)relevantPart.Clone());
438      }
439
440      mulNode.AddSubtree(addNode);
441      mulNode.AddSubtree(scaleNode);
442      startNode.AddSubtree(mulNode);
443      progRootNode.AddSubtree(startNode);
444      var t = new SymbolicExpressionTree(progRootNode);
[13941]445      var combinedModel = new SymbolicRegressionModel(problemData.TargetVariable, t, interpreter, lowerLimit, upperLimit);
[13646]446      var sol = new SymbolicRegressionSolution(combinedModel, problemData);
447      return sol;
448    }
449
450    private static bool TrySetProblemData(IAlgorithm alg, IRegressionProblemData problemData) {
451      var prob = alg.Problem as IRegressionProblem;
452      // there is already a problem and it is compatible -> just set problem data
453      if (prob != null) {
454        prob.ProblemDataParameter.Value = problemData;
455        return true;
[13653]456      } else return false;
[13646]457    }
458
[13898]459    private static bool TryExecute(IAlgorithm alg, int seed, string regressionAlgorithmResultName, out IRegressionModel model, out IRun run) {
[13646]460      model = null;
[13898]461      SetSeed(alg, seed);
[13646]462      using (var wh = new AutoResetEvent(false)) {
[13889]463        Exception ex = null;
464        EventHandler<EventArgs<Exception>> handler = (sender, args) => {
465          ex = args.Value;
466          wh.Set();
467        };
[13646]468        EventHandler handler2 = (sender, args) => wh.Set();
469        alg.ExceptionOccurred += handler;
470        alg.Stopped += handler2;
471        try {
472          alg.Prepare();
473          alg.Start();
474          wh.WaitOne();
475
[13889]476          if (ex != null) throw new AggregateException(ex);
[13646]477          run = alg.Runs.Last();
[13889]478          alg.Runs.Clear();
[13646]479          var sols = alg.Results.Select(r => r.Value).OfType<IRegressionSolution>();
480          if (!sols.Any()) return false;
481          var sol = sols.First();
482          if (sols.Skip(1).Any()) {
483            // more than one solution => use regressionAlgorithmResult
484            if (alg.Results.ContainsKey(regressionAlgorithmResultName)) {
485              sol = (IRegressionSolution)alg.Results[regressionAlgorithmResultName].Value;
486            }
487          }
488          var symbRegSol = sol as SymbolicRegressionSolution;
489          // only accept symb reg solutions that do not hit the estimation limits
490          // NaN evaluations would not be critical but are problematic if we want to combine all symbolic models into a single symbolic model
491          if (symbRegSol == null ||
492            (symbRegSol.TrainingLowerEstimationLimitHits == 0 && symbRegSol.TrainingUpperEstimationLimitHits == 0 &&
493             symbRegSol.TestLowerEstimationLimitHits == 0 && symbRegSol.TestUpperEstimationLimitHits == 0) &&
494            symbRegSol.TrainingNaNEvaluations == 0 && symbRegSol.TestNaNEvaluations == 0) {
495            model = sol.Model;
496          }
[13699]497        }
498        finally {
[13646]499          alg.ExceptionOccurred -= handler;
500          alg.Stopped -= handler2;
501        }
502      }
503      return model != null;
504    }
[13898]505
506    private static void SetSeed(IAlgorithm alg, int seed) {
507      // no common interface for algs that use a PRNG -> use naming convention to set seed
508      var paramItem = alg as IParameterizedItem;
509
510      if (paramItem.Parameters.ContainsKey("SetSeedRandomly")) {
511        ((BoolValue)paramItem.Parameters["SetSeedRandomly"].ActualValue).Value = false;
512        ((IntValue)paramItem.Parameters["Seed"].ActualValue).Value = seed;
513      } else {
514        throw new ArgumentException("Base learner does not have a seed parameter (algorithm {0})", alg.Name);
515      }
516
517    }
[13646]518  }
519}
Note: See TracBrowser for help on using the repository browser.