By default, arguments are mostly syntactic sugar and are determined at compile time. Virtual dispatch, on the other hand, is a run-time function. It would be perhaps the least surprising if this parameter were selected by default, which was defined together with the function that was actually called, but this is impossible (at least without additional utility utilities) for the reason indicated above.
Therefore, the default parameter is selected by the compiler using the static type of the object on which the member function is called. Consider an example.
#include <iostream>
#include <memory>
class Base
{
public:
virtual void
f(int a, int b = 1)
{
std::cout << "Base: a = " << a << ", b = " << b << "\n";
}
};
class Derived : public Base
{
public:
virtual void
f(int a = 1, int b = 2) override
{
std::cout << "Derived: a = " << a << ", b = " << b << "\n";
}
};
int
main()
{
std::unique_ptr<Base> base_as_base {new Base {}};
std::unique_ptr<Base> derived_as_base {new Derived {}};
std::unique_ptr<Derived> derived_as_derived {new Derived {}};
base_as_base->f(0);
derived_as_base->f(0);
derived_as_derived->f(0);
derived_as_derived->f();
}
, . , . , . , , . protected . non virtual . , .
#include <iostream>
#include <memory>
class Base
{
public:
void
f(int a, int b = 1)
{
this->impl(a, b);
}
protected:
virtual void
impl(int a, int b)
{
std::cout << "Base: a = " << a << ", b = " << b << "\n";
}
};
class Derived : public Base
{
protected:
virtual void
impl(int a, int b) override
{
std::cout << "Derived: a = " << a << ", b = " << b << "\n";
}
};
int
main()
{
std::unique_ptr<Base> base_as_base {new Base {}};
std::unique_ptr<Base> derived_as_base {new Derived {}};
std::unique_ptr<Derived> derived_as_derived {new Derived {}};
base_as_base->f(0);
derived_as_base->f(0);
derived_as_derived->f(0);
}