Free cookie consent management tool by TermsFeed Policy Generator

source: trunk/sources/HeuristicLab.Operators.Programmable/3.3/ProgrammableOperator.cs @ 4834

Last change on this file since 4834 was 4828, checked in by epitzer, 14 years ago

Add ProgrammableSingleSuccessorOperator that properly handles a successor if present (#1275)

File size: 15.7 KB
Line 
1#region License Information
2/* HeuristicLab
3 * Copyright (C) 2002-2010 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.CodeDom;
24using System.CodeDom.Compiler;
25using System.Collections.Generic;
26using System.IO;
27using System.Linq;
28using System.Reflection;
29using System.Text;
30using System.Text.RegularExpressions;
31using HeuristicLab.Collections;
32using HeuristicLab.Common;
33using HeuristicLab.Core;
34using HeuristicLab.Persistence.Auxiliary;
35using HeuristicLab.Persistence.Default.CompositeSerializers.Storable;
36using HeuristicLab.PluginInfrastructure;
37using Microsoft.CSharp;
38
39namespace HeuristicLab.Operators.Programmable {
40
41  [Item("ProgrammableOperator", "An operator that can be programmed for arbitrary needs.")]
42  [StorableClass]
43  public class ProgrammableOperator : Operator, IParameterizedNamedItem, IStorableContent {
44
45    #region Fields & Properties
46
47    public string Filename { get; set; }
48
49    public new ParameterCollection Parameters {
50      get { return base.Parameters; }
51    }
52
53    private MethodInfo executeMethod;
54    public CompilerErrorCollection CompileErrors { get; private set; }
55    public string CompilationUnitCode { get; private set; }
56
57    [Storable]
58    private string code;
59    public string Code {
60      get { return code; }
61      set {
62        if (value != code) {
63          code = value;
64          executeMethod = null;
65          OnCodeChanged();
66        }
67      }
68    }
69
70    private object syncRoot = new object();
71
72    private static object initLock = new object();
73    private static Dictionary<string, List<Assembly>> defaultPluginDict;
74    private static Dictionary<Assembly, bool> defaultAssemblyDict;
75
76    public readonly Dictionary<string, List<Assembly>> Plugins;
77    protected Dictionary<Assembly, bool> Assemblies;
78
79    [Storable(Name = "SelectedAssemblies")]
80    private List<string> _selectedAssemblyNames_persistence {
81      get {
82        return Assemblies.Where(a => a.Value).Select(a => a.Key.FullName).ToList();
83      }
84      set {
85        var selectedAssemblyNames = new HashSet<string>(value);
86        foreach (var a in Assemblies.Keys.ToList()) {
87          Assemblies[a] = selectedAssemblyNames.Contains(a.FullName);
88        }
89      }
90    }
91
92    public IEnumerable<Assembly> AvailableAssemblies {
93      get { return Assemblies.Keys; }
94    }
95
96    public IEnumerable<Assembly> SelectedAssemblies {
97      get { return Assemblies.Where(kvp => kvp.Value).Select(kvp => kvp.Key); }
98    }
99
100    [Storable]
101    private HashSet<string> namespaces;
102    public IEnumerable<string> Namespaces {
103      get { return namespaces; }
104    }
105
106    public override bool CanChangeDescription {
107      get { return true; }
108    }
109
110    #endregion
111
112    #region Extended Accessors
113
114    public void SelectAssembly(Assembly a) {
115      if (a != null && Assemblies.ContainsKey(a) && !Assemblies[a]) {
116        Assemblies[a] = true;
117      }
118    }
119
120    public void UnselectAssembly(Assembly a) {
121      if (a != null && Assemblies.ContainsKey(a) && Assemblies[a]) {
122        Assemblies[a] = false;
123      }
124    }
125
126    public void SelectNamespace(string ns) {
127      namespaces.Add(ns);
128      OnSignatureChanged();
129    }
130
131    public void UnselectNamespace(string ns) {
132      namespaces.Remove(ns);
133      OnSignatureChanged();
134    }
135
136    public IEnumerable<string> GetAllNamespaces(bool selectedAssembliesOnly) {
137      var namespaces = new HashSet<string>();
138      foreach (var a in Assemblies) {
139        if (!selectedAssembliesOnly || a.Value) {
140          foreach (var t in a.Key.GetTypes()) {
141            if (t.IsPublic) {
142              foreach (string ns in GetNamespaceHierachy(t.Namespace)) {
143                namespaces.Add(ns);
144              }
145            }
146          }
147        }
148      }
149      return namespaces;
150    }
151
152    private IEnumerable<string> GetNamespaceHierachy(string ns) {
153      for (int i = ns.Length; i != -1; i = ns.LastIndexOf('.', i - 1)) {
154        yield return ns.Substring(0, i);
155      }
156    }
157
158    #endregion
159
160    #region Construction & Initialization
161
162    [StorableConstructor]
163    protected ProgrammableOperator(bool deserializing)
164      : base(deserializing) {
165      ProgrammableOperator.StaticInitialize();
166      Assemblies = defaultAssemblyDict.ToDictionary(kvp => kvp.Key, kvp => kvp.Value);
167      Plugins = defaultPluginDict.ToDictionary(kvp => kvp.Key, kvp => kvp.Value.ToList());
168    }
169
170    protected ProgrammableOperator(ProgrammableOperator original, Cloner cloner)
171      : base(original, cloner) {
172      code = original.Code;
173      executeMethod = original.executeMethod;
174      Assemblies = original.Assemblies.ToDictionary(kvp => kvp.Key, kvp => kvp.Value);
175      Plugins = original.Plugins.ToDictionary(kvp => kvp.Key, kvp => kvp.Value);
176      namespaces = new HashSet<string>(original.namespaces);
177      CompilationUnitCode = original.CompilationUnitCode;
178      if (original.CompileErrors != null)
179        CompileErrors = new CompilerErrorCollection(original.CompileErrors);
180      RegisterEvents();
181    }
182
183    public ProgrammableOperator() {
184      code = "";
185      executeMethod = null;
186      ProgrammableOperator.StaticInitialize();
187      Assemblies = defaultAssemblyDict.ToDictionary(kvp => kvp.Key, kvp => kvp.Value);
188      Plugins = defaultPluginDict.ToDictionary(kvp => kvp.Key, kvp => kvp.Value.ToList());
189      namespaces = new HashSet<string>(DiscoverNamespaces());
190      RegisterEvents();
191    }
192
193    [StorableHook(HookType.AfterDeserialization)]
194    private void AfterDeserialization() {
195      RegisterEvents();
196    }
197
198    public override IDeepCloneable Clone(Cloner cloner) {
199      return new ProgrammableOperator(this, cloner);
200    }
201
202    private void RegisterEvents() {
203      Parameters.ItemsAdded += Parameters_Changed;
204      Parameters.ItemsRemoved += Parameters_Changed;
205      Parameters.ItemsReplaced += Parameters_Changed;
206      Parameters.CollectionReset += Parameters_Changed;
207    }
208
209    private void Parameters_Changed(object sender, CollectionItemsChangedEventArgs<IParameter> args) {
210      OnSignatureChanged();
211    }
212
213    protected void OnSignatureChanged() {
214      executeMethod = null;
215      EventHandler handler = SignatureChanged;
216      if (handler != null) handler(this, EventArgs.Empty);
217    }
218
219    private static void StaticInitialize() {
220      lock (initLock) {
221        if (defaultPluginDict != null && defaultAssemblyDict != null)
222          return;
223        defaultAssemblyDict = DiscoverAssemblies();
224        defaultPluginDict = GroupAssemblies(defaultAssemblyDict.Keys);
225      }
226    }
227
228    private static Dictionary<string, List<Assembly>> GroupAssemblies(IEnumerable<Assembly> assemblies) {
229      var plugins = new Dictionary<string, List<Assembly>>();
230      var locationTable = assemblies.ToDictionary(a => a.Location, a => a);
231
232      foreach (var plugin in ApplicationManager.Manager.Plugins) {
233        var aList = new List<Assembly>();
234        foreach (var aName in from file in plugin.Files
235                              where file.Type == PluginFileType.Assembly
236                              select file.Name) {
237          Assembly a;
238          locationTable.TryGetValue(aName, out a);
239          if (a != null) {
240            aList.Add(a);
241            locationTable.Remove(aName);
242          }
243        }
244        plugins[plugin.Name] = aList;
245      }
246
247      plugins["other"] = locationTable.Values.ToList();
248      return plugins;
249    }
250
251    protected static List<Assembly> defaultAssemblies = new List<Assembly>() {
252      typeof(System.Linq.Enumerable).Assembly,  // add reference to version 3.5 of System.dll
253      typeof(System.Collections.Generic.List<>).Assembly,
254      typeof(System.Text.StringBuilder).Assembly,
255      typeof(System.Data.Linq.DataContext).Assembly,
256      typeof(HeuristicLab.Common.IDeepCloneable).Assembly,
257      typeof(HeuristicLab.Core.Item).Assembly,
258      typeof(HeuristicLab.Data.IntValue).Assembly,
259      typeof(HeuristicLab.Parameters.ValueParameter<IItem>).Assembly,
260      typeof(HeuristicLab.Collections.ObservableList<IItem>).Assembly,
261      typeof(System.ComponentModel.INotifyPropertyChanged).Assembly,
262
263    };
264
265    protected static Dictionary<Assembly, bool> DiscoverAssemblies() {
266      var assemblies = new Dictionary<Assembly, bool>();
267      foreach (var a in AppDomain.CurrentDomain.GetAssemblies()) {
268        try {
269          if (File.Exists(a.Location)) {
270            assemblies.Add(a, false);
271          }
272        } catch (NotSupportedException) {
273          // NotSupportedException is thrown while accessing
274          // the Location property of the anonymously hosted
275          // dynamic methods assembly, which is related to
276          // LINQ queries
277        }
278      }
279      foreach (var a in defaultAssemblies) {
280        if (assemblies.ContainsKey(a)) {
281          assemblies[a] = true;
282        } else {
283          assemblies.Add(a, true);
284        }
285      }
286      return assemblies;
287    }
288
289    protected static List<string> DiscoverNamespaces() {
290      return new List<string>() {
291        "HeuristicLab.Common",
292        "HeuristicLab.Core",
293        "HeuristicLab.Data",
294        "HeuristicLab.Parameters",
295        "System",
296        "System.Collections.Generic",
297        "System.Text",
298        "System.Linq",
299        "System.Data.Linq",
300      };
301    }
302
303    #endregion
304
305    #region Compilation
306
307    private static CSharpCodeProvider codeProvider =
308      new CSharpCodeProvider(
309        new Dictionary<string, string>() {
310          { "CompilerVersion", "v3.5" },  // support C# 3.0 syntax
311        });
312
313    private CompilerResults DoCompile() {
314      CompilerParameters parameters = new CompilerParameters();
315      parameters.GenerateExecutable = false;
316      parameters.GenerateInMemory = true;
317      parameters.IncludeDebugInformation = false;
318      parameters.ReferencedAssemblies.AddRange(SelectedAssemblies.Select(a => a.Location).ToArray());
319      var unit = CreateCompilationUnit();
320      var writer = new StringWriter();
321      codeProvider.GenerateCodeFromCompileUnit(
322        unit,
323        writer,
324        new CodeGeneratorOptions() {
325          BracingStyle = "C",
326          ElseOnClosing = true,
327          IndentString = "  ",
328        });
329      CompilationUnitCode = writer.ToString();
330      return codeProvider.CompileAssemblyFromDom(parameters, unit);
331    }
332
333    public virtual void Compile() {
334      var results = DoCompile();
335      executeMethod = null;
336      if (results.Errors.HasErrors) {
337        CompileErrors = results.Errors;
338        StringBuilder sb = new StringBuilder();
339        foreach (CompilerError error in results.Errors) {
340          sb.Append(error.Line).Append(':')
341            .Append(error.Column).Append(": ")
342            .AppendLine(error.ErrorText);
343        }
344        throw new Exception(string.Format(
345          "Compilation of \"{0}\" failed:{1}{2}",
346          Name, Environment.NewLine,
347          sb.ToString()));
348      } else {
349        CompileErrors = null;
350        Assembly assembly = results.CompiledAssembly;
351        Type[] types = assembly.GetTypes();
352        executeMethod = types[0].GetMethod("Execute");
353      }
354    }
355
356    private CodeCompileUnit CreateCompilationUnit() {
357      CodeNamespace ns = new CodeNamespace("HeuristicLab.Operators.Programmable.CustomOperators");
358      ns.Types.Add(CreateType());
359      ns.Imports.AddRange(
360        GetSelectedAndValidNamespaces()
361        .Select(n => new CodeNamespaceImport(n))
362        .ToArray());
363      CodeCompileUnit unit = new CodeCompileUnit();
364      unit.Namespaces.Add(ns);
365      return unit;
366    }
367
368    public IEnumerable<string> GetSelectedAndValidNamespaces() {
369      var possibleNamespaces = new HashSet<string>(GetAllNamespaces(true));
370      foreach (var ns in Namespaces)
371        if (possibleNamespaces.Contains(ns))
372          yield return ns;
373    }
374
375    public static readonly Regex SafeTypeNameCharRegex = new Regex("[_a-zA-Z0-9]+");
376    public static readonly Regex SafeTypeNameRegex = new Regex("[_a-zA-Z][_a-zA-Z0-9]*");
377
378    public string CompiledTypeName {
379      get {
380        var sb = new StringBuilder();
381        foreach (string s in SafeTypeNameCharRegex.Matches(Name).Cast<Match>().Select(m => m.Value)) {
382          sb.Append(s);
383        }
384        return SafeTypeNameRegex.Match(sb.ToString()).Value;
385      }
386    }
387
388    private CodeTypeDeclaration CreateType() {
389      CodeTypeDeclaration typeDecl = new CodeTypeDeclaration(CompiledTypeName) {
390        IsClass = true,
391        TypeAttributes = TypeAttributes.Public,
392      };
393      typeDecl.Members.Add(CreateMethod());
394      return typeDecl;
395    }
396
397    public string Signature {
398      get {
399        var sb = new StringBuilder()
400        .Append("public static IOperation Execute(")
401        .Append(TypeNameParser.Parse(typeof(IOperator).FullName).GetTypeNameInCode(namespaces))
402        .Append(" op, ")
403        .Append(TypeNameParser.Parse(typeof(IExecutionContext).FullName).GetTypeNameInCode(namespaces))
404        .Append(" context");
405        foreach (IParameter param in Parameters) {
406          sb.Append(String.Format(", {0} {1}",
407            TypeNameParser.Parse(param.GetType().FullName).GetTypeNameInCode(namespaces),
408            param.Name));
409        }
410        return sb.Append(")").ToString();
411      }
412    }
413
414    public event EventHandler SignatureChanged;
415
416    private static Regex lineSplitter = new Regex(@"\r\n|\r|\n");
417
418    private CodeMemberMethod CreateMethod() {
419      CodeMemberMethod method = new CodeMemberMethod();
420      method.Name = "Execute";
421      method.ReturnType = new CodeTypeReference(typeof(IOperation));
422      method.Attributes = MemberAttributes.Public | MemberAttributes.Static;
423      method.Parameters.Add(new CodeParameterDeclarationExpression(typeof(IOperator), "op"));
424      method.Parameters.Add(new CodeParameterDeclarationExpression(typeof(IExecutionContext), "context"));
425      foreach (var param in Parameters)
426        method.Parameters.Add(new CodeParameterDeclarationExpression(param.GetType(), param.Name));
427      string[] codeLines = lineSplitter.Split(code);
428      for (int i = 0; i < codeLines.Length; i++) {
429        codeLines[i] = string.Format("#line {0} \"ProgrammableOperator\"{1}{2}", i + 1, "\r\n", codeLines[i]);
430      }
431      method.Statements.Add(new CodeSnippetStatement(
432        string.Join("\r\n", codeLines) +
433        "\r\nreturn null;"));
434      return method;
435    }
436
437    #endregion
438
439    #region HeuristicLab interfaces
440
441    public override IOperation Apply() {
442      lock (syncRoot) {
443        if (executeMethod == null) {
444          Compile();
445        }
446      }
447
448      var parameters = new List<object>() { this, ExecutionContext };
449      parameters.AddRange(Parameters.Select(p => (object)p));
450      return (IOperation)executeMethod.Invoke(null, parameters.ToArray());
451    }
452
453    public event EventHandler CodeChanged;
454    protected virtual void OnCodeChanged() {
455      EventHandler handler = CodeChanged;
456      if (handler != null) handler(this, EventArgs.Empty);
457    }
458
459    #endregion
460  }
461}
Note: See TracBrowser for help on using the repository browser.