file.c 906 B

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849
  1. #include <fcntl.h>
  2. #include <stdio.h>
  3. #include <unistd.h>
  4. int main(int argc, char** argv) {
  5. int fd1 = creat("testfile", 0600);
  6. if (fd1 < 0) {
  7. perror("creat");
  8. return 1;
  9. }
  10. if (write(fd1, "Hello World\n", 12) != 12) {
  11. perror("write error");
  12. return 1;
  13. }
  14. close(fd1);
  15. int fd2 = open("testfile", O_RDONLY, 0600);
  16. if (fd2 < 0) {
  17. perror("open without O_CREAT");
  18. return 1;
  19. }
  20. char buffer[20];
  21. int bytes = read(fd2, buffer, 20);
  22. if (bytes < 0) {
  23. perror("read");
  24. return 1;
  25. }
  26. buffer[11] = 0;
  27. printf("read from file: %s\n", buffer);
  28. close(fd2);
  29. unlink("testfile");
  30. int fd3 = open("testfile", O_RDWR | O_CREAT | O_EXCL, 0600);
  31. if (fd3 < 0) {
  32. perror("open with O_CREAT and O_EXCL");
  33. return 1;
  34. }
  35. close(fd3);
  36. unlink("testfile");
  37. return 0;
  38. }