我有一个管道来启用分叉程序中两个进程之间的通信。它是用pipe()调用创建的 - http://linux.die.net/man/2/pipe 。一切顺利,直到我想执行一些文件操作。
此代码有效:
pipe.writeBuffer(message.c_str(), message.length());
ofstream file;
file.open(name.c_str(), ios::app);
file << "stringData"; // put some data to file (many times)
但这不是:
ofstream file;
file.open(name.c_str(), ios::app);
pipe.writeBuffer(message.c_str(), message.length());
file << "stringData"; // put some data to file (many times)
在第二个例子中,&#34;文件&lt;&lt; someStream&#34; - 我得到空文件。 这有什么问题?这是文件描述符的问题吗?管道使用fd [0] - 输入和fd [1] - 输出。也许fstream也使用相同的输出文件处理程序?
这是&#34;工作&#34;样品: http://pastebin.com/gJ4PbHvy
#include <sys/types.h>
#include <cstdlib>
#include <unistd.h>
#include <iostream>
#include <fstream>
#define maxSize 64
using namespace std;
class Pipe
{
public:
Pipe()
{
pipe(fdesc);
}
~Pipe() {}
void writeBuffer(const char* message, size_t length)
{
close(fdesc[0]);
write(fdesc[1], message, length);
}
void readBuffer()
{
char buffer[maxSize];
close(fdesc[1]);
size_t result = read(fdesc[0], &buffer, sizeof(buffer));
cout << buffer << endl;
}
private:
int fdesc[2];
};
class Writer
{
public:
Writer(Pipe &obj)
{
pipe = obj;
}
~Writer()
{}
void entry()
{
std::string name = "./myFile";
ofstream file;
file.open(name.c_str(), ios::app);
std::string message = "hello world";
pipe.writeBuffer(message.c_str(), message.length()+1);
if (file.is_open())
{
file << "Hello World!" << endl;
file.close();
}
else
{
perror("file.is_open()");
}
sleep(1);
}
private:
Pipe pipe;
};
class Reader
{
public:
Reader(Pipe &obj)
{
pipe = obj;
}
~Reader()
{}
void entry()
{
pipe.readBuffer();
sleep(1);
}
private:
Pipe pipe;
};
int main(int argc, char *argv[])
{
Pipe pipe;
Reader reader(pipe);
Writer writer(pipe);
pid_t pid = fork();
if (pid == -1)
{
perror("fork");
exit(EXIT_FAILURE);
}
if (pid == 0)
{
// child process
while(1)
reader.entry();
}
else
{
// parent process
while(1)
writer.entry();
}
}
答案 0 :(得分:1)
使用发布的程序,所描述的获取空文件的问题是不可重现的,因为在每次运行时它确实将一行Hello World!
写入myFile
,但这仍然显示错误,因为你打算每秒写一行。原因是close(fdesc[0])
中的writeBuffer()
:虽然在编写器进程中关闭管道一次的读取端是正确的,但每次执行它都是不正确的{调用{1}},因为该文件描述符可以在第一个writeBuffer()
之后的另一个文件(此处为文件close()
)之后重复使用(后面就是这种情况)它关闭而不是(已经关闭)管道,因此没有任何东西可以写入文件。修复:安排程序只关闭管道端,例如: G。通过改变
ofstream file
到
close(fdesc[0]);