我正在尝试从python调用到dll,但是我遇到了访问冲突。有些请告诉我如何在以下代码中正确使用ctypes。 GetItems应该返回一个看起来像这样的结构
struct ITEM
{
unsigned short id;
unsigned char i;
unsigned int c;
unsigned int f;
unsigned int p;
unsigned short e;
};
我真的只对获取id感兴趣,不需要其他字段。我的代码列在下面,我做错了什么?谢谢你的帮助。
import psutil
from ctypes import *
def _get_pid():
pid = -1
for p in psutil.process_iter():
if p.name == 'myApp.exe':
return p.pid
return pid
class MyDLL(object):
def __init__(self):
self._dll = cdll.LoadLibrary('MYDLL.dll')
self.instance = self._dll.CreateInstance(_get_pid())
@property
def access(self):
return self._dll.Access(self.instance)
def get_inventory_item(self, index):
return self._dll.GetItem(self.instance, index)
if __name__ == '__main__':
myDLL = MyDLL()
myDll.get_item(5)
答案 0 :(得分:0)
首先,您正在调用get_item
,而您的类只定义了get_inventory_item
,并且您放弃了结果,并且myDLL的大小写不一致。
您需要为结构定义Ctypes类型,如下所示:
class ITEM(ctypes.Structure):
_fields_ = [("id", c_ushort),
("i", c_uchar),
("c", c_uint),
("f", c_uint),
("p", c_uint),
("e", c_ushort)]
(见http://docs.python.org/library/ctypes.html#structured-data-types)
然后指定函数类型为ITEM:
myDLL.get_item.restype = ITEM
(见http://docs.python.org/library/ctypes.html#return-types)
现在你应该能够调用该函数,它应该返回一个带有struct成员作为属性的对象。