我将float
的内部表示存储在uint32_t
中。假设我们有两个这样的条件。我想用uint32_t
表示的两个floats
求和,然后将它们的内部表示存储在另一个uint32_t
中。我一直在尝试一些事情,但我不确定是否有一个简单或标准的方式这样做。在我看来,有两个问题:
- 将存储在
uint32_t
中的内部表示转换为float
(否则我不知道如何将它们相加)。 - 在sum之后,将结果
float
的内部表示存储在uint32_t
中。
我一直在看C库中的函数,也许它可以用printf
或atof
完成,但我没有设法解决它。
最后,我使用memcpy()来解决它。我不能完全肯定它是否完全可靠,但我认为它工作得很好。
//Generate the floats
float a = 1.0;
float b = 2.1;
uint32_t x;
uint32_t y;
//Copy the internal representation to x, y
memcpy(&x, &a, sizeof(float));
memcpy(&y, &b, sizeof(float));
//This would be the starter point of the problem described above
float c, d;
memcpy(&c, &x, sizeof(float));
memcpy(&d, &y, sizeof(float));
float r = c + d;
printf("The number is %fn", r);
打印的数字是预期的3.1000。
我不明白为什么要使用类型化语言将东西存储在不兼容的容器中,但让我们看看这是否对您有帮助:
union flt_int {
float f;
uint32_t i;
};
...
union flt_int a, b;
a.i = val1; /* val1 is the integer internal rep of a float */
b.i = val2; /* idem. */
c.f = a.f + b.f; /* use the floating point representation to add */
/* now you have in c.i the internal representation of the
* float sum of a and b as a uint32_t */