C# - Windows / Linux 환경에서 Native Thread ID 가져오기
.NET Framework 시절에는 AppDomain.GetCurrentThreadId로도 구할 수 있었지만,
C# - 런타임 환경에 따라 달라진 AppDomain.GetCurrentThreadId 메서드
; https://www.sysnet.pe.kr/2/0/13024
.NET Core/5+로 넘어오면서 일단 BCL 수준에서 제공하는 기능은 없어졌습니다. 어쩔 수 없이 이런 경우 P/Invoke를 사용해야 하는데, 다중 플랫폼을 위해 다음과 같은 정도로 작성하시면 됩니다.
using System.Runtime.InteropServices;
public enum LinuxSysCall
{
__NR_gettid = 186,
}
internal class Program
{
[DllImport("kernel32.dll")]
public static extern uint GetCurrentThreadId();
[DllImport("libc.so.6")]
public static extern int syscall(int callNumber, IntPtr data);
public static uint GetThreadNativeId()
{
if (RuntimeInformation.IsOSPlatform(OSPlatform.Windows))
{
return GetCurrentThreadId();
}
else if (RuntimeInformation.IsOSPlatform(OSPlatform.Linux))
{
return (uint)syscall((int)LinuxSysCall.__NR_gettid, IntPtr.Zero);
}
return 0;
}
static void Main(string[] args)
{
Console.WriteLine($"CurrentThreadId: {GetThreadNativeId()}");
ThreadPool.QueueUserWorkItem((arg) =>
{
uint thread_id = GetThreadNativeId();
Console.WriteLine($"{Environment.ProcessId}, {thread_id}, {Thread.CurrentThread.Name}");
});
Thread.Sleep(1000);
}
}
참고로, 위에서
syscall을 통해 gettid를 호출했는데요, syscall이 아닌
gettid를 직접 사용해도 무방합니다.
[DllImport("libc.so.6")]
public static extern int gettid();
(
첨부 파일은 이 글의 예제 코드를 포함합니다.)
[이 글에 대해서 여러분들과 의견을 공유하고 싶습니다. 틀리거나 미흡한 부분 또는 의문 사항이 있으시면 언제든 댓글 남겨주십시오.]