logo

utils-std

Collection of commonly available Unix tools git clone https://anongit.hacktivis.me/git/utils-std.git/

pwd.c (2217B)


  1. // utils-std: Collection of commonly available Unix tools
  2. // SPDX-FileCopyrightText: 2017 Haelwenn (lanodan) Monnier <contact+utils@hacktivis.me>
  3. // SPDX-License-Identifier: MPL-2.0
  4. #define _POSIX_C_SOURCE 200809L
  5. #include "../lib/getopt_nolong.h"
  6. #include <limits.h> // PATH_MAX
  7. #include <stdbool.h>
  8. #include <stdio.h> // puts, perror, printf
  9. #include <stdlib.h> // getenv
  10. #include <sys/stat.h>
  11. #include <unistd.h> // getcwd
  12. const char *argv0 = "pwd";
  13. enum pwd
  14. {
  15. PWD_L = 0,
  16. PWD_P = 1,
  17. };
  18. static void
  19. usage(void)
  20. {
  21. fputs("Usage: pwd [-L|-P]\n", stderr);
  22. }
  23. static bool
  24. is_absolute(char *path)
  25. {
  26. if(!path) return false;
  27. if(path[0] != '/') return false;
  28. size_t dotlen = 0;
  29. for(size_t i = 1; path[i] != '\0'; i++)
  30. {
  31. switch(path[i])
  32. {
  33. case '.':
  34. dotlen++;
  35. break;
  36. case '/':
  37. if(dotlen == 1 || dotlen == 2) return false;
  38. dotlen = 0;
  39. break;
  40. default:
  41. dotlen = 0;
  42. break;
  43. }
  44. }
  45. return true;
  46. }
  47. static bool
  48. is_pwd(char *path)
  49. {
  50. if(!is_absolute(path)) return false;
  51. struct stat path_status;
  52. if(stat(path, &path_status) < 0) return false;
  53. struct stat dot_status;
  54. if(stat(".", &dot_status) < 0) return false;
  55. if(path_status.st_dev != dot_status.st_dev) return false;
  56. if(path_status.st_ino != dot_status.st_ino) return false;
  57. return true;
  58. }
  59. int
  60. main(int argc, char *argv[])
  61. {
  62. enum pwd mode = PWD_L;
  63. for(int c = -1; (c = getopt_nolong(argc, argv, ":LP")) != -1;)
  64. {
  65. switch(c)
  66. {
  67. case 'L':
  68. mode = PWD_L;
  69. break;
  70. case 'P':
  71. mode = PWD_P;
  72. break;
  73. case ':':
  74. fprintf(stderr, "%s: error: Missing operand for option '-%c'\n", argv0, optopt);
  75. usage();
  76. return 1;
  77. case '?':
  78. if(!got_long_opt) fprintf(stderr, "%s: error: Unrecognised option '-%c'\n", argv0, optopt);
  79. usage();
  80. return 1;
  81. }
  82. }
  83. argc -= optind;
  84. argv += optind;
  85. if(argc != 0)
  86. {
  87. usage();
  88. return 1;
  89. }
  90. if(mode == PWD_L)
  91. {
  92. char *pwd = getenv("PWD");
  93. if(is_pwd(pwd))
  94. {
  95. if(puts(pwd) < 0)
  96. {
  97. perror("pwd: error: puts");
  98. return 1;
  99. }
  100. return 0;
  101. }
  102. }
  103. char pwd[PATH_MAX] = "";
  104. if(getcwd(pwd, sizeof(pwd)) == NULL)
  105. {
  106. perror("pwd: error: getcwd");
  107. return 1;
  108. }
  109. if(puts(pwd) < 0)
  110. {
  111. perror("pwd: error: puts");
  112. return 1;
  113. }
  114. return 0;
  115. }