有没有办法从颜色资源中获得一个color-int ?
我试图获得在资源(R.color.myColor)中定义的颜色的单个红色,蓝色和绿色组件,以便我可以将三个搜索条的值设置为特定级别。
有没有办法从颜色资源中获得一个color-int ?
我试图获得在资源(R.color.myColor)中定义的颜色的单个红色,蓝色和绿色组件,以便我可以将三个搜索条的值设置为特定级别。
当前回答
我更新到使用ContextCompat。色鬼(上下文,R.color.your_color);但有时(在某些设备/Android版本上。我不确定),这会导致nullpointerexception。
因此,为了使它在所有设备/版本上都能工作,我回到了旧的方法,在空指针的情况下。
try {
textView.setTextColor(ContextCompat.getColor(getActivity(), R.color.text_grey_dark));
}
catch(NullPointerException e) {
if(Build.VERSION.SDK_INT >= Build.VERSION_CODES.M) {
textView.setTextColor(getContext().getColor(R.color.text_grey_dark));
}
else {
textView.setTextColor(getResources().getColor(R.color.text_grey_dark));
}
}
其他回答
如果你当前的最小API级别是23,你可以简单地使用getColor(),就像我们使用getString()一样:
//example
textView.setTextColor(getColor(R.color.green));
// if context is not available(ex: not in activity) use with context.getColor()
如果你想要低于API级别23,只需使用这个:
textView.setTextColor(getResources().getColor(R.color.green));
但请注意,getResources(). getcolor()在API级别23中已弃用。在这种情况下,将上面的替换为:
textView.setTextColor(ContextCompat.getColor(this /*context*/, R.color.green)) //Im in an activity, so I can use `this`
ContextCompat:用于访问Context中的特性的Helper
如果你愿意,你可以像下面这样约束SDK_INT:
if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.M) {
textView.setTextColor(getColor(R.color.green));
} else {
textView.setTextColor(getResources().getColor(R.color.green));
}
最近工作方法:
getColor(R.color.snackBarAction)
关于另一个用例的更多信息可能有助于在搜索结果中显示这个问题,我想将alpha应用于我的资源中定义的颜色。
使用@sat的正确答案:
int alpha = ... // 0-255, calculated based on some business logic
int actionBarBackground = getResources().getColor(R.color.actionBarBackground);
int actionBarBackgroundWithAlpha = Color.argb(
alpha,
Color.red(actionbarBackground),
Color.green(actionbarBackground),
Color.blue(actionbarBackground)
);
ContextCompat.getColor(context, R.color.your_color);
在活动
ContextCompat.getColor(actvityname.this, R.color.your_color);
在片段
ContextCompat.getColor(getActivity(), R.color.your_color);
例如:
tvsun.settextcolour(ContextCompat.getColor(getActivity(), R.color.your_color))
从非活动类中访问颜色可能很困难。我发现的一个替代方法是使用enum。Enum提供了很大的灵活性。
public enum Colors
{
COLOR0(0x26, 0x32, 0x38), // R, G, B
COLOR1(0xD8, 0x1B, 0x60),
COLOR2(0xFF, 0xFF, 0x72),
COLOR3(0x64, 0xDD, 0x17);
private final int R;
private final int G;
private final int B;
Colors(final int R, final int G, final int B)
{
this.R = R;
this.G = G;
this.B = B;
}
public int getColor()
{
return (R & 0xff) << 16 | (G & 0xff) << 8 | (B & 0xff);
}
public int getR()
{
return R;
}
public int getG()
{
return G;
}
public int getB()
{
return B;
}
}