libm_fabs.c 1.6 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182838485868788
  1. /*
  2. * Copyright (c) 2019 Actions Semi Co., Inc.
  3. *
  4. * SPDX-License-Identifier: Apache-2.0
  5. */
  6. /* poriting from newlib */
  7. #ifndef __UVISION_VERSION
  8. #include <stdint.h>
  9. typedef union {
  10. double value;
  11. struct {
  12. uint32_t lsw;
  13. uint32_t msw;
  14. } parts;
  15. } ieee_double_shape_type;
  16. /* Get two 32 bit ints from a double. */
  17. #define EXTRACT_WORDS(ix0,ix1,d) \
  18. do { \
  19. ieee_double_shape_type ew_u; \
  20. ew_u.value = (d); \
  21. (ix0) = ew_u.parts.msw; \
  22. (ix1) = ew_u.parts.lsw; \
  23. } while (0)
  24. /* Get the more significant 32 bit int from a double. */
  25. #define GET_HIGH_WORD(i,d) \
  26. do { \
  27. ieee_double_shape_type gh_u; \
  28. gh_u.value = (d); \
  29. (i) = gh_u.parts.msw; \
  30. } while (0)
  31. /* Set the more significant 32 bits of a double from an int. */
  32. #define SET_HIGH_WORD(d,v) \
  33. do { \
  34. ieee_double_shape_type sh_u; \
  35. sh_u.value = (d); \
  36. sh_u.parts.msw = (v); \
  37. (d) = sh_u.value; \
  38. } while (0)
  39. /*
  40. FUNCTION
  41. <<fabs>>, <<fabsf>>---absolute value (magnitude)
  42. INDEX
  43. fabs
  44. INDEX
  45. fabsf
  46. SYNOPSIS
  47. #include <math.h>
  48. double fabs(double <[x]>);
  49. float fabsf(float <[x]>);
  50. DESCRIPTION
  51. <<fabs>> and <<fabsf>> calculate
  52. @tex
  53. $|x|$,
  54. @end tex
  55. the absolute value (magnitude) of the argument <[x]>, by direct
  56. manipulation of the bit representation of <[x]>.
  57. RETURNS
  58. The calculated value is returned. No errors are detected.
  59. PORTABILITY
  60. <<fabs>> is ANSI.
  61. <<fabsf>> is an extension.
  62. */
  63. /*
  64. * fabs(x) returns the absolute value of x.
  65. */
  66. double fabs(double x)
  67. {
  68. uint32_t high;
  69. GET_HIGH_WORD(high,x);
  70. SET_HIGH_WORD(x,high&0x7fffffff);
  71. return x;
  72. }
  73. #endif