Free cookie consent management tool by TermsFeed Policy Generator

source: branches/HeuristicLab.DatasetRefactor/sources/HeuristicLab.DebugEngine/3.3/DebugEngine.cs @ 12031

Last change on this file since 12031 was 12031, checked in by bburlacu, 9 years ago

#2276: Merged trunk changes.

File size: 11.0 KB
Line 
1#region License Information
2/* HeuristicLab
3 * Copyright (C) 2002-2015 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.Linq;
24using System.Threading;
25using System.Threading.Tasks;
26using HeuristicLab.Common;
27using HeuristicLab.Core;
28using HeuristicLab.Persistence.Default.CompositeSerializers.Storable;
29
30namespace HeuristicLab.DebugEngine {
31
32  [StorableClass]
33  [Item("Debug Engine", "Engine for debugging algorithms.")]
34  public class DebugEngine : Executable, IEngine {
35
36    #region Construction and Cloning
37
38    [StorableConstructor]
39    protected DebugEngine(bool deserializing)
40      : base(deserializing) {
41      InitializeTimer();
42    }
43
44    protected DebugEngine(DebugEngine original, Cloner cloner)
45      : base(original, cloner) {
46      if (original.ExecutionState == ExecutionState.Started) throw new InvalidOperationException(string.Format("Clone not allowed in execution state \"{0}\".", ExecutionState));
47      Log = cloner.Clone(original.Log);
48      ExecutionStack = cloner.Clone(original.ExecutionStack);
49      OperatorTrace = cloner.Clone(original.OperatorTrace);
50      InitializeTimer();
51      currentOperation = cloner.Clone(original.currentOperation);
52    }
53    public DebugEngine()
54      : base() {
55      Log = new Log();
56      ExecutionStack = new ExecutionStack();
57      OperatorTrace = new OperatorTrace();
58      InitializeTimer();
59    }
60
61    public override IDeepCloneable Clone(Cloner cloner) {
62      return new DebugEngine(this, cloner);
63    }
64
65    private void InitializeTimer() {
66      timer = new System.Timers.Timer(250);
67      timer.AutoReset = true;
68      timer.Elapsed += new System.Timers.ElapsedEventHandler(timer_Elapsed);
69    }
70
71    #endregion
72
73    #region Fields and Properties
74
75    [Storable]
76    public ILog Log { get; private set; }
77
78    [Storable]
79    public ExecutionStack ExecutionStack { get; private set; }
80
81    [Storable]
82    public OperatorTrace OperatorTrace { get; private set; }
83
84    private CancellationTokenSource cancellationTokenSource;
85    private bool stopPending;
86    private DateTime lastUpdateTime;
87    private System.Timers.Timer timer;
88
89    [Storable]
90    private IOperation currentOperation;
91    public IOperation CurrentOperation {
92      get { return currentOperation; }
93      private set {
94        if (value != currentOperation) {
95          currentOperation = value;
96          OnOperationChanged(value);
97        }
98      }
99    }
100
101    public virtual IAtomicOperation CurrentAtomicOperation {
102      get { return CurrentOperation as IAtomicOperation; }
103    }
104
105    public virtual IExecutionContext CurrentExecutionContext {
106      get { return CurrentOperation as IExecutionContext; }
107    }
108
109    public virtual bool CanContinue {
110      get { return CurrentOperation != null || ExecutionStack.Count > 0; }
111    }
112
113    public virtual bool IsAtBreakpoint {
114      get { return CurrentAtomicOperation != null && CurrentAtomicOperation.Operator != null && CurrentAtomicOperation.Operator.Breakpoint; }
115    }
116
117    #endregion
118
119    #region Events
120
121    public event EventHandler<OperationChangedEventArgs> CurrentOperationChanged;
122    protected virtual void OnOperationChanged(IOperation newOperation) {
123      EventHandler<OperationChangedEventArgs> handler = CurrentOperationChanged;
124      if (handler != null) {
125        handler(this, new OperationChangedEventArgs(newOperation));
126      }
127    }
128
129    #endregion
130
131    #region Std Methods
132    public sealed override void Prepare() {
133      base.Prepare();
134      ExecutionStack.Clear();
135      CurrentOperation = null;
136      OperatorTrace.Reset();
137      OnPrepared();
138    }
139    public void Prepare(IOperation initialOperation) {
140      base.Prepare();
141      ExecutionStack.Clear();
142      if (initialOperation != null)
143        ExecutionStack.Add(initialOperation);
144      CurrentOperation = null;
145      OperatorTrace.Reset();
146      OnPrepared();
147    }
148    protected override void OnPrepared() {
149      Log.LogMessage("Engine prepared");
150      base.OnPrepared();
151    }
152
153    public virtual void Step(bool skipStackOperations) {
154      OnStarted();
155      cancellationTokenSource = new CancellationTokenSource();
156      stopPending = false;
157      lastUpdateTime = DateTime.UtcNow;
158      timer.Start();
159      try {
160        ProcessNextOperation(true, cancellationTokenSource.Token);
161        while (skipStackOperations && !(CurrentOperation is IAtomicOperation) && CanContinue)
162          ProcessNextOperation(true, cancellationTokenSource.Token);
163      }
164      catch (Exception ex) {
165        OnExceptionOccurred(ex);
166      }
167      timer.Stop();
168      ExecutionTime += DateTime.UtcNow - lastUpdateTime;
169      cancellationTokenSource.Dispose();
170      cancellationTokenSource = null;
171      if (stopPending) ExecutionStack.Clear();
172      if (stopPending || !CanContinue) OnStopped();
173      else OnPaused();
174    }
175
176    public override void Start() {
177      base.Start();
178      cancellationTokenSource = new CancellationTokenSource();
179      stopPending = false;
180      Task task = Task.Factory.StartNew(Run, cancellationTokenSource.Token, cancellationTokenSource.Token);
181      task.ContinueWith(t => {
182        try {
183          t.Wait();
184        }
185        catch (AggregateException ex) {
186          try {
187            ex.Flatten().Handle(x => x is OperationCanceledException);
188          }
189          catch (AggregateException remaining) {
190            if (remaining.InnerExceptions.Count == 1) OnExceptionOccurred(remaining.InnerExceptions[0]);
191            else OnExceptionOccurred(remaining);
192          }
193        }
194        cancellationTokenSource.Dispose();
195        cancellationTokenSource = null;
196
197        if (stopPending) ExecutionStack.Clear();
198        if (stopPending || !CanContinue) OnStopped();
199        else OnPaused();
200      });
201    }
202
203    protected override void OnStarted() {
204      Log.LogMessage("Engine started");
205      base.OnStarted();
206    }
207
208    public override void Pause() {
209      base.Pause();
210      cancellationTokenSource.Cancel();
211    }
212
213    protected override void OnPaused() {
214      Log.LogMessage("Engine paused");
215      base.OnPaused();
216    }
217
218    public override void Stop() {
219      CurrentOperation = null;
220      base.Stop();
221      if (ExecutionState == ExecutionState.Paused) {
222        ExecutionStack.Clear();
223        OnStopped();
224      } else {
225        stopPending = true;
226        cancellationTokenSource.Cancel();
227      }
228    }
229
230    protected override void OnStopped() {
231      Log.LogMessage("Engine stopped");
232      base.OnStopped();
233    }
234
235    protected override void OnExceptionOccurred(Exception exception) {
236      Log.LogException(exception);
237      base.OnExceptionOccurred(exception);
238    }
239
240    private void Run(object state) {
241      CancellationToken cancellationToken = (CancellationToken)state;
242
243      OnStarted();
244      lastUpdateTime = DateTime.UtcNow;
245      timer.Start();
246      try {
247        if (!cancellationToken.IsCancellationRequested && CanContinue)
248          ProcessNextOperation(false, cancellationToken);
249        while (!cancellationToken.IsCancellationRequested && CanContinue && !IsAtBreakpoint)
250          ProcessNextOperation(false, cancellationToken);
251        cancellationToken.ThrowIfCancellationRequested();
252      }
253      finally {
254        timer.Stop();
255        ExecutionTime += DateTime.UtcNow - lastUpdateTime;
256
257        if (IsAtBreakpoint)
258          Log.LogMessage(string.Format("Breaking before: {0}", CurrentAtomicOperation.Operator.Name));
259      }
260    }
261
262    private void timer_Elapsed(object sender, System.Timers.ElapsedEventArgs e) {
263      System.Timers.Timer timer = (System.Timers.Timer)sender;
264      timer.Enabled = false;
265      DateTime now = DateTime.UtcNow;
266      ExecutionTime += now - lastUpdateTime;
267      lastUpdateTime = now;
268      timer.Enabled = true;
269    }
270    #endregion
271
272    #region Methods
273
274
275
276    /// <summary>
277    /// Deals with the next operation, if it is an <see cref="AtomicOperation"/> it is executed,
278    /// if it is a <see cref="CompositeOperation"/> its single operations are pushed on the execution stack.
279    /// </summary>
280    /// <remarks>If an error occurs during the execution the operation is aborted and the operation
281    /// is pushed on the stack again.<br/>
282    /// If the execution was successful <see cref="EngineBase.OnOperationExecuted"/> is called.</remarks>
283    protected virtual void ProcessNextOperation(bool logOperations, CancellationToken cancellationToken) {
284      IAtomicOperation atomicOperation = CurrentOperation as IAtomicOperation;
285      OperationCollection operations = CurrentOperation as OperationCollection;
286      if (atomicOperation != null && operations != null)
287        throw new InvalidOperationException("Current operation is both atomic and an operation collection");
288
289      if (atomicOperation != null) {
290        if (logOperations)
291          Log.LogMessage(string.Format("Performing atomic operation {0}", Utils.Name(atomicOperation)));
292        PerformAtomicOperation(atomicOperation, cancellationToken);
293      } else if (operations != null) {
294        if (logOperations)
295          Log.LogMessage("Expanding operation collection");
296        ExecutionStack.AddRange(operations.Reverse());
297        CurrentOperation = null;
298      } else if (ExecutionStack.Count > 0) {
299        if (logOperations)
300          Log.LogMessage("Popping execution stack");
301        CurrentOperation = ExecutionStack.Last();
302        ExecutionStack.RemoveAt(ExecutionStack.Count - 1);
303      } else {
304        if (logOperations)
305          Log.LogMessage("Nothing to do");
306      }
307      OperatorTrace.Regenerate(CurrentAtomicOperation);
308    }
309
310    protected virtual void PerformAtomicOperation(IAtomicOperation operation, CancellationToken cancellationToken) {
311      if (operation != null) {
312        try {
313          IOperation successor = operation.Operator.Execute((IExecutionContext)operation, cancellationToken);
314          if (successor != null) {
315            OperatorTrace.RegisterParenthood(operation, successor);
316            ExecutionStack.Add(successor);
317          }
318          CurrentOperation = null;
319        }
320        catch (Exception ex) {
321          if (ex is OperationCanceledException) throw ex;
322          else throw new OperatorExecutionException(operation.Operator, ex);
323        }
324      }
325    }
326
327    #endregion
328  }
329}
Note: See TracBrowser for help on using the repository browser.