2017-02-18 108 views
0

我正在研究示例程序,以瞭解管道和分叉如何工作。在我的非常基本的實現,在我的子進程,我關閉0和重複管道的讀端,使文件描述符0現在是我管的讀取結束。C++管道和叉子

從我的父進程中,我寫出了一個字符串,並在我的子進程中,我讀取字符串使用cin作爲cin本質上是我的管道讀取結束,我觀察到的是完整的字符串不打印出來,我似乎無法理解爲什麼!

#include <iostream> 
#include <unistd.h> 
#include <sys/types.h> 
#include <sys/wait.h> 

#define TEST_STRING "Hello, Pipe!" 
int main(int argc, char const *argv[]) { 
    int fd[2]; 
    pipe(fd); 

    pid_t pid; 
    if ((pid = fork()) == 0) { 
    //Child 
    close(0); 
    close(fd[1]); 
    int myCin = dup(fd[0]); 
    char buf[sizeof(TEST_STRING)]; 

    // int x; 
    // std::cin >> x; 
    // std::cout << x << std::endl; 
    // read(myCin, buf, sizeof(TEST_STRING)); 
    std::cin >> buf; 

    std::cout << buf << std::endl; 

    } 
    else { 
    //parent 
    write(fd[1], TEST_STRING, sizeof(TEST_STRING)); 
    close(fd[1]); 
    waitpid(pid, NULL, 0); 
    } 
    return 0; 
} 

這裏是我的strace的還有:

clone(child_stack=0, flags=CLONE_CHILD_CLEARTID|CLONE_CHILD_SETTID|SIGCHLD, child_tidptr=0x7fd895adaa10) = 1904 
strace: Process 1904 attached 
[pid 1903] write(4, "Hello, Pipe!\0", 13) = 13 
[pid 1903] close(4)     = 0 
[pid 1903] wait4(1904, <unfinished ...> 
[pid 1904] close(0)     = 0 
[pid 1904] close(4)     = 0 
[pid 1904] dup(3)      = 0 
[pid 1904] fstat(0, {st_mode=S_IFIFO|0600, st_size=0, ...}) = 0 
[pid 1904] read(0, "Hello, Pipe!\0", 4096) = 13 
[pid 1904] fstat(1, {st_mode=S_IFCHR|0620, st_rdev=makedev(136, 2), ...}) = 0 
[pid 1904] write(1, "Hello,\n", 7)  = 7 
[pid 1904] read(0, "", 4096)   = 0 
[pid 1904] exit_group(0)    = ? 
[pid 1904] +++ exited with 0 +++ 
+0

使用std :: cin.getline(BUF,的sizeof(BUF));而不是std :: cin >> buf;可以得到你想要的結果。 – lordofire

回答

2

當您從cin閱讀方式,它會丟棄前導空格,然後在接下來的空白字符停止。所以這就是爲什麼它只返回它所做的。嘗試std:getline

你不應該指望dup() FD選擇0爲您服務。使用dup2(),以便您可以指定要使用的描述符。

我也懷疑從下CIN改變FD是安全的。您可以在FD被欺騙之前獲得緩衝數據。

+0

加1關於從cin下改變FD的註釋 – LWimsey