Reputation: 10030
I need to use cmath's abs() function, but Visual Studio says it's overloaded and I can't even use something like this:
unsigned a = 5, b = 10, c;
c = abs(a-b);
I don't know how to use it properly.
Upvotes: 2
Views: 624
Reputation: 24133
You can use the ternary operator:
c = (a > b) ? a - b : b - a;
Upvotes: 0
Reputation: 227370
The versions in <cmath>
are for floating point types, so there is no unambiguously best match. The overload for integral types are in <cstdlib>
, so one of those will yield a good match. If you are using abs
on different types, you can use both includes and let overload resolution do its work.
#include <cmath>
#include <cstdlib>
#include <iostream>
int main()
{
unsigned int a = 5, b = 10, c;
c = std::abs(a-b);
std::cout << c << "\n"; // Ooops! Probably not what we expected.
}
On the other hand, this doesn't yield correct code, since the expression a-b
does not invoke integer promotion, so the result is an unsigned int
. The real solution is to use signed integral types for differences, as well as the integral type std::abs
overloads.
Upvotes: 5