c++ 管道和线程在完成前退出的程序

pprl5pva  于 2023-02-01  发布在  其他
关注(0)|答案(1)|浏览(154)

我正在用线程和管道编写一个c++程序。我正在实现一个并行算法,其思想是我有一个向子线程写入数据的主线程。子线程必须读取这些数据,处理它,并将结果写回主线程。
我已经剥离了通信核心逻辑的最小复制、编译版本,并注解掉了我有更多代码的地方。程序运行和退出时无需完整键入。通常,打印的i的最后一个值在1和9之间,并且程序不做任何说明就终止。我希望程序运行完成,但我没有得到任何错误,程序优雅地退出,所以我不确定如何调试。
注意:管道和Pthreads是从其他地方强制的,并且是硬要求。请不要建议使用std::thread或只是在同一地址空间内的线程之间通信的解决方案。

  1. #include <iostream>
  2. #include "pthread.h"
  3. #include "unistd.h"
  4. #include <vector>
  5. using namespace std;
  6. void* func (void* args)
  7. {
  8. std::vector<int> v = * (std::vector<int>*)(args);
  9. auto FH = fdopen(v[0], "r");
  10. char buffer[1024];
  11. int buffer_len = 1024;
  12. while (fgets(buffer, buffer_len, FH))
  13. {
  14. std::string x{buffer};
  15. }
  16. // process the result and return it to the parent
  17. return NULL;
  18. }
  19. int main()
  20. {
  21. std::vector<std::vector<int> *> pipes{};
  22. std::vector<pthread_t *> threads{};
  23. for (int i=0; i<20; i++)
  24. {
  25. std::cout<<i<<std::endl;
  26. int fd[2];
  27. if (pipe(fd) < 0)
  28. {
  29. std::cout<<"failed"<<std::endl;
  30. exit(0);
  31. }
  32. int fd2[2];
  33. if (pipe(fd2) < 0)
  34. {
  35. std::cout<<"failed"<<std::endl;
  36. exit(0);
  37. }
  38. std::vector<int> *pipe_info = new std::vector<int>{fd[0], fd[1], fd2[0], fd2[1]};
  39. auto F = fdopen(fd[1], "w");
  40. pthread_t *thread = new pthread_t;
  41. threads.push_back(thread);
  42. pipes.push_back(pipe_info);
  43. pthread_create(thread, NULL, func, (void*) pipe_info);
  44. for (int i=0; i<100; i++)
  45. fprintf(F, "%d", 3);
  46. }
  47. // read the data returned from the child threads
  48. // using fd2 (indices 2,3) in each pipe in pies.
  49. // free all allocated memory
  50. for (auto thread: threads)
  51. {
  52. pthread_join(*thread, NULL);
  53. delete thread;
  54. }
  55. std::cout<<"complete"<<std::endl;
  56. return 0;
  57. }
ffscu2ro

ffscu2ro1#

您正在fgets()中进行分段,因为FH为NULL,因为fdopen()因EINVAL而失败,因为您正在尝试将管道(v[1])的 write 结尾fdopen()为可读("r")stdio流。

相关问题