c语言 - 'variable' 可能在此函数中未初始化使用,有一个有效的解决方法但不明白为什么



我搜索了很多类似的问题(答案无疑很好(,但我还没有找到一个我完全理解的问题。我找到了一个有效的解决方案,我真的只是想理解我在第一个例子中做错了什么

我写了一个函数,通过声明从原始加速度计值计算俯仰/滚转:

uint8_t calcPitchRoll (imu_t * imu, float * pitch, float * roll);

调用函数看起来像(参考行号(:

518 float * pRollValue, * pPitchValue; // prepare pointers to floats to store results
519 *pRollValue = 0; // initialize variables
520 *pPitchValue = 0; // initialize variables
521 calcPitchRoll (imu, pPitchValue, pRollValue);

然而,这会导致编译器警告:

main.c:519:25: warning: 'pRollValue' may be used uninitialized in this function
main.c:521:26: warning: 'pPitchValue' may be used uninitialized in this function

然而,以下内容确实有效:

float PitchValue, RollValue = 0;
float * pRollValue = &RollValue;
float * pPitchValue = &PitchValue;
calcPitchRoll (imu, pPitchValue, pRollValue);

对我来说,在调用calcPitchRoll函数时,这两个示例似乎具有相同的"状态",但编译器不同意。

我(认为我(理解的是*pRollValue = 0将该值写入变量,所以我认为在这一点上,变量已经分配了空间和值。这是错误的理解吗?

您的两个代码示例存在巨大差异。

看看这个:

518 float * pRollValue, * pPitchValue;  // Here pRollValue is uninitialized
519 *pRollValue = 0;                    // Here you dereference pRollValue (due to the *)
^        
|                           // So you dereference an uninitialized pointer
|
Dereference of uninitialized pointer

此处

float PitchValue, RollValue = 0;
float * pRollValue = &RollValue;  // You define a pointer and at the
// same time you initializes it to
// point to a float

所以这两个代码部分是完全不同的。

因此,您需要了解指向类型为T的对象的指针和类型为T的<strong]对象之间的区别。>

类似的代码

float * pF;

将为您提供内存,用于持有指向float的指针,但没有地方存储float本身。您需要为指针指定一个值,使其指向浮点值。

所以你需要这样的东西:

float * pF;
float myFloatVariable;
pF = &myFloatVariable;  // Now pF points to myFloatVariable
*pF = 42;               // These two statements both sets
myFloatVariable = 42;   // the variable myFloatVariable to 42

另一种方法是动态分配,如:

float * pF = malloc(sizeof *pF);
assert(pF != NULL);
*pF = 42;               // This sets the dynamic allocated float to 42

相关内容

  • 没有找到相关文章

最新更新