Computer >> 컴퓨터 >  >> 프로그램 작성 >> C 프로그래밍

C 프로그램에서 재귀를 사용하는 이진 코드를 그레이 코드로 변환

<시간/>

이진수는 0과 1의 두 비트만 있는 숫자입니다.

그레이 코드는 코드의 두 연속 숫자 속성이 있는 특수한 유형의 이진수입니다. 1비트 이상 다를 수 없습니다. 이 그레이코드의 속성은 K-map, 오류정정, 통신 등에 유용하게 사용됩니다.

이것은 바이너리를 그레이 코드로 변환하는 것을 필요로 합니다. 바이너리를 그레이 코드로 변환하는 알고리즘을 살펴보겠습니다. 재귀 사용 .

그레이 코드 공동의 예를 들어 보겠습니다.

Input : 1001
Output : 1101

알고리즘

Step 1 : Do with input n :
   Step 1.1 : if n = 0, gray = 0 ;
   Step 1.2 : if the last two bits are opposite,
      gray = 1 + 10*(go to step 1 passing n/10).
   Step 1.3 : if the last two bits are same,
      gray = 10*(go to step 1 passing n/10).
Step 2 : Print gray.
Step 3 : EXIT.

#include <iostream>
using namespace std;
int binaryGrayConversion(int n) {
   if (!n)
      return 0;
   int a = n % 10;
   int b = (n / 10) % 10;
   if ((a && !b) || (!a && b))
      return (1 + 10 * binaryGrayConversion(n / 10));
   return (10 * binaryGrayConversion(n / 10));
}
int main() {
   int binary_number = 100110001;
   cout<<"The binary number is "<<binary_number<<endl;
   cout<<"The gray code conversion is "<<binaryGrayConversion(binary_number);
   return 0;
}

출력

The binary number is 100110001
The gray code conversion is 110101001