我的目标是实现一个只返回当前鼠标位置的程序(无需打开任何窗口,无论正在运行什么)。在搜索之后,我能找到的最接近和最简单的实现是通过autopy,一个用于执行此类操作的python库。
函数'get_pos()'返回当前鼠标位置。请参阅文档here。我只想自己实现'get_pos()'函数(因为我需要从autopy中包含我正在开发的程序)。
在github回购中,我搜索了autopy的源代码,并得出以下结论。调用'get_pos()'会导致* mouse_get_pos函数出现(请参阅完整代码here):
/* Syntax: get_pos() => tuple (x, y) */
/* Description: Returns a tuple `(x, y)` of the current mouse position. */
static PyObject *mouse_get_pos(PyObject *self, PyObject *args);
这个函数好像叫'getMousePos':
static PyObject *mouse_get_pos(PyObject *self, PyObject *args)
{
MMPoint pos = getMousePos();
return Py_BuildValue("kk", pos.x, pos.y);
}
位于mouse.c标题文件中:
MMPoint getMousePos()
{
#if defined(IS_MACOSX)
CGEventRef event = CGEventCreate(NULL);
CGPoint point = CGEventGetLocation(event);
CFRelease(event);
return MMPointFromCGPoint(point);
#elif defined(USE_X11)
int x, y; /* This is all we care about. Seriously. */
Window garb1, garb2; /* Why you can't specify NULL as a parameter */
int garb_x, garb_y; /* is beyond me. */
unsigned int more_garbage;
Display *display = XGetMainDisplay();
XQueryPointer(display, XDefaultRootWindow(display), &garb1, &garb2,
&x, &y, &garb_x, &garb_y, &more_garbage);
return MMPointMake(x, y);
#elif defined(IS_WINDOWS)
POINT point;
GetCursorPos(&point);
return MMPointFromPOINT(point);
#endif
}
这段代码似乎包含了一种在所有操作系统中返回鼠标位置的方法,这正是我在程序中尝试实现的方法。如何让这个c函数在我的系统上正常工作,以便我可以在我的程序中实现它?
编辑:我尝试使用'gcc mouse.c'编译mouse.c,我收到此错误:
Undefined symbols for architecture x86_64:
"_CFRelease", referenced from:
_moveMouse in ccVkh5f7.o
_getMousePos in ccVkh5f7.o
_toggleMouse in ccVkh5f7.o
"_CGEventCreate", referenced from:
_getMousePos in ccVkh5f7.o
"_CGEventCreateMouseEvent", referenced from:
_moveMouse in ccVkh5f7.o
_toggleMouse in ccVkh5f7.o
"_CGEventGetLocation", referenced from:
_getMousePos in ccVkh5f7.o
"_CGEventPost", referenced from:
_moveMouse in ccVkh5f7.o
_toggleMouse in ccVkh5f7.o
"_deadbeef_rand", referenced from:
_smoothlyMoveMouse in ccVkh5f7.o
"_getMainDisplaySize", referenced from:
_smoothlyMoveMouse in ccVkh5f7.o
"_main", referenced from:
start in crt1.10.6.o
ld: symbol(s) not found for architecture x86_64
collect2: ld returned 1 exit status
这会使任何潜在问题明显吗?
答案 0 :(得分:1)
Mac上的问题是您正在编译使用各种框架的代码,而您没有链接这些框架。 _CFRelease
来自CoreFoundation,_CGEventCreate
来自Quartz等。
所以,你不能只写gcc mouse.c
。如果你写下gcc mouse.c -framework CoreFoundation
,你会看到一些错误消失了。如果你添加所有正确的标志,你会看到所有这些标志都消失了。
在Mac上,大概你的mouse.c
(或它使用的标题)已经包含了来自这些框架的头文件,或者它甚至没有编译过,所以你甚至不会得到那些链接器错误。在这种情况下,很容易猜出您需要包含哪些框架:#include <CoreFoundation/CoreFoundation.h>
表示您需要-framework CoreFoundation
。
或者,您只需搜索Apple的开发人员文档,了解每个失败的功能;它会告诉你,在每个页面的顶部,缺少的功能所在的框架。
您可能希望包含其他内容。例如,如果要分发二进制文件而不是每个用户必须构建的源代码,则可能需要针对SDK构建,而不是针对本地文件构建。
但是你会在每个其他平台上遇到完全相同的问题,所以你也必须在那里解决它。而其他平台没有框架; linux上的头文件和-l
库之间没有明显的一对一映射。
显然autopy
已经解决了这个问题,所以它的setup.py/configure/Makefile/whatever已经告诉你在每个平台上需要链接到的所有东西(虽然它可能包括一大堆不需要的其他东西。
最后一个错误有点不同。它抱怨你没有定义main
函数。每个C程序都必须具有main
功能。 (如果您尝试构建静态或共享库而不是程序,则必须告诉GCC这样做。)
Here你可以看到被黑客攻击的版本在OS X上工作。