there's a MACRO call :
MACRO1(cnf)
and its expansion is :
#define MACRO1(cnf) (((cnf) != TRUE)? (CLEANUP(FAIL))
err =
SUCCESS));
#define CLEANUP(a)
\
{
\
if ((err = (a)) != SUCCESS)
\
{
\
goto cleanup;
\
}
\
}
\
Its giving me error:
line 392: Error: expected an expression
MACRO1(cnf)
^
Same code is getting compiled in gcc but armcc gives the above error..
Can anybody pls comment on this?
I see a number of problems.
As Richard Bos has mentioned, some of your lines wrapped when you
posted this.
Stylistically, there's way too much vertical space in the definition
of CLEANUP, and some of the '\'s wrapped to the next line.
It's easy enough to fix the lin wrapping in MACRO1, either by
re-joining the line or by splitting it and adding a '\'.
Here's a re-formatted version of CLEANUP:
#define CLEANUP(a) \
{ \
if ((err = (a)) != SUCCESS) \
{ \
goto cleanup; \
} \
}
I presume TRUE is defined somewhere else. It's almost never a good
idea to compare a boolean expression for equality with TRUE or FALSE.
Remember than an expression with the value zero is considered false
when used as a condition, and an expression with *any* non-zero value
is considered true. Your test
((cnf) != TRUE)
will fail if cnf is true (non-zero) but doesn't happen to have the
same value as TRUE (presumably 1). cnf is already a condition; just
use it directly. ((cnf) != TRUE) can be replaced by (!(cnf)). See
section 9 of the comp.lang.c FAQ, <
http://www.c-faq.com/>.
A macro usually expands to either an expression or a statement. An
expression can be used as a statement by adding a ';', but a statement
cannot be used in an expression context.
Your MACRO1 definition *almost* expands to an expression, but you've
added a semicolon, so you can't use MACRO1 in an expression context.
That's what the error message is telling you.
I might define MACRO1 something like this:
#define MACRO1(cnf) ( (cnf) ? err = SUCCESS : CLEANUP(FAIL) )
(but I'd give it a better name!)
Your CLEANUP macro expands to a compound statement. This means, of
course, that you can't use it in an expression context. Presumably
you haven't made that mistake, but since you only showed us the
definitions of your macros and not the code that invokes them, we
can't really tell. But there's still a problem using CLEANUP even in
a statement context; see question 10.4 in the FAQ.