/src/libc/sys/socket/recvmsg_test.cc

https://github.com/NuxiNL/cloudlibc · C++ · 88 lines · 64 code · 13 blank · 11 comment · 3 complexity · 440d4e963a4723fc0f1120f0e0a7f3d7 MD5 · raw file

  1. // Copyright (c) 2015-2017 Nuxi, https://nuxi.nl/
  2. //
  3. // SPDX-License-Identifier: BSD-2-Clause
  4. #include <sys/socket.h>
  5. #include <errno.h>
  6. #include <fcntl.h>
  7. #include <pthread.h>
  8. #include <unistd.h>
  9. #include "gtest/gtest.h"
  10. #include "src/gtest_with_tmpdir/gtest_with_tmpdir.h"
  11. TEST(recvmsg, bad) {
  12. int fd_tmp = gtest_with_tmpdir::CreateTemporaryDirectory();
  13. // Bad file descriptor.
  14. char b;
  15. struct iovec biov = {.iov_base = &b, .iov_len = 1};
  16. struct msghdr message = {
  17. .msg_iov = &biov,
  18. .msg_iovlen = 1,
  19. };
  20. ASSERT_EQ(-1, recvmsg(-1, &message, 0));
  21. ASSERT_EQ(EBADF, errno);
  22. // Not a socket.
  23. {
  24. ASSERT_EQ(-1, recvmsg(fd_tmp, &message, 0));
  25. ASSERT_EQ(ENOTSOCK, errno);
  26. }
  27. {
  28. // Blocking recvmsg() on non-blocking file descriptor.
  29. int fds[2];
  30. ASSERT_EQ(0, socketpair(AF_UNIX, SOCK_STREAM, 0, fds));
  31. ASSERT_EQ(0, fcntl(fds[0], F_SETFL, O_NONBLOCK));
  32. ASSERT_EQ(-1, recvmsg(fds[0], &message, 0));
  33. ASSERT_TRUE(errno == EAGAIN || errno == EWOULDBLOCK);
  34. // Bad flags.
  35. ASSERT_EQ(-1, recvmsg(fds[0], &message, 0xdeadc0de));
  36. ASSERT_EQ(EOPNOTSUPP, errno);
  37. ASSERT_EQ(0, close(fds[0]));
  38. ASSERT_EQ(0, close(fds[1]));
  39. }
  40. }
  41. TEST(recvmsg, msg_trunc) {
  42. // Prepare a socket with a five-byte message.
  43. int fds[2];
  44. ASSERT_EQ(0, socketpair(AF_UNIX, SOCK_DGRAM, 0, fds));
  45. ASSERT_EQ(5, send(fds[0], "Hello", 5, 0));
  46. // Four-byte read should return a truncated message with MSG_TRUNC set.
  47. {
  48. char buf[5];
  49. struct iovec iov = {.iov_base = buf, .iov_len = sizeof(buf) - 1};
  50. struct msghdr msg = {
  51. .msg_iov = &iov,
  52. .msg_iovlen = 1,
  53. };
  54. ASSERT_EQ(4, recvmsg(fds[1], &msg, MSG_PEEK));
  55. buf[4] = '\0';
  56. ASSERT_STREQ("Hell", buf);
  57. ASSERT_EQ(MSG_TRUNC, msg.msg_flags);
  58. }
  59. // Five-byte read should return the entire message with MSG_TRUNC clear.
  60. {
  61. char buf[6];
  62. struct iovec iov = {.iov_base = buf, .iov_len = sizeof(buf) - 1};
  63. struct msghdr msg = {
  64. .msg_iov = &iov,
  65. .msg_iovlen = 1,
  66. };
  67. ASSERT_EQ(5, recvmsg(fds[1], &msg, 0));
  68. buf[5] = '\0';
  69. ASSERT_STREQ("Hello", buf);
  70. ASSERT_EQ(0, msg.msg_flags);
  71. }
  72. ASSERT_EQ(0, close(fds[0]));
  73. ASSERT_EQ(0, close(fds[1]));
  74. }
  75. // TODO(ed): Add more tests.