web-dev-qa-db-ja.com

複数選択ボックスのすべての選択値を取得する方法は?

multiple属性を持つ<select>要素があります。 JavaScriptを使用してこの要素の選択値を取得するにはどうすればよいですか?

私がしようとしているものは次のとおりです。

function loopSelected() { 
    var txtSelectedValuesObj = document.getElementById('txtSelectedValues');
    var selectedArray = new Array();
    var selObj = document.getElementById('slct'); 
    var i;
    var count = 0;
    for (i=0; i<selObj.options.length; i++) { 
        if (selObj.options[i].selected) {
            selectedArray[count] = selObj.options[i].value;
            count++; 
        } 
    } 
    txtSelectedValuesObj.value = selectedArray;
}
65
Tijo K Varghese

JQueryなし:

// Return an array of the selected opion values
// select is an HTML select element
function getSelectValues(select) {
  var result = [];
  var options = select && select.options;
  var opt;

  for (var i=0, iLen=options.length; i<iLen; i++) {
    opt = options[i];

    if (opt.selected) {
      result.Push(opt.value || opt.text);
    }
  }
  return result;
}

簡単な例:

<select multiple>
  <option>opt 1 text
  <option value="opt 2 value">opt 2 text
</select>
<button onclick="
  var el = document.getElementsByTagName('select')[0];
  alert(getSelectValues(el));
">Show selected values</button>
91
RobG

チェックアウト:

HTML:

<a id="aSelect" href="#">Select</a>
<br />
<asp:ListBox ID="lstSelect" runat="server"  SelectionMode="Multiple" Width="100px">
    <asp:ListItem Text="Raj" Value="1"></asp:ListItem>
    <asp:ListItem Text="Karan" Value="2"></asp:ListItem>
    <asp:ListItem Text="Riya" Value="3"></asp:ListItem>
    <asp:ListItem Text="Aman" Value="4"></asp:ListItem>
    <asp:ListItem Text="Tom" Value="5"></asp:ListItem>
</asp:ListBox>

JQUERY:

$("#aSelect").click(function(){
    var selectedValues = [];    
    $("#lstSelect :selected").each(function(){
        selectedValues.Push($(this).val()); 
    });
    alert(selectedValues);
    return false;
});

デモを見るにはここをクリック

28
Sukhjeevan

ES6

[...select.options].filter(option => option.selected).map(option => option.value)

ここで、select<select>要素への参照です。

分解するには:

  • [...select.options]は、Array.prototypeメソッドを使用できるように、配列のようなオプションのリストを取得し、構造を分解します(編集:Array.from()の使用も検討してください)
  • filter(...)は、選択されたオプションのみにオプションを減らします
  • map(...)は、未加工の<option>要素をそれぞれの値に変換します
25
Rick Viscomi

すでに提案したものとほぼ同じですが、少し異なります。 Vanilla JS のjQueryとほぼ同じコード:

selected = Array.prototype.filter.apply(
  select.options, [
    function(o) {
      return o.selected;
    }
  ]
);

それは 高速のようです IE、FF、Safariのループより。 ChromeとOperaの方が遅いことがおもしろいと思います。

別のアプローチはセレクターを使用することです:

selected = Array.prototype.map.apply(
    select.querySelectorAll('option[selected="selected"]'),
    [function (o) { return o.value; }]
);
10
uKolka

multiSelectがMultiple-Select-Elementであると仮定し、そのselectedOptionsプロパティを使用します。

//show all selected options in the console:

for ( var i = 0; i < multiSelect.selectedOptions.length; i++) {
  console.log( multiSelect.selectedOptions[i].value);
}
8
KAFFEECKO

ES6の実装は次のとおりです。

value = Array(...el.options).reduce((acc, option) => {
  if (option.selected === true) {
    acc.Push(option.value);
  }
  return acc;
}, []);
3
To_wave

RobGのアプローチ のよりコンパクトな実装には、[].reduceを使用できます。

var getSelectedValues =  function(selectElement) {
  return [].reduce.call(selectElement.options, function(result, option) {
    if (option.selected) result.Push(option.value);
    return result;
  }, []);
};
2
rouan

Rick Viscomi の答えに基づいて、HTML Select Elementの selectedOptions プロパティを使用してみてください:

let txtSelectedValuesObj = document.getElementById('txtSelectedValues');
[...txtSelectedValuesObj.selectedOptions].map(option => option.value);

詳細に、

  • selectedOptionsは、選択されたアイテムのリストを返します。
  • 具体的には、読み取り専用の HTMLCollection を含む HTMLOptionElements を返します。
  • ...スプレッド構文 です。 HTMLCollectionの要素を展開します。
  • [...]はこれらの要素から可変Arrayオブジェクトを作成し、HTMLOptionElementsの配列を提供します。
  • map()は、配列の各HTMLObjectElement(ここではoptionと呼ばれます)を valueoption.value)に置き換えます。

高密度ですが、動作しているようです。

気をつけて、selectedOptionsサポートされていません IEで!

2

このスクリプトを試すことができます

     <!DOCTYPE html>
    <html>
    <script>
    function getMultipleSelectedValue()
    {
      var x=document.getElementById("alpha");
      for (var i = 0; i < x.options.length; i++) {
         if(x.options[i].selected ==true){
              alert(x.options[i].value);
          }
      }
    }
    </script>
    </head>
    <body>
    <select multiple="multiple" id="alpha">
      <option value="a">A</option>
      <option value="b">B</option>
      <option value="c">C</option>
      <option value="d">D</option>
    </select>
    <input type="button" value="Submit" onclick="getMultipleSelectedValue()"/>
    </body>
    </html>
2
Pankaj Chauhan

これをチェックして:

HTML:

<select id="test" multiple>
<option value="red" selected>Red</option>
<option value="rock" selected>Rock</option>
<option value="Sun">Sun</option>
</select>

Javascript 1行コード

Array.from(document.getElementById("test").options).filter(option => option.selected).map(option => option.value);
2
Krish K

前の回答と同じですが、underscore.jsを使用します。

function getSelectValues(select) {
    return _.map(_.filter(select.options, function(opt) { 
        return opt.selected; }), function(opt) { 
            return opt.value || opt.text; });
}
1
F. P. Freely

テンプレートヘルパーは次のようになります。

 'submit #update': function(event) {
    event.preventDefault();
    var obj_opts = event.target.tags.selectedOptions; //returns HTMLCollection
    var array_opts = Object.values(obj_opts);  //convert to array
    var stray = array_opts.map((o)=> o.text ); //to filter your bits: text, value or selected
    //do stuff
}
1
Steve Taylor

はい.

const arr = Array.from(el.features.selectedOptions) //get array from selectedOptions property
const list = [] 
arr.forEach(item => list.Push(item.value)) //Push each item to empty array
console.log(list)
0

選択したjqueryプラグインを使用できます。

<head>
 <link rel="stylesheet" href="//cdnjs.cloudflare.com/ajax/libs/chosen/1.4.2/chosen.min.css"
 <script src="//code.jquery.com/jquery-1.11.3.min.js"></script>
 <script src="//cdnjs.cloudflare.com/ajax/libs/chosen/1.4.2/chosen.jquery.min.js"></script>
 <script>
        jQuery(document).ready(function(){
            jQuery(".chosen").data("placeholder","Select Frameworks...").chosen();
        });
 </script>
</head>

 <body> 
   <label for="Test" class="col-md-3 control label">Test</label>
      <select class="chosen" style="width:350px" multiple="true">
            <option>Choose...</option>
            <option>Java</option>                           
            <option>C++</option>
            <option>Python</option>
     </select>
 </body>
0
rashedcs

Riot jsコード

this.GetOpt=()=>{

let opt=this.refs.ni;

this.logger.debug("Options length "+opt.options.length);

for(let i=0;i<=opt.options.length;i++)
{
  if(opt.options[i].selected==true)
    this.logger.debug(opt.options[i].value);
}
};

//**ni** is a name of HTML select option element as follows
//**HTML code**
<select multiple ref="ni">
  <option value="">---Select---</option>
  <option value="Option1 ">Gaming</option>
  <option value="Option2">Photoshoot</option>
</select>
0
Nilesh Pawar