Microsoft MVP성태의 닷넷 이야기
.NET Framework: 392. .NET 스레드 콜 스택 덤프 (6) - MDbg를 이용한 방법 [링크 복사], [링크+제목 복사],
조회: 19341
글쓴 사람
정성태 (techsharer at outlook.com)
홈페이지
첨부 파일

(시리즈 글이 7개 있습니다.)
.NET Framework: 167. 다른 스레드의 호출 스택 덤프 구하는 방법
; https://www.sysnet.pe.kr/2/0/802

.NET Framework: 260. .NET 스레드 콜 스택 덤프 (2) - Managed Stack Explorer 소스 코드를 이용한 스택 덤프 구하는 방법
; https://www.sysnet.pe.kr/2/0/1162

.NET Framework: 261. .NET 스레드 콜 스택 덤프 (3) - MSE 소스 코드 개선
; https://www.sysnet.pe.kr/2/0/1163

.NET Framework: 262. .NET 스레드 콜 스택 덤프 (4) - .NET 4.0을 지원하지 않는 MSE 응용 프로그램 원인 분석
; https://www.sysnet.pe.kr/2/0/1164

.NET Framework: 311. .NET 스레드 콜 스택 덤프 (5) - ICorDebug 인터페이스 사용법
; https://www.sysnet.pe.kr/2/0/1249

.NET Framework: 392. .NET 스레드 콜 스택 덤프 (6) - MDbg를 이용한 방법
; https://www.sysnet.pe.kr/2/0/1534

.NET Framework: 606. .NET 스레드 콜 스택 덤프 (7) - ClrMD(Microsoft.Diagnostics.Runtime)를 이용한 방법
; https://www.sysnet.pe.kr/2/0/11043




.NET 스레드 콜 스택 덤프 (6) - MDbg를 이용한 방법

".NET 스레드 콜 스택 덤프" 관련 시리즈의 마지막이 될 것 같군요. ^^

4편에 보면 MDbg를 이용한 방법을 설명드렸는데요.

오늘은 문득, MDbg가 GUI에서 Attach했을 때 .NET 4.0 응용 프로그램이 지원되지 않았던 것일 뿐 명령행 프롬프트 창에서는 가능하지 않을까...라는 생각이 들었습니다. ^^; 세상에나 그런 간단한 생각이 이제서야 떠오르다니.

그래서 실제로 한번 해봤습니다. 다음과 같이 예제로 Sleep 프로그램을 실행하고,

static void Main(string[] args)
{
    Console.WriteLine(Process.GetCurrentProcess().Id);
    Thread.Sleep(new TimeSpan(60, 0, 0));
}

MDbg를 이용해 콜스택을 뜨면,

CLR Managed Debugger (mdbg) Sample 
; http://www.microsoft.com/en-us/download/details.aspx?id=19621
; https://github.com/ichengzi/MDbg-Sample

MDbg 명령행 모드에서 .NET 4.0 응용 프로그램을 attach시켜 콜 스택을 뜰 수 있습니다.

managed_thread_call_stack_dump_0.png

MDbg (Managed debugger) v2.1.0.0 started.
Copyright (C) Microsoft Corporation. All rights reserved.

For information about commands type "help";
to exit program type "quit".

mdbg> a 11336
[p#:0, t#:1] mdbg> t 0
Current thread is #0 [waiting].
STOP AttachComplete
IP: 0 @ System.Threading.Thread.Sleep - MAPPING_APPROXIMATE
[p#:0, t#:0] mdbg> w
Thread [#:0]
*0. System.Threading.Thread.Sleep (source line information unavailable)
 1. System.Threading.Thread.Sleep (source line information unavailable)
 2. ConsoleApplication1.Program.Main (d:\...\ConsoleApplication1\Program.cs:37)
[p#:0, t#:0] mdbg> de
mdbg>

간단하게 명령어 설명을 해보면 "a 11336"은 PID가 11336인 프로세스에 디버거를 attach시키고, "t 0"을 통해 0번 Managed Thread로 문맥 전환을 한 후 "w(here)" 명령어를 이용해 최종적으로 콜스택을 뜨게 됩니다. 마지막으로 "de(ttach)" 명령으로 디버거 연결을 끊게 되는데, 만약 명시적인 de 명령없이 mdbg를 종료시키면 디버거로 연결된 프로세스까지 강제종료되므로 주의해야 합니다.




자, 그럼 이 명령어를 코드에서 그대로 수행해 주면 .NET 2.0/4.0 프로세스의 콜스택을 얻는 것이 가능하겠지요. ^^

MDbg는 소스코드가 공개되어 있으므로 Visual Studio에서 열어보면 다음과 같은데,

managed_thread_call_stack_dump_1.png

이 중에서 라이브러리처럼 사용하는 경우 실제 필요한 것은 corapi, mdbgeng, NativeDebugWrappers, raw 프로젝트입니다. 이들을 참조하는 간단한 콘솔 프로젝트를 만들고 다음과 같이 코딩을 해주면 됩니다.

using System;
using System.Diagnostics;
using System.Globalization;
using System.Text;
using Microsoft.Samples.Debugging.CorDebug;
using Microsoft.Samples.Debugging.MdbgEngine;

namespace ConsoleApplication1
{
    class Program
    {
        static void Main(string[] args)
        {
            int pid = 4768;

            ThreadDump(pid);
        }

        private static void ThreadDump(int pid)
        {
            MDbgEngine debugger = new MDbgEngine();

            if (Process.GetCurrentProcess().Id == pid)
            {
                Console.WriteLine("Cannot attach to myself!");
                return;
            }

            // Can't attach to a process that we're already debugging.
            foreach (MDbgProcess procOther in debugger.Processes)
            {
                if (pid == procOther.CorProcess.Id)
                {
                    Console.WriteLine("Can't attach to process " + pid + " because it's already being debugged");
                    return;
                }
            }

            string debuggerVersion = CorDebugger.GetDefaultDebuggerVersion();

            // "attach" 명령어 단계
            string version = debuggerVersion;
            if (string.IsNullOrEmpty(version) == true)
            {
                Console.WriteLine("Can't determine .NET Version");
                return;
            }

            MDbgProcess p = null;

            try 
            { 
                p = debugger.Attach(pid, version);
            }
            catch (Exception ex)
            {
                Console.WriteLine("Attach failed: " + ex.ToString());
                return;
            }

            p.Go().WaitOne();

            // "t 0" 명령어 단계
            MDbgThread targetThread = p.Threads[0];
            p.Threads.Active = targetThread;

            // "where" 명령어 단계
            StringBuilder sb = new StringBuilder();

            foreach (MDbgThread t in p.Threads)
            {
                InternalWhereCommand(sb, t, 0, false);
            }

            // InternalWhereCommand(sb, targetThread, 0, false);

            Console.WriteLine(sb.ToString());

            // "dettach" 명령어 단계
            p.Detach();

            if (p.CanExecute() == true)
            {
                p.StopEvent.WaitOne();
            }
        }

        private static void InternalWhereCommand(StringBuilder sb, MDbgThread thread, int depth, bool verboseOutput)
        {
            Debug.Assert(thread != null);
            bool ShowInternalFrames = true;

            sb.AppendLine("Thread [#:" + thread.Id + "]");

            MDbgFrame af = thread.HaveCurrentFrame ? thread.CurrentFrame : null;
            MDbgFrame f = thread.BottomFrame;
            int i = 0;
            while (f != null && (depth == 0 || i < depth))
            {
                string line;
                if (f.IsInfoOnly)
                {
                    if (!ShowInternalFrames)
                    {
                        // in cases when we don't want to show internal frames, we'll skip them
                        f = f.NextUp;
                        continue;
                    }
                    line = string.Format(CultureInfo.InvariantCulture, "    {0}", f.ToString());
                }
                else
                {
                    string frameDescription = f.ToString(verboseOutput ? "v" : null);
                    line = string.Format(CultureInfo.InvariantCulture, "{0}{1}. {2}", f.Equals(af) ? "*" : " ", i, frameDescription);
                    ++i;
                }
                sb.AppendLine(line);
                f = f.NextUp;
            }
            if (f != null && depth != 0) // means we still have some frames to show....
            {
                sb.AppendLine(string.Format(CultureInfo.InvariantCulture, "displayed only first {0} frames. For more frames use -c switch", depth));
            }
        }
    }
}

끝입니다. 더 설명할 것이 없군요. ^^




참고로 다음과 같은 오류가 발생한다면?

Attach failed: System.Runtime.InteropServices.COMException (0x80131C30): The operation failed because debuggee and debugger are on incompatible platforms. (Exception from HRESULT: 0x80131C30)
   at Microsoft.Samples.Debugging.CorDebug.NativeApi.ICorDebug.DebugActiveProcess(UInt32 id, Int32 win32Attach, ICorDebugProcess& ppProcess)
   at Microsoft.Samples.Debugging.CorDebug.CorDebugger.DebugActiveProcess(Int32processId, Boolean win32Attach, CorRemoteTarget target) in d:\...\debugger\corapi\Debugger.cs:line 340
   at Microsoft.Samples.Debugging.MdbgEngine.MDbgProcess.Attach(Int32 processId, SafeWin32Handle attachContinuationEvent, CorRemoteTarget target) in d:\...\debugger\mdbgeng\Process.cs:line 1225
   at Microsoft.Samples.Debugging.MdbgEngine.MDbgProcess.Attach(Int32 processId, SafeWin32Handle attachContinuationEvent) in d:\...\debugger\mdbgeng\Process.cs:line 1183
   at Microsoft.Samples.Debugging.MdbgEngine.MDbgEngine.Attach(Int32 processId, SafeWin32Handle attachContinuationEvent, String version) in d:\...\debugger\mdbgeng\Engine.cs:line 571
   at Microsoft.Samples.Debugging.MdbgEngine.MDbgEngine.Attach(Int32 processId, String version) in d:\...\debugger\mdbgeng\Engine.cs:line 553
   at ConsoleApplication1.Program.ThreadDump(Int32 pid) in d:\...\ConsoleApplication1\Program.cs:line 53

대상 응용 프로그램과 그것에 attach하려는 프로그램의 플랫폼 빌드가 맞지 않아서입니다. 가령 대상 응용 프로그램은 32비트인데, 덤프 뜨는 측은 64비트인 경우 저런 오류가 발생합니다.

재미있는 점이 하나 있다면 대상 응용 프로그램이 64비트이고, 덤프 뜨는 측이 32비트인 경우에는 오류 메시지가 정확하지 않아서 좀 당혹스럽습니다.

System.Runtime.InteropServices.COMException (0x80070032): The request is not supported. (Exception from HRESULT: 0x80070032)

또는 이렇게도 오류가 발생할 수 있습니다.

Unhandled Exception: System.Runtime.InteropServices.COMException: Only part of a ReadProcessMemory or WriteProcessMemory request was completed. (Exception from HRESULT: 0x8007012B)
   at Microsoft.Samples.Debugging.CorDebug.ICLRMetaHost.EnumerateLoadedRuntimes(ProcessSafeHandle hndProcess)
   at Microsoft.Samples.Debugging.CorDebug.CLRMetaHost.EnumerateLoadedRuntimes(Int32 processId) in d:\...\corapi\Debugger.cs:line 747
   at Microsoft.Samples.Debugging.MdbgEngine.MdbgVersionPolicy.GetDefaultAttachVersion(Int32 processId) in d:\...\mdbgeng\Engine.cs:line 370
   at ConsoleApplication1.Program.ThreadDump(Int32 pid) in d:\...\Program.cs:line 44
   at ConsoleApplication1.Program.Main(String[] args) in d:\...\Program.cs:line 20

이어서 다른 예외를 소개하자면, MDbgEngine.Attach시에 "Failed to load the runtime" 오류가 발생할 수 있습니다.

string debuggerVersion = "v4.0.30319.34003";

p = debugger.Attach(pid, debuggerVersion); // "Failed to load the runtime"

System.Runtime.InteropServices.COMException was caught
  HResult=-2146232576
  Message=Failed to load the runtime. (Exception from HRESULT: 0x80131700)
  Source=corapi
  ErrorCode=-2146232576
  StackTrace:
       at Microsoft.Samples.Debugging.CorDebug.ICLRMetaHost.GetRuntime(String pwzVersion, Guid& riid)
       at Microsoft.Samples.Debugging.CorDebug.CLRMetaHost.GetRuntime(String version) in d:\...\corapi\Debugger.cs:line 763
       at Microsoft.Samples.Debugging.CorDebug.CorDebugger.InitFromVersion(String debuggerVersion) in d:\...\corapi\Debugger.cs:line 405
       at Microsoft.Samples.Debugging.CorDebug.CorDebugger..ctor(String debuggerVersion) in d:\...\corapi\Debugger.cs:line 95
       at Microsoft.Samples.Debugging.MdbgEngine.MDbgEngine.Attach(Int32 processId, SafeWin32Handle attachContinuationEvent, String version) in d:\...\mdbgeng\Engine.cs:line 570
       at Microsoft.Samples.Debugging.MdbgEngine.MDbgEngine.Attach(Int32 processId, String version) in d:\...\mdbgeng\Engine.cs:line 553
       at ConsoleApplication1.Program.ThreadDump(Int32 pid) in d:\...\Program.cs:line 61
  InnerException: 

원인이 좀 황당합니다. ^^ 디버거 버전으로 전달되는 문자열은 [major].[minor].[build].[revision]가 있는데요. 여기서 허용되는 버전 길이는 build까지입니다. 따라서 반드시 다음과 같이 전달해야 합니다.

string debuggerVersion = "v4.0.30319";
p = debugger.Attach(pid, debuggerVersion);

이것이 왜 문제가 되냐면 테스트하다 보니 가끔씩 MdbgVersionPolicy.GetDefaultAttachVersion의 결과로 revision 번호가 포함될 때가 있기 때문입니다.

그것 외에, 대상 프로세스의 CLR 버전을 구하는 방법으로 GetDebuggerVersionFromPid 메서드가 제공되는데요. 대상 응용 프로그램이 CLR 2인 경우에는 잘 수행되지만 CLR 4인 경우에는 다음과 같은 오류가 발생합니다.

string debuggerVersion = CorDebugger.GetDebuggerVersionFromPid(pid);

Unhandled Exception: System.ArgumentException: Value does not fall within the expected range.
   at Microsoft.Samples.Debugging.CorDebug.NativeMethods.GetVersionFromProcess(ProcessSafeHandle hProcess, StringBuilder versionString, Int32 bufferSize, Int32& dwLength)
   at Microsoft.Samples.Debugging.CorDebug.CorDebugger.GetDebuggerVersionFromPid(Int32 pid) in d:\...\debugger\corapi\Debugger.cs:line 59
   at ConsoleApplication1.Program.ThreadDump(Int32 pid) in d:\...\Program.cs:line 44
   at ConsoleApplication1.Program.Main(String[] args) in d:\...\Program.cs:line 20

왜냐하면, 이것의 근간이 되는 GetVersionFromProcess Win32 API가 .NET 4.0의 mscoree.dll에서는 deprecated 상태이기 때문입니다. 설령 Win32 API로 직접 호출해도 빈 문자열만 나옵니다.

마지막으로 대상 응용 프로그램이 CLR 2인데, 덤프뜨려는 측에서 v4.0 문자열로 Attach 시키면,

string debuggerVersion = "v4.0.30319";
p = debugger.Attach(pid, debuggerVersion); 

p.Go().WaitOne(); // hang!

Go().WaitOne() 단계에서 블록이 걸립니다. 스레드가 멈추는데요, 따라서 반드시 대상 응용 프로그램의 CLR과 동일한 버전으로 Attach해야 합니다.




정리를 해보면, 결국 덤프를 뜨는 기능을 안정적으로 구현하고 싶다면 반드시 x86/x64에 따른 플랫폼과 .NET 버전을 세심하게 신경쓰셔야 합니다. 그렇지 않으면 각종 오류에 빠져 헤어나지 못할 수 있습니다. ^^

(첨부된 프로젝트는 위의 예제를 실습한 프로젝트입니다.)




[이 글에 대해서 여러분들과 의견을 공유하고 싶습니다. 틀리거나 미흡한 부분 또는 의문 사항이 있으시면 언제든 댓글 남겨주십시오.]







[최초 등록일: ]
[최종 수정일: 8/21/2023]

Creative Commons License
이 저작물은 크리에이티브 커먼즈 코리아 저작자표시-비영리-변경금지 2.0 대한민국 라이센스에 따라 이용하실 수 있습니다.
by SeongTae Jeong, mailto:techsharer at outlook.com

비밀번호

댓글 작성자
 



2013-11-13 11시46분
[ryujh] 안녕하세요.
위의 오류들을 보니 말씀하신대로 .NET 이 CPU,Windows 를 벗어나서 생각할 수 없다는 것을 더욱 확신하게 되었군요.
COM 컴포넌트와 연동할때 x86/x64 문제로 어쩔 수 없이 COM+ 구성요소에 등록하여 사용하게 됩니다.

그러면 글 내용은 콘솔어플리케이션을 예로 들었는데, 클래스라이브러리에도 위와 같이 콜스택 확인할 수 있는 건지요?
이상입니다.
[guest]
2013-11-14 12시04분
MDbg는 Managed 환경을 위한 디버거입니다. 쉽게 생각해서 Visual Studio의 C# 디버깅 부분을 라이브러리로 만들어 놓은 거라고 보면 됩니다. 그러니 당연히 클래스라이브러리에 포함된 콜스택도 확인할 수 있습니다.

그리고, 사실 .NET이 CPU, Windows의 한계를 갖는다기 보다는 ^^ 디버거는 다소 시스템 레벨이라 예외로 봐야할 것 같습니다.
정성태

1  2  3  4  5  6  7  8  9  10  11  12  [13]  14  15  ...
NoWriterDateCnt.TitleFile(s)
13314정성태4/9/20234021개발 환경 구성: 672. DosBox를 이용한 Turbo C, Windows 3.1 설치
13313정성태4/9/20234045개발 환경 구성: 671. Hyper-V VM에 Turbo C 2.0 설치 [2]
13312정성태4/8/20234105Windows: 244. Win32 - 시간 만료를 갖는 MessageBox 대화창 구현 (개선된 버전)파일 다운로드1
13311정성태4/7/20234563C/C++: 163. Visual Studio 2022 - DirectShow 예제 컴파일(WAV Dest)
13310정성태4/6/20234226C/C++: 162. Visual Studio - /NODEFAULTLIB 옵션 설정 후 수동으로 추가해야 할 library
13309정성태4/5/20234353.NET Framework: 2107. .NET 6+ FileStream의 구조 변화
13308정성태4/4/20234247스크립트: 47. 파이썬의 time.time() 실숫값을 GoLang / C#에서 사용하는 방법
13307정성태4/4/20234004.NET Framework: 2106. C# - .NET Core/5+ 환경의 Windows Forms 응용 프로그램에서 HINSTANCE 구하는 방법
13306정성태4/3/20233790Windows: 243. Win32 - 윈도우(cbWndExtra) 및 윈도우 클래스(cbClsExtra) 저장소 사용 방법
13305정성태4/1/20234166Windows: 242. Win32 - 시간 만료를 갖는 MessageBox 대화창 구현 (쉬운 버전)파일 다운로드1
13304정성태3/31/20234484VS.NET IDE: 181. Visual Studio - C/C++ 프로젝트에 application manifest 적용하는 방법
13303정성태3/30/20233838Windows: 241. 환경 변수 %PATH%에 DLL을 찾는 규칙
13302정성태3/30/20234468Windows: 240. RDP 환경에서 바뀌는 %TEMP% 디렉터리 경로
13301정성태3/29/20234589Windows: 239. C/C++ - Windows 10 Version 1607부터 지원하는 /DEPENDENTLOADFLAG 옵션파일 다운로드1
13300정성태3/28/20234244Windows: 238. Win32 - Modal UI 창에 올바른 Owner(HWND)를 설정해야 하는 이유
13299정성태3/27/20234000Windows: 237. Win32 - 모든 메시지 루프를 탈출하는 WM_QUIT 메시지
13298정성태3/27/20233985Windows: 236. Win32 - MessageBeep 소리가 안 들린다면?
13297정성태3/26/20234650Windows: 235. Win32 - Code Modal과 UI Modal
13296정성태3/25/20233994Windows: 234. IsDialogMessage와 협업하는 WM_GETDLGCODE Win32 메시지 [1]파일 다운로드1
13295정성태3/24/20234242Windows: 233. Win32 - modeless 대화창을 modal처럼 동작하게 만드는 방법파일 다운로드1
13294정성태3/22/20234425.NET Framework: 2105. LargeAddressAware 옵션이 적용된 닷넷 32비트 프로세스의 가용 메모리 - 두 번째
13293정성태3/22/20234487오류 유형: 853. dumpbin - warning LNK4048: Invalid format file; ignored
13292정성태3/21/20234598Windows: 232. C/C++ - 일반 창에도 사용 가능한 IsDialogMessage파일 다운로드1
13291정성태3/20/20234970.NET Framework: 2104. C# Windows Forms - WndProc 재정의와 IMessageFilter 사용 시의 차이점
13290정성태3/19/20234457.NET Framework: 2103. C# - 윈도우에서 기본 제공하는 FindText 대화창 사용법파일 다운로드1
13289정성태3/18/20233673Windows: 231. Win32 - 대화창 템플릿의 2진 리소스를 읽어들여 자식 윈도우를 생성하는 방법파일 다운로드1
1  2  3  4  5  6  7  8  9  10  11  12  [13]  14  15  ...