在光标不跳到文本末尾的情况下将输入更改为大写

Change input to uppercase without the cursor jumping to the end of the text

我正在使用以下代码将我的输入值更改为大写:

<script>
function uppercase(z){
    v = z.value.toUpperCase();
    z.value = v;
}
</script>

<input type="text" id="example" onkeyup="uppercase(this)">

问题是当我在文本中间键入内容时,光标跳到它的末尾。在 Google 上搜索 我尝试遵循代码,但它根本不起作用:

function uppercase(z){
    document.getElementById(z).addEventListener('input', function (e) {
      var target = e.target, position = target.selectionStart; // Capture initial position
      target.value = target.value.replace(/\s/g, ''); // This triggers the cursor to move.

      v = z.value.toUpperCase();
      z.value = v;

      target.selectionEnd = position; // Set the cursor back to the initial position.
    });
}

第一个代码运行良好,但我仍然不知道如何防止光标跳转。

您只需添加一些 CSS 样式即可实现此目的:

#example {
    text-transform: uppercase;
}

这将使输入字段中的所有字母显示为大写,但值仍然相同。如果您需要将值设为大写,请在需要时将其转换为大写(例如,在提交之前)

我一直在数小时后寻找同一问题的解决方案。

添加 CSS 对我有用,除了有特定要求我们的后端 api 只接受大写字符串。

此外:

#example {
    text-transform: uppercase;
}

我还添加了监听 onBlurkeydown.enter 的回调,并在这些事件被触发时将输入值转换为大写。


P.S.:
没有示例代码,因为我只是与那些有同样头痛并且不想破解 HTMLInputElement.setSelectionRange.

的人分享我的想法

您还可以在 keyup 上设置光标位置(或者您正在使用的任何内容,只要您获得对输入元素的引用即可)

function withSelectionRange() {
  const elem = document.getElementById('working');
  // get start position and end position, in case of an selection these values
  // will be different
  const startPos = elem.selectionStart;
  const endPos = elem.selectionEnd;
  elem.value = elem.value.toUpperCase();
  elem.setSelectionRange(startPos, endPos);
}

function withoutSelectionRange() {
  const elem = document.getElementById('notWorking');
  elem.value = elem.value.toUpperCase();
}
<div style="display: flex; flex-direction: column">
  <label for='working'>Uppercase text with selection range</label>
  <input id='working' type='text' onkeyup="withSelectionRange()"></input>

  <label for='notWorking'>Uppercase text input without selection range</label>
  <input id='notWorking' type='text' onkeyup="withoutSelectionRange()"></input>
</div>

Link to codepen