原文: https://www.programiz.com/c-programming/examples/octal-binary-convert

在此示例中,您将学习通过创建用户定义的函数来将二进制数手动转换为八进制,反之亦然。

要理解此示例,您应该了解以下 C 编程主题:


将二进制转换为八进制的程序

在此程序中,我们将首先将二进制数字转换为十进制。 然后,十进制数字转换为八进制。

  1. #include <math.h>
  2. #include <stdio.h>
  3. int convert(long long bin);
  4. int main() {
  5. long long bin;
  6. printf("Enter a binary number: ");
  7. scanf("%lld", &bin);
  8. printf("%lld in binary = %d in octal", bin, convert(bin));
  9. return 0;
  10. }
  11. int convert(long long bin) {
  12. int oct = 0, dec = 0, i = 0;
  13. // converting binary to decimal
  14. while (bin != 0) {
  15. dec += (bin % 10) * pow(2, i);
  16. ++i;
  17. bin /= 10;
  18. }
  19. i = 1;
  20. // converting to decimal to octal
  21. while (dec != 0) {
  22. oct += (dec % 8) * i;
  23. dec /= 8;
  24. i *= 10;
  25. }
  26. return oct;
  27. }

输出

  1. Enter a binary number: 101001
  2. 101001 in binary = 51 in octal

将八进制转换为二进制的程序

在此程序中,八进制数首先会转换为十进制。 然后,将十进制数转换为二进制数。

  1. #include <math.h>
  2. #include <stdio.h>
  3. long long convert(int oct);
  4. int main() {
  5. int oct;
  6. printf("Enter an octal number: ");
  7. scanf("%d", &oct);
  8. printf("%d in octal = %lld in binary", oct, convert(oct));
  9. return 0;
  10. }
  11. long long convert(int oct) {
  12. int dec = 0, i = 0;
  13. long long bin = 0;
  14. // converting octal to decimal
  15. while (oct != 0) {
  16. dec += (oct % 10) * pow(8, i);
  17. ++i;
  18. oct /= 10;
  19. }
  20. i = 1;
  21. // converting decimal to binary
  22. while (dec != 0) {
  23. bin += (dec % 2) * i;
  24. dec /= 2;
  25. i *= 10;
  26. }
  27. return bin;
  28. }

输出

  1. Enter an octal number: 67
  2. 67 in octal = 110111 in binary