aboutsummaryrefslogtreecommitdiff
path: root/grey_code.c
blob: 1b2cd005b59b3a3980066bb84e1716825f7a028c (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
// 89. Gray Code
#include "leetcode.h"

/*
 * an n-bit gray code sequence is a sequence of '2^n' integers where every
 * integer is in the inclusive range '[0, 2^n - 1]', the first integer is 0, an
 * integer appears no more than once in the sequence, the binary representation
 * of every pair of adjacent integers differs by exactly one bit and the binary
 * representation of the first and last integers differs by exactly one bit.
 * given an integer 'n', return any valid n-bit gray code sequence
 */

int convert(int n) { return n ^ (n >> 1); }

int *grayCode(int n, int *returnSize) {
  int base = 1;
  for (int i = 0; i < n; i++)
    base *= 2;
  *returnSize = base;
  int *ans = (int *)calloc(base, sizeof(int));
  for (int i = 0; i < base; i++)
    ans[i] = convert(i);
  return ans;
}

int main() {
  int rs1, *gc1 = grayCode(2, &rs1);
  int rs2, *gc2 = grayCode(1, &rs2);
  for (int i = 0; i < rs1; i++)
    printf("%d", gc1[i]); // expect: 0 1 3 2
  printf("\n");
  for (int i = 0; i < rs2; i++)
    printf("%d", gc2[i]); // expect: 0 1
  printf("\n");
  free(gc1);
  free(gc2);
}