5

我有一个微调器,其中填充了Category从数据库中检索到的对象。Categories 表有_idcategory_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?

4

2 回答 2

5

我会使用 aSimpleCursorAdapter因为它存储多个列,而不是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()调用光标转换为列表!

于 2012-08-24T16:44:26.947 回答
4

无论如何,您不能使用ArrayAdapter它,因为它仅适用于字符串(不是类别)。因此,为什么您会遇到强制转换异常。由于您的 CategoryArrayList和 String ArrayList(用于ArrayAdapter)的顺序相同,因此只需使用

Category selectedCategory = arrListCategories.get(pos);

在你的onItemSelected()方法中

于 2012-08-24T16:38:09.327 回答