nanosleep.c 1.3 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465
  1. /*
  2. * Copyright (c) 2018 Friedt Professional Engineering Services, Inc
  3. *
  4. * SPDX-License-Identifier: Apache-2.0
  5. */
  6. #include <stdint.h>
  7. #include <kernel.h>
  8. #include <limits.h>
  9. #include <errno.h>
  10. /* required for struct timespec */
  11. #include <posix/time.h>
  12. #include <sys/util.h>
  13. #include <sys_clock.h>
  14. /**
  15. * @brief Suspend execution for nanosecond intervals.
  16. *
  17. * See IEEE 1003.1
  18. */
  19. int nanosleep(const struct timespec *rqtp, struct timespec *rmtp)
  20. {
  21. uint64_t ns;
  22. uint64_t us;
  23. const bool update_rmtp = rmtp != NULL;
  24. if (rqtp == NULL) {
  25. errno = EFAULT;
  26. return -1;
  27. }
  28. if (rqtp->tv_sec < 0 || rqtp->tv_nsec < 0
  29. || rqtp->tv_nsec >= NSEC_PER_SEC) {
  30. errno = EINVAL;
  31. return -1;
  32. }
  33. if (rqtp->tv_sec == 0 && rqtp->tv_nsec == 0) {
  34. goto do_rmtp_update;
  35. }
  36. if (unlikely(rqtp->tv_sec >= ULLONG_MAX / NSEC_PER_SEC)) {
  37. /* If a user passes this in, we could be here a while, but
  38. * at least it's technically correct-ish
  39. */
  40. ns = rqtp->tv_nsec + NSEC_PER_SEC
  41. + k_sleep(K_SECONDS(rqtp->tv_sec - 1)) * NSEC_PER_MSEC;
  42. } else {
  43. ns = rqtp->tv_sec * NSEC_PER_SEC + rqtp->tv_nsec;
  44. }
  45. /* TODO: improve upper bound when hr timers are available */
  46. us = ceiling_fraction(ns, NSEC_PER_USEC);
  47. do {
  48. us = k_usleep(us);
  49. } while (us != 0);
  50. do_rmtp_update:
  51. if (update_rmtp) {
  52. rmtp->tv_sec = 0;
  53. rmtp->tv_nsec = 0;
  54. }
  55. return 0;
  56. }