Convert decimal to gray code in java

淺唱寂寞╮ 提交于 2019-12-02 12:46:02

Wrote the following and figured I'd share it as I don't see many Java implementations showing up on here:

static String getGreyCode(int myNum, int numOfBits) {
    if (numOfBits == 1) {
        return String.valueOf(myNum);
    }

    if (myNum >= Math.pow(2, (numOfBits - 1))) {
        return "1" + getGreyCode((int)(Math.pow(2, (numOfBits))) - myNum - 1, numOfBits - 1);
    } else {
        return "0" + getGreyCode(myNum, numOfBits - 1);
    }
}

static String getGreyCode(int myNum) {

    //Use the minimal bits required to show this number
    int numOfBits = (int)(Math.log(myNum) / Math.log(2)) + 1;
    return getGreyCode(myNum, numOfBits);
}

And to test this, you can call it in either of the following ways:

System.out.println("Grey code for " + 7 + " at n-bit: " + getGreyCode(7));
System.out.println("Grey code for " + 7 + " at 5-bit: " + getGreyCode(7, 5));

Or loop through all the possible combinations of grey codes up to the ith-bit:

for (int i = 1; i <= 4; i++) {
        for (int j = 0; j < Math.pow(2, i); j++)
            System.out.println("Grey code for " + j + " at " + i + "-bit: " + getGreyCode(j, i));

Hope that proves helpful to folks!

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!