如何使用十六进制代码检测所有色调?

时间:2015-02-25 17:09:28

标签: android colors hex

我正在尝试开发一个Android应用程序,它将拍摄一个对象的图片,然后检测该对象的颜色。我想向用户显示哪种颜色具有该对象。我已经根据我的问题的答案在这个链接中根据密度和亮度实现了检测颜色:

What is the best way to implement Color Detection in Android?

此时,我能够将颜色变为十六进制代码。我真正想做的是能够告知用户哪个颜色是十六进制代码。

我不想限制我的应用程序只是为了检测主要颜色,所以我希望它能够检测到许多不同的颜色。

如何使用这些十六进制代码执行此操作?

提前谢谢。

1 个答案:

答案 0 :(得分:0)

经过大量努力为我的问题找到有效的解决方案后,我终于明白了!在下面,任何将面临此问题的人都可以找到替代解决方案:

生成一种方法来查找数据库中最接近的颜色名称:

private String findClosedColor(String hexColor) {
    int rgb[] = hexToRGB(hexColor);
    int min = 3 * (int) pow(256, 2) + 1;
    ArrayList<HashMap<String, String>> colorList = getColorList();

    String colorName = null;
    int i;
    int len = colorList.size();
    for (i = 0; i < len; i++) {
        HashMap<String, String> map = colorList.get(i);
        String colorCode = map.get("code");
        Log.w("myApp", "HashMap'ten gelen colorCode:" + colorCode);
        if (colorCode != null) {
            int df = rgbDistance(hexToRGB(colorCode), rgb);
            if (df < min) {
                min = df;
                colorName = map.get("name");
            }
        }
    }
    return colorName;
}

private int rgbDistance(int[] c1, int[] c2) {
    return ( (int) pow(c1[0] - c2[0], 2)) + ((int) pow(c1[1] - c2[1], 2)) + ((int) pow(c1[2] - c2[2], 2));
}

private int[] hexToRGB( String hexCode)
{
    int returnValue[] = new int[3];

    if (hexCode.charAt(0) == '#')
    {
        hexCode = hexCode.substring(1);
    }

    if (hexCode.length() < 6)
    {
        returnValue[0] = -1;
        returnValue[1] = -1;
        returnValue[2] = -1;
    }
    else
    {
        int r = fromHex(hexCode.substring(0, 2));
        int g = fromHex(hexCode.substring(2, 4));
        int b = fromHex(hexCode.substring(4, 6));

        returnValue[0] = r;
        returnValue[1] = g;
        returnValue[2] = b;

    }
    return returnValue;
}

private int fromHex( String n) {
    n = n.toUpperCase();
    if (n.length() < 2)
        return -1;
    int f1 = letterToCode(n.charAt(0));
    int f2 = letterToCode(n.charAt(1));
    if (f1 == -1 || f2 == -1) {
        return -1;
    } else {
        return f1 * 16 + f2;
    }
}

private int letterToCode(char n) {
    switch (n) {
        case '0': return 0;
        case '1': return 1;
        case '2': return 2;
        case '3': return 3;
        case '4': return 4;
        case '5': return 5;
        case '6': return 6;
        case '7': return 7;
        case '8': return 8;
        case '9': return 9;
        case 'A': return 10;
        case 'B': return 11;
        case 'C': return 12;
        case 'D': return 13;
        case 'E': return 14;
        case 'F': return 15;
        default: return -1;
    }
}

getColorList()函数返回我数据库中的颜色列表。通过此解决方案,我可以通过在数据库中选择更接近的名称来轻松检测每个十六进制代

最重要的是对每个人......