I have an array like this:
const uint8_t Translations[] =
{
0xA6,0xA0,1,0,
0xA1,0x87,2,0,
0xA0,0xBE,3,0,
0,
};
and I would like to access it with a pointer:
uint8_t * p_translations = Translations;
I get the warning:
warning: assigning to 'uint8_t *' from 'const uint8_t *const' discards qualifiers.
I'm fine with that as I only read from and never write to *p_translations.
Is there a way to quieten the compiler (Microchip XC8) without suppressing warnings?
There is usually never a good reason to ever discard the
const
qualifier, as the warning states. Some possible reasons in the wild are while passing to APIs that expect raw unqualified pointers. If the API doesn't need to change the data pointed to by the pointer, it should have aconst
in the declaration.Also, compiler warnings are usually something to aid the developer and are mostly warnings that should be heeded to.
For your case too, there's no reason why
p_translations
should not be auint8_t const*
if you never intend to modify whatp_translations
points to. If on the other hand, you had to modifyTranslations
, then you should drop theconst
altogether fromTranslations
. Useconst
to indicate entities that shall remain unchanged throughout the program lifecycle. It's perfectly fine to have a non-const
array that would be modified, else adoptconst
. Here is one of many links to read on whyconst
can be helpful apart from indicating theconst
-ness of the data, namely possible opportunity for compiler optimizations and avoiding writing code that accidentally modifies the data.