I have a situation where I have a class on a microcontroller which deals with pulse width modulation. Extremely simplified example:
class MotorDriver
{
int pin_;
public:
MotorDriver(int pin);
void init();
void start();
void stop();
void changeDutyCycle(int dc);
};
It has functions to initialize, start, stop and change pwm. If I connect 4 motors to the microcontroller, I will create 4 instances of that class and put them in an array, then call functions like
motors[0].changeDutyCycle(50);
motors[1].changeDutyCycle(40);
....
Problem arises because there is no generic way to configure timers on said microcontroller. For example, one motor will have to use Timer3 while another motor will have to use Timer4. Different timers have different bit sizes, registers, channels, pins, ... I want to be able to write custom functions for each timer, but still be able to put all objects into same array and call functions on them, ie
class MotorDriver
{
void changeDutyCycle(int dc) = 0;
};
class MotorDriver1 : public MotorDriver
{
void changeDutyCycle(int dc)
{
TIM3->CCR2 = dc;
}
};
class MotorDriver2 : public MotorDriver
{
void changeDutyCycle(int dc)
{
TIM4->CCR1 = dc;
}
};
MotorDriver1 md1();
MotorDriver2 md2();
MotorDriver* mds[] = { &md1, &md2 };
int main()
{
mds[0]->changeDutyCycle(10);
mds[1]->changeDutyCycle(20);
}
I know I can achieve what I want with virtual functions. This function is short and will be called often, so price of virtual functions is high. Is there a way to avoid them in this case or different design pattern? The goal was to have reusable code which is easy to use on the outside. Having everything that I need in an array makes many things much easier.
Edit: I know about this post Avoiding virtual functions but answer that relates to what I need states:
If you're in a situation where every cycle per call counts, that is you're doing very little work in the function call and you're calling it from your inner loop in a performance critical application you probably need a different approach altogether.
You could use single timer interrupt to all of then you wouldn't be limited to number of timers. Instead of changing in duty cycle setting of timer you would just change variable that would say that each X ticks toggle/set/reset the pin corresponding to this motor. And in timer routine you would just create simple for loop with iterations equal to number of motors connected and check for each i.e. modulo operation if now is the time to change pin. Software PWM using timer interrupt is good option in this scenario.