I'm trying to clear the memory contents of a C# string for security reasons.
I'm aware of the SecureString class, but unfortunately I cannot use SecureString instead of String in my application. The strings which need to be cleared are created dynamically at runtime (e.g. I'm not trying to clear string literals). 
Most search result I found basically stated that clearing the contents of a String is not possible (as string are immutable) and SecureString should be used.
Therefore, I did come up with my own solution (using unsafe code) below. Testing shows that the solutions works, but I'm still not sure if there is anything wrong with the solution? Are there better ones?
static unsafe bool clearString(string s, bool clearInternedString=false) 
{
    if (clearInternedString || string.IsInterned(s) == null)
    {
        fixed (char* c = s)
        {
            for (int i = 0; i < s.Length; i++)
                c[i] = '\0';
        }
        return true;
    }
    return false;
}
EDIT: Due to the comments on the GC moving the string around before clearString gets called: what about the following snippet?
string s = new string('\0', len);
fixed (char* c = s)
{
    // copy data from secure location to s
    c[0] = ...;
    c[1] = ...;
    ...
    // do stuff with the string
    // clear the string
    for (int i = 0; i < s.Length; i++)
        c[i] = '\0';
}
 
     
     
     
     
     
     
    