web-dev-qa-db-ja.com

Spinnerの選択項目を位置ではなく値で設定する方法

私は更新ビューを持っています、そこで私はスピナーのためにデータベースに格納された値を事前選択する必要があります。

私はこのようなことを念頭に置いていましたが、AdapterにはindexOfメソッドがないので、私は動けなくなります。

void setSpinner(String value)
{
    int pos = getSpinnerField().getAdapter().indexOf(value);
    getSpinnerField().setSelection(pos);
}
272
Pentium10

SpinnermSpinnerと命名されていて、その選択肢の1つとして "some value"が含まれているとします。

スピナー内の「ある値」の位置を見つけて比較するには、これを使います。

String compareValue = "some value";
ArrayAdapter<CharSequence> adapter = ArrayAdapter.createFromResource(this, R.array.select_state, Android.R.layout.simple_spinner_item);
adapter.setDropDownViewResource(Android.R.layout.simple_spinner_dropdown_item);
mSpinner.setAdapter(adapter);
if (compareValue != null) {
    int spinnerPosition = adapter.getPosition(compareValue);
    mSpinner.setSelection(spinnerPosition);
}
602
Merrill

値に基づいてスピナーを設定する簡単な方法は、

mySpinner.setSelection(getIndex(mySpinner, myValue));

 //private method of your class
 private int getIndex(Spinner spinner, String myString){
     for (int i=0;i<spinner.getCount();i++){
         if (spinner.getItemAtPosition(i).toString().equalsIgnoreCase(myString)){
             return i;
         }
     }

     return 0;
 } 

複雑なコードへの道はすでにそこにあります、これは単なる面倒です。

127
Akhil Jain

私は自分のスピナー内のすべてのアイテムの別々のArrayListを保持しています。このようにして、ArrayListでindexOfを実行してから、その値を使用してSpinnerの選択範囲を設定できます。

34
Mark B

メリルの答え に基づいて、私はこの単一行の解決策を思い付きました...それほどきれいではありませんが、あなたは誰のためにSpinnerのためのコードを保守しますか?そのためにこれを行う関数を含めることを怠っています。

mySpinner.setSelection(((ArrayAdapter<String>)mySpinner.getAdapter()).getPosition(myString));

ArrayAdapter<String>へのキャストがどのようにチェックされていないかについての警告を受け取るでしょう…本当に、MerrillのようにArrayAdapterを使うこともできますが、それはある警告を別の警告に交換するだけです。

28
ArtOfWarfare

文字列配列を使用している場合、これが最善の方法です。

int selectionPosition= adapter.getPosition("YOUR_VALUE");
spinner.setSelection(selectionPosition);
10
itzhar

これも使えます、

String[] baths = getResources().getStringArray(R.array.array_baths);
mSpnBaths.setSelection(Arrays.asList(baths).indexOf(value_here));
8
PrvN

古いアダプタでindexOfメソッドを使用する必要がある場合(そして基礎となる実装がわからない場合)、これを使用できます。

private int indexOf(final Adapter adapter, Object value)
{
    for (int index = 0, count = adapter.getCount(); index < count; ++index)
    {
        if (adapter.getItem(index).equals(value))
        {
            return index;
        }
    }
    return -1;
}
8
xbakesx

ここでのメリルの答えに基づいて、CursorAdapterをどのように使うかです。

CursorAdapter myAdapter = (CursorAdapter) spinner_listino.getAdapter(); //cast
    for(int i = 0; i < myAdapter.getCount(); i++)
    {
        if (myAdapter.getItemId(i) == ordine.getListino() )
        {
            this.spinner_listino.setSelection(i);
            break;
        }
    }
7
max4ever

使用値を選択するには、次の行を使用します。

mSpinner.setSelection(yourList.indexOf("value"));
5
Faisal Shaikh

これは、文字列でインデックスを取得するための私の簡単な方法です。

private int getIndexByString(Spinner spinner, String string) {
    int index = 0;

    for (int i = 0; i < spinner.getCount(); i++) {
        if (spinner.getItemAtPosition(i).toString().equalsIgnoreCase(string)) {
            index = i;
            break;
        }
    }
    return index;
}
3
aLIEz

このコードで十分なので、私はカスタムアダプタを使用しています。

yourSpinner.setSelection(arrayAdapter.getPosition("Your Desired Text"));

だから、あなたのコードスニペットはこのようになります:

void setSpinner(String value)
    {
         yourSpinner.setSelection(arrayAdapter.getPosition(value));
    }
2
Miral Sarwar

SimpleCursorAdapterを使用している場合の実行方法は次のとおりです(columnNameは、spinnerの作成に使用したdb列の名前です)。

private int getIndex(Spinner spinner, String columnName, String searchString) {

    //Log.d(LOG_TAG, "getIndex(" + searchString + ")");

    if (searchString == null || spinner.getCount() == 0) {
        return -1; // Not found
    }
    else {

        Cursor cursor = (Cursor)spinner.getItemAtPosition(0);

        for (int i = 0; i < spinner.getCount(); i++) {

            cursor.moveToPosition(i);
            String itemText = cursor.getString(cursor.getColumnIndex(columnName));

            if (itemText.equals(searchString)) {
                return i;
            }
        }
        return -1; // Not found
    }
}

(ローダーを使用しているかどうかによっては、カーソルを閉じる必要があるかもしれません。)

また、( Akhil's answer の改良版)これはスピナーを配列から埋める場合に対応する方法です。

private int getIndex(Spinner spinner, String searchString) {

    if (searchString == null || spinner.getCount() == 0) {

        return -1; // Not found

    }
    else {

        for (int i = 0; i < spinner.getCount(); i++) {
            if (spinner.getItemAtPosition(i).toString().equals(searchString)) {
                return i; // Found!
            }
        }

        return -1; // Not found
    }
};
2

これが私の解決策です

List<Country> list = CountryBO.GetCountries(0);
CountriesAdapter dataAdapter = new CountriesAdapter(this,list);
dataAdapter.setDropDownViewResource(Android.R.layout.simple_spinner_dropdown_item);
spnCountries.setAdapter(dataAdapter);
spnCountries.setSelection(dataAdapter.getItemIndexById(userProfile.GetCountryId()));

下記のgetItemIndexById

public int getItemIndexById(String id) {
    for (Country item : this.items) {
        if(item.GetId().toString().equals(id.toString())){
            return this.items.indexOf(item);
        }
    }
    return 0;
}

この助けを願っています!

1
Scott.N

XMLレイアウトでXML配列をスピナーに設定すると、これを実行できます。

final Spinner hr = v.findViewById(R.id.chr);
final String[] hrs = getResources().getStringArray(R.array.hours);
if(myvalue!=null){
   for (int x = 0;x< hrs.length;x++){
      if(myvalue.equals(hrs[x])){
         hr.setSelection(x);
      }
   }
}
1
Lasitha Lakmal
YourAdapter yourAdapter =
            new YourAdapter (getActivity(),
                    R.layout.list_view_item,arrData);

    yourAdapter .setDropDownViewResource(R.layout.list_view_item);
    mySpinner.setAdapter(yourAdapter );


    String strCompare = "Indonesia";

    for (int i = 0; i < arrData.length ; i++){
        if(arrData[i].getCode().equalsIgnoreCase(strCompare)){
                int spinnerPosition = yourAdapter.getPosition(arrData[i]);
                mySpinner.setSelection(spinnerPosition);
        }
    }
0
user2063903

前の答えのいくつかは非常に正しいので、私はただあなたの誰からもそのようなこの問題に陥らないことを確かめたいです。

String.formatを使用して値をArrayListに設定する場合は、同じ文字列構造体String.formatを使用して値の位置を取得する必要があります。

例:

ArrayList<String> myList = new ArrayList<>();
myList.add(String.format(Locale.getDefault() ,"%d", 30));
myList.add(String.format(Locale.getDefault(), "%d", 50));
myList.add(String.format(Locale.getDefault(), "%d", 70));
myList.add(String.format(Locale.getDefault(), "%d", 100));

あなたはこのように必要な価値の位置を得なければなりません:

myList.setSelection(myAdapter.getPosition(String.format(Locale.getDefault(), "%d", 70)));

そうでなければ、あなたは-1というアイテムが見つかりません!

私はアラビア語のためにLocale.getDefault()を使いました。

お役に立てば幸いです。

0

CursorLoaderを使って移入されたスピナーで正しいアイテムを選択しようとしたときにも同じ問題がありました。最初に選択したいアイテムのIDをテーブル1から取得してから、CursorLoaderを使用してスピナーを設定しました。 onLoadFinishedでは、すでに持っているIDと一致するアイテムが見つかるまで、スピナーのアダプタに入っているカーソルをたどっていきました。次に、カーソルの行番号をスピナーの選択位置に割り当てます。保存されたスピナーの結果を含むフォームに詳細を入力するときに、スピナーで選択したい値のIDを渡すための同様の関数があると便利です。

@Override
public void onLoadFinished(Loader<Cursor> loader, Cursor cursor) {  
  adapter.swapCursor(cursor);

  cursor.moveToFirst();

 int row_count = 0;

 int spinner_row = 0;

  while (spinner_row < 0 || row_count < cursor.getCount()){ // loop until end of cursor or the 
                                                             // ID is found 

    int cursorItemID = bCursor.getInt(cursor.getColumnIndexOrThrow(someTable.COLUMN_ID));

    if (knownID==cursorItemID){
    spinner_row  = row_count;  //set the spinner row value to the same value as the cursor row 

    }
cursor.moveToNext();

row_count++;

  }

}

spinner.setSelection(spinner_row ); //set the selected item in the spinner

}
0
Jaz

これが私のうまくいけば完全な解決策です。私は以下の列挙を持っています:

public enum HTTPMethod {GET, HEAD}

次のクラスで使われる

public class WebAddressRecord {
...
public HTTPMethod AccessMethod = HTTPMethod.HEAD;
...

HTTPMethod enum-memberによってスピナーを設定するためのコード:

    Spinner mySpinner = (Spinner) findViewById(R.id.spinnerHttpmethod);
    ArrayAdapter<HTTPMethod> adapter = new ArrayAdapter<HTTPMethod>(this, Android.R.layout.simple_spinner_item, HTTPMethod.values());
    mySpinner.setAdapter(adapter);
    int selectionPosition= adapter.getPosition(webAddressRecord.AccessMethod);
    mySpinner.setSelection(selectionPosition);

R.id.spinnerHttpmethodはレイアウトファイルで定義され、Android.R.layout.simple_spinner_itemはAndroid-studioによって提供されます。

0
termigrator

リソースからの文字列配列からスピナーを埋める必要があり、サーバーから値を選択し続けたいとします。だから、これはスピナーのサーバーから選択した値を設定するための一つの方法です。

pincodeSpinner.setSelection(resources.getStringArray(R.array.pincodes).indexOf(javaObject.pincode))

それが役に立てば幸い! P.SコードはKotlinです。

0
hetsgandhi

この方法を使用して、コードをより単純かつ明確にすることができます。

ArrayAdapter<String> adapter = (ArrayAdapter<String>) spinnerCountry.getAdapter();
int position = adapter.getPosition(obj.getCountry());
spinnerCountry.setSelection(position);

それが役に立てば幸い。

0
azwar_akbar

AdapterArrayのインデックス検索を使用してこれを取得する方法が実際にあります。これはすべてリフレクションで実行できます。私は10人のスピナーを持っていてデータベースから動的に設定したいと思いました。スピナーは実際には週ごとに変わるのでデータベースはテキストではなく値だけを保持するので値はデータベースからの私のID番号です。

 // Get the JSON object from db that was saved, 10 spinner values already selected by user
 JSONObject json = new JSONObject(string);
 JSONArray jsonArray = json.getJSONArray("answer");

 // get the current class that Spinner is called in 
 Class<? extends MyActivity> cls = this.getClass();

 // loop through all 10 spinners and set the values with reflection             
 for (int j=1; j< 11; j++) {
      JSONObject obj = jsonArray.getJSONObject(j-1);
      String movieid = obj.getString("id");

      // spinners variable names are s1,s2,s3...
      Field field = cls.getDeclaredField("s"+ j);

      // find the actual position of value in the list     
      int datapos = indexedExactSearch(Arrays.asList(Arrays.asList(this.data).toArray()), "value", movieid) ;
      // find the position in the array adapter
      int pos = this.adapter.getPosition(this.data[datapos]);

      // the position in the array adapter
      ((Spinner)field.get(this)).setSelection(pos);

}

これは、フィールドがオブジェクトの最上位レベルにある限り、ほとんどすべてのリストで使用できる索引付き検索です。

    /**
 * Searches for exact match of the specified class field (key) value within the specified list.
 * This uses a sequential search through each object in the list until a match is found or end
 * of the list reached.  It may be necessary to convert a list of specific objects into generics,
 * ie: LinkedList&ltDevice&gt needs to be passed as a List&ltObject&gt or Object[&nbsp] by using 
 * Arrays.asList(device.toArray(&nbsp)).
 * 
 * @param list - list of objects to search through
 * @param key - the class field containing the value
 * @param value - the value to search for
 * @return index of the list object with an exact match (-1 if not found)
 */
public static <T> int indexedExactSearch(List<Object> list, String key, String value) {
    int low = 0;
    int high = list.size()-1;
    int index = low;
    String val = "";

    while (index <= high) {
        try {
            //Field[] c = list.get(index).getClass().getDeclaredFields();
            val = cast(list.get(index).getClass().getDeclaredField(key).get(list.get(index)) , "NONE");
        } catch (SecurityException e) {
            e.printStackTrace();
        } catch (NoSuchFieldException e) {
            e.printStackTrace();
        } catch (IllegalArgumentException e) {
            e.printStackTrace();
        } catch (IllegalAccessException e) {
            e.printStackTrace();
        }

        if (val.equalsIgnoreCase(value))
            return index; // key found

        index = index + 1;
    }

    return -(low + 1);  // key not found return -1
}

ここですべてのプリミティブのために作成することができるキャストメソッドはstringとintのためのものです。

        /**
 *  Base String cast, return the value or default
 * @param object - generic Object
 * @param defaultValue - default value to give if Object is null
 * @return - returns type String
 */
public static String cast(Object object, String defaultValue) {
    return (object!=null) ? object.toString() : defaultValue;
}


    /**
 *  Base integer cast, return the value or default
 * @param object - generic Object
 * @param defaultValue - default value to give if Object is null
 * @return - returns type integer
 */
public static int cast(Object object, int defaultValue) { 
    return castImpl(object, defaultValue).intValue();
}

    /**
 *  Base cast, return either the value or the default
 * @param object - generic Object
 * @param defaultValue - default value to give if Object is null
 * @return - returns type Object
 */
public static Object castImpl(Object object, Object defaultValue) {
    return object!=null ? object : defaultValue;
}
0
JPM

私は何かを必要としていたので、それはローカライゼーションでも動作します。私はこれら二つの方法を思いつきました:

    private int getArrayPositionForValue(final int arrayResId, final String value) {
        final Resources english = Utils.getLocalizedResources(this, new Locale("en"));
        final List<String> arrayValues = Arrays.asList(english.getStringArray(arrayResId));

        for (int position = 0; position < arrayValues.size(); position++) {
            if (arrayValues.get(position).equalsIgnoreCase(value)) {
                return position;
            }
        }
        Log.w(TAG, "getArrayPosition() --> return 0 (fallback); No index found for value = " + value);
        return 0;
    }

お分かりのように、私は大文字と小文字の区別の複雑さについて、私が比較しているvalueとの間でもつまずきました。これがない場合は、上記の方法を次のように単純化することができます。

return arrayValues.indexOf(value);

静的ヘルパーメソッド

public static Resources getLocalizedResources(Context context, Locale desiredLocale) {
        Configuration conf = context.getResources().getConfiguration();
        conf = new Configuration(conf);
        conf.setLocale(desiredLocale);
        Context localizedContext = context.createConfigurationContext(conf);
        return localizedContext.getResources();
    }
0
AZOM

非常に単純なgetSelectedItem();を使うだけです

例:

ArrayAdapter<CharSequence> type=ArrayAdapter.createFromResource(this,R.array.admin_typee,Android.R.layout.simple_spinner_dropdown_item);
        type.setDropDownViewResource(Android.R.layout.simple_spinner_dropdown_item);
        mainType.setAdapter(type);

String group=mainType.getSelectedItem().toString();

上記のメソッドは文字列値を返します

上記のR.array.admin_typeは値の文字列リソースファイルです。

値>>文字列で.xmlファイルを作成するだけです。

0
pc expert

アプリケーションに最後に選択されたスピナー値を記憶させるには、以下のコードを使用します。

  1. 以下のコードはスピナーの値を読み取り、それに応じてスピナーの位置を設定します。

    public class MainActivity extends Activity {
    @Override
    protected void onCreate(Bundle savedInstanceState) {
    
    super.onCreate(savedInstanceState);
    setContentView(R.layout.activity_main);
    
    int spinnerPosition;
    
    Spinner spinner1 = (Spinner) findViewById(R.id.spinner1);
    ArrayAdapter<CharSequence> adapter1 = ArrayAdapter.createFromResource(
            this, R.array.ccy_array,
            Android.R.layout.simple_spinner_dropdown_item);
    adapter1.setDropDownViewResource(Android.R.layout.simple_list_item_activated_1);
    // Apply the adapter to the spinner
    spinner1.setAdapter(adapter1);
    // changes to remember last spinner position
    spinnerPosition = 0;
    String strpos1 = prfs.getString("SPINNER1_VALUE", "");
    if (strpos1 != null || !strpos1.equals(null) || !strpos1.equals("")) {
        strpos1 = prfs.getString("SPINNER1_VALUE", "");
        spinnerPosition = adapter1.getPosition(strpos1);
        spinner1.setSelection(spinnerPosition);
        spinnerPosition = 0;
    }
    
  2. そして、最新のスピナー値が存在することがわかっている場所、または必要に応じて他の場所にコードを置きます。このコードは基本的にSharedPreferencesにスピナー値を書き込みます。

        Spinner spinner1 = (Spinner) findViewById(R.id.spinner1);
        String spinlong1 = spinner1.getSelectedItem().toString();
        SharedPreferences prfs = getSharedPreferences("WHATEVER",
                Context.MODE_PRIVATE);
        SharedPreferences.Editor editor = prfs.edit();
        editor.putString("SPINNER1_VALUE", spinlong1);
        editor.commit();
    
0
user3339073