I am trying to get a radius NumberPicker running in a class that extends DialogPreference, and I am having a lot of trouble getting setView() to work. Let's start with some code:
public class RadiusPickerPreference extends DialogPreference{
public RadiusPickerPreference(Context context, AttributeSet attrs) {
super(context, attrs);
}
@Override
protected void onPrepareDialogBuilder(android.app.AlertDialog.Builder builder) {
builder.setTitle(R.string.set_radius_dialog_fragment_title);
builder.setView(R.layout.dialog_radius_picker);
builder.setPositiveButton(android.R.string.ok, null);
builder.setNegativeButton(android.R.string.cancel, null);
}
}
This gives me an error on builder.setView saying "Call requires API 21 (current min is 15)." I want to support devices with APIs 15+, so changing this is not an option. Now, if I try to override
protected void onPrepareDialogBuilder(android.support.v7.app.AlertDialog.Builder builder)
instead, it says "Method does not override method from its superclass."
Question is, how can I set the view? It doesn't necessarily have to be in onPrepareDialogBuilder(), as long as it supports API 15+. Thanks!
PS: Let me know if you need more code. To get it displayed in XML, just add this to a <PreferenceScreen>
:
<com.example.project.RadiusPickerPreference
android:id="@+id/radPickerPref"
android:key="@string/pref_key_default_radius"
android:title="@string/pref_title_default_radius"/>
What you're trying to do here is call a function that was added in API 21 instead of the one added in API 1. As per the documentation, you want
setView(View view)
instead ofsetView(int layoutResId)
. To get aView
from a layout, you need aLayoutInflater
. To get an instance ofLayoutInflater
, you will need a context object. When you create your dialog, I would recommend storing yourContext
as a variable in the class for future use. Then, inonPrepareDialogBuilder
, you can use (as per the docs):Now, you can use
inflater
to get aView
from your layout and set your dialog'sView
as follows:So, your code could look like:
Hopefully that helps!