Python - Ctype.windll.kernel32.CreateThread 参数值

Python - Ctype.windll.kernel32.CreateThread Parameter value

这可能是一个非常简单的问题,但不知何故,我无法全神贯注于答案,而且我也找不到关于此类主题的任何好的相关文档。

所以我尝试使用 Python 的 ctypes 模块和 ctypes.windll.kernel32 class 中的 CreateThread 方法进行 PoC(在程序内存中进行一些 shellcode 注入space)

根据msdn文档CreateThread这7个参数是:

所有使用python调用c风格函数和库的例子如下:

thread_handle = ctypes.windll.kernel32.CreateThread(ctypes.c_int(0),
                ctypes.c_int(0),
                ctypes.c_int(ptr),
                ctypes.c_int(0),
                ctypes.c_int(0),
                ctypes.pointer(ctypes.c_int(0)))

谁能解释一下为什么最后一个参数被用作ctypes.pointer(c_int0),而另一个空指针的整数0常量值被用于其他参数。 (例如 ctypes.c_int(0))

更新:这里是一个示例代码,这个实现在网上到处可见:

createThread function call in python

的第 786 行

注意上面链接的脚本行,提到的注释:

  #   _Out_opt_ LPDWORD  lpThreadId  // NULL, so the thread identifier is not returned.

看来作者在评论 CreateThread 函数调用的引用时可能是错误的。

假设: 根据提到的 Mark 回答中的评论,ThreadID 和 ThreadHandle 是不同的,并且通过传入 ctypes.pointer(ctypes.c_int(0)) 而不是简单的 ctypes.c_int(0) ( NULL) 表示在 int 0 位置,将存储线程 ID。有人可以证实这个假设吗?

最后一个参数实例化一个 C 整数 (c_int(0)) 并将其作为指针传递。这松散地匹配最后一个参数定义。它应该是一个 DWORD,通常定义为 unsigned long(ctypes 中的 c_ulong)。使用 ctypes.byref 比创建指针更有效。该参数用于return线程ID作为输出参数,所以需要正确的C类型实例地址来存储ID。

这是一个工作示例,它明确定义了带有 ctypes 的每个函数的 inputs/outputs。请注意 ctypeswintypes:

中预定义了 Windows 类型
import ctypes as c
from ctypes import wintypes as w

LPTHREAD_START_ROUTINE = c.WINFUNCTYPE(w.DWORD,w.LPVOID)
SIZE_T = c.c_size_t

k32 = c.WinDLL('kernel32')
test = c.WinDLL('test')

CreateThread = k32.CreateThread
CreateThread.argtypes = w.LPVOID,SIZE_T,LPTHREAD_START_ROUTINE,w.LPVOID,w.DWORD,w.LPDWORD
CreateThread.restype = w.HANDLE

WaitForSingleObject = k32.WaitForSingleObject
WaitForSingleObject.argtypes = w.HANDLE,w.DWORD
WaitForSingleObject.restype = w.DWORD

sa = None  # No security specified.  None == NULL pointer.
stack = 0  # Use default stack
start = LPTHREAD_START_ROUTINE(test.func)
param = 0x12345
flags = 0 # start thread immediately
tid = w.DWORD()
h = CreateThread(sa,stack,start,param,flags,c.byref(tid))
WaitForSingleObject(h,1000) # wait for the thread to exit.

下面是将 运行 作为线程的简单 C 函数的代码:

#include <stdio.h>

__declspec(dllexport) unsigned long __stdcall func(void* p)
{
    printf("%p\n",p);
    return 0;
}

这是输出:

0000000000012345