如何从采用浮点输入的函数输出十六进制值

How to output hex value from function that takes float inputs

根据给出的一些建议,我编辑了代码以显示以下内容。

#include <stdio.h>
#include <stdlib.h>

//function declaration
unsigned char float_to_hex(float value);


int main()
{
unsigned char hex_value=0x00;

//variable that stores returned hex value
hex_value = float_to_hex(1.0);
printf("The hex value is %x\n", hex_value);

return 0;
}



// Function definition
unsigned char float_to_hex(float value)
{
float atten_float=0.0;
unsigned char atten_hex=0x00;

if( atten_float == 0.0)
{
    atten_hex = 0x00;
    return atten_hex;
}
else if (atten_float== 0.5)
{
  atten_hex = 0x01;
  return atten_hex;


}
else if (atten_float == 1.0)
{
    atten_hex = 0x02;
    return atten_hex;

}
else
{
    atten_hex = 0x00;
    return atten_hex;

}
return -1;

    }

我通过在函数定义中本地初始化变量来编辑代码。另外,我使用“%x”来打印“hex_value”的十六进制值,但是,我仍然得到相同的结果,即 0.

您通过使用可以与 register 说明符 atten_float 一起使用的非静态局部变量的值调用了 未定义的行为 。在使用变量中的值之前,您必须将其初始化为某个值。

atten_float == 0.0的情况下也使用了没有初始化的atten_hex。你应该在那里添加初始化。

最后,您可能希望使用 %x 而不是 %c 来打印十六进制值。

#include <stdio.h>
#include <stdlib.h>

//function declaration
unsigned char float_to_hex(float value);


int main()
{
    unsigned char hex_value;

    //variable that stores returned hex value
    hex_value = float_to_hex(1.0);
    printf("The hex value is %x\n", hex_value); /* use %x instead of %c */

    return 0;
}



// Function definition
unsigned char float_to_hex(float value)
{
    float atten_float = value; /* add initialization */
    unsigned char atten_hex;

    if( atten_float == 0.0)
    {
        atten_hex = 0x42; /* add initialization */
        return atten_hex;
    }
    else if (atten_float== 0.5)
    {
        atten_hex = 0x01;
        return atten_hex;

    }
    else if (atten_float == 1.0)
    {
        atten_hex = 0x02;
        return atten_hex;
    }
    else
    {
        atten_hex = 0x00;
        return atten_hex;
    }
    return -1;

}