加载时焦点输入框

IT技术 javascript html dom xhtml
2021-03-01 20:42:09

如何在页面加载时将光标集中在特定的输入框上?

是否可以保留初始文本值并将光标置于输入末尾?

<input type="text"  size="25" id="myinputbox" class="input-text" name="input2" value = "initial text" />
6个回答

你的问题有两个部分。

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>
建议的第一个代码块实际上也将光标放在现有值的末尾,效果很好。我很感激你的帮助。
2021-04-28 20:42:09

提醒一下 - 您现在可以在支持 HTML5 的浏览器中使用 HTML5 执行此操作,而无需使用 JavaScript:

<input type="text" autofocus>

您可能希望从这个开始,然后使用 JavaScript 构建它,以便为旧浏览器提供后备。

我不认为@Codex73 试图完成 HTML5 中的 placeholder 属性所做的事情。听起来他希望光标自动定位在当前输入中的任何值的末尾。
2021-04-23 20:42:09
请注意,截至 1/2019,iOS 上的 Safari 不支持此功能:caniuse.com/#feat=autofocus
2021-04-23 20:42:09
很高兴知道,这是否已经将光标移动到输入字段中的最后一个位置?
2021-05-10 20:42:09
你是对的,这不是一个完整的解决方案。但这确实解决了一些问题(加载自动对焦和占位符文本)。
2021-05-11 20:42:09
$(document).ready(function() {
    $('#id').focus();
});
这需要jQuery。
2021-04-24 20:42:09
是的,您需要包含 jQuery 库 :)
2021-05-08 20:42:09
经典的stackoverflow :)
2021-05-08 20:42:09
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();
}