hex.c 1.5 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182838485868788899091
  1. /*
  2. * Copyright (c) 2019 Nordic Semiconductor ASA
  3. *
  4. * SPDX-License-Identifier: Apache-2.0
  5. */
  6. #include <stddef.h>
  7. #include <zephyr/types.h>
  8. #include <errno.h>
  9. #include <sys/util.h>
  10. int char2hex(char c, uint8_t *x)
  11. {
  12. if (c >= '0' && c <= '9') {
  13. *x = c - '0';
  14. } else if (c >= 'a' && c <= 'f') {
  15. *x = c - 'a' + 10;
  16. } else if (c >= 'A' && c <= 'F') {
  17. *x = c - 'A' + 10;
  18. } else {
  19. return -EINVAL;
  20. }
  21. return 0;
  22. }
  23. int hex2char(uint8_t x, char *c)
  24. {
  25. if (x <= 9) {
  26. *c = x + '0';
  27. } else if (x <= 15) {
  28. *c = x - 10 + 'a';
  29. } else {
  30. return -EINVAL;
  31. }
  32. return 0;
  33. }
  34. size_t bin2hex(const uint8_t *buf, size_t buflen, char *hex, size_t hexlen)
  35. {
  36. if ((hexlen + 1) < buflen * 2) {
  37. return 0;
  38. }
  39. for (size_t i = 0; i < buflen; i++) {
  40. if (hex2char(buf[i] >> 4, &hex[2 * i]) < 0) {
  41. return 0;
  42. }
  43. if (hex2char(buf[i] & 0xf, &hex[2 * i + 1]) < 0) {
  44. return 0;
  45. }
  46. }
  47. hex[2 * buflen] = '\0';
  48. return 2 * buflen;
  49. }
  50. size_t hex2bin(const char *hex, size_t hexlen, uint8_t *buf, size_t buflen)
  51. {
  52. uint8_t dec;
  53. if (buflen < hexlen / 2 + hexlen % 2) {
  54. return 0;
  55. }
  56. /* if hexlen is uneven, insert leading zero nibble */
  57. if (hexlen % 2) {
  58. if (char2hex(hex[0], &dec) < 0) {
  59. return 0;
  60. }
  61. buf[0] = dec;
  62. hex++;
  63. buf++;
  64. }
  65. /* regular hex conversion */
  66. for (size_t i = 0; i < hexlen / 2; i++) {
  67. if (char2hex(hex[2 * i], &dec) < 0) {
  68. return 0;
  69. }
  70. buf[i] = dec << 4;
  71. if (char2hex(hex[2 * i + 1], &dec) < 0) {
  72. return 0;
  73. }
  74. buf[i] += dec;
  75. }
  76. return hexlen / 2 + hexlen % 2;
  77. }