我有一个微调器,其中填充了从db检索到的Category
个对象。 “类别”表包含_id
和category_name
列。我想在微调器中显示类别名称,但是当用户选择一个项目时,我需要它来检索所选项目的ID。我尝试了以下方法:
声明变量(在班级中):
int currCategoryId;
ArrayAdapter<String> adapter;
NotesManager manager = new NotesManager(this);
ArrayList<Category> arrListCategories;
ArrayList<String> arrListCategoriesString = new ArrayList<String>();
Spinner spCategories;
在onCreate
方法中实例化它们:
manager.getAllCategories();
arrListCategories = manager.getAllCategories();
for (int i = 0; i < arrListCategories.size(); i++)
{
Category currCategory = arrListCategories.get(i);
arrListCategoriesString.add(currCategory.getCategory_name().toString());
}
adapter=new ArrayAdapter<String> (this, android.R.layout.simple_spinner_item, arrListCategoriesString);
adapter.setDropDownViewResource(android.R.layout.simple_spinner_dropdown_item);
spCategories.setAdapter(adapter);
spCategories.setOnItemSelectedListener(spinnerListener);
这是我试过的spinnerListener:
OnItemSelectedListener spinnerListener = new OnItemSelectedListener()
{
public void onItemSelected(AdapterView<?> parent, View view,
int pos, long id) {
// An item was selected.
//currCategory = (String) parent.getItemAtPosition(pos).toString();
//selectedCategory =
Category selectedCategory = (Category)spCategories.getItemAtPosition(pos);
currCategoryId = selectedCategory.getId();
}
public void onNothingSelected(AdapterView<?> arg0) {
}
};
但在这种情况下,应用程序崩溃,我得到了一个“
此行不能将字符串强制转换为类别:
Category selectedCategory = (Category)spCategories.getItemAtPosition(pos);
我也试过这个:
currCategoryId = view.getId();
但是后来不是1或2(取决于我选择的类别,目前我有2个),我的数字很长......
我该如何解决?如何检索所选对象的ID?
答案 0 :(得分:5)
我会使用SimpleCursorAdapter
,因为它会存储多个列,而不是仅存储一列的ArrayAdapter
。
首先更改NotesManager.getAllCategories()
以返回使用以下内容的Cursor
:
"SELECT _id, category_name FROM Table;"
如果需要,您可以按字母顺序排列结果:
"SELECT _id, category_name FROM Table ORDER BY category_name;"
下一步将此Cursor
直接绑定到您的Spinner:
Cursor cursor = manager.getAllCategories();
SimpleCursorAdapter adapter = new SimpleCursorAdapter(this, android.R.layout.simple_spinner_item, cursor, new String[] {"category_name"}, new int[] {android.R.id.text1});
adapter.setDropDownViewResource(android.R.layout.simple_spinner_dropdown_item);
spCategories.setAdapter(adapter);
你的OnItemSelectedListener
中的终于一切准备就绪,等待着:
public void onItemSelected(AdapterView<?> parent, View view, int pos, long id) {
// The parameter id already refers to your Category table's id column,
}
没有额外的 get()
调用或将游标转换为必需的列表!
答案 1 :(得分:4)
你无论如何都不能使用ArrayAdapter
,因为它只适用于字符串(不是类别)。因此,为什么你得到一个铸造例外。由于您的类别ArrayList
和字符串ArrayList
(用于ArrayAdapter
)的顺序相同,只需使用
Category selectedCategory = arrListCategories.get(pos);
您的onItemSelected()
方法中的