我想在下拉框中添加所选项目并将其放在文本框中。 我现在可以选择一个项目&把它放在文本框中:
Html代码:
<select name="ncontacts" id = "contacts" multiple="yes" onclick="ChooseContact(this)"> </select>
JS代码:
function ChooseContact(data)
{
document.getElementById ("friendName").value = data.value;
}
但是当我选择2个项目时,只有第一个项目写在文本框中。 那么,你知道如何修复它,让它们都出现在文本框中吗?
答案 0 :(得分:3)
另一种可能的解决方案是:
function ChooseContact(list) {
var selected = [];
Array.prototype.forEach.call(list.options, function(option) {
if( option.selected ) {
selected.push(option.value);
}
});
document.getElementById('friends').value = selected.join(', ');
}
编辑:记录 -
执行时Array.prototype
比[]
略快。但他们做同样的事情:)性能损失不是那么多(我在我的代码中使用[]
。但我也可以向你展示稍微快一点的冗长方式。)
答案 1 :(得分:2)
一种可能的(基本)解决方案是这样的:
function ChooseContacts(selectElem) {
var txtBox = document.getElementById ("friendName");
txtBox.value = '';
for (var i=0; i<selectElem.options.length; i++) {
if (selectElem.options[i].selected) {
txtBox.value += selectElem.options[i].value;
}
}
}
答案 2 :(得分:2)
function chooseContact(fromElem, appendToElem, separator){
separator = separator|| " ";
var result = [];
[].forEach.call(fromElem.options, functon(option){
if(option.checked){
result.push(option.value);
}
});
appendToElem.value = result.join(separator);
}