生成N位格雷码

递归生成码表

这种方法基于格雷码是反射码的事实,利用递归的如下规则来构造:
  1. 1位格雷码有两个码字
  2. (n+1)位格雷码中的前2 n个码字等于n位格雷码的码字,按顺序书写,加前缀0
  3. (n+1)位格雷码中的后2 n个码字等于n位格雷码的码字,按逆序书写,加前缀1 [3]  
  4. n+1位格雷码的集合 = n位格雷码集合(顺序)加前缀0 + n位格雷码集合(逆序)加前缀1

2位格雷码 3位格雷码 4位格雷码 4位自然二进制码
00
01
11
10
000
001
011
010
110
111
101
100
0000
0001
0011
0010
0110
0111
0101
0100
1100
1101
1111
1110
1010
1011
1001
1000
0000
0001
0010
0011
0100
0101
0110
0111
1000
1001
1010
1011
1100
1101
1110
1111
意思是,把N位长度的格雷码全部生成,java如下:

public class GrayCode {
	public static String[] getGray(int n) {
		if (n == 1) {
			String[] result = new String[2];
			result[0] = "0";
			result[1] = "1";
			return result;
		} else {
			String[] temp = getGray(n - 1);
			String[] result = new String[temp.length * 2];
			for (int i = 0; i < temp.length; i++) {
				result[i] = "0" + temp[i];
			}
			for (int i = 0; i < temp.length; i++) {
				result[i + temp.length] = "1" + temp[temp.length - i - 1];
			}
			return result;
		}
	}

	public static void main(String[] args) {
		for (String tmp : getGray(3)) {
			System.out.println(tmp);
		}
	}
}


你可能感兴趣的:(生成N位格雷码)