>looping:; /* Pointer for looping the program, line 30*/
You don't need the semi-colon here.
> printf("Do you want to create vfx shot directory y/n..."

;
fflush(stdout);
Since output is probably line-buffered by default, this ensures that your user sees your prompt before he/she can enter input.
> scanf("%c", &b);
>
> if(&b !="y"
I'm guessing that b is declared like this:
char b;
If that's the case, you'll want to change this to:
if (b!='y')
The quotes are only used to enclose string literals, single quotes are for character constants.
You may also want to allow for both lowercase and uppercase:
if (b!='y' && b!='Y')
> goto exit;
> else {
> printf("Please enter the vfx code (2 letters e.g. tr, pl) \n"

;
> printf("followed by a space & the vfx number (3 Numbers e.g. 030): "

;
> fflush(stdout); /* DO I NEED THIS HERE? */
Yes, see above.
> scanf("%c %d", &c, &d);
> strcat(command, name, &c)"_shp_"(&d); /* This generates file *_shp_* line 49 I NEED HELP HERE*/
strcat() accepts two arguments, both of which are pointers to char, here you're giving it 3 arguments and after the right parentheses comes a quote which violates the C grammar.
It looks like you're trying to build a string out of the stuff you've collected so far. This is a job for sprintf():
sprintf(command,"%s%c_shp_%d",name,c,d);
This assumes that name is either an array of char or a pointer to char, c is type char and d is type int or short int.
You'll want to check the return value to make sure that the conversion worked and you'll also want to ensure that command is big enough to hold any possible string that will result from this combination.
> system(command);
> goto looping; /* loop for pointer the program */
> }
You should probably avoid goto unless there's a really compelling reason to use it. i.e. There's no other way to do something without going to great pains and the goto version is clearer and easier to maintain.
Also, this is a question that really deserves its own thread. People that are willing and able to help might not see it, thinking it's a part of this thread which they may have already read and passed up.
HTH,
Russ
bobbitts@hotmail.com