¿Cómo convertir un número binario de 32 bits en un texto númerico decimal?
Programa para Arduino que convierte un entero largo (unsigned long int) en un texto con caracteres decimales que lo representa.
#define BINARY_DIGITS 32
#define DECIMAL_DIGITS 10
void bin32_to_str(char *str, unsigned long bin) {
char maxdig, digcnt, bitcnt;
static char *p, carry;
// Clear string
p = str;
digcnt = DECIMAL_DIGITS + 1;
do { *p++ = 0; } while (--digcnt);
// Transform binary to BCD
bitcnt = BINARY_DIGITS;
maxdig = (DECIMAL_DIGITS - 1);
str += (DECIMAL_DIGITS - 1);
do {
// Shift left binary number with carry
carry = 0;
if (bin & (1L<<(BINARY_DIGITS-1)))
carry |= 1;
bin <<= 1;
// Shift left decimal number with carry
p = str;
digcnt = DECIMAL_DIGITS - maxdig;
do {
carry = (*p<<1) + carry;
if (carry >= 10) {
*p-- = carry - 10;
carry = 1;
if (digcnt == 1) {
maxdig--;
digcnt++;
}
}
else {
*p-- = carry;
carry = 0;
}
} while(--digcnt);
} while(--bitcnt);
// Transform BCD to ASCII
digcnt = DECIMAL_DIGITS;
do *str-- += '0'; while (--digcnt);
}
void setup() {
Serial.begin(9600);
}
void loop() {
unsigned long timeit;
unsigned long bin;
char strnum[DECIMAL_DIGITS + 1];
strnum[DECIMAL_DIGITS] = 0; // End of char
timeit = millis();
for(bin=0x80000000; bin<0x80000000+1000; bin++) {
bin32_to_str(strnum, bin);
}
timeit = millis() - timeit;
Serial.print("1 Conversion in ");
Serial.print(timeit);
Serial.println(" microseconds");
delay(5000);
for(bin=0; bin<100000; bin++) {
bin32_to_str(strnum, bin);
Serial.println(strnum);
}
}
Salida por el puerto serie:
1 Conversion in 234 microseconds
0000000000
0000000001
0000000002
0000000003
0000000004
0000000005
0000000006
0000000007
0000000008
0000000009
0000000010
0000000011
0000000012
0000000013
0000000014
0000000015
0000000016
0000000017
0000000018
0000000019
0000000020
0000000021
0000000022
0000000023
0000000024
0000000025
0000000026
0000000027
0000000028
0000000029
0000000030
0000000031
0000000032
0000000033
0000000034
0000000035
0000000036
0000000037
0000000038
0000000039
0000000040
0000000041
0000000042
0000000043
0000000044
0000000045
0000000046
0000000047
0000000048
0000000049
0000000050
0000000051
0000000052
0000000053
0000000054
0000000055