eventfd.h 2.2 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102
  1. /*
  2. * Copyright (c) 2020 Tobias Svehagen
  3. *
  4. * SPDX-License-Identifier: Apache-2.0
  5. */
  6. #ifndef ZEPHYR_INCLUDE_POSIX_SYS_EVENTFD_H_
  7. #define ZEPHYR_INCLUDE_POSIX_SYS_EVENTFD_H_
  8. #include <zephyr.h>
  9. #include <sys/fdtable.h>
  10. #include <sys/types.h>
  11. #include <fcntl.h>
  12. #ifdef __cplusplus
  13. extern "C" {
  14. #endif
  15. #define EFD_IN_USE 0x1
  16. #define EFD_SEMAPHORE 0x2
  17. #define EFD_NONBLOCK O_NONBLOCK
  18. #define EFD_FLAGS_SET (EFD_SEMAPHORE | EFD_NONBLOCK)
  19. typedef uint64_t eventfd_t;
  20. /**
  21. * @brief Create a file descriptor for event notification
  22. *
  23. * The returned file descriptor can be used with POSIX read/write calls or
  24. * with the eventfd_read/eventfd_write functions.
  25. *
  26. * It also supports polling and by including an eventfd in a call to poll,
  27. * it is possible to signal and wake the polling thread by simply writing to
  28. * the eventfd.
  29. *
  30. * When using read() and write() on an eventfd, the size must always be at
  31. * least 8 bytes or the operation will fail with EINVAL.
  32. *
  33. * @return New eventfd file descriptor on success, -1 on error
  34. */
  35. int eventfd(unsigned int initval, int flags);
  36. /**
  37. * @brief Read from an eventfd
  38. *
  39. * If call is successful, the value parameter will have the value 1
  40. *
  41. * @param fd File descriptor
  42. * @param value Pointer for storing the read value
  43. *
  44. * @return 0 on success, -1 on error
  45. */
  46. static inline int eventfd_read(int fd, eventfd_t *value)
  47. {
  48. const struct fd_op_vtable *efd_vtable;
  49. struct k_mutex *lock;
  50. ssize_t ret;
  51. void *obj;
  52. obj = z_get_fd_obj_and_vtable(fd, &efd_vtable, &lock);
  53. (void)k_mutex_lock(lock, K_FOREVER);
  54. ret = efd_vtable->read(obj, value, sizeof(*value));
  55. k_mutex_unlock(lock);
  56. return ret == sizeof(eventfd_t) ? 0 : -1;
  57. }
  58. /**
  59. * @brief Write to an eventfd
  60. *
  61. * @param fd File descriptor
  62. * @param value Value to write
  63. *
  64. * @return 0 on success, -1 on error
  65. */
  66. static inline int eventfd_write(int fd, eventfd_t value)
  67. {
  68. const struct fd_op_vtable *efd_vtable;
  69. struct k_mutex *lock;
  70. ssize_t ret;
  71. void *obj;
  72. obj = z_get_fd_obj_and_vtable(fd, &efd_vtable, &lock);
  73. (void)k_mutex_lock(lock, K_FOREVER);
  74. ret = efd_vtable->write(obj, &value, sizeof(value));
  75. k_mutex_unlock(lock);
  76. return ret == sizeof(eventfd_t) ? 0 : -1;
  77. }
  78. #ifdef __cplusplus
  79. }
  80. #endif
  81. #endif /* ZEPHYR_INCLUDE_POSIX_SYS_EVENTFD_H_ */