views:

218

answers:

4

I am reaing from a file, and when i read, it takes it line by line, and prints it

what i want exactly is i want an array of char holding all the chars in the file and print it once,

this is the code i have

if(strcmp(str[0],"@")==0)
        {
            FILE *filecomand;
            //char fname[40];
            char line[100];
            int lcount;
            ///* Read in the filename */
            //printf("Enter the name of a ascii file: ");
            //fgets(History.txt, sizeof(fname), stdin);

            /* Open the file.  If NULL is returned there was an error */
            if((filecomand = fopen(str[1], "r")) == NULL) 
            {
                    printf("Error Opening File.\n");
                    //exit(1);
            }
            lcount=0;
            int i=0;
            while( fgets(line, sizeof(line), filecomand) != NULL ) {
                /* Get each line from the infile */
                    //lcount++;
                    /* print the line number and data */
                    //printf("%s", line);  

            }

            fclose(filecomand);  /* Close the file */
+1  A: 

Another solution would be to map the entire file to the memory and then treat it as a char array.

Under windows MapViewOfFile, and under unix mmap.

Once you mapped the file (plenty of examples), you get a pointer to the file's beginning in the memory. Cast it to char[].

Am
A: 

Since you can't assume how big the file is, you need to determine the size and then dynamically allocate a buffer.

I won't post the code, but here's the general scheme. Use fseek() to navigate to the end of file, ftell() to get size of the file, and fseek() again to move the start of the file. Allocate a char buffer with malloc() using the size you found. The use fread() to read the file into the buffer. When you are done with the buffer, free() it.

Ralph Allan Rice
A: 

Use a different open. i.e.

fd = open(str[1], O_RDONLY|O_BINARY) /* O_BINARY for MS */

The read statement would be for a buffer of bytes.

count = read(fd,buf, bytecount)

This will do a binary open and read on the file.

Dave
+1  A: 

You need to determine the size of the file. Once you have that, you can allocate an array large enough and read it in a single go.

There are two ways to determine the size of the file.

Using fstat:

struct stat stbuffer;
if (fstat(fileno(filecommand), &stbuffer) != -1)
{
    // file size is in stbuffer.st_size;
}

With fseek and ftell:

if (fseek(fp, 0, SEEK_END) != 0)
{
    off_t size = ftell(fp)
    if (size != -1)
    {
        // succesfully got size
    }

    // Go back to start of file
    fseek(fp, 0, SEEK_SET);
}
R Samuel Klatchko