如何在不使用sprintf的情况下在C中实现这些转换?
20 => 0x20
12 => 0x12
目前我有:
int year = 12;
int month = 10;
int day = 9;
unsigned char date[3];
date[0] = year & 0xFF;
date[1] = month & 0xFF;
date[2] = day & 0xFF;
日期将包含{0x0C,0x0A,0x09},但我希望它为{0x12,0x10,0x09}
答案 0 :(得分:6)
您只需要检索十进制基数中的每个数字,然后将其乘以十六进制数的等效数字。
#include <stdio.h>
int hex(int v){
int total = 0;
int resultbase = 1;
while(v > 0 ){
total += resultbase * (v % 10);
resultbase *= 16;
v /= 10;
}
return total;
}
int main(){
printf ("12 => %x, 20 => %x\n", hex(12), hex(20));
return 0;
}
答案 1 :(得分:5)
对于您正在使用的有限2位数范围:
assert(year >= 0 && year < 100);
date[0] = (year / 10) * 16 + (year % 10);
等
如果对你更有意义,你可以将其表达为((year / 10) << 4) | (year % 10)
。
答案 2 :(得分:0)
我在PIC mcu上使用RTCC时遇到了同样的困难。 在某种程度上,通常会在一个字节中存储0到99的值,并使用较低和较高的nybble作为十进制值。
所以来自char的二进制nybbles可能是:
0001 0010 (Binary BCD coded value)
1 2 (Decimal BCD representation) ^ That would be 12 BCD but 18 Binary
当以常规二进制编码时,00010010将为18 (https://www.google.nl/webhp?sourceid=chrome-instant&ion=1&espv=2&ie=UTF-8#q=0b00010010+to+decimal)
我使用下面的代码来解决这个问题。
#define HI_NIBBLE(b) (((b) >> 4) & 0x0F)
#define LO_NIBBLE(b) ((b) & 0x0F)
char BcdToDecimal(char bcd){
return (char)((HI_NIBBLE(bcd)*10)+(LO_NIBBLE(bcd)));
}
char DecimalToBcd(char decimal){
return (char) ((decimal / 10)*16)+(decimal % 10);
}