8

我试图制作一个随机颜色生成器,但我不希望类似的颜色出现在 arrayList 中

public class RandomColorGen {

public static Color RandColor() {
    Random rand = new Random();
    float r = rand.nextFloat();
    float g = rand.nextFloat();
    float b = rand.nextFloat();
    Color c = new Color(r, g, b, 1);
    return c;

}

public static ArrayList<Color> ColorList(int numOfColors) {
    ArrayList<Color> colorList = new ArrayList<Color>();
    for (int i = 0; i < numOfColors; i++) {
        Color c = RandColor();
        if(similarcolors){
            dont add
        }
        colorList.add(c);

    }
    return colorList;
}

}

我真的很困惑请帮忙:)

4

2 回答 2

14

在 Color 类中实现similarTo() 方法。

然后使用:

public static ArrayList<Color> ColorList(int numOfColors) {
    ArrayList<Color> colorList = new ArrayList<Color>();
    for (int i = 0; i < numOfColors; i++) {
        Color c = RandColor();
        boolean similarFound = false;
        for(Color color : colorList){
            if(color.similarTo(c)){
                 similarFound = true;
                 break;
            }
        }
        if(!similarFound){
            colorList.add(c);
        } 

    }
    return colorList;
}

要实现similarTo:

看看RGBA 颜色空间中的颜色相似度/距离,并以编程方式查找相似颜色。一个简单的方法可以是:

((r2 - r1) 2 + (g2 - g1) 2 + (b2 - b1) 2 ) 1/2

和:

boolean similarTo(Color c){
    double distance = (c.r - this.r)*(c.r - this.r) + (c.g - this.g)*(c.g - this.g) + (c.b - this.b)*(c.b - this.b)
    if(distance > X){
        return true;
    }else{
        return false;
    }
}

但是,你应该根据你的想象找到你的 X 类似的。

于 2013-03-07T03:15:15.283 回答
5

我试过了,效果很好:

Color c1 = Color.WHITE;
Color c2 = new Color(255,255,255);

if(c1.getRGB() == c2.getRGB()) 
    System.out.println("true");
else
    System.out.println("false");
}

getRGB函数返回一个带有红色蓝色和绿色之和的 int 值,因此我们比较的是整数而不是对象。

于 2014-08-04T07:43:31.837 回答