我遇到了一个语法问题。看另一个StackOverflow答案并不能给出一个适用于我的问题的答案。至少不是我能理解的。
我的计划程序类:
#define MAX_TASKS 10
typedef struct taskProps {
int interval;
int elapsedTime;
int (Controller::*taskFunction)(void);
} taskProps;
class TaskScheduler {
public:
TaskScheduler();
int setUpdateInterval(int interval);
int addTask(int interval, int (Controller::*taskFunction)(void));
int startTimer();
void clearTasks();
int checkTasks();
private:
int numberOfTasks;
int updateInterval;
taskProps scheduledTasks[MAX_TASKS];
};
这一切都编译得很好,但问题在于调用该函数中的成员函数指针:
int TaskScheduler::checkTasks(){
int tasksExecuted = 0;
for(int i = 0; i < numberOfTasks; i++){
if(scheduledTasks[i].elapsedTime >= scheduledTasks[i].interval){
scheduledTasks[i].taskFunction;
scheduledTasks[i].elapsedTime = 0;
tasksExecuted++;
}
scheduledTasks[i].elapsedTime += updateInterval;
}
return tasksExecuted;
}
编译这个会给我带来错误;
../Core/Src/TaskScheduler.cpp:88:22: warning: statement has no effect [-Wunused-value]
其他尝试:
scheduledTasks[i].*taskFunction;
../Core/Src/TaskScheduler.cpp:88:23: error: 'taskFunction' was not declared in this scope
scheduledTasks[i].taskFunction();
../Core/Src/TaskScheduler.cpp:88:35: error: must use '.*' or '->*' to call pointer-to-member function in '((TaskScheduler*)this)->TaskScheduler::scheduledTasks[i].taskProps::taskFunction (...)', e.g. '(... ->* ((TaskScheduler*)this)->TaskScheduler::scheduledTasks[i].taskProps::taskFunction) (...)'
有人能帮我解释一下我缺了什么知识吗?
当您想要调用成员函数指针时,您使用的语法是
(object_of_type_mem_func_pointer_points_to.*function_pointer)(parameters)
// or
(pointer_to_object_of_type_mem_func_pointer_points_to->function_pointer)(parameters)
不幸的是,(ScheduledTasks[i].*TaskFunction)()
没有运行,因为TaskFunction
应该指向控制器
,而不是TaskProps
。为了调用TaskFunction
,您将需要一个Controller
对象来调用该函数。这会给出类似于
(controller_object.*(scheduledTasks[i].taskFunction))()
// or
(pointer_to_controller_object->(scheduledTasks[i].taskFunction))()