假设我想在Python中使用libc。这可以通过
轻松完成from ctypes import CDLL
from ctypes.util import find_library
libc_path = find_library('c')
libc = CDLL(libc_path)
现在,我知道我可以使用ldconfig来获取libc的abspath,但有没有办法从CDLL对象中获取它?是否可以使用_handle
?
更新:好的。
libdl = find_library('dl')
RTLD_DI_LINKMAP = 2
//libdl.dlinfo(libc._handle, RTLD_DI_LINKMAP, ???)
我需要重新定义link_map
结构吗?!
答案 0 :(得分:4)
此上下文中的句柄基本上是对内存映射库文件的引用。
然而,现有的方法可以借助OS功能实现您想要的功能。
<强>窗口:强>
Windows为此提供了一个名为GetModuleFileName
的API。一些使用示例已经here。
<强>的Linux:强>
为此目的存在dlinfo
函数,请参阅here。
我玩过ctypes,这是我基于Linux系统的解决方案。到目前为止,我对ctypes一无所知,如果有任何改进建议我很感激。
from ctypes import *
from ctypes.util import find_library
#linkmap structure, we only need the second entry
class LINKMAP(Structure):
_fields_ = [
("l_addr", c_void_p),
("l_name", c_char_p)
]
libc = CDLL(find_library('c'))
libdl = CDLL(find_library('dl'))
dlinfo = libdl.dlinfo
dlinfo.argtypes = c_void_p, c_int, c_void_p
dlinfo.restype = c_int
#gets typecasted later, I dont know how to create a ctypes struct pointer instance
lmptr = c_void_p()
#2 equals RTLD_DI_LINKMAP, pass pointer by reference
dlinfo(libc._handle, 2, byref(lmptr))
#typecast to a linkmap pointer and retrieve the name.
abspath = cast(lmptr, POINTER(LINKMAP)).contents.l_name
print(abspath)