Click here to Skip to main content
15,885,546 members
Articles / Programming Languages / C#

How to release an unmanaged library loaded into managed .NET code

Rate me:
Please Sign up or sign in to vote.
4.92/5 (14 votes)
4 Dec 2014CPOL1 min read 44.5K   25   12
Explains how to release an unmanaged library loaded into managed .NET code

Motivation

I had found this article on how to release a DLL library already loaded into a process using P-Invoke. It uses the LoadLibrary() and FreeLibrary() WinAPI calls to achieve this.

And what is wrong with it?

It forces to unload all instances of the DLL library currently loaded within the process. Which means, that in the case you have more than one instance of the class using these external functions, all these will stop working!

And that is not all - you cannot use this DLL in the same application domain again after unloading.

Solution

The solution is a pretty simple one, but I have to say that it wasn't very obvious to me at the beginning. You can use P-Invoke to import the following standard WinAPI functions for dynamical function loading:

  • LoadLibrary()
  • FreeLibrary()
  • GetProcAddress()

We will use the following wrapping class:

C#
internal static class UnsafeMethods
{
    [DllImport("kernel32.dll", SetLastError = true)]
    internal extern static IntPtr LoadLibrary(string libraryName);
    [DllImport("kernel32.dll", SetLastError = true)]
    internal extern static bool FreeLibrary(IntPtr hModule);
    [DllImport("kernel32.dll", SetLastError = true)]
    internal extern static IntPtr GetProcAddress(IntPtr hModule, string procName);
}

We also need signatures of the imported functions - we will convert them into delegates (the following ones come from the sample project):

C#
// int multiply(int value1, int value2);
private delegate int MultiplyDelegate(int value1, int value2);
// int str2int(const char *input);
private delegate int Str2IntDelegate([MarshalAs(UnmanagedType.LPStr)]string source);

Now we can implement our class calling the external DLL functionality with the IDisposable interface so it will automatically release the used DLL library when it goes out-of-scope or when it is finalized (in the example project are two functions which we will publish as Multiply() and Str2Int()).

C#
public class ExternalHelpers: IDisposable
{
    #region Private members
    private IntPtr _libraryHandle;
    private MultiplyDelegate _multiply;
    private Str2IntDelegate _str2Int;
    #endregion

    #region External functions delegates
    // int multiply(int value1, int value2);
    private delegate int MultiplyDelegate(int value1, int value2);
    // int str2int(const char *input);
    private delegate int Str2IntDelegate([MarshalAs(
                     UnmanagedType.LPStr)]string source);
    #endregion

    public ExternalHelpers()
    {
        // dynamically load DLL using WinAPI
        _libraryHandle = UnsafeMethods.LoadLibrary(@"testing.dll");

        if (_libraryHandle == IntPtr.Zero)
            Marshal.ThrowExceptionForHR(Marshal.GetHRForLastWin32Error());
        // import functions as delegates using GetProcAddress
        _multiply = LoadExternalFunction<MultiplyDelegate>(@"multiply");
        _str2Int = LoadExternalFunction<Str2IntDelegate>(@"str2int");
    }

    public int Multiply(int value1, int value2)
    {
        // call method using delegate
        return _multiply(value1, value2);
    }

    public int Str2Int(string source)
    {
        // call method using delegate
        return _str2Int(source);
    }

    public void Dispose()
    {
        Dispose(true);

        GC.SuppressFinalize(this);
    }

    ~ExternalHelpers()
    {
        Dispose(false);
    }

    #region Private helper methods
    private Delegate LoadExternalFunction<T>(string functionName)
        where T: class 
    {
        Debug.Assert(!String.IsNullOrEmpty(functionName));
        // load function pointer
        IntPtr functionPointer = 
          UnsafeMethods.GetProcAddress(_libraryHandle, functionName);

        if (functionPointer == IntPtr.Zero)
            Marshal.ThrowExceptionForHR(Marshal.GetHRForLastWin32Error());
        // Marshal to requested delegate
        return Marshal.GetDelegateForFunctionPointer(functionPointer, typeof(T)) as T;
    }

    private void Dispose(bool disposing)
    {
        if (disposing)
        {
            _multiply = null;
            _str2Int = null;
        }

        if (_libraryHandle != IntPtr.Zero)
        {
            if (!UnsafeMethods.FreeLibrary(_libraryHandle))
                Marshal.ThrowExceptionForHR(Marshal.GetHRForLastWin32Error()); 
                
            _libraryHandle = IntPtr.Zero;
        }
    }
    #endregion
}

And finally - we can use it:

C#
static void Main(string[] args)
{
    using(ExternalHelpers e = new ExternalHelpers())
    {
        const int value1 = 2;
        const int value2 = 3;
        const string strValue = "345";

        Console.WriteLine("{0} * {1} = {2}", 
                value1, value2, e.Multiply(value1, value2));
        Console.WriteLine("{0} => {1}", 
                strValue, e.Str2Int(strValue));
    }

    Console.ReadKey();
}

Looks easy? Yes it is :-)

Links

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Team Leader NCR
Czech Republic Czech Republic
I'm software developer since 1996. I started with assembler on Intel 8051 CPUs, during years I was interested in C, C++, Sybase PowerBuilder, PHP, Sybase Anywhere Database, MSSQL server and multiplatform development.

Currently I'm developing in C++ and C# (this is my favorit and I spent some time with MCPD achievement). I'm also interested in design patterns.

Comments and Discussions

 
QuestionMy vote of 5, but Pin
Mark Kruger5-Dec-14 12:47
Mark Kruger5-Dec-14 12:47 
AnswerRe: My vote of 5, but Pin
voloda26-Dec-14 7:24
voloda26-Dec-14 7:24 
GeneralRe: My vote of 5, but Pin
Mark Kruger6-Dec-14 7:31
Mark Kruger6-Dec-14 7:31 
U ever followed the assembly debugger on when a errer raise occurs, it's rather normal it throws a n instruction of amount of 200 and over. Ergo, i prefer to raise on the things which should be raised, the things u cannot supply in a different way.

Besides this i believe in smalling the territory u can catch an error. I mean i want to see them handled locally, if things above need this information it should be sent on design, not by misusing the error system. Only locally mostly can be decided what's tried next if an error occurs or what the final path must be which can be an not finishing business and indicating this.
GeneralRe: My vote of 5, but Pin
voloda26-Dec-14 10:48
voloda26-Dec-14 10:48 
QuestionGood article Pin
Ganesan Senthilvel19-Feb-12 14:55
Ganesan Senthilvel19-Feb-12 14:55 
AnswerRe: Good article Pin
voloda210-May-12 23:27
voloda210-May-12 23:27 
Suggestionreturn type of method LoadExternalFunctions Pin
Markus6414-Feb-12 0:56
Markus6414-Feb-12 0:56 
GeneralRe: return type of method LoadExternalFunctions Pin
voloda214-Feb-12 20:42
voloda214-Feb-12 20:42 
GeneralMy vote of 5 Pin
Markus6414-Feb-12 0:32
Markus6414-Feb-12 0:32 
SuggestionFreeLibrary issue Pin
Adnan Boz27-Sep-11 3:26
Adnan Boz27-Sep-11 3:26 
GeneralRe: FreeLibrary issue Pin
voloda227-Sep-11 6:53
voloda227-Sep-11 6:53 
GeneralRe: FreeLibrary issue Pin
Adnan Boz28-Sep-11 2:23
Adnan Boz28-Sep-11 2:23 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.