如何在页面加载时将光标集中在特定的输入框上?
是否可以保留初始文本值并将光标置于输入末尾?
<input type="text" size="25" id="myinputbox" class="input-text" name="input2" value = "initial text" />
如何在页面加载时将光标集中在特定的输入框上?
是否可以保留初始文本值并将光标置于输入末尾?
<input type="text" size="25" id="myinputbox" class="input-text" name="input2" value = "initial text" />
你的问题有两个部分。
1)如何将输入集中在页面加载上?
您可以将autofocus
属性添加到输入中。
<input id="myinputbox" type="text" autofocus>
但是,这可能并非所有浏览器都支持,因此我们可以使用 javascript。
window.onload = function() {
var input = document.getElementById("myinputbox").focus();
}
2) 如何将光标置于输入文本的末尾?
这是一个非 jQuery 解决方案,其中有一些从另一个 SO answer借来的代码。
function placeCursorAtEnd() {
if (this.setSelectionRange) {
// Double the length because Opera is inconsistent about
// whether a carriage return is one character or two.
var len = this.value.length * 2;
this.setSelectionRange(len, len);
} else {
// This might work for browsers without setSelectionRange support.
this.value = this.value;
}
if (this.nodeName === "TEXTAREA") {
// This will scroll a textarea to the bottom if needed
this.scrollTop = 999999;
}
};
window.onload = function() {
var input = document.getElementById("myinputbox");
if (obj.addEventListener) {
obj.addEventListener("focus", placeCursorAtEnd, false);
} else if (obj.attachEvent) {
obj.attachEvent('onfocus', placeCursorAtEnd);
}
input.focus();
}
这是我如何使用 jQuery 完成此操作的示例。
<input type="text" autofocus>
<script>
$(function() {
$("[autofocus]").on("focus", function() {
if (this.setSelectionRange) {
var len = this.value.length * 2;
this.setSelectionRange(len, len);
} else {
this.value = this.value;
}
this.scrollTop = 999999;
}).focus();
});
</script>
提醒一下 - 您现在可以在支持 HTML5 的浏览器中使用 HTML5 执行此操作,而无需使用 JavaScript:
<input type="text" autofocus>
您可能希望从这个开始,然后使用 JavaScript 构建它,以便为旧浏览器提供后备。
$(document).ready(function() {
$('#id').focus();
});
function focusOnMyInputBox(){
document.getElementById("myinputbox").focus();
}
<body onLoad="focusOnMyInputBox();">
<input type="text" size="25" id="myinputbox" class="input-text" name="input2" onfocus="this.value = this.value;" value = "initial text">
一种可移植的方法是使用像这样的自定义函数(处理浏览器差异)。
然后为标签onload
末尾的设置一个处理程序<body>
,正如 jessegavin 所写:
window.onload = function() {
document.getElementById("myinputbox").focus();
}