スピナーの選択したアイテムを位置ではなく値で設定するにはどうすればよいですか?


297

データベースに保存されているスピナーの値を事前選択する必要がある更新ビューがあります。

こういうことを考えていたのですAdapterが、indexOf方法がないので行き詰まっています。

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

回答:


646

あなたのSpinner名前がでmSpinner、その選択肢の1つとして「何らかの値」が含まれているとします。

Spinnerで「何らかの値」の位置を見つけて比較するには、次を使用します。

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);
}

5
カスタムアダプターを使用する場合は、getPosition()のコードを記述(オーバーライド)する必要があります
Soham

3
文字列ではなくオブジェクト内の要素をチェックしていて、toString()だけを使用することができない場合、スピナーの値がtoString()の出力と異なる場合はどうでしょうか。
Ajibola 2013年

1
私はこれが非常に古いことを知っていますが、これによりgetPosition(T)への未チェックの呼び出しがスローされます
Brad Bass

同様のエラーがスローされますが、この古い学校の方法を使用して助けた:stackoverflow.com/questions/25632549/...
Manny265

うーん...次に、たとえばParse.comから値を取得していて、ユーザーにクエリを実行して、デフォルトのスピナー選択がユーザーのデータベース値にデフォルト設定されるようにするにはどうすればよいでしょうか。
drearypanoramic

141

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

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;
 } 

複雑なコードへの道はすでにそこにあります、これは非常に単純です。


7
break;プロセスを高速化するためにインデックスが見つかったときに追加するのを忘れました。
spacebiker 2013年

ブレークの使用を避けるために、なぜdo {} while()を使用しないのですか?
Catluc

@Catlucソリューションに到達する方法はn通りあります。選択する...最適な方法は何ですか
Akhil Jain

4
ではなく、値が見つからない場合に0返すべきです-1-私の回答に示されているように:stackoverflow.com/a/32377917/1617737 :-)
ban-geoengineering

2
@ ban-geoengineering 0バックアップシナリオとして書きました。を設定した場合-1、スピナーで表示される項目は何でしょうか。スピナーアダプターの0番目の要素であると仮定します。-1を追加すると、値が-1かどうかをチェックするオーバーウェイトも追加されます。-1を設定すると、例外が発生します。
Akhil Jain 2016

34

私はすべてのアイテムの個別のArrayListを私のSpinnersに保持しています。これにより、ArrayListでindexOfを実行し、その値を使用してSpinnerで選択を設定できます。


他に方法はありません、ご存知ですか?
Pentium10

1
選択をなしに設定するにはどうすればよいですか?(アイテムがリストにない場合)
Pentium10

5
HashMap.getは、ArrayList.indexOfよりも優れた検索速度を提供します
Dandre Allison 2012

29

メリルの答えに基づいて、私はこの単一行のソリューションを思いつきました...それはあまりきれいではありませんが、これを行うSpinner関数を含めることを怠ったためにコードを維持している人を責めることができます。

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

aへのキャストがどのようにArrayAdapter<String>チェックされていないかに関する警告が表示されます...実際にArrayAdapterは、メリルと同じようにを使用できますが、これは1つの警告を別の警告に交換するだけです。


チェックされていない警告を取り除くには、<?> <String>の代わりにキャストで。実際、型を使って何かをキャストするときはいつでも、<?>。
xbakesx 2012

いいえ、<にキャストした場合 >警告ではなくエラーが発生します。「タイプArrayAdapter <?>のメソッドgetPosition(?)は引数(String)には適用できません。」
ArtOfWarfare 2012

正解です。タイプのないArrayAdapterであると見なされるため、ArrayAdapter <String>であるとは想定されません。警告を回避するには、それをArrayAdapter <?にキャストする必要があります。>次に、adapter.get()の結果をStringにキャストします。
xbakesx 2012

@Dadani-私はあなたが以前にPythonを使ったことがないと思います。
ArtOfWarfare 2015

同意しましたが、Pythonの@ArtOfWarfareをいじりませんでしたが、これは特定のタスクの簡単な方法です。
Daniel Dut

13

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

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

10

これも使えます

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

素晴らしい仕事!
サドマンハサン

8

古いアダプタで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;
}

7

ここでメリルの答えに基づいて、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;
        }
    }


3

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

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

したがって、コードスニペットは次のようになります。

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

3

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

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

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

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

それが役に立てば幸い。


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;
}

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


2

を使用している場合の方法は次のとおりですSimpleCursorAdaptercolumnNameは、の入力に使用したdb列の名前ですspinner)。

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);

        int initialCursorPos = cursor.getPosition(); //  Remember for later

        int index = -1; // Not found
        for (int i = 0; i < spinner.getCount(); i++) {

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

            if (itemText.equals(searchString)) {
                index = i; // Found!
                break;
            }
        }

        cursor.moveToPosition(initialCursorPos); // Leave cursor as we found it.

        return index;
    }
}

また、(Akhilの回答の改良)これは、スピナーを配列から入力する場合に対応する方法です。

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
    }
};

1

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);
      }
   }
}

0

実際に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

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

  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

cursorLoaderを使用して入力されたスピナーで正しいアイテムを選択しようとすると、同じ問題が発生しました。最初に表1から選択するアイテムのIDを取得し、次に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

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

値をArrayListusingに設定する場合はString.format、同じ文字列構造を使用して値の位置を取得する必要があります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

ここに私のうまくいけば完全なソリューションがあります。私は次の列挙を持っています:

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アンドロイド・スタジオで配信されます。


0
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);
        }
    }

StackOverflowへようこそ。コードのみを含む回答は「低品質」であるため、削除のフラグが付けられる傾向があります。質問への回答に関するヘルプセクションを読み、回答にコメントを追加することを検討してください。
グラハム

@ user2063903、回答に説明を追加してください。
LuFFy 2018

0

非常に単純な使用 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値の文字列リソースファイル

values >> stringsに.xmlファイルを作成するだけです


0

リソースのstring-arrayからスピナーを埋める必要があり、サーバーから値を選択したままにしたいとします。したがって、これはスピナーでサーバーから選択した値を設定する1つの方法です。

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

それが役に立てば幸い!PSコードはコトリンにあります!


0

Localizationでも機能するものが必要だったので、次の2つの方法を考え出しました。

    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;
    }

ご覧のとおり、array.xmlと比較対象の大文字と小文字の区別の複雑さがさらに出てきました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();
    }

-3

REPEAT [position]のような位置でカスタムアダプターを渡す必要があります。そしてそれは適切に動作します。

弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.