Bram
Bram

Reputation: 2581

Android: Alternative for context.getDrawable()

I have used context.getDrawable() like this in my project:

Drawable greenProgressbar = context.getDrawable(R.drawable.custom_progressbargreen);

But Eclipse is giving me an error that it needs a Minimum API level of 21. This would mean after a quick google search my APP will only be usable on Android 5.0. Since not all devices are using this version of android I would like to have an alternative for context.getDrawable().

Upvotes: 90

Views: 74931

Answers (9)

glm9637
glm9637

Reputation: 894

Add a getResources() after the context:

Drawable greenProgressbar = context.getResources().getDrawable(R.drawable.custom_progressbargreen);

Upvotes: 26

user4423334
user4423334

Reputation:

Drawable greenProgressbar = context.getResources().getDrawable(R.drawable.custom_progressbargreen);

Upvotes: 9

Nando
Nando

Reputation: 21

AppCompatResources.getDrawable(context, R.drawable.*)

Upvotes: 2

Umanda
Umanda

Reputation: 4843

I had a same situation which I wanted to reference getDrawable() method which is now deprecated.

What I used:

myButton.setImageDrawable(ContextCompat.getDrawable(getActivity(), R.drawable.ic_btn_off));

Upvotes: 12

Solution for Kotlin programmers looks like:

val greenProgressbar = context!!.getDrawable(R.drawable.custom_progressbargreen)

or (from API 22)

val greenProgressbar = ContextCompat.getDrawable(R.drawable.custom_progressbargreen)

Upvotes: 2

Lukas Mohs
Lukas Mohs

Reputation: 410

You can also set the resource directly without working with the drawable (Kotlin):

btn.setImageResource(R.drawable.ic_XXX)

Upvotes: 2

Kaylen Travis Pillay
Kaylen Travis Pillay

Reputation: 41

I agree using ContextCompact.getDrawable(Context context, int resID). It worked for me and my app targets API 19.

Upvotes: 1

Maulik Parmar
Maulik Parmar

Reputation: 223

You should use " getDrawable(id, this.getTheme()) ". This method is not deprecated till now.

if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.LOLLIPOP) {
    view.setBackground(getResources().getDrawable(R.drawable.radioline,this.getTheme()));
} else {
   view.setBackground(getResources().getDrawable(R.drawable.radioline));
}

Upvotes: 1

user2417480
user2417480

Reputation: 2184

The previously accepted method has been deprecated, according to the SDK 22 documentation:

Prior to android.os.Build.VERSION_CODES#JELLY_BEAN, this function would not correctly retrieve the final configuration density when the resource ID passed here is an alias to another Drawable resource. This means that if the density configuration of the alias resource is different than the actual resource, the density of the returned Drawable would be incorrect, resulting in bad scaling.

As pointed out in this answer better solution would be to use ContextCompat: ContextCompat.getDrawable(context, R.drawable.***)

Upvotes: 207

Related Questions