一个文档中不能有多个具有相同id
值的元素;您当前的标记id="language"
在三个不同的元素上使用。您至少需要更改其中两个。
我想你在问如何:
span
在两个s中显示当前选择的选项的文本和值,和
如果用户更改选择,如何更新您显示的内容。
如果您只想要选定的值,则可以使用元素的value
属性。select
但是对于文本和值,您都需要selectedIndex
属性和options
集合:
function showTextAndValue(select, textSpan, valueSpan) {
const option = select.options[select.selectedIndex];
if (option) {
textSpan.textContent = option.text;
valueSpan.textContent = option.value;
} else {
// No option is selected
textSpan.textContent = "";
valueSpan.textContent = "";
}
}
在那个例子中,我让它接受select
and span
s 作为函数的参数。
您将在页面加载时调用该函数,然后在select
'input
事件触发时再次调用。
这是一个例子:
const select = document.getElementById("language-select");
const textSpan = document.getElementById("text-span");
const valueSpan = document.getElementById("value-span");
function showTextAndValue(select, textSpan, valueSpan) {
const option = select.options[select.selectedIndex];
if (option) {
textSpan.textContent = option.text;
valueSpan.textContent = option.value;
} else {
// No option is selected
textSpan.textContent = "";
valueSpan.textContent = "";
}
}
// Show on page load
showTextAndValue(select, textSpan, valueSpan);
// Hook the `input` event
select.addEventListener("input", () => {
// Update the contents of the elements
showTextAndValue(select, textSpan, valueSpan);
});
<label for="language">Choose a language:</label>
<select name="language" id="language-select" value="val1">
<option value="val1">English</option>
<option value="val2">German</option>
</select>
<p>You selected: <span id="text-span"></span></p> <!-- shall display either "English" or "German" -->
<p>You selected the following option: <span id="value-span"></span></p> <!-- shall display either "val1" or "val2" -->
<script src="./script.js"></script>
(请注意,我更改了所有三个id
s。)