Free cookie consent management tool by TermsFeed Policy Generator

source: branches/2817-BinPackingSpeedup/HeuristicLab.Algorithms.Benchmarks/3.3/BenchmarkAlgorithm.cs @ 16140

Last change on this file since 16140 was 16140, checked in by abeham, 6 years ago

#2817: updated to trunk r15680

File size: 19.1 KB
Line 
1#region License Information
2/* HeuristicLab
3 * Copyright (C) 2002-2018 Heuristic and Evolutionary Algorithms Laboratory (HEAL)
4 *
5 * This file is part of HeuristicLab.
6 *
7 * HeuristicLab is free software: you can redistribute it and/or modify
8 * it under the terms of the GNU General Public License as published by
9 * the Free Software Foundation, either version 3 of the License, or
10 * (at your option) any later version.
11 *
12 * HeuristicLab is distributed in the hope that it will be useful,
13 * but WITHOUT ANY WARRANTY; without even the implied warranty of
14 * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
15 * GNU General Public License for more details.
16 *
17 * You should have received a copy of the GNU General Public License
18 * along with HeuristicLab. If not, see <http://www.gnu.org/licenses/>.
19 */
20#endregion
21
22using System;
23using System.Collections.Generic;
24using System.Drawing;
25using System.Linq;
26using System.Threading;
27using System.Threading.Tasks;
28using HeuristicLab.Collections;
29using HeuristicLab.Common;
30using HeuristicLab.Core;
31using HeuristicLab.Data;
32using HeuristicLab.Optimization;
33using HeuristicLab.Parameters;
34using HeuristicLab.Persistence.Default.CompositeSerializers.Storable;
35using HeuristicLab.PluginInfrastructure;
36
37namespace HeuristicLab.Algorithms.Benchmarks {
38  [Item("Benchmark Algorithm", "An algorithm to execute performance benchmarks (Linpack, Dhrystone, Whetstone, etc.).")]
39  [Creatable(CreatableAttribute.Categories.TestingAndAnalysis, Priority = 130)]
40  [StorableClass]
41  public sealed class BenchmarkAlgorithm : IAlgorithm {
42    private CancellationTokenSource cancellationTokenSource;
43
44    public string ItemName {
45      get { return ItemAttribute.GetName(this.GetType()); }
46    }
47    public string ItemDescription {
48      get { return ItemAttribute.GetDescription(this.GetType()); }
49    }
50    public Version ItemVersion {
51      get { return ItemAttribute.GetVersion(this.GetType()); }
52    }
53    public static Image StaticItemImage {
54      get { return HeuristicLab.Common.Resources.VSImageLibrary.Event; }
55    }
56    public Image ItemImage {
57      get {
58        if (ExecutionState == ExecutionState.Prepared) return HeuristicLab.Common.Resources.VSImageLibrary.ExecutablePrepared;
59        else if (ExecutionState == ExecutionState.Started) return HeuristicLab.Common.Resources.VSImageLibrary.ExecutableStarted;
60        else if (ExecutionState == ExecutionState.Paused) return HeuristicLab.Common.Resources.VSImageLibrary.ExecutablePaused;
61        else if (ExecutionState == ExecutionState.Stopped) return HeuristicLab.Common.Resources.VSImageLibrary.ExecutableStopped;
62        else return ItemAttribute.GetImage(this.GetType());
63      }
64    }
65
66    [Storable]
67    private DateTime lastUpdateTime;
68
69    [Storable]
70    private IBenchmark benchmark;
71    public IBenchmark Benchmark {
72      get { return benchmark; }
73      set {
74        if (value == null) throw new ArgumentNullException();
75        benchmark = value;
76      }
77    }
78
79    [Storable]
80    private ExecutionState executionState;
81    public ExecutionState ExecutionState {
82      get { return executionState; }
83      private set {
84        if (executionState != value) {
85          executionState = value;
86          OnExecutionStateChanged();
87          OnItemImageChanged();
88        }
89      }
90    }
91
92    [Storable]
93    private TimeSpan executionTime;
94    public TimeSpan ExecutionTime {
95      get { return executionTime; }
96      private set {
97        executionTime = value;
98        OnExecutionTimeChanged();
99      }
100    }
101
102    [Storable]
103    private bool storeAlgorithmInEachRun;
104    public bool StoreAlgorithmInEachRun {
105      get { return storeAlgorithmInEachRun; }
106      set {
107        if (storeAlgorithmInEachRun != value) {
108          storeAlgorithmInEachRun = value;
109          OnStoreAlgorithmInEachRunChanged();
110        }
111      }
112    }
113
114    [Storable]
115    private int runsCounter;
116
117    [Storable]
118    private RunCollection runs = new RunCollection();
119    public RunCollection Runs {
120      get { return runs; }
121      private set {
122        if (value == null) throw new ArgumentNullException();
123        if (runs != value) {
124          if (runs != null) DeregisterRunsEvents();
125          runs = value;
126          if (runs != null) RegisterRunsEvents();
127        }
128      }
129    }
130
131    [Storable]
132    private ResultCollection results;
133    public ResultCollection Results {
134      get { return results; }
135    }
136
137    public Type ProblemType {
138      get {
139        // BenchmarkAlgorithm does not have a problem, so return a type which is no problem for sure
140        return typeof(BenchmarkAlgorithm);
141      }
142    }
143
144    public IProblem Problem {
145      get { return null; }
146      set { throw new NotImplementedException("BenchmarkAlgorithm does not have a problem."); }
147    }
148
149    [Storable]
150    private string name;
151    public string Name {
152      get { return name; }
153      set {
154        if (!CanChangeName) throw new NotSupportedException("Name cannot be changed.");
155        if (!(name.Equals(value) || (value == null) && (name == string.Empty))) {
156          CancelEventArgs<string> e = value == null ? new CancelEventArgs<string>(string.Empty) : new CancelEventArgs<string>(value);
157          OnNameChanging(e);
158          if (!e.Cancel) {
159            name = value == null ? string.Empty : value;
160            OnNameChanged();
161            runs.OptimizerName = name;
162          }
163        }
164      }
165    }
166    public bool CanChangeName {
167      get { return true; }
168    }
169
170    [Storable]
171    private string description;
172    public string Description {
173      get { return description; }
174      set {
175        if (!CanChangeDescription) throw new NotSupportedException("Description cannot be changed.");
176        if (!(description.Equals(value) || (value == null) && (description == string.Empty))) {
177          description = value == null ? string.Empty : value;
178          OnDescriptionChanged();
179        }
180      }
181    }
182    public bool CanChangeDescription {
183      get { return true; }
184    }
185
186    [Storable]
187    private ParameterCollection parameters = new ParameterCollection();
188    public IKeyedItemCollection<string, IParameter> Parameters {
189      get { return parameters; }
190    }
191    private ReadOnlyKeyedItemCollection<string, IParameter> readOnlyParameters;
192    IKeyedItemCollection<string, IParameter> IParameterizedItem.Parameters {
193      get {
194        if (readOnlyParameters == null) readOnlyParameters = parameters.AsReadOnly();
195        return readOnlyParameters;
196      }
197    }
198
199    public IEnumerable<IOptimizer> NestedOptimizers {
200      get { return Enumerable.Empty<IOptimizer>(); }
201    }
202
203    #region Parameter Properties
204    public IConstrainedValueParameter<IBenchmark> BenchmarkParameter {
205      get { return (IConstrainedValueParameter<IBenchmark>)Parameters["Benchmark"]; }
206    }
207    private ValueParameter<IntValue> ChunkSizeParameter {
208      get { return (ValueParameter<IntValue>)Parameters["ChunkSize"]; }
209    }
210    private ValueParameter<DoubleValue> TimeLimitParameter {
211      get { return (ValueParameter<DoubleValue>)Parameters["TimeLimit"]; }
212    }
213    #endregion
214
215    #region Constructors
216    [StorableConstructor]
217    private BenchmarkAlgorithm(bool deserializing) { }
218    private BenchmarkAlgorithm(BenchmarkAlgorithm original, Cloner cloner) {
219      if (original.ExecutionState == ExecutionState.Started) throw new InvalidOperationException(string.Format("Clone not allowed in execution state \"{0}\".", ExecutionState));
220      cloner.RegisterClonedObject(original, this);
221      name = original.name;
222      description = original.description;
223      parameters = cloner.Clone(original.parameters);
224      readOnlyParameters = null;
225      executionState = original.executionState;
226      executionTime = original.executionTime;
227      storeAlgorithmInEachRun = original.storeAlgorithmInEachRun;
228      runsCounter = original.runsCounter;
229      Runs = cloner.Clone(original.runs);
230      results = cloner.Clone(original.results);
231    }
232    public BenchmarkAlgorithm() {
233      name = ItemName;
234      description = ItemDescription;
235      parameters = new ParameterCollection();
236      readOnlyParameters = null;
237      executionState = ExecutionState.Stopped;
238      executionTime = TimeSpan.Zero;
239      storeAlgorithmInEachRun = false;
240      runsCounter = 0;
241      Runs = new RunCollection() { OptimizerName = name };
242      results = new ResultCollection();
243      CreateParameters();
244      DiscoverBenchmarks();
245      Prepare();
246    }
247    #endregion
248
249    private void CreateParameters() {
250      Parameters.Add(new ValueParameter<IntValue>("ChunkSize", "The size in MB of the chunk data array that is generated.", new IntValue(0)));
251      Parameters.Add(new ValueParameter<DoubleValue>("TimeLimit", "The time limit in minutes for a benchmark run (zero means a fixed number of iterations).", new DoubleValue(0)));
252    }
253    private void DiscoverBenchmarks() {
254      var benchmarks = from t in ApplicationManager.Manager.GetTypes(typeof(IBenchmark))
255                       select t;
256      ItemSet<IBenchmark> values = new ItemSet<IBenchmark>();
257      foreach (var benchmark in benchmarks) {
258        IBenchmark b = (IBenchmark)Activator.CreateInstance(benchmark);
259        values.Add(b);
260      }
261      string paramName = "Benchmark";
262      if (!Parameters.ContainsKey(paramName)) {
263        if (values.Count > 0) {
264          Parameters.Add(new ConstrainedValueParameter<IBenchmark>(paramName, "The benchmark which should be executed.", values, values.First(a => a is IBenchmark)));
265        } else {
266          Parameters.Add(new ConstrainedValueParameter<IBenchmark>(paramName, "The benchmark which should be executed.", values));
267        }
268      }
269    }
270
271    public IDeepCloneable Clone(Cloner cloner) {
272      return new BenchmarkAlgorithm(this, cloner);
273    }
274    public object Clone() {
275      return Clone(new Cloner());
276    }
277
278    public override string ToString() {
279      return Name;
280    }
281
282    public void Prepare() {
283      if ((ExecutionState != ExecutionState.Prepared) && (ExecutionState != ExecutionState.Paused) && (ExecutionState != ExecutionState.Stopped))
284        throw new InvalidOperationException(string.Format("Prepare not allowed in execution state \"{0}\".", ExecutionState));
285      results.Clear();
286      OnPrepared();
287    }
288    public void Prepare(bool clearRuns) {
289      if ((ExecutionState != ExecutionState.Prepared) && (ExecutionState != ExecutionState.Paused) && (ExecutionState != ExecutionState.Stopped))
290        throw new InvalidOperationException(string.Format("Prepare not allowed in execution state \"{0}\".", ExecutionState));
291      if (clearRuns) runs.Clear();
292      Prepare();
293    }
294    public void Pause() {
295      if (ExecutionState != ExecutionState.Started)
296        throw new InvalidOperationException(string.Format("Pause not allowed in execution state \"{0}\".", ExecutionState));
297    }
298    public void Stop() {
299      if ((ExecutionState != ExecutionState.Started) && (ExecutionState != ExecutionState.Paused))
300        throw new InvalidOperationException(string.Format("Stop not allowed in execution state \"{0}\".", ExecutionState));
301      cancellationTokenSource.Cancel();
302    }
303    public void Start() {
304      Start(CancellationToken.None);
305    }
306    public void Start(CancellationToken cancellationToken) {
307      cancellationTokenSource = CancellationTokenSource.CreateLinkedTokenSource(cancellationToken);
308      OnStarted();
309
310      try {
311        Run(cancellationTokenSource.Token);
312      } catch (OperationCanceledException) {
313      } catch (AggregateException ae) {
314        ae.FlattenAndHandle(new[] { typeof(OperationCanceledException) }, e => OnExceptionOccurred(e));
315      } catch (Exception e) {
316        OnExceptionOccurred(e);
317      }
318
319      cancellationTokenSource.Dispose();
320      cancellationTokenSource = null;
321      OnStopped();
322    }
323    public async Task StartAsync() { await StartAsync(CancellationToken.None); }
324    public async Task StartAsync(CancellationToken cancellationToken) {
325      await AsyncHelper.DoAsync(Start, cancellationToken);
326    }
327
328    private void Run(object state) {
329      CancellationToken cancellationToken = (CancellationToken)state;
330      lastUpdateTime = DateTime.UtcNow;
331      System.Timers.Timer timer = new System.Timers.Timer(250);
332      timer.AutoReset = true;
333      timer.Elapsed += new System.Timers.ElapsedEventHandler(timer_Elapsed);
334      timer.Start();
335      try {
336        Benchmark = (IBenchmark)BenchmarkParameter.ActualValue;
337        int chunkSize = ((IntValue)ChunkSizeParameter.ActualValue).Value;
338        if (chunkSize > 0) {
339          Benchmark.ChunkData = CreateChunkData(chunkSize);
340        } else if (chunkSize < 0) {
341          throw new ArgumentException("ChunkSize must not be negativ.");
342        }
343        TimeSpan timelimit = TimeSpan.FromMinutes(((DoubleValue)TimeLimitParameter.ActualValue).Value);
344        if (timelimit.TotalMilliseconds < 0) {
345          throw new ArgumentException("TimeLimit must not be negativ. ");
346        }
347        Benchmark.TimeLimit = timelimit;
348        Benchmark.Run(cancellationToken, results);
349      } catch (OperationCanceledException) {
350      } finally {
351        timer.Elapsed -= new System.Timers.ElapsedEventHandler(timer_Elapsed);
352        timer.Stop();
353        ExecutionTime += DateTime.UtcNow - lastUpdateTime;
354      }
355    }
356
357    private void timer_Elapsed(object sender, System.Timers.ElapsedEventArgs e) {
358      System.Timers.Timer timer = (System.Timers.Timer)sender;
359      timer.Enabled = false;
360      DateTime now = DateTime.UtcNow;
361      ExecutionTime += now - lastUpdateTime;
362      lastUpdateTime = now;
363      timer.Enabled = true;
364    }
365
366    public void CollectResultValues(IDictionary<string, IItem> values) {
367      values.Add("Execution Time", new TimeSpanValue(ExecutionTime));
368      CollectResultsRecursively("", Results, values);
369    }
370    private void CollectResultsRecursively(string path, ResultCollection results, IDictionary<string, IItem> values) {
371      foreach (IResult result in results) {
372        values.Add(path + result.Name, result.Value);
373        ResultCollection childCollection = result.Value as ResultCollection;
374        if (childCollection != null) {
375          CollectResultsRecursively(path + result.Name + ".", childCollection, values);
376        }
377      }
378    }
379    public void CollectParameterValues(IDictionary<string, IItem> values) {
380      foreach (IValueParameter param in parameters.OfType<IValueParameter>()) {
381        if (param.GetsCollected && param.Value != null) values.Add(param.Name, param.Value);
382        if (param.Value is IParameterizedItem) {
383          Dictionary<string, IItem> children = new Dictionary<string, IItem>();
384          ((IParameterizedItem)param.Value).CollectParameterValues(children);
385          foreach (string key in children.Keys)
386            values.Add(param.Name + "." + key, children[key]);
387        }
388      }
389    }
390
391    private byte[][] CreateChunkData(int megaBytes) {
392      if (megaBytes <= 0) {
393        throw new ArgumentException("MegaBytes must be greater than zero", "megaBytes");
394      }
395      Random random = new Random();
396      byte[][] chunk = new byte[megaBytes][];
397      for (int i = 0; i < chunk.Length; i++) {
398        chunk[i] = new byte[1024 * 1024];
399        random.NextBytes(chunk[i]);
400      }
401      return chunk;
402    }
403
404    #region Events
405    public event EventHandler ExecutionStateChanged;
406    private void OnExecutionStateChanged() {
407      EventHandler handler = ExecutionStateChanged;
408      if (handler != null) handler(this, EventArgs.Empty);
409    }
410    public event EventHandler ExecutionTimeChanged;
411    private void OnExecutionTimeChanged() {
412      EventHandler handler = ExecutionTimeChanged;
413      if (handler != null) handler(this, EventArgs.Empty);
414    }
415    public event EventHandler ProblemChanged { add { } remove { } }
416    public event EventHandler StoreAlgorithmInEachRunChanged;
417    private void OnStoreAlgorithmInEachRunChanged() {
418      EventHandler handler = StoreAlgorithmInEachRunChanged;
419      if (handler != null) handler(this, EventArgs.Empty);
420    }
421    public event EventHandler Prepared;
422    private void OnPrepared() {
423      ExecutionState = ExecutionState.Prepared;
424      ExecutionTime = TimeSpan.Zero;
425      foreach (IStatefulItem statefulObject in this.GetObjectGraphObjects().OfType<IStatefulItem>()) {
426        statefulObject.InitializeState();
427      }
428      EventHandler handler = Prepared;
429      if (handler != null) handler(this, EventArgs.Empty);
430    }
431    public event EventHandler Started;
432    private void OnStarted() {
433      ExecutionState = ExecutionState.Started;
434      EventHandler handler = Started;
435      if (handler != null) handler(this, EventArgs.Empty);
436    }
437    public event EventHandler Paused;
438    private void OnPaused() {
439      ExecutionState = ExecutionState.Paused;
440      EventHandler handler = Paused;
441      if (handler != null) handler(this, EventArgs.Empty);
442    }
443    public event EventHandler Stopped;
444    private void OnStopped() {
445      ExecutionState = ExecutionState.Stopped;
446      foreach (IStatefulItem statefulObject in this.GetObjectGraphObjects().OfType<IStatefulItem>()) {
447        statefulObject.ClearState();
448      }
449      runsCounter++;
450      runs.Add(new Run(string.Format("{0} Run {1}", Name, runsCounter), this));
451      EventHandler handler = Stopped;
452      if (handler != null) handler(this, EventArgs.Empty);
453    }
454    public event EventHandler<EventArgs<Exception>> ExceptionOccurred;
455    private void OnExceptionOccurred(Exception exception) {
456      EventHandler<EventArgs<Exception>> handler = ExceptionOccurred;
457      if (handler != null) handler(this, new EventArgs<Exception>(exception));
458    }
459
460    public event EventHandler<CancelEventArgs<string>> NameChanging;
461    private void OnNameChanging(CancelEventArgs<string> e) {
462      var handler = NameChanging;
463      if (handler != null) handler(this, e);
464    }
465
466    public event EventHandler NameChanged;
467    private void OnNameChanged() {
468      var handler = NameChanged;
469      if (handler != null) handler(this, EventArgs.Empty);
470      OnToStringChanged();
471    }
472
473    public event EventHandler DescriptionChanged;
474    private void OnDescriptionChanged() {
475      var handler = DescriptionChanged;
476      if (handler != null) handler(this, EventArgs.Empty);
477    }
478
479    public event EventHandler ItemImageChanged;
480    private void OnItemImageChanged() {
481      EventHandler handler = ItemImageChanged;
482      if (handler != null) handler(this, EventArgs.Empty);
483    }
484    public event EventHandler ToStringChanged;
485    private void OnToStringChanged() {
486      EventHandler handler = ToStringChanged;
487      if (handler != null) handler(this, EventArgs.Empty);
488    }
489
490    private void DeregisterRunsEvents() {
491      runs.CollectionReset -= new CollectionItemsChangedEventHandler<IRun>(Runs_CollectionReset);
492    }
493    private void RegisterRunsEvents() {
494      runs.CollectionReset += new CollectionItemsChangedEventHandler<IRun>(Runs_CollectionReset);
495    }
496    private void Runs_CollectionReset(object sender, CollectionItemsChangedEventArgs<IRun> e) {
497      runsCounter = runs.Count;
498    }
499    #endregion
500  }
501}
Note: See TracBrowser for help on using the repository browser.