我需要在选择选项时为其添加输入。每当用户选择“其他”时,用户就可以输入数据。
HTML:
<select>
<option>Choose Your Name</option>
<option>Frank</option>
<option>George</option>
<option>Other</option>
</select>
<!-- when other is selected add input
<label>Enter your Name
<input></input>
</label> -->
我的jsfiddle:http://jsfiddle.net/rynslmns/CxhGG/1/
答案 0 :(得分:4)
您可以使用jquery .change()
来绑定元素的更改事件。
试试这个:
<强> HTML 强>
<select>
<option>Choose Your Name</option>
<option>Frank</option>
<option>George</option>
<option>Other</option>
</select>
<label style="display:none;">Enter your Name
<input></input>
</label>
<强> Jquery的强>
$('select').change(function(){
if($('select option:selected').text() == "Other"){
$('label').show();
}
else{
$('label').hide();
}
});
<强>更新强>
您还可以动态添加输入框 -
<强> HTML 强>
<select>
<option>Choose Your Name</option>
<option>Frank</option>
<option>George</option>
<option>Other</option>
</select>
<强> Jquery的强>
$('select').change(function(){
if($('select option:selected').text() == "Other"){
$('html select').after("<label>Enter your Name<input></input></label>");
}
else{
$('label').remove();
}
});
答案 1 :(得分:2)
HTML:
<select id="choose">
<option>Choose Your Name</option>
<option>Frank</option>
<option>George</option>
<option value="other">Other</option>
</select>
<label id="otherName">Enter your Name
<input type="text" name="othername" />
</label>
jQuery的:
$(document).ready(function() {
$("#choose").on("change", function() {
if ($(this).val() === "other") {
$("#otherName").show();
}
else {
$("#otherName").hide();
}
});
});
请注意“其他”选项上的value="other"
属性。这就是脚本如何确定是否选择了“其他”选项。
希望这有帮助!
答案 2 :(得分:2)
这是一个纯粹的javascript版本,不需要jQuery:
<script>
// Put this script in header or above select element
function check(elem) {
// use one of possible conditions
// if (elem.value == 'Other')
if (elem.selectedIndex == 3) {
document.getElementById("other-div").style.display = 'block';
} else {
document.getElementById("other-div").style.display = 'none';
}
}
</script>
<select id="mySelect" onChange="check(this);">
<option>Choose Your Name</option>
<option>Frank</option>
<option>George</option>
<option>Other</option>
</select>
<div id="other-div" style="display:none;">
<label>Enter your Name
<input id="other-input"></input>
</label>
</div>
如前所述,添加onChange事件,将其链接到函数并处理应显示的内容等。