以编程方式检测发布/调试模式(.NET)

时间:2009-03-17 14:19:28

标签: .net debugging release

  

可能重复:
  How to find out if a .NET assembly was compiled with the TRACE or DEBUG flag

  

可能重复:
  How to idenfiy if the DLL is Debug or Release build (in .NET)

以编程方式检查当前程序集是在Debug或Release模式下编译的最简单方法是什么?

2 个答案:

答案 0 :(得分:110)

Boolean isDebugMode = false;
#if DEBUG
isDebugMode = true;
#endif

如果您想在调试和发布版本之间编写不同的行为,您应该这样做:

#if DEBUG
   int[] data = new int[] {1, 2, 3, 4};
#else
   int[] data = GetInputData();
#endif
   int sum = data[0];
   for (int i= 1; i < data.Length; i++)
   {
     sum += data[i];
   }

或者如果你想对函数的调试版本进行某些检查,你可以这样做:

public int Sum(int[] data)
{
   Debug.Assert(data.Length > 0);
   int sum = data[0];
   for (int i= 1; i < data.Length; i++)
   {
     sum += data[i];
   }
   return sum;
}

Debug.Assert不会包含在发布版本中。

答案 1 :(得分:13)

我希望这对你有用:

public static bool IsRelease(Assembly assembly) {
    object[] attributes = assembly.GetCustomAttributes(typeof(DebuggableAttribute), true);
    if (attributes == null || attributes.Length == 0)
        return true;

    var d = (DebuggableAttribute)attributes[0];
    if ((d.DebuggingFlags & DebuggableAttribute.DebuggingModes.Default) == DebuggableAttribute.DebuggingModes.None)
        return true;

    return false;
}

public static bool IsDebug(Assembly assembly) {
    object[] attributes = assembly.GetCustomAttributes(typeof(DebuggableAttribute), true);
    if (attributes == null || attributes.Length == 0)
        return true;

    var d = (DebuggableAttribute)attributes[0];
    if (d.IsJITTrackingEnabled) return true;
    return false;
}
相关问题