如何使用 ctypes 从 Python 创建 C 结构?
How to create a C struct from Python using ctypes?
我遇到了与 this 问题类似的问题。我基本上是在尝试使用 ctypes 从 Python 创建 C 结构。
在 C 中我有:
typedef struct Point {
int x;
int y;
} Point ;
Point* makePoint(int x, int y){
Point *point = (Point*) malloc(sizeof (Point));
point->x = x;
point->y = y;
return point;
}
void freePoint(Point* point){
free(point);
}
在Python期间我有:
class Point(ct.Structure):
_fields_ = [
("x", ct.c_int64),
("y", ct.c_int64),
]
lib = ct.CDLL("SRES.dll")
lib.makePoint.restype = ct.c_void_p
pptr = lib.makePoint(4, 5)
print(pptr)
p = Point.from_address(pptr)
print(p)
print(p.x)
print(p.y)
目前输出一堆指针:
2365277332448
<__main__.Point object at 0x00000226D2C55340>
21474836484
-8646857406049613808
我怎样才能让这个输出 return 我输入的数字,即
2365277332448
<__main__.Point object at 0x00000226D2C55340>
4
5
问题是 c_int64
。
改成c_int32
后就正常了。
你可以把c_int64
当成C端的long
。
此外,您还可以
lib.makePoint.restype = ct.POINTER(Point)
p = lib.makePoint(4, 5)
print(p.contents.x)
print(p.contents.y)
我遇到了与 this 问题类似的问题。我基本上是在尝试使用 ctypes 从 Python 创建 C 结构。
在 C 中我有:
typedef struct Point {
int x;
int y;
} Point ;
Point* makePoint(int x, int y){
Point *point = (Point*) malloc(sizeof (Point));
point->x = x;
point->y = y;
return point;
}
void freePoint(Point* point){
free(point);
}
在Python期间我有:
class Point(ct.Structure):
_fields_ = [
("x", ct.c_int64),
("y", ct.c_int64),
]
lib = ct.CDLL("SRES.dll")
lib.makePoint.restype = ct.c_void_p
pptr = lib.makePoint(4, 5)
print(pptr)
p = Point.from_address(pptr)
print(p)
print(p.x)
print(p.y)
目前输出一堆指针:
2365277332448
<__main__.Point object at 0x00000226D2C55340>
21474836484
-8646857406049613808
我怎样才能让这个输出 return 我输入的数字,即
2365277332448
<__main__.Point object at 0x00000226D2C55340>
4
5
问题是 c_int64
。
改成c_int32
后就正常了。
你可以把c_int64
当成C端的long
。
此外,您还可以
lib.makePoint.restype = ct.POINTER(Point)
p = lib.makePoint(4, 5)
print(p.contents.x)
print(p.contents.y)