Electronic – Problem with while loop

avrcmicrocontrollerprogramming

I am trying to read external ADC AD7798 values using ATmega32-A controller. In the datasheet, Status register Bit 7 (SR7) indicates the conversion is finished or not:

Ready Bit. Cleared when data is written to the data register. Set
after the data register is read or after a period of time before the
data register is updated with a new conversion result to indicate to
the user not to read the conversion data. It is also set when the part
is placed in power-down mode. The end of a conversion is indicated by
the DOUT/RDY pin. This pin can be used as an alternative to the status
register for monitoring the ADC for conversion data.

Now I want to write code to check if the Status register MSB (Bit7) is 0 or not. So when it is 0, only then can I issue a read command.

I have written code like this:

unsigned char CheckStatus(void)
{
            char adcStatus; 
            spi(0x40);
            adcStatus = spi(0xFF);
            while((adcStatus & 0x80)!=0x80);                         
            return adcStatus;
}

But it is not working.

My code explanation:

  1. Issuing the read command to read ADC status register.
  2. Reading ADC status register value and stored in adcStatus variable.
  3. Checking the MSB bit is not equal to 1. (I am not sure if this while loop is correct or not.)

I want to check if the Status register MSB is not equal to 1 so that I can issue the read command (0x58) to read in the ADC values. If the status register MSB is equal to 1 then I can't read ADC values.

What am I doing wrong?

Best Answer

You need to re-read the ADC status register inside the loop; otherwise, you're just re-testing the bit you read the first time. Also, you need to reverse the sense of the test — you want to repeat the test if the bit is "1" and drop out of the loop once it switches to "0". It may also be necessary to toggle chip select to the ADC on each read, as shown in the comments below.

unsigned char CheckStatus(void)
{
  unsigned char adcStatus;
  do {
    /* TBD: assert chip select here? */
    spi(0x40);
    adcStatus = spi(0xFF);
    /* TBD: negate chip select here? */
  } while ((adcStatus & 0x80) == 0x80);                         
  return adcStatus;
}