Cooja 中的浮点数计算

Float Calculation in Cooja

我在 Contiki 3.0 中使用 RPL,我需要在结果浮动的地方进行一些计算。但是它没有给我 float 的结果,而是只计算整数,例如: 5/2 = 2.0 而不是 2.5。我怎样才能得到正确的答案? 我无法在 Contiki 3.0 中打印 float 或 double,所以我使用此代码将 float 转换为字符串:

    // Reverses a string 'str' of length 'len'
    void reverse(char* str, int len)
    {
        int i = 0, j = len - 1, temp;
        while (i < j) {
            temp = str[i];
            str[i] = str[j];
            str[j] = temp;
            i++;
            j--;
        }
    }

  
// Converts a given integer x to string str[]. 
// d is the number of digits required in the output. 
// If d is more than the number of digits in x, 
// then 0s are added at the beginning.
int intToStr(int x, char str[], int d)
{
    int i = 0;
    while (x) {
        str[i++] = (x % 10) + '0';
        x = x / 10;
    }
  
    // If number of digits required is more, then
    // add 0s at the beginning
    while (i < d)
        str[i++] = '0';
  
    reverse(str, i);
    str[i] = '[=10=]';
    return i;
}
  
// Converts a floating-point/double number to a string.
void ftoa(float n, char* res, int afterpoint)
{
    // Extract integer part
    int ipart = (int)n;
  
    // Extract floating part
    float fpart = n - (float)ipart;
  
    // convert integer part to string
    int i = intToStr(ipart, res, 0);
  
    // check for display option after point
    if (afterpoint != 0) {
        res[i] = '.'; // add dot
  
        // Get the value of fraction part upto given no.
        // of points after dot. The third parameter 
        // is needed to handle cases like 233.007
        fpart = fpart * powf(10, afterpoint);
  
        intToStr((int)fpart, res + i + 1, afterpoint);
    }
}
  

感谢您的帮助 谢谢 哈宁

因为 5/2 是 整数除法的一种形式 ,你输入什么就输出什么,这意味着如果你输入 5/2 你只会得到一个整数, 形式为 2.

要解决此问题,请将您的 5/2 设为 5/2.0,以便将其读入为浮点数,这将确保您得到的答案是浮点小数。

如果你想把一个数字打印成浮点数,只需将浮点数之前的部分打印成整数,打印点,然后将浮点数之后的部分乘以10的幂并打印为另一个整数。比如要打印浮点数后6位,小数部分乘以1000000。

您将需要一个单独的缓冲区来首先打印浮点数之后的部分 - 第一个数字必须为非零,因此用另一个数字填充数字的安全选项例如“1”表示您不打印。为此,只需在乘法之前将 1.0 添加到小数部分即可。

完整代码如下:

float f = 5.0 / 2;
char fractional_part[10];
sprintf(fractional_part, "%d", (int)((f - (int)f + 1.0) * 1000000));
printf("%d.%s\n", (int)f, &fractional_part[1]); // prints "2.500000"

我也想在cooja打印浮点值,所以我找到了这个解决方案。

// digits before point
unsigned short d1(float f){
    return((unsigned short)f);
}

// digits after point
unsigned short d2(float f){
    return(1000*(f-d1(f)));
}

int main()
{
  float max = 6.796; 
  printf("max value %u.%u \n", d1(max) , d2(max));
}