首页 文章

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

提问于
浏览
50

可能重复:如何查看是否使用TRACE或DEBUG标志编译.NET程序集

可能重复:如何识别DLL是否为Debug或Release版本(在.NET中)

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

2 回答

  • 107
    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 不会包含在发布版本中 .

  • 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;
    }
    

相关问题