AMH
AMH

Reputation: 6451

dynamic way to free intPtr

I have large class which in many places I need to convert array to intPtr

IntPtr convertToIntPtr(Array input)
{
    if (input != null)
    {
        int s = Marshal.SizeOf(input.GetValue(0).GetType()) * input.Length;
        System.IntPtr p = Marshal.AllocHGlobal(s);

        return p;
    }
    return new IntPtr();
}

I know each pointer can be freed using Marshal.FreeHGlobal(IntPtr).

my question is : - will garbagecollector free intptr once used - If no how can I free all of them in close or dispose of class , any event to use such that when intpntr no far used to be deleted

Upvotes: 0

Views: 737

Answers (2)

xanatos
xanatos

Reputation: 111870

No, the memory you allocate is non-GC handled memory, so it won't be freed (technically it will be freed when your program ends... But I don't think it's what you want).

What you can do is incapsulate the IntPtr in a disposable object.

public sealed class ArrayToIntPtr : IDisposable
{
    public IntPtr Ptr { get; protected set; }

    public ArrayToIntPtr(Array input)
    {
        if (input != null)
        {
            int s = Marshal.SizeOf(input.GetValue(0).GetType()) * input.Length;
            Ptr = Marshal.AllocHGlobal(s);
        }
        else
        {
            Ptr = IntPtr.Zero;
        }
    }

    ~ArrayToIntPtr()
    {
        Dispose(false);
    }

    public void Dispose()
    {
        Dispose(true);
    }

    protected void Dispose(bool disposing)
    {
        if (Ptr != IntPtr.Zero)
        {
            Marshal.FreeHGlobal(Ptr);
            Ptr = IntPtr.Zero;
        }

        if (disposing)
        {
            GC.SuppressFinalize(this);
        }
    }
}

(note that the class is sealed, so the Dispose(bool disposing) isn't virtual)

Upvotes: 1

The Vermilion Wizard
The Vermilion Wizard

Reputation: 5395

No, the garbage collector will not free an IntPtr automatically. It's up to you to manage that yourself. I would suggest avoiding doing that as much as possible, but when you need to do that, you should implement the dispose pattern.

Upvotes: 0

Related Questions