In my firm project, the AUTOSAR platform defines booleans like this
typedef unsigned char boolean;
plus
#ifndef TRUE
#define TRUE 1
#endif
#ifndef FALSE
#define FALSE 0
#endif
This is not modifiable. Then we get the MISRA 10.3 error Expression assigned to a narrower or different essential type [MISRA 2012 Rule 10.3, required] on the following two assignments (real code replaced, of course!)
boolean mybool = (boolean)FALSE;
if(some_condition)
{
mybool = (boolean)TRUE;
}
We've tried other convertions with (uint8)FALSE
or (unsigned char)FALSE
or even without a convertion mybool = TRUE;
without curing the issue. We would be happy to avoid justifying for deviation.
Does anyone has an idea of what happens and how to cure it?
@Fredrik Thanks for your first answer. I put this in a dummy header, included it in the 'culprit' .c
and run PC-Lint/MISRA on this unit
#define testTRUE 1U
boolean x = testTRUE;
boolean y = (uint8)testTRUE;
boolean z = (boolean)testTRUE;
#define testTRUE_2 1
boolean x_2 = testTRUE_2;
boolean y_2 = (uint8)testTRUE_2;
boolean z_2 = (boolean)testTRUE_2;
unsigned char x_3 = (boolean)1;
unsigned char y_3 = (boolean)testTRUE;
unsigned char z_3 = (boolean)testTRUE_2;
and get the same issue on the first 6 assignments. As to last 3 assignments, the error is not raised but perhaps hidden by this one in replacement: Use of modifier or type 'unsigned' outside of a typedef [MISRA 2012 Directive 4.6, advisory]
The thing with MISRA-C and booleans is that MISRA encourage us to "pretend" that there is a boolean type in the language and treat for example the result from relational and equality operators as "essentially boolean".
That is, treat the boolean type as C++ would. C did introduce booleans in C99, but the result of the mentioned operators is still
int
, notbool
like in C++. But MISRA wants us to "pretend" that they are bool, to get the code right. In addition, MISRA-C still covers C90 where there is no standardbool
/true
/false
to be had.So in order to get booleans to work like MISRA wants them, you need a way to tell your static analyser that
boolean
,TRUE
andFALSE
is your boolean type. Otherwise the tool will treat them asint
and then you get all manner of implicit conversion warnings. I don't know how to do that on PC-Lint, but the error is a tool configuration issue.As for the code posted,
boolean mybool = FALSE;
is MISRA compliant, given that this is the "essentially boolean" type. No need to cast. And if you didn't configure the tool, no casting will save you. In general, never cast in C unless you know why you are doing it.