github.com/sanprasirt/go@v0.0.0-20170607001320-a027466e4b6d/src/math/asinh.go (about) 1 // Copyright 2010 The Go Authors. All rights reserved. 2 // Use of this source code is governed by a BSD-style 3 // license that can be found in the LICENSE file. 4 5 package math 6 7 // The original C code, the long comment, and the constants 8 // below are from FreeBSD's /usr/src/lib/msun/src/s_asinh.c 9 // and came with this notice. The go code is a simplified 10 // version of the original C. 11 // 12 // ==================================================== 13 // Copyright (C) 1993 by Sun Microsystems, Inc. All rights reserved. 14 // 15 // Developed at SunPro, a Sun Microsystems, Inc. business. 16 // Permission to use, copy, modify, and distribute this 17 // software is freely granted, provided that this notice 18 // is preserved. 19 // ==================================================== 20 // 21 // 22 // asinh(x) 23 // Method : 24 // Based on 25 // asinh(x) = sign(x) * log [ |x| + sqrt(x*x+1) ] 26 // we have 27 // asinh(x) := x if 1+x*x=1, 28 // := sign(x)*(log(x)+ln2)) for large |x|, else 29 // := sign(x)*log(2|x|+1/(|x|+sqrt(x*x+1))) if|x|>2, else 30 // := sign(x)*log1p(|x| + x**2/(1 + sqrt(1+x**2))) 31 // 32 33 // Asinh returns the inverse hyperbolic sine of x. 34 // 35 // Special cases are: 36 // Asinh(±0) = ±0 37 // Asinh(±Inf) = ±Inf 38 // Asinh(NaN) = NaN 39 func Asinh(x float64) float64 40 41 func asinh(x float64) float64 { 42 const ( 43 Ln2 = 6.93147180559945286227e-01 // 0x3FE62E42FEFA39EF 44 NearZero = 1.0 / (1 << 28) // 2**-28 45 Large = 1 << 28 // 2**28 46 ) 47 // special cases 48 if IsNaN(x) || IsInf(x, 0) { 49 return x 50 } 51 sign := false 52 if x < 0 { 53 x = -x 54 sign = true 55 } 56 var temp float64 57 switch { 58 case x > Large: 59 temp = Log(x) + Ln2 // |x| > 2**28 60 case x > 2: 61 temp = Log(2*x + 1/(Sqrt(x*x+1)+x)) // 2**28 > |x| > 2.0 62 case x < NearZero: 63 temp = x // |x| < 2**-28 64 default: 65 temp = Log1p(x + x*x/(1+Sqrt(1+x*x))) // 2.0 > |x| > 2**-28 66 } 67 if sign { 68 temp = -temp 69 } 70 return temp 71 }