Free cookie consent management tool by TermsFeed Policy Generator

source: branches/PersistenceReintegration/HeuristicLab.PluginInfrastructure/3.3/Manager/PluginValidator.cs @ 15866

Last change on this file since 15866 was 14927, checked in by gkronber, 8 years ago

#2520: changed all usages of StorableClass to use StorableType with an auto-generated GUID (did not add StorableType to other type definitions yet)

File size: 31.4 KB
RevLine 
[2]1#region License Information
2/* HeuristicLab
[14185]3 * Copyright (C) 2002-2016 Heuristic and Evolutionary Algorithms Laboratory (HEAL)
[2]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.IO;
[2481]25using System.Linq;
[4068]26using System.Reflection;
[2527]27using System.Security;
[4068]28using System.Text;
[2]29
[2481]30
31namespace HeuristicLab.PluginInfrastructure.Manager {
[2503]32  /// <summary>
33  /// Discovers all installed plugins in the plugin directory. Checks correctness of plugin meta-data and if
34  /// all plugin files are available and checks plugin dependencies.
35  /// </summary>
36  internal sealed class PluginValidator : MarshalByRefObject {
[2750]37    // private class to store plugin dependency declarations while reflecting over plugins
38    private class PluginDependency {
39      public string Name { get; private set; }
40      public Version Version { get; private set; }
41
42      public PluginDependency(string name, Version version) {
43        this.Name = name;
44        this.Version = version;
45      }
46    }
47
48
[2489]49    internal event EventHandler<PluginInfrastructureEventArgs> PluginLoaded;
[2]50
[2750]51    private Dictionary<PluginDescription, IEnumerable<PluginDependency>> pluginDependencies;
[2]52
[2481]53    private List<ApplicationDescription> applications;
54    internal IEnumerable<ApplicationDescription> Applications {
[2]55      get {
[2503]56        if (string.IsNullOrEmpty(PluginDir)) throw new InvalidOperationException("PluginDir is not set.");
[2497]57        if (applications == null) DiscoverAndCheckPlugins();
[2481]58        return applications;
[2]59      }
60    }
61
[2481]62    private IEnumerable<PluginDescription> plugins;
63    internal IEnumerable<PluginDescription> Plugins {
[2]64      get {
[2503]65        if (string.IsNullOrEmpty(PluginDir)) throw new InvalidOperationException("PluginDir is not set.");
[2497]66        if (plugins == null) DiscoverAndCheckPlugins();
[2481]67        return plugins;
[29]68      }
69    }
70
[2504]71    internal string PluginDir { get; set; }
[2]72
[2504]73    internal PluginValidator() {
[2750]74      this.pluginDependencies = new Dictionary<PluginDescription, IEnumerable<PluginDependency>>();
[2488]75
[2497]76      // ReflectionOnlyAssemblyResolveEvent must be handled because we load assemblies from the plugin path
77      // (which is not listed in the default assembly lookup locations)
[2488]78      AppDomain.CurrentDomain.ReflectionOnlyAssemblyResolve += ReflectionOnlyAssemblyResolveEventHandler;
[2]79    }
80
[2690]81    private Dictionary<string, Assembly> reflectionOnlyAssemblies = new Dictionary<string, Assembly>();
[2488]82    private Assembly ReflectionOnlyAssemblyResolveEventHandler(object sender, ResolveEventArgs args) {
[2690]83      if (reflectionOnlyAssemblies.ContainsKey(args.Name))
84        return reflectionOnlyAssemblies[args.Name];
85      else
86        return Assembly.ReflectionOnlyLoad(args.Name);
[2488]87    }
[2]88
[2488]89
[2]90    /// <summary>
91    /// Init first clears all internal datastructures (including plugin lists)
92    /// 1. All assemblies in the plugins directory are loaded into the reflection only context.
[2503]93    /// 2. The validator checks if all necessary files for each plugin are available.
[2536]94    /// 3. The validator checks if all declared plugin assemblies can be loaded.
95    /// 4. The validator builds the tree of plugin descriptions (dependencies)
96    /// 5. The validator checks if there are any cycles in the plugin dependency graph and disables plugin with circular dependencies
97    /// 6. The validator checks for each plugin if any dependency is disabled.
98    /// 7. All plugins that are not disabled are loaded into the execution context.
99    /// 8. Each loaded plugin (all assemblies) is searched for a types that implement IPlugin
[2481]100    ///    then one instance of each IPlugin type is activated and the OnLoad hook is called.
[2536]101    /// 9. All types implementing IApplication are discovered
[2]102    /// </summary>
[2503]103    internal void DiscoverAndCheckPlugins() {
[2]104      pluginDependencies.Clear();
105
[2527]106      IEnumerable<Assembly> reflectionOnlyAssemblies = ReflectionOnlyLoadDlls(PluginDir);
[2481]107      IEnumerable<PluginDescription> pluginDescriptions = GatherPluginDescriptions(reflectionOnlyAssemblies);
108      CheckPluginFiles(pluginDescriptions);
[2]109
[2536]110      // check if all plugin assemblies can be loaded
[2527]111      CheckPluginAssemblies(pluginDescriptions);
112
[2481]113      // a full list of plugin descriptions is available now we can build the dependency tree
114      BuildDependencyTree(pluginDescriptions);
115
[2536]116      // check for dependency cycles
117      CheckPluginDependencyCycles(pluginDescriptions);
118
[5628]119      // 1st time recursively check if all necessary plugins are available and not disabled
120      // disable plugins with missing or disabled dependencies
121      // to prevent that plugins with missing dependencies are loaded into the execution context
122      // in the next step
[2481]123      CheckPluginDependencies(pluginDescriptions);
124
[4534]125      // test full loading (in contrast to reflection only loading) of plugins
126      // disables plugins that are not loaded correctly
127      CheckExecutionContextLoad(pluginDescriptions);
128
[5628]129      // 2nd time recursively check if all necessary plugins have been loaded successfully and not disabled
130      // disable plugins with for which dependencies could not be loaded successfully
131      CheckPluginDependencies(pluginDescriptions);
132
[2536]133      // mark all plugins as enabled that were not disabled in CheckPluginFiles, CheckPluginAssemblies,
[4534]134      // CheckCircularDependencies, CheckPluginDependencies and CheckExecutionContextLoad
[2488]135      foreach (var desc in pluginDescriptions)
136        if (desc.PluginState != PluginState.Disabled)
137          desc.Enable();
138
[4534]139      // load the enabled plugins
[2481]140      LoadPlugins(pluginDescriptions);
141
142      plugins = pluginDescriptions;
[5631]143      DiscoverApplications(pluginDescriptions);
[2481]144    }
145
[5631]146    private void DiscoverApplications(IEnumerable<PluginDescription> pluginDescriptions) {
[2481]147      applications = new List<ApplicationDescription>();
[5631]148      foreach (IApplication application in GetApplications(pluginDescriptions)) {
[2504]149        Type appType = application.GetType();
150        ApplicationAttribute attr = (from x in appType.GetCustomAttributes(typeof(ApplicationAttribute), false)
151                                     select (ApplicationAttribute)x).Single();
[2481]152        ApplicationDescription info = new ApplicationDescription();
[5631]153        PluginDescription declaringPlugin = GetDeclaringPlugin(appType, pluginDescriptions);
[2]154        info.Name = application.Name;
[3178]155        info.Version = declaringPlugin.Version;
[2]156        info.Description = application.Description;
[2504]157        info.AutoRestart = attr.RestartOnErrors;
158        info.DeclaringAssemblyName = appType.Assembly.GetName().Name;
159        info.DeclaringTypeName = appType.Namespace + "." + application.GetType().Name;
[2]160
[29]161        applications.Add(info);
[2]162      }
163    }
164
[5631]165    private static IEnumerable<IApplication> GetApplications(IEnumerable<PluginDescription> pluginDescriptions) {
[2488]166      return from asm in AppDomain.CurrentDomain.GetAssemblies()
167             from t in asm.GetTypes()
168             where typeof(IApplication).IsAssignableFrom(t) &&
169               !t.IsAbstract && !t.IsInterface && !t.HasElementType
[5631]170             where GetDeclaringPlugin(t, pluginDescriptions).PluginState != PluginState.Disabled
[2488]171             select (IApplication)Activator.CreateInstance(t);
172    }
173
[2690]174    private IEnumerable<Assembly> ReflectionOnlyLoadDlls(string baseDir) {
[2]175      List<Assembly> assemblies = new List<Assembly>();
[2527]176      // recursively load .dll files in subdirectories
177      foreach (string dirName in Directory.GetDirectories(baseDir)) {
178        assemblies.AddRange(ReflectionOnlyLoadDlls(dirName));
179      }
[2481]180      // try to load each .dll file in the plugin directory into the reflection only context
[5652]181      foreach (string filename in Directory.GetFiles(baseDir, "*.dll").Union(Directory.GetFiles(baseDir, "*.exe"))) {
[535]182        try {
[2690]183          Assembly asm = Assembly.ReflectionOnlyLoadFrom(filename);
184          RegisterLoadedAssembly(asm);
185          assemblies.Add(asm);
[14927]186        } catch (BadImageFormatException) { } // just ignore the case that the .dll file is not a CLR assembly (e.g. a native dll)
187        catch (FileLoadException) { } catch (SecurityException) { } catch (ReflectionTypeLoadException) { } // referenced assemblies are missing
[2]188      }
189      return assemblies;
190    }
191
[2527]192    /// <summary>
193    /// Checks if all plugin assemblies can be loaded. If an assembly can't be loaded the plugin is disabled.
194    /// </summary>
195    /// <param name="pluginDescriptions"></param>
196    private void CheckPluginAssemblies(IEnumerable<PluginDescription> pluginDescriptions) {
197      foreach (var desc in pluginDescriptions.Where(x => x.PluginState != PluginState.Disabled)) {
198        try {
[2779]199          var missingAssemblies = new List<string>();
[2690]200          foreach (var asmLocation in desc.AssemblyLocations) {
201            // the assembly must have been loaded in ReflectionOnlyDlls
202            // so we simply determine the name of the assembly and try to find it in the cache of loaded assemblies
203            var asmName = AssemblyName.GetAssemblyName(asmLocation);
204            if (!reflectionOnlyAssemblies.ContainsKey(asmName.FullName)) {
[2779]205              missingAssemblies.Add(asmName.FullName);
[2690]206            }
[2527]207          }
[2779]208          if (missingAssemblies.Count > 0) {
209            StringBuilder errorStrBuiler = new StringBuilder();
210            errorStrBuiler.AppendLine("Missing assemblies:");
211            foreach (string missingAsm in missingAssemblies) {
212              errorStrBuiler.AppendLine(missingAsm);
213            }
214            desc.Disable(errorStrBuiler.ToString());
215          }
[14927]216        } catch (BadImageFormatException ex) {
[2527]217          // disable the plugin
[2779]218          desc.Disable("Problem while loading plugin assemblies:" + Environment.NewLine + "BadImageFormatException: " + ex.Message);
[14927]219        } catch (FileNotFoundException ex) {
[2527]220          // disable the plugin
[2779]221          desc.Disable("Problem while loading plugin assemblies:" + Environment.NewLine + "FileNotFoundException: " + ex.Message);
[14927]222        } catch (FileLoadException ex) {
[2527]223          // disable the plugin
[2779]224          desc.Disable("Problem while loading plugin assemblies:" + Environment.NewLine + "FileLoadException: " + ex.Message);
[14927]225        } catch (ArgumentException ex) {
[2527]226          // disable the plugin
[2779]227          desc.Disable("Problem while loading plugin assemblies:" + Environment.NewLine + "ArgumentException: " + ex.Message);
[14927]228        } catch (SecurityException ex) {
[2527]229          // disable the plugin
[2779]230          desc.Disable("Problem while loading plugin assemblies:" + Environment.NewLine + "SecurityException: " + ex.Message);
[2527]231        }
232      }
233    }
234
235
[2481]236    // find all types implementing IPlugin in the reflectionOnlyAssemblies and create a list of plugin descriptions
237    // the dependencies in the plugin descriptions are not yet set correctly because we need to create
238    // the full list of all plugin descriptions first
239    private IEnumerable<PluginDescription> GatherPluginDescriptions(IEnumerable<Assembly> assemblies) {
240      List<PluginDescription> pluginDescriptions = new List<PluginDescription>();
[1229]241      foreach (Assembly assembly in assemblies) {
[2]242        // GetExportedTypes throws FileNotFoundException when a referenced assembly
243        // of the current assembly is missing.
244        try {
[2527]245          // if there is a type that implements IPlugin
246          // use AssemblyQualifiedName to compare the types because we can't directly
247          // compare ReflectionOnly types and execution types
248          var assemblyPluginDescriptions = from t in assembly.GetExportedTypes()
249                                           where !t.IsAbstract && t.GetInterfaces().Any(x => x.AssemblyQualifiedName == typeof(IPlugin).AssemblyQualifiedName)
250                                           select GetPluginDescription(t);
251          pluginDescriptions.AddRange(assemblyPluginDescriptions);
[1229]252        }
[2497]253        // ignore exceptions. Just don't yield a plugin description when an exception is thrown
[2489]254        catch (FileNotFoundException) {
[14927]255        } catch (FileLoadException) {
256        } catch (InvalidPluginException) {
257        } catch (TypeLoadException) {
258        } catch (MissingMemberException) {
[1229]259        }
[2]260      }
[2481]261      return pluginDescriptions;
[2]262    }
263
264    /// <summary>
265    /// Extracts plugin information for this type.
266    /// Reads plugin name, list and type of files and dependencies of the plugin. This information is necessary for
267    /// plugin dependency checking before plugin activation.
268    /// </summary>
[3046]269    /// <param name="pluginType"></param>
[2481]270    private PluginDescription GetPluginDescription(Type pluginType) {
[2]271
[2763]272      string pluginName, pluginDescription, pluginVersion;
[2778]273      string contactName, contactAddress;
[2763]274      GetPluginMetaData(pluginType, out pluginName, out pluginDescription, out pluginVersion);
[2778]275      GetPluginContactMetaData(pluginType, out contactName, out contactAddress);
[2763]276      var pluginFiles = GetPluginFilesMetaData(pluginType);
277      var pluginDependencies = GetPluginDependencyMetaData(pluginType);
278
[29]279      // minimal sanity check of the attribute values
[2517]280      if (!string.IsNullOrEmpty(pluginName) &&
[2778]281          pluginFiles.Count() > 0 &&                                 // at least one file
282          pluginFiles.Any(f => f.Type == PluginFileType.Assembly)) { // at least one assembly
[2481]283        // create a temporary PluginDescription that contains the attribute values
284        PluginDescription info = new PluginDescription();
[29]285        info.Name = pluginName;
[2513]286        info.Description = pluginDescription;
[2750]287        info.Version = new Version(pluginVersion);
[2778]288        info.ContactName = contactName;
289        info.ContactEmail = contactAddress;
[2815]290        info.LicenseText = ReadLicenseFiles(pluginFiles);
[2481]291        info.AddFiles(pluginFiles);
292
[29]293        this.pluginDependencies[info] = pluginDependencies;
[2481]294        return info;
[2]295      } else {
[2481]296        throw new InvalidPluginException("Invalid metadata in plugin " + pluginType.ToString());
[2]297      }
298    }
299
[4482]300    private static string ReadLicenseFiles(IEnumerable<PluginFile> pluginFiles) {
[2815]301      // combine the contents of all plugin files
302      var licenseFiles = from file in pluginFiles
303                         where file.Type == PluginFileType.License
304                         select file;
305      if (licenseFiles.Count() == 0) return string.Empty;
306      StringBuilder licenseTextBuilder = new StringBuilder();
307      licenseTextBuilder.AppendLine(File.ReadAllText(licenseFiles.First().Name));
308      foreach (var licenseFile in licenseFiles.Skip(1)) {
309        licenseTextBuilder.AppendLine().AppendLine(); // leave some empty space between multiple license files
310        licenseTextBuilder.AppendLine(File.ReadAllText(licenseFile.Name));
311      }
312      return licenseTextBuilder.ToString();
313    }
314
[2763]315    private static IEnumerable<PluginDependency> GetPluginDependencyMetaData(Type pluginType) {
316      // get all attributes of type PluginDependency
317      var dependencyAttributes = from attr in CustomAttributeData.GetCustomAttributes(pluginType)
318                                 where IsAttributeDataForType(attr, typeof(PluginDependencyAttribute))
319                                 select attr;
320
321      foreach (var dependencyAttr in dependencyAttributes) {
322        string name = (string)dependencyAttr.ConstructorArguments[0].Value;
323        Version version = new Version("0.0.0.0"); // default version
324        // check if version is given for now
325        // later when the constructor of PluginDependencyAttribute with only one argument has been removed
326        // this conditional can be removed as well
327        if (dependencyAttr.ConstructorArguments.Count > 1) {
328          try {
329            version = new Version((string)dependencyAttr.ConstructorArguments[1].Value); // might throw FormatException
[14927]330          } catch (FormatException ex) {
[2763]331            throw new InvalidPluginException("Invalid version format of dependency " + name + " in plugin " + pluginType.ToString(), ex);
332          }
333        }
334        yield return new PluginDependency(name, version);
335      }
336    }
337
[2778]338    private static void GetPluginContactMetaData(Type pluginType, out string contactName, out string contactAddress) {
339      // get attribute of type ContactInformation if there is any
340      var contactInfoAttribute = (from attr in CustomAttributeData.GetCustomAttributes(pluginType)
341                                  where IsAttributeDataForType(attr, typeof(ContactInformationAttribute))
342                                  select attr).SingleOrDefault();
343
344      if (contactInfoAttribute != null) {
345        contactName = (string)contactInfoAttribute.ConstructorArguments[0].Value;
346        contactAddress = (string)contactInfoAttribute.ConstructorArguments[1].Value;
347      } else {
348        contactName = string.Empty;
349        contactAddress = string.Empty;
350      }
351    }
352
[2763]353    // not static because we need the PluginDir property
354    private IEnumerable<PluginFile> GetPluginFilesMetaData(Type pluginType) {
355      // get all attributes of type PluginFileAttribute
356      var pluginFileAttributes = from attr in CustomAttributeData.GetCustomAttributes(pluginType)
357                                 where IsAttributeDataForType(attr, typeof(PluginFileAttribute))
358                                 select attr;
359      foreach (var pluginFileAttribute in pluginFileAttributes) {
360        string pluginFileName = (string)pluginFileAttribute.ConstructorArguments[0].Value;
361        PluginFileType fileType = (PluginFileType)pluginFileAttribute.ConstructorArguments[1].Value;
362        yield return new PluginFile(Path.GetFullPath(Path.Combine(PluginDir, pluginFileName)), fileType);
363      }
364    }
365
366    private static void GetPluginMetaData(Type pluginType, out string pluginName, out string pluginDescription, out string pluginVersion) {
367      // there must be a single attribute of type PluginAttribute
368      var pluginMetaDataAttr = (from attr in CustomAttributeData.GetCustomAttributes(pluginType)
369                                where IsAttributeDataForType(attr, typeof(PluginAttribute))
370                                select attr).Single();
371
372      pluginName = (string)pluginMetaDataAttr.ConstructorArguments[0].Value;
373
374      // default description and version
375      pluginVersion = "0.0.0.0";
[3573]376      pluginDescription = string.Empty;
[2763]377      if (pluginMetaDataAttr.ConstructorArguments.Count() == 2) {
378        // if two arguments are given the second argument is the version
379        pluginVersion = (string)pluginMetaDataAttr.ConstructorArguments[1].Value;
380      } else if (pluginMetaDataAttr.ConstructorArguments.Count() == 3) {
381        // if three arguments are given the second argument is the description and the third is the version
382        pluginDescription = (string)pluginMetaDataAttr.ConstructorArguments[1].Value;
383        pluginVersion = (string)pluginMetaDataAttr.ConstructorArguments[2].Value;
384      }
385    }
386
[2504]387    private static bool IsAttributeDataForType(CustomAttributeData attributeData, Type attributeType) {
[2481]388      return attributeData.Constructor.DeclaringType.AssemblyQualifiedName == attributeType.AssemblyQualifiedName;
389    }
390
391    // builds a dependency tree of all plugin descriptions
392    // searches matching plugin descriptions based on the list of dependency names for each plugin
393    // and sets the dependencies in the plugin descriptions
394    private void BuildDependencyTree(IEnumerable<PluginDescription> pluginDescriptions) {
[6298]395      foreach (var desc in pluginDescriptions.Where(x => x.PluginState != PluginState.Disabled)) {
[2779]396        var missingDependencies = new List<PluginDependency>();
[2750]397        foreach (var dependency in pluginDependencies[desc]) {
398          var matchingDescriptions = from availablePlugin in pluginDescriptions
[6298]399                                     where availablePlugin.PluginState != PluginState.Disabled
[2750]400                                     where availablePlugin.Name == dependency.Name
401                                     where IsCompatiblePluginVersion(availablePlugin.Version, dependency.Version)
402                                     select availablePlugin;
[2481]403          if (matchingDescriptions.Count() > 0) {
[2517]404            desc.AddDependency(matchingDescriptions.Single());
[2481]405          } else {
[2779]406            missingDependencies.Add(dependency);
[2481]407          }
[29]408        }
[2779]409        // no plugin description that matches the dependencies are available => plugin is disabled
410        if (missingDependencies.Count > 0) {
411          StringBuilder errorStrBuilder = new StringBuilder();
412          errorStrBuilder.AppendLine("Missing dependencies:");
413          foreach (var missingDep in missingDependencies) {
414            errorStrBuilder.AppendLine(missingDep.Name + " " + missingDep.Version);
415          }
416          desc.Disable(errorStrBuilder.ToString());
417        }
[2481]418      }
419    }
[37]420
[2750]421    /// <summary>
422    /// Checks if version <paramref name="available"/> is compatible to version <paramref name="requested"/>.
423    /// Note: the compatibility relation is not bijective.
424    /// Compatibility rules:
425    ///  * major and minor number must be the same
426    ///  * build and revision number of <paramref name="available"/> must be larger or equal to <paramref name="requested"/>.
427    /// </summary>
428    /// <param name="available">The available version which should be compared to <paramref name="requested"/>.</param>
429    /// <param name="requested">The requested version that must be matched.</param>
430    /// <returns></returns>
[4482]431    private static bool IsCompatiblePluginVersion(Version available, Version requested) {
[2750]432      // this condition must be removed after all plugins have been updated to declare plugin and dependency versions
433      if (
434        (requested.Major == 0 && requested.Minor == 0) ||
435        (available.Major == 0 && available.Minor == 0)) return true;
436      return
437        available.Major == requested.Major &&
438        available.Minor == requested.Minor &&
439        available.Build >= requested.Build &&
440        available.Revision >= requested.Revision;
441    }
442
[2536]443    private void CheckPluginDependencyCycles(IEnumerable<PluginDescription> pluginDescriptions) {
444      foreach (var plugin in pluginDescriptions) {
[2779]445        // if the plugin is not disabled check if there are cycles
[2536]446        if (plugin.PluginState != PluginState.Disabled && HasCycleInDependencies(plugin, plugin.Dependencies)) {
[2779]447          plugin.Disable("Dependency graph has a cycle.");
[2536]448        }
449      }
450    }
451
452    private bool HasCycleInDependencies(PluginDescription plugin, IEnumerable<PluginDescription> pluginDependencies) {
453      foreach (var dep in pluginDependencies) {
454        // if one of the dependencies is the original plugin we found a cycle and can return
455        // if the dependency is already disabled we can ignore the cycle detection because we will disable the plugin anyway
456        // if following one of the dependencies recursively leads to a cycle then we also return
457        if (dep == plugin || dep.PluginState == PluginState.Disabled || HasCycleInDependencies(plugin, dep.Dependencies)) return true;
458      }
459      // no cycle found and none of the direct and indirect dependencies is disabled
460      return false;
461    }
462
[2481]463    private void CheckPluginDependencies(IEnumerable<PluginDescription> pluginDescriptions) {
464      foreach (PluginDescription pluginDescription in pluginDescriptions.Where(x => x.PluginState != PluginState.Disabled)) {
[2779]465        List<PluginDescription> disabledPlugins = new List<PluginDescription>();
466        if (IsAnyDependencyDisabled(pluginDescription, disabledPlugins)) {
467          StringBuilder errorStrBuilder = new StringBuilder();
468          errorStrBuilder.AppendLine("Dependencies are disabled:");
469          foreach (var disabledPlugin in disabledPlugins) {
470            errorStrBuilder.AppendLine(disabledPlugin.Name + " " + disabledPlugin.Version);
471          }
472          pluginDescription.Disable(errorStrBuilder.ToString());
[29]473        }
474      }
475    }
476
477
[2779]478    private bool IsAnyDependencyDisabled(PluginDescription descr, List<PluginDescription> disabledPlugins) {
479      if (descr.PluginState == PluginState.Disabled) {
480        disabledPlugins.Add(descr);
481        return true;
482      }
[2481]483      foreach (PluginDescription dependency in descr.Dependencies) {
[2779]484        IsAnyDependencyDisabled(dependency, disabledPlugins);
[2]485      }
[2779]486      return disabledPlugins.Count > 0;
[2]487    }
488
[4534]489    // tries to load all plugin assemblies into the execution context
490    // if an assembly of a plugin cannot be loaded the plugin is disabled
491    private void CheckExecutionContextLoad(IEnumerable<PluginDescription> pluginDescriptions) {
[2]492      // load all loadable plugins (all dependencies available) into the execution context
[2517]493      foreach (var desc in PluginDescriptionIterator.IterateDependenciesBottomUp(pluginDescriptions
[2488]494                                                                                .Where(x => x.PluginState != PluginState.Disabled))) {
[8193]495        // store the assembly names so that we can later retrieve the assemblies loaded in the appdomain by name
496        var assemblyNames = new List<string>();
[2690]497        foreach (string assemblyLocation in desc.AssemblyLocations) {
[5628]498          if (desc.PluginState != PluginState.Disabled) {
499            try {
[5629]500              string assemblyName = (from assembly in AppDomain.CurrentDomain.ReflectionOnlyGetAssemblies()
501                                     where string.Equals(Path.GetFullPath(assembly.Location), Path.GetFullPath(assemblyLocation), StringComparison.CurrentCultureIgnoreCase)
502                                     select assembly.FullName).Single();
[5628]503              // now load the assemblies into the execution context 
504              // this can still lead to an exception
[5629]505              // even when the assemby was successfully loaded into the reflection only context before
[8193]506              // when loading the assembly using it's assemblyName it can be loaded from a different location than before (e.g. the GAC)
507              Assembly.Load(assemblyName);
508              assemblyNames.Add(assemblyName);
[14927]509            } catch (BadImageFormatException) {
[5628]510              desc.Disable(Path.GetFileName(assemblyLocation) + " is not a valid assembly.");
[14927]511            } catch (FileLoadException) {
[5628]512              desc.Disable("Can't load file " + Path.GetFileName(assemblyLocation));
[14927]513            } catch (FileNotFoundException) {
[5628]514              desc.Disable("File " + Path.GetFileName(assemblyLocation) + " is missing.");
[14927]515            } catch (SecurityException) {
[5628]516              desc.Disable("File " + Path.GetFileName(assemblyLocation) + " can't be loaded because of security constraints.");
[14927]517            } catch (NotSupportedException ex) {
[5629]518              // disable the plugin
519              desc.Disable("Problem while loading plugin assemblies:" + Environment.NewLine + "NotSupportedException: " + ex.Message);
520            }
[2]521          }
522        }
[8193]523        desc.AssemblyNames = assemblyNames;
[2]524      }
525    }
[91]526
[4534]527    // assumes that all plugin assemblies have been loaded into the execution context via CheckExecutionContextLoad
528    // for each enabled plugin:
529    // calls OnLoad method of the plugin
530    // and raises the PluginLoaded event
531    private void LoadPlugins(IEnumerable<PluginDescription> pluginDescriptions) {
532      List<Assembly> assemblies = new List<Assembly>(AppDomain.CurrentDomain.GetAssemblies());
533      foreach (var desc in pluginDescriptions) {
534        if (desc.PluginState == PluginState.Enabled) {
535          // cannot use ApplicationManager to retrieve types because it is not yet instantiated
[8193]536          foreach (string assemblyName in desc.AssemblyNames) {
[4534]537            var asm = (from assembly in assemblies
[8193]538                       where assembly.FullName == assemblyName
[5628]539                       select assembly)
[8178]540                      .SingleOrDefault();
[8200]541            if (asm == null) throw new InvalidPluginException("Could not load assembly " + assemblyName + " for plugin " + desc.Name);
[4534]542            foreach (Type pluginType in asm.GetTypes()) {
543              if (typeof(IPlugin).IsAssignableFrom(pluginType) && !pluginType.IsAbstract && !pluginType.IsInterface && !pluginType.HasElementType) {
544                IPlugin plugin = (IPlugin)Activator.CreateInstance(pluginType);
545                plugin.OnLoad();
546                OnPluginLoaded(new PluginInfrastructureEventArgs(desc));
547              }
548            }
549          } // end foreach assembly in plugin
550          desc.Load();
551        }
552      } // end foreach plugin description
553    }
554
[2481]555    // checks if all declared plugin files are actually available and disables plugins with missing files
[2527]556    private void CheckPluginFiles(IEnumerable<PluginDescription> pluginDescriptions) {
[2481]557      foreach (PluginDescription desc in pluginDescriptions) {
[2779]558        IEnumerable<string> missingFiles;
559        if (ArePluginFilesMissing(desc, out missingFiles)) {
560          StringBuilder errorStrBuilder = new StringBuilder();
561          errorStrBuilder.AppendLine("Missing files:");
562          foreach (string fileName in missingFiles) {
563            errorStrBuilder.AppendLine(fileName);
564          }
565          desc.Disable(errorStrBuilder.ToString());
[29]566        }
[2]567      }
568    }
569
[2779]570    private bool ArePluginFilesMissing(PluginDescription pluginDescription, out IEnumerable<string> missingFiles) {
571      List<string> missing = new List<string>();
[2688]572      foreach (string filename in pluginDescription.Files.Select(x => x.Name)) {
[2527]573        if (!FileLiesInDirectory(PluginDir, filename) ||
574          !File.Exists(filename)) {
[2779]575          missing.Add(filename);
[2]576        }
577      }
[2779]578      missingFiles = missing;
579      return missing.Count > 0;
[2]580    }
581
[2527]582    private static bool FileLiesInDirectory(string dir, string fileName) {
583      var basePath = Path.GetFullPath(dir);
584      return Path.GetFullPath(fileName).StartsWith(basePath);
585    }
586
[5631]587    private static PluginDescription GetDeclaringPlugin(Type appType, IEnumerable<PluginDescription> plugins) {
[3178]588      return (from p in plugins
589              from asmLocation in p.AssemblyLocations
590              where Path.GetFullPath(asmLocation).Equals(Path.GetFullPath(appType.Assembly.Location), StringComparison.CurrentCultureIgnoreCase)
591              select p).Single();
592    }
593
[2690]594    // register assembly in the assembly cache for the ReflectionOnlyAssemblyResolveEvent
595    private void RegisterLoadedAssembly(Assembly asm) {
[6021]596      if (reflectionOnlyAssemblies.ContainsKey(asm.FullName) || reflectionOnlyAssemblies.ContainsKey(asm.GetName().Name)) {
597        throw new ArgumentException("An assembly with the name " + asm.GetName().Name + " has been registered already.", "asm");
598      }
[2690]599      reflectionOnlyAssemblies.Add(asm.FullName, asm);
600      reflectionOnlyAssemblies.Add(asm.GetName().Name, asm); // add short name
601    }
602
[2763]603    private void OnPluginLoaded(PluginInfrastructureEventArgs e) {
[2489]604      if (PluginLoaded != null)
[2503]605        PluginLoaded(this, e);
[2489]606    }
607
[1189]608    /// <summary>
[2497]609    /// Initializes the life time service with an infinite lease time.
[1189]610    /// </summary>
611    /// <returns><c>null</c>.</returns>
[2]612    public override object InitializeLifetimeService() {
613      return null;
614    }
615  }
616}
Note: See TracBrowser for help on using the repository browser.