根据convert from float-point to custom numeric type的问题,我想出了一种可移植的安全方法将浮点类型转换为整数数组,并且代码工作正常,但是对于某些值,在从 转换double
为unsigned long long
时的精度可以是由转换安全表示unsigned long long
的失败不是编译时错误而是无效值是最小可表示值signed long long
或零,转换在visual c++ 2008、intel xe 2013和gcc 4.7.2上失败。
这是代码:(注意函数while
循环内的第一条语句main
)
#ifndef CHAR_BIT
#include <limits.h>
#endif
#include <float.h>
#include <math.h>
typedef signed int int32;
typedef signed long long int64;
typedef unsigned int uint32;
typedef unsigned long long uint64;
typedef float float32;
typedef double float64;
// get size of type in bits corresponding to CHAR_BIT.
template<typename t>
struct sizeof_ex
{
static const uint32 value = sizeof(t) * CHAR_BIT;
};
// factorial function
float64 fct(int32 i)
{
float64 r = 1;
do r *= i; while(--i > 1);
return r;
}
int main()
{
// maximum 2 to power that can be stored in uint32
const uint32 power_2 = uint32(~0);
// number of binary digits in power_2
const uint32 digit_cnt = sizeof_ex<uint32>::value;
// number of array elements that will store expanded value
const uint32 comp_count = DBL_MAX_EXP / digit_cnt + uint32((DBL_MAX_EXP / digit_cnt) * digit_cnt < DBL_MAX_EXP);
// array elements
uint32 value[comp_count];
// get factorial for 23
float64 f = fct<float64>(23);
// save sign for later correction
bool sign = f < 0;
// remove sign from float-point if exists
if (sign) f *= -1;
// get number of binary digits in f
uint32 actual_digits = 0;
frexp(f, (int32*)&actual_digits);
// get start index in array for little-endian format
uint32 start_index = (actual_digits / digit_cnt) + uint32((actual_digits / digit_cnt) * digit_cnt < actual_digits) - 1;
// get all parts but the last
while (start_index > 0)
{
// store current part
// in this line the compiler fails
value[start_index] = uint64(f / power_2);
// exclude it from f
f -= power_2 * float64(value[start_index]);
// decrement index
--start_index;
}
// get last part
value[0] = uint32(f);
}
上面的转换代码会从编译器到另一个编译器给出不同的结果,这意味着当阶乘函数的参数说 20 所有编译器都返回有效结果时,当值大于 20 时,一些编译器得到了其他编译器没有得到的部分结果,什么时候得到更大,例如35
它变为零。
请告诉我为什么会发生这些错误?
谢谢你。