Search code examples
c#.net.net-assembly

Working with AppDomain.AssemblyResolve event


I'm trying to use AppDomain.AssemblyResolve event to handle exceptions while resolving Assemblies of some dll loaded at runtime (SerializationException for dynamically loaded Type).

When the event is fired, I load all DLLs in my directory and create an Assembly array, then I use this method to get the Assembly containing the type I specify:

public static Assembly GetAssemblyContainingType(String completeTypeName, 
                                                 Assembly[] assemblies)
{
    Assembly assembly = null;

    foreach (Assembly currentassembly in assemblies)
    {
        Type t = currentassembly.GetType(completeTypeName, false, true);
        if (t != null)
        {
            assembly = currentassembly;
            break;
        }
    }

    return assembly;
}

The problem is that this code works only with an AssemblyQualifiedName, and the ResolveEventArgs.Name provided by the event is not so useful.

Can you suggest me some workaround?

Is there a way to pass some other arguments to the event when it is fired?


Solution

  • You can define a dictionary of the assemblies from your directory, like this:

    private readonly IDictionary<string,Assembly> additional =
        new Dictionary<string,Assembly>();
    

    Load this dictionary with the assemblies from your known directory, like this:

    foreach ( var assemblyName ... corresponding to DLL names in your directory... ) {
        var assembly = Assembly.Load(assemblyName);
        additional.Add(assembly.FullName, assembly);
    }
    

    Provide an implementation for the hook...

    private Assembly ResolveAssembly(Object sender, ResolveEventArgs e) {
        Assembly res;
        additional.TryGetValue(e.Name, out res);
        return res;
    }
    

    ...and hook it up to the event:

    AppDomain.CurrentDomain.ReflectionOnlyAssemblyResolve += ResolveAssembly;
    AppDomain.CurrentDomain.AssemblyResolve += ResolveAssembly;
    

    This should do the trick.