类预设(如Color.Red)
本文关键字:Color Red | 更新日期: 2023-09-27 17:53:41
我一直在尝试用不同的语言多次创建预定义的类,但我找不到方法。
这是我尝试的方法之一:
public class Color{
public float r;
public float r;
public float r;
public Color(float _r, float _g, float _b){
r = _r;
g = _g;
b = _b;
}
public const Color red = new Color(1,0,0);
}
这是在c#中,但我需要在Java和c++中做同样的事情,所以除非解决方案是相同的,我想知道如何在所有这些中做到这一点。
编辑:这段代码不起作用,所以这个问题是针对所有三种语言的。我现在得到了c#和Java的工作答案,我猜c++的工作方式是一样的,所以谢谢!
在Java中可以使用枚举来完成此操作。
enum Colour
{
RED(1,0,0), GREEN(0,1,0);
private int r;
private int g;
private int b;
private Colour( final int r, final int g, final int b )
{
this.r = r;
this.g = g;
this.b = b;
}
public int getR()
{
return r;
}
...
}
我认为在c++中使用静态成员是一个好方法:
// Color.hpp
class Color
{
public:
Color(float r_, float g_, float b_) : r(r_), g(g_), b(b_) {}
private: // or not...
float r;
float g;
float b;
public:
static const Color RED;
static const Color GREEN;
static const Color BLUE;
};
// Color.cpp
const Color Color::RED(1,0,0);
const Color Color::GREEN(0,1,0);
const Color Color::BLUE(0,0,1);
在您的代码中,您可以像Color c = Color::RED;
Java非常相似
public class Color {
//If you really want to access these value, add get and set methods.
private float r;
private float r;
private float r;
public Color(float _r, float _g, float _b) {
r = _r;
g = _g;
b = _b;
}
//The qualifiers here are the only actual difference. Constants are static and final.
//They can then be accessed as Color.RED
public static final Color RED = new Color(1,0,0);
}