其他分享
首页 > 其他分享> > 89. 格雷编码

89. 格雷编码

作者:互联网

难度中等

n 位格雷码序列 是一个由 2n 个整数组成的序列,其中:

给你一个整数 n ,返回任一有效的 n 位格雷码序列 。

 

示例 1:

输入:n = 2
输出:[0,1,3,2]
解释:
[0,1,3,2] 的二进制表示是 [00,01,11,10] 。
- 00 和 01 有一位不同
- 01 和 11 有一位不同
- 11 和 10 有一位不同
- 10 和 00 有一位不同
[0,2,3,1] 也是一个有效的格雷码序列,其二进制表示是 [00,10,11,01] 。
- 00 和 10 有一位不同
- 10 和 11 有一位不同
- 11 和 01 有一位不同
- 01 和 00 有一位不同

 

 

 

交替回溯

 

 

 

class Solution {
public:
    vector<int> res;
    void backtrack(string path, int k,int n,string choice) {
        if (n == k) {
            // 二进制转十进制
            int x = stoi(path, nullptr, 2);
            res.push_back(x);
            return;
        }
        backtrack(path+choice[0],k+1,n,"01");        
        backtrack(path+choice[1],k+1,n,"10");
        
    }
    vector<int> grayCode(int n) {
        string path = "";
        backtrack(path,0,n,"01");
        return res;
    }
};

 

 

class Solution {
public:
    vector<int> res;
    void backtrack(string& path, int k,int n,string choice) {
        if (n == k) {
            // 二进制转十进制
            int x = stoi(path, nullptr, 2);
            res.push_back(x);
            return;
        }
        path+=choice[0];
        backtrack(path,k+1,n,"01");        
        path.pop_back();
        
        path+=choice[1];
        backtrack(path,k+1,n,"10");
        path.pop_back();
    }
    vector<int> grayCode(int n) {
        string path = "";
        backtrack(path,0,n,"01");
        return res;
    }
};

 

 

 

 

 

 

 

class Solution {
public:
    vector<int> grayCode(int n) {
        vector<int> res;
        res.reserve(1<<n);// 2**n
        res.emplace_back(0);
        for(int i = 1; i <= n;i++) {
            int m = res.size();
            for(int j = m-1; j >=0 ;j--){
                res.emplace_back(res[j] | 1 << (i-1));
            }
        }
        return res;

    }
};

 

 

 

 

 

 

 

 

class Solution {
public:
    vector<int> res;
    void backtrack(bitset<32>& path, int k,int n) {
        if (n == k) {
            res.push_back(path.to_ulong());
            return;
        }
        backtrack(path,k+1,n);
        path.flip(n-k-1);// 从最高位开始反转
        backtrack(path,k+1,n);

    }
    vector<int> grayCode(int n) {
        bitset<32> path;
        backtrack(path,0,n);
        return res;
    }
};

 

标签:格雷,编码,01,backtrack,int,res,89,path,10
来源: https://www.cnblogs.com/zle1992/p/16637788.html