3

我写了一个函数来巧妙地打印一个浮点值。目前它直接在屏幕上输出它,但在我的代码中的其他地方,我需要将此函数的结果作为字符串(或 char [])存储在变量中。请问有什么建议吗?

void printfFloat(float toBePrinted)
{
    uint32_t fi, f0, f1, f2;
    char c;
    float f = toBePrinted;

    if (f<0)
    {
        c = '-';
        f = -f;
    }
    else
    {
        c = ' ';
    }

    // integer portion.
    fi = (uint32_t) f;

    // decimal portion...get index for up to 3 decimal places.
    f = f - ((float) fi);
    f0 = f*10;   f0 %= 10;
    f1 = f*100;  f1 %= 10;
    f2 = f*1000; f2 %= 10;
    if(c == '-')
        printf("%c%ld.%d%d%d", c, fi, (uint8_t) f0, (uint8_t) f1, (uint8_t) f2);
    else
        printf("%ld.%d%d%d", fi, (uint8_t) f0, (uint8_t) f1, (uint8_t) f2);
}

这个函数的返回类型应该是什么?我想最后做类似的事情:

char[32] buffer;
buffer = printfFloat(_myFloat);
4

3 回答 3

3

这个函数的返回类型应该是什么?

C 没有 String 数据类型,因此您必须将缓冲区的地址作为参数传递:

char[32] buffer;
printfFloat(_myFloat, buffer);

您的功能将变为:

void printfFloat(float toBePrinted, char *buffer)
{
   ///rest of code

   if(c == '-')
    sprintf(buffer, "%c%ld.%d%d%d", c, fi, (uint8_t) f0, (uint8_t) f1, (uint8_t) f2);
   else
     sprintf(buffer, "%ld.%d%d%d", fi, (uint8_t) f0, (uint8_t) f1, (uint8_t) f2);
}
于 2013-06-04T09:05:55.123 回答
0

看看asprintf,它会分配一个缓冲区并为你填充它。

char *printfFloat(float toBePrinted)
{
    uint32_t fi, f0, f1, f2;
    char c;
    char *ret = NULL;
    float f = toBePrinted;

    if (f<0)
    {
        c = '-';
        f = -f;
    }
    else
    {
        c = ' ';
    }

    // integer portion.
    fi = (uint32_t) f;

    // decimal portion...get index for up to 3 decimal places.
    f = f - ((float) fi);
    f0 = f*10;   f0 %= 10;
    f1 = f*100;  f1 %= 10;
    f2 = f*1000; f2 %= 10;
    if(c == '-')
        asprintf(&ret, "%c%ld.%d%d%d", c, fi, (uint8_t) f0, (uint8_t) f1, (uint8_t) f2);
    else
        asprintf(&ret, "%ld.%d%d%d", fi, (uint8_t) f0, (uint8_t) f1, (uint8_t) f2);
    return ret;
}

主要是:

#include <stdio.h>
int main()
{
   char *ret = printfFloat(42.42);
   puts(ret); // print ret
   free(ret);
   return 0;
}
于 2013-06-04T09:10:28.730 回答
-1

您可以使用该sprintf 功能

char buffer[32];
sprintf(buffer, "%f", your_float);
于 2013-06-04T09:10:13.333 回答