Logo

Programming-Idioms

  • Erlang
  • Java

Idiom #200 Return hypotenuse

Compute the hypotenuse h of the triangle where the sides adjacent to the square angle have lengths x and y.

return double h = Math.sqrt(Math.pow(x,2)+Math.pow(y,2));

Math.sqrt returns a double. x and y can be any number type but there may be a loss in accuracy if they are not doubles themselves.
import static java.lang.Math.sqrt;
double h = sqrt((x * x) + (y * y));
import static java.lang.Math.hypot;
double h = hypot(x, y);
import static java.math.MathContext.DECIMAL128;
import java.math.BigDecimal;
BigDecimal X = new BigDecimal(x).pow(2),
           Y = new BigDecimal(y).pow(2),
           h = X.add(Y).sqrt(DECIMAL128);
#include <cmath>
auto h = std::hypot(x, y);

h, x, y may have types float, double, long double

New implementation...
< >
Bart