For a bit of background, I'm writing a meter reading application in C for a small 16-bit handheld computer that runs a proprietary version of DOS.
I have a screen that displays meter information and prompts the user to type in a reading. When the user presses the enter key on the unit, the following code will execute:
/* ...
* beginning of switch block to check for keystrokes
* ...
*/
case KEY_ENTER: {
/* show what has been entered */
if(needNew == 0) {
/* calculate usage for new reading */
double usg = 0;
int ret = CalculateNewUsage(vlr, buf, &usg);
VerifyReadScreen(vlr, ret, buf, &usg);
needRedraw = TRUE;
}
break;
}
/* .... end switch statement */
vlr
is a pointer to a struct that holds all account/meter information, buf
is of type char[21]
used to store numerical keystrokes for the reading which is handled above this block. My variables all contain valid data when I check them both before and after calling CalculateNewUsage
.
However when I check variable data again after entering VerifyReadScreen
, newread
is pointing somewhere random in memory and returns what looks like a copyright notice. The interesting thing is no matter what account or what reading I enter - the same invalid data for newread
in VerifyReadScreen
is printed on the screen. I am passing the address to VerifyReadScreen
in the same manner as CalculateNewUsage
, but somehow I've ended up with something different.
Here is VerifyReadScreen
:
BYTE VerifyReadScreen(const VLRREC * vlr,
const int status,
const char * newread,
const double * usage) {
/* snip a whole bunch of irrelevant formatting code */
printf("%s", (*newread)); /* prints funky copyright text */
/* snip more irrelevant formatting code */
return TRUE;
}
Thank you to Jefromi for pointing out that the code where I am actually printing newread
in VerifyReadScreen
should really read:
printf("%s", newread); /* yay! */
because I didn't need to dereference newread
because printf
does this for me. I was essentially passing a pointer to a pointer which was some arbitrary place in memory.