I wrote a program to use ls command in Linux terminal to read the content of the folder and write the text from ls to the screen with my C program. Here's the code I wrote:
#include <stdio.h>
#include <unistd.h>
#include <stdlib.h>
int main()
{
int pipe_ends[2];
if(pipe(pipe_ends))
{
printf("Could not create pipe\n");
return -1;
}
pid_t pid = fork();
if(pid < 0)
{
perror("fork");
exit(1);
}
if(!pid)
{
dup2(pipe_ends[0],1);
char* args[3];
args[0] = "/bin/ls";
args[1] = "-l";
args[2] = NULL;
execv("/bin/ls",args);
printf("something went wrong\n");
}
char buff[10240];
int count = read(pipe_ends[1],buff,10240);
buff[count] = '\0';
printf("here goes nothing......\n");
printf("%s",buff);
return 0;
}
The output I get for this program is:
here goes nothing......
od@od-Inspiron-N5110:~/Documents/work/new/CO/project1$ /bin/ls: write error: Bad file descriptor
od@od-Inspiron-N5110:~/Documents/work/new/CO/project1$
It seems that reading has been done before writing. But I thought read is blocking. Please help me to find the error here.
Thanks in advance.
You had three problems:
From the manpage: The array
pipefd
is used to return two file descriptors referring to the ends of the pipe.pipefd[0]
refers to the read end of the pipe.pipefd[1]
refers to the write end of the pipe. You were usingpipefd[0]
to write andpipefd[1]
to read. That won't work. This was the root cause of theEBADF
(bad file descriptor) error. If you want bidirectionality, usesocketpair()
When you
fork()
, you need to close the file descriptors you don't need. That's the other end of the pipe.I believe you should
close()
an fd before youdup2
over it, though the man page is not explicit. In this caseclose()
the existingSTDOUT
before you usedup2()
.Here is an amended version that works (minimal amendments made to get it working annotated with comments, there is more you could do to make it perfect):
And the proof of the pudding: