Program Tip

프로그래밍 방식으로 릴리스 / 디버그 모드 감지 (.NET)

programtip 2020. 12. 7. 20:33
반응형

프로그래밍 방식으로 릴리스 / 디버그 모드 감지 (.NET)


중복 가능성 :
.NET 어셈블리가 TRACE 또는 DEBUG 플래그로 컴파일되었는지 확인하는 방법

중복 가능성 :
DLL이 디버그 또는 릴리스 빌드인지 확인하는 방법 (.NET)

현재 어셈블리가 디버그 또는 릴리스 모드에서 컴파일되었는지 프로그래밍 방식으로 확인하는 가장 쉬운 방법은 무엇입니까?


bool 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릴리스 빌드에 포함되지 않습니다.


이 정보가 도움이 되었기를 바랍니다.

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

참고 URL : https://stackoverflow.com/questions/654450/programmatically-detecting-release-debug-mode-net

반응형