我写了一个简单的微调包装器,但是想知道你们中的任何一位专家是否可以想出任何方法来使它更加健壮。 它目前只处理字符串,因此可能是第一个增强...
无论如何,(可耻地命名的)MySpinner
类的代码是:
package a.b.c;
import android.content.Context;
import android.util.AttributeSet;
import android.widget.ArrayAdapter;
import android.widget.Spinner;
public class MySpinner extends Spinner {
// constructors (each calls initialise)
public MySpinner(Context context) {
super(context);
this.initialise();
}
public MySpinner(Context context, AttributeSet attrs) {
super(context, attrs);
this.initialise();
}
public MySpinner(Context context, AttributeSet attrs, int defStyle) {
super(context, attrs, defStyle);
this.initialise();
}
// declare object to hold data values
private ArrayAdapter<String> arrayAdapter;
// add the selected item to the end of the list
public void addItem(String item) {
this.addItem(item, true);
}
public void addItem(String item, boolean select) {
arrayAdapter.add(item);
this.setEnabled(true);
if (select) this.selectItem(item);
arrayAdapter.sort(new Comparator<String>() {
public int compare(String object1, String object2) {
return object1.compareTo(object2);
};
});
}
// remove all items from the list and disable it
public void clearItems() {
arrayAdapter.clear();
this.setEnabled(false);
}
// make the specified item selected (returns false if item not in the list)
public boolean selectItem(String item) {
boolean found = false;
for (int i = 0; i < this.getCount(); i++) {
if (arrayAdapter.getItem(i) == item) {
this.setSelection(i);
found = true;
break;
}
}
return found;
}
// return the current selected item
public String getSelected() {
if (this.getCount() > 0) {
return arrayAdapter.getItem(super.getSelectedItemPosition());
} else {
return "";
}
}
// allow the caller to use a different DropDownView, defaults to android.R.layout.simple_dropdown_item_1line
public void setDropDownViewResource(int resource) {
arrayAdapter.setDropDownViewResource(resource);
}
// internal routine to set up the array adapter, bind it to the spinner and disable it as it is empty
private void initialise() {
arrayAdapter = new ArrayAdapter<String>(super.getContext(), android.R.layout.simple_spinner_item);
arrayAdapter.setDropDownViewResource(android.R.layout.simple_dropdown_item_1line);
this.setAdapter(arrayAdapter);
this.setEnabled(false);
}
}
使用:
1.在XML布局文件中使用a.b.c.MySpinner
代替Spinner
2.设置变量mMySpinner = (MySpinner)findViewById(R.id.spinner);
3.然后,您可以使用所有应该不言自明的功能
4.如果列表中没有项目,则禁用微调器以防止发生不良事件
mMySpinner.clearItems() //to remove all the items
mMySpinner.addItem("Blue") //to add Blue as an item in list (items are sorted by abc)
mMySpinner.selectItem("Red") //to make the indicate item the current selection
mMySpinner.getSelected() //to return the current selected item string
答案 0 :(得分:1)
我想没有更多的评论所以我会接受这个作为答案。最终的代码就像问题一样。
我一直在我的一个应用程序中使用它,它似乎工作正常。您可以随意在任何应用中使用它。
-Frink