en lugar del método de doble matriz, ¿por qué no llene su ArrayAdapter programáticamente con objetos de un tipo conocido y úselo. He escrito un tutorial de naturaleza similar (enlace en la parte inferior) que hace esto. La premisa básica es crear una matriz de objetos Java, contarle al spinner sobre el, y luego usar esos objetos directamente desde la clase spinner. En mi ejemplo, tengo un objeto que representa un "Estado", que se define como sigue:
package com.katr.spinnerdemo;
public class State {
// Okay, full acknowledgment that public members are not a good idea, however
// this is a Spinner demo not an exercise in java best practices.
public int id = 0;
public String name = "";
public String abbrev = "";
// A simple constructor for populating our member variables for this tutorial.
public State(int _id, String _name, String _abbrev)
{
id = _id;
name = _name;
abbrev = _abbrev;
}
// The toString method is extremely important to making this class work with a Spinner
// (or ListView) object because this is the method called when it is trying to represent
// this object within the control. If you do not have a toString() method, you WILL
// get an exception.
public String toString()
{
return(name + " (" + abbrev + ")");
}
}
A continuación, puede rellenar un control de giro con una serie de estas clases de la siguiente manera:
// Step 1: Locate our spinner control and save it to the class for convenience
// You could get it every time, I'm just being lazy... :-)
spinner = (Spinner)this.findViewById(R.id.Spinner01);
// Step 2: Create and fill an ArrayAdapter with a bunch of "State" objects
ArrayAdapter spinnerArrayAdapter = new ArrayAdapter(this,
android.R.layout.simple_spinner_item, new State[] {
new State(1, "Minnesota", "MN"),
new State(99, "Wisconsin", "WI"),
new State(53, "Utah", "UT"),
new State(153, "Texas", "TX")
});
// Step 3: Tell the spinner about our adapter
spinner.setAdapter(spinnerArrayAdapter);
Puede recuperar el elemento seleccionado de la siguiente manera:
State st = (State)spinner.getSelectedItem();
Y ahora usted tiene una buena clase de Java para trabajar. Si desea interceptar cuando cambia el valor del rotor, solo implemente OnItemSelectedListener y agregue los métodos apropiados para manejar los eventos.
public void onItemSelected(AdapterView<?> parent, View view, int position, long id)
{
// Get the currently selected State object from the spinner
State st = (State)spinner.getSelectedItem();
// Now do something with it.
}
public void onNothingSelected(AdapterView<?> parent)
{
}
puede encontrar todo el tutorial aquí: http://www.katr.com/article_android_spinner01.php
incluso si no funciona ... me gusta la simplicidad de ese pensamiento – kritzikratzi