I have class Signal and Image and both classes have method with same name but different input and output parameters. Is it allowed?
template <class T> class Signal {
Signal<T> zeroPadding(Signal<T>);
}
template <class T> class Image:public Signal<T>
{
public:
Image(void);
~Image(void);
Image(int,int);
Image(int,int,double);
Image(int,int,double,double);
Image<T> zeroPadding(Image<T>);
template <class T> Image<T>::Image(int width,int height):Signal(width,height) {}
template <class T> Image<T>::Image(int width,int height,double dt):Signal(width,height,dt) {}
template <class T> Image<T>::Image(int width,int height,double dt,double t0 ):Signal(width,height,dt,t0) {}
template <class T> Image<T> Image<T>::zeroPadding(Image<T> im2){
Image<T> i1 =(*this);
Image<T> i2 =im2;
if (i1.getHeight()==im2.getHeight()){
i2.zeroPadding(i1); /* I want to call zeroPadding function from class Signal<T>. How I can convert i1 and i2 to class Signal<T> without initialization?*/
}
}
It's certainly allowed for a base class and a descendant to have methods of the same name with differing argument and return types.
To call the base class's function from a method of the descendant, though, the base class's method will have to be visible. In the question's example code,
Signal<T>::zeroPadding
is private, so only code within methods belonging directly toSignal<T>
(and its friends, but not necessarily descendants) can call that function.To call
Signal<T>::zeroPadding
fromImage<T>::zeroPadding
, the former would need to have at least protected visibility.