New to C. So I have a program called test.c (doesnt need any arguments to start, compiled like this " gcc test.c -o test") I want to make my other program execute test I know I have to use execl but I just cant understand the arguments in the execl function
execl( code here )
All the arguments to
execle()
except the last two are strings — the penultimate one is a nullchar *
marking the end of the command line arguments, and the last is achar **
specifying the environment. The first is the pathname of the executable, relative to the current directory if the name does not start with a/
slash. The second argument is the name of the program. Subsequent arguments are the extra arguments for the program (the list is terminated by a(char *)0
argument) and then there's a final argument that is the environment for the program (the trailinge
indicates that the environment is passed). Hence, for example:You could use
"teste"
or"/bin/bash"
in place of"pink elephants"
, depending on your tastes. Only two of the three program name options suggested are outright fibs. If you replace theenviron
argument with(char **)0
or equivalent, then the program is invoked with no environment variables, which is usually regarded as an abuse of the program that's run (rather like telling it that it's name is "pink elephants
" rather than "teste
" is an abuse of it).You could use variables too:
It's impressive how many (small) problems there can be in a single simple line of code. Using
execlp("./teste", NULL, NULL);
is dubious on at least these counts:"./teste"
means that thep
(path search) part ofexeclp()
is never exercised; you might as well have usedexecle("./teste", (char *)NULL, environ);
.NULL
not to translate to(char *)0
in a variable argument list like withexecle()
. It's not a very likely problem, but#define NULL 0
is legitimate, and ifsizeof(int) == 4
butsizeof(char *) == 8
, then you could have difficulties.Aside: you'll probably find the
execv*()
functions more useful in general than theexecl*()
functions. At least, my experience is that the variable length argument list is more often needed by the programs I run than a fixed length list.