我需要一些帮助。我期待修改DecToHex功能。
输入decimalNumber = 7:
实际输出:
sizeToReturn = 2;
hexadecimalNumber[1] = 7;
hexadecimalNumber[0] = N/A ( is garbage );
期望的输出:
sizeToReturn = 3
hexadecimalNumber[2] = 0
hexadecimalNumber[1] = 7
hexadecimalNumber[0] = N/A ( is garbage )
功能:
void DecToHex(int decimalNumber, int *sizeToReturn, char* hexadecimalNumber)
{
int quotient;
int i = 1, temp;
quotient = decimalNumber;
while (quotient != 0) {
temp = quotient % 16;
//To convert integer into character
if (temp < 10)
temp = temp + 48; else
temp = temp + 55;
hexadecimalNumber[i++] = temp;
quotient = quotient / 16;
}
(*sizeToReturn) = i;
}
这会将每个u8附加到一个数组:
for (int k = size - 1;k > 0;k--)
AppendChar(Str_pst, toAppend[k]);
答案 0 :(得分:3)
你真的很接近,你可以在数组中反转,并在开始时轻松添加'0'
,或者你可以按照它的方式保留它并在main中处理它。在我认为你在轴上绕伤的地方是你的功能中hexadecimalNumber
的索引。虽然7
生成一个十六进制数字,但它应该位于hexadecimalNumber
中的索引零(初始化i = 1
除外)在处理转换为字符串索引时出现混乱。只需保持索引直截了当,初始化i = 0
并使用hexadecimalNumber
初始化为全零,如果索引1
只有一个字符,请填写0
的字符串。开始。
以下是一个可能有用的简短示例:
#include <stdio.h>
#include <stdlib.h>
#define NCHR 32
void d2h (int n, char *hex)
{
int idx = 0, ridx = 0; /* index & reversal index */
char revhex[NCHR] = ""; /* buf holding hex in reverse */
while (n) {
int tmp = n % 16;
if (tmp < 10)
tmp += '0';
else
tmp += '7';
revhex[idx++] = tmp;
n /= 16;
}
if (idx == 1) idx++; /* handle the zero pad on 1-char */
while (idx--) { /* reverse & '0' pad result */
hex[idx] = revhex[ridx] ? revhex[ridx] : '0';
ridx++;
}
}
int main (int argc, char **argv) {
int n = argc > 1 ? atoi (argv[1]) : 7;
char hbuf[NCHR] = "";
d2h (n, hbuf);
printf ("int : %d\nhex : 0x%s\n", n, hbuf);
return 0;
}
0x
前缀只是上面格式化输出的一部分。
示例使用/输出
$ ./bin/h2d
int : 7
hex : 0x07
$ ./bin/h2d 26
int : 26
hex : 0x1A
$ ./bin/h2d 57005
int : 57005
hex : 0xDEAD
如果您确实想要处理main()
中的反转,那么如果0x07
中返回的字符数小于2,您可以使用hexadecimalNumber
,那么您可以执行某些操作类似于以下内容:
void d2h (int n, int *sz, char *hex)
{
int idx = 0;
while (n) {
int tmp = n % 16;
if (tmp < 10)
tmp += '0';
else
tmp += '7';
hex[idx++] = tmp;
n /= 16;
}
*sz = idx;
}
int main (int argc, char **argv) {
int n = argc > 1 ? atoi (argv[1]) : 7, sz = 0;
char hbuf[NCHR] = "";
d2h (n, &sz, hbuf);
printf ("int : %d\nhex : 0x", n);
if (sz < 2)
putchar ('0');
while (sz--)
putchar (hbuf[sz]);
putchar ('\n');
return 0;
}
输出相同
仔细看看,如果您有其他问题,请告诉我。