作者热门文章
- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我真的希望一些 Python/Ctypes/C 专家可以帮助我解决这个问题,这可能是我在使用 Python 与 C 库交互时正确使用 Ctypes 的类型结构方面缺乏知识。
目标:我需要访问几个使用 ctypes 加载 DLL 并与之交互的库函数。这个想法在大多数情况下都很好,但是很少有函数将枚举作为参数,而且当涉及到 int 类型时,这些枚举非常敏感。这是一个假的例子:
typedef enum led_property : uint8_t {
LED_OFF = 0
LED_POWER
}
int32_t configure_led(const led_property, const int32_t value)
class EnumerationTypeUInt8(type(c_uint8)):
def __new__(metacls, name, bases, dict):
if not "_members_" in dict:
_members_ = {}
for key, value in dict.items():
if not key.startswith("_"):
_members_[key] = value
dict["_members_"] = _members_
cls = type(c_uint8).__new__(metacls, name, bases, dict)
for key, value in cls._members_.items():
globals()[key] = value
return cls
def __contains__(self, value):
return value in self._members_.values()
def __repr__(self):
return "<Enumeration {}>".format(self.__name__)
def EnumerationUInt8(c_uint8):
__metaclass__ = EnumerationTypeUInt8
_members_ = {}
def __init__(self, value):
for k, v in self._members_.items():
if v == value:
self.name = k
break
else:
raise ValueError("No enumeration member with value {}".format(value))
c_uint8.__init__(self, value)
@classmethod
def from_param(cls, param):
if isinstance(param, EnumerationUInt8):
if param.__class__ != cls:
raise ValueError("Can not mix enumeration members")
else:
return param
else:
return cls(param)
def __repr__(self):
return "<member {}={} of {}".format(self.name, self.value, self.__class__)
class LedProperty(EnumerationUInt8):
LED_OFF = c_uint8(0)
LED_POWER = c_uint8(1)
lib = "library.dll"
self._lib = CDLL(lib)
configure_led = self._lib.configure_led
configure_led.argtypes = [LedProperty, c_int32]
configre_led.restype = c_int32
ctypes.ArgumentError class 'ValueError' No enumeration member with value c_ubyte(1)
or
ctypes.ArgumentError class 'ValueError' No enumeration member with value 1
configure_led(LedProperty.LED_POWER, 5)
configure_led(LedProperty.LED_POWER.value, 5)
configure_led(c_uint8(LedProperty.LED_POWER), 5)
最佳答案
假设这个实现,test.cpp:
#include <stdint.h>
enum led_property : uint8_t {
LED_OFF = 0,
LED_POWER
};
extern "C" __declspec(dllexport) int32_t configure_led(enum led_property prop, int32_t value) {
return prop * value;
}
from ctypes import *
from enum import Enum,auto
class LED(Enum):
OFF = 0
POWER = auto() # autoincrement from last value
@classmethod
def from_param(cls,obj):
if not isinstance(obj,LED):
raise TypeError('not an LED enumeration')
return c_int8(obj.value)
dll = CDLL('./test')
dll.configure_led.argtypes = LED,c_int32
dll.configure_led.restype = c_int32
print(dll.configure_led(LED.OFF,5)) # prints 0
print(dll.configure_led(LED.POWER,5)) # prints 5
print(dll.configure_led(0,5)) # not an LED enumeration
关于python - 如何使用基于 ctypes 和 ctypes 的枚举正确调用以 "custom enum"作为参数的函数?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/62096952/
我是一名优秀的程序员,十分优秀!