将struct成员的内容保存到变量

时间:2016-08-25 13:28:54

标签: c

抱歉,但我相对于C. 我有一个包含寄存器的结构。在程序的特定点,我想将一些特定寄存器的内容保存到变量中。它看起来像:

typedef struct Register   // Struct with the registers
{

   uint32 REG1;                       
   uint32 REG2;            
   uint32 REG3;            
   uint32 REG4;            

} Register_t;

Register_t *pToRegister_t;  // Pointer to the struct

uint32 contentREG1;
uint32 contentREG2;

contentREG1 = (*pToRegister_t).REG1   // in contentREG1 I need to store the value of REG1
contentREG2 = (*pToRegister_t).REG2   // in contentREG1 I need to store the value of REG1

作为值,我得到地址,如0xFFFFFFFF,0xFFFFFFFF。我做错了什么?

1 个答案:

答案 0 :(得分:1)

为了便于讨论,我假设uint32是无符号整数类型。

定义指针不会创建struct的实例。因此,您需要为指向该指针的指针创建一个实例,并显式初始化该指针。

typedef struct Register   // Struct with the registers
{

   uint32 REG1;                       
   uint32 REG2;            
   uint32 REG3;            
   uint32 REG4;            

} Register_t;

int main()
{
     Register_t *pToRegister_t;  // Pointer to the struct

     Register_t thing = {1U, 2U, 3U, 4U};

     uint32 contentREG1;
     uint32 contentREG2;
     uint32 contentREG3;

     pToRegister_t = &thing;   //   make the pointer point at a valid instance

     contentREG1 = (*pToRegister_t).REG1;    // access thing.REG1   
     contentREG2 = pToRegister_t->REG2;      // alternative - access thing.REG2
     contentREG3 = thing.REG3;

}

无法初始化指针(即不使其指向有效的iobject)意味着通过指针使用成员的所有尝试都将产生未定义的行为。

相关问题