Вопрос

This code is supposed to print "Output from 'ls -l':" and append the result of 'ls -l', but it doesn't... Does anyone has a clue whats wrong with this?

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

void readStringFromFile (int file, char * readbuffer) {
    int nbytes = read(file, readbuffer, sizeof(readbuffer));
    readbuffer[nbytes] = 0;
}

int main(int argc, char const *argv[])
{
    int fd[2];
    pipe(fd);

    if (fork()==0)//child process
    {   
        close(fd[0]);
        dup2(fd[1],1);
        int retValue = execl("/bin/ls","ls","-l", NULL);
        printf("Exec failed: retValue = %d\n",retValue);
    } else
    {
        int status;
        close(fd[1]);
        wait(&status);
        char readbuffer[1024];
        readStringFromFile(fd[0],readbuffer);
        printf("Output from 'ls -l':\n %s", readbuffer);
    }
}
Это было полезно?

Решение

In your code the sizeof(readbuffer) is equal to 4 in the following snippet., so it reads 4 bytes max.

void readStringFromFile (int file, char * readbuffer) {
   int nbytes = read(file, readbuffer, sizeof(readbuffer));
   readbuffer[nbytes] = 0;
}

You can send the size of the buffer as another parameter, giving:

void readStringFromFile (int file, char * readbuffer, int maxsize) {
   int nbytes = read(file, readbuffer, maxsize);
   readbuffer[nbytes] = 0;
}

and invoke it with:

readStringFromFile(fd[0], readbuffer, sizeof(readbuffer));
Лицензировано под: CC-BY-SA с атрибуция
Не связан с StackOverflow
scroll top