Basic and Advance C Question:
Download Questions PDF

How can I open files mentioned on the command line, and parse option flags?

Answers:

Answer #1
Here is a skeleton which implements a traditional Unix-style argv parse, handling option flags beginning with -, and optional filenames. (The two flags accepted by this example are -a and -b; -b takes an argument.)
#include <stdio.h>
#include <string.h>
#include <errno.h>

main(int argc, char *argv[])
{
int argi;
int aflag = 0;
char *bval = NULL;

for(argi = 1; argi < argc && argv[argi][0] == '-'; argi++) {
char *p;
for(p = &argv[argi][1]; *p != ''; p++) {
switch(*p) {
case 'a':
aflag = 1;
printf("-a seenn");
break;

case 'b':
bval = argv[++argi];
printf("-b seen ("%s")n", bval);
break;

default:
fprintf(stderr,
"unknown option -%cn", *p);
}
}
}

if(argi >= argc) {
/* no filename arguments; process stdin */
printf("processing standard inputn");
} else {
/* process filename arguments */

for(; argi < argc; argi++) {
FILE *ifp = fopen(argv[argi], "r");
if(ifp == NULL) {
fprintf(stderr, "can't open %s: %sn",
argv[argi], strerror(errno));
continue;
}

printf("processing %sn", argv[argi]);

fclose(ifp);
}
}

return 0;
}

Answer #2
(This code assumes that fopen sets errno when it fails, which is not guaranteed, but usually works, and makes error messages much more useful.
There are several canned functions available for doing command line parsing in a standard way; the most popular one is getopt.
Here is the above example, rewritten to use getopt:
extern char *optarg;
extern int optind;

main(int argc, char *argv[])
{
int aflag = 0;
char *bval = NULL;
int c;

while((c = getopt(argc, argv, "ab:")) != -1)
switch(c) {
case 'a':
aflag = 1;
printf("-a seenn");
break;

case 'b':
bval = optarg;
printf("-b seen ("%s")n", bval);
break;
}

if(optind >= argc) {
/* no filename arguments; process stdin */
printf("processing standard inputn");
} else {
/* process filename arguments */

for(; optind < argc; optind++) {
FILE *ifp = fopen(argv[optind], "r");
if(ifp == NULL) {
fprintf(stderr, "can't open %s: %sn",
argv[optind], strerror(errno));
continue;
}

printf("processing %sn", argv[optind]);

fclose(ifp);
}
}

return 0;
}

The examples above overlook a number of nuances: a lone ``-'' is often taken to mean ``read standard input''; the marker ``--'' often signifies the end of the options (proper versions of getopt do handle this); it's traditional to print a usage message when a command is invoked with improper or missing arguments.
If you're wondering how argv is laid out in memory, it's actually a ``ragged array'';

Download C Programming Interview Questions And Answers PDF

Previous QuestionNext Question
Is exit(status) truly equivalent to returning the same status from main?How can a process change an environment variable in its caller?