As proper use of std::swap is:
using std::swap;
swap(a,b);
It is a bit verbose but it makes sure that if a,b have better swap defined it gets picked.
So now my question is why std::swap
is not implemented using this technique so user code would just need to call std::swap
?
So something like this (ignoring noexcept
and constraints for brevity):
namespace std {
namespace internal {
template <class T> // normal swap implementation
void swap(T& a, T& b) { // not intended to be called directly
T tmp = std::move(a);
a = std::move(b);
b = std::move(tmp);
}
}
template <class T>
void swap(T& a, T& b) {
using internal::swap;
swap(a,b);
}
}
Here's one problem with this approach. The ADL "two-step" relies on the function that ADL finds to be a better match than the normal one (otherwise, you'd get an overload resolution failure). This is fine most of the time, since when you write your
swap()
for your user-defined types in your user-defined namespaces, you're writing functions specific to those types.But for standard library types, that may not have a more efficient
swap()
than the simple algorithm, this breaks down. Example:Both of these calls fail, for the same reason. The unqualified call to
swap()
marked(*)
will findN::internal::swap()
through normal unqualified lookup, and then findN::swap()
through ADL. There is no way to differentiate between these calls, since you very much need both calls to work for all types that meetswap
's constraints. The resulting call is ambiguous.So such a design would necessitate adding a new
swap()
function for every type innamespace std
, even if it would just forward tostd::internal::swap()
.