Reputation: 43673
When I use resolveAttribute()
to find out a color value of ?attr/colorControlNormal
, I got 236
:
TypedValue typedValue = new TypedValue();
getTheme().resolveAttribute(R.attr.colorControlNormal, typedValue, true);
int color = typedValue.data;
// 236
But when I use an XML layout with the following TextView
element:
<TextView
android:id="@+id/textView"
style="?android:attr/textAppearance"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:textColor="?attr/colorControlNormal"
android:text="@null" />
...and the following Java code:
View textView = findViewById(R.id.textView);
int color = ((TextView) textView).getCurrentTextColor();
// -1979711488
I got a color value of -1979711488
Why those results vary? I expected to get same color values, but they are not.
The second approach (I believe) returns a correct color value. Why is my first approach wrong?
I would prefer to obtain the color value of ?attr/colorControlNormal
without a need of using actual element. How can I do that?
Upvotes: 19
Views: 12491
Reputation: 451
In Kotlin, according to @azizbekian answer, to do it you could do something like this:
val typedValue = TypedValue()
theme.resolveAttribute(com.google.android.material.R.attr.colorControlNormal, typedValue, true)
val color = ContextCompat.getColor(this, typedValue.resourceId)
Upvotes: 3
Reputation: 5104
Using Kotlin you can do the following to get the color:
val color = TypedValue().let {
requireContext().theme.resolveAttribute(R.attr.colorControlNormal, it, true)
requireContext().getColor(it.resourceId)
}
Upvotes: 1
Reputation: 1005
It's correct I think, check with it
HEX
Integer intColor = -1979711488138;
String hexColor = "#" + Integer.toHexString(intColor).substring(2);
or
int color = getCurrentTextColor();
int a = Color.alpha(color);
int r = Color.red(color);
int g = Color.green(color);
int b = Color.blue(color);
Upvotes: 1
Reputation: 62189
I believe instead of this:
TypedValue typedValue = new TypedValue();
getTheme().resolveAttribute(R.attr.colorControlNormal, typedValue, true);
int color = typedValue.data;
You should do this:
TypedValue typedValue = new TypedValue();
getTheme().resolveAttribute(R.attr.colorControlNormal, typedValue, true);
int color = ContextCompat.getColor(this, typedValue.resourceId)
Upvotes: 55