我有自己的DLL,可以使用ConfuserEx进行保护。 在ConfuserEx中,我使用的是“重命名”保护:
<protection id="rename">
<argument name="mode" value="unicode" />
<argument name="renEnum" value="true" />
</protection>
这当然可以保护DLL避免查看代码,但是我的类(已作为DLL的一部分进行了保护)使用:
MethodInfo mi = typeof(MyClass).GetMethod(nameof(MyStaticMethod), BindingFlags.Static | BindingFlags.NonPublic);
问题在这里开始,因为甚至我自己的代码也找不到并使用我的(受ConfuserEx保护)方法。我使用GetMethod调用:Delegate.CreateDelegate。我该怎么办才能解决这个问题?
答案 0 :(得分:1)
我仍然不确定为什么不能直接创建所需的委托而不进行反思,但是如果您真的需要获取MethodInfo
,请尝试执行以下操作:
using System;
using System.IO;
class Program
{
static void Main(string[] args)
{
Thingy t = DoStuff;
var mi = t.Method;
}
private delegate void Thingy(object sender, EventArgs e);
private static void DoStuff(object sender, EventArgs e)
{
}
}
也就是说,使用与其他委托定义匹配的您自己的本地定义委托,直接在您的代码中创建它的一个实例,然后从该实例中提取MethodInfo
。
此代码将使用方法令牌来标识DoStuff
,而不是其名称,因此在经过混淆处理后不会出现问题。
答案 1 :(得分:0)
我通过在GetMethod和目标方法之间应用附加的“桥委托”解决了这个问题。然后,我使用BridgeDelegate.Method.Name代替nameof(MyStaticMethod)。我检查并正常工作。
示例解决方案:
internal static class MyClass
{
private delegate void ExecuteObfuscatedMethod(string value);
private static ExecuteObfuscatedMethod Bridge; //This is my "bridge"
internal static void CaptureExternalDelegate(object source)
{
//Using a "bridge" instead of the direct method name
MethodInfo mi = typeof(MyClass).GetMethod(Bridge.Method.Name, BindingFlags.Static | BindingFlags.NonPublic);
//Less interesting code
PropertyInfo p = source.GetType().GetProperty("SomePrivateDelegate", BindingFlags.NonPublic | BindingFlags.Instance);
Delegate del = Delegate.CreateDelegate(p.PropertyType, mi) as Delegate;
Delegate original = p.GetValue(source) as Delegate;
Delegate combined = Delegate.Combine(original, del);
p.SetValue(property, combined);
}
static MyClass()
{
Bridge += MyStaticMethod;
}
//This is the method whose name can not be retrieved by nameof () after applying ConfuserEx
private static void MyStaticMethod(string value)
{
//I am testing the method's name after calling it.
var st = new StackTrace();
var sf = st.GetFrame(0);
var currentMethodName = sf.GetMethod();
throw new Exception("The method name is: " + currentMethodName); //You can see that the method has evoked and you can even see its new name
}
}