使用 React 模拟将值粘贴到字段中(2/redux-form)

Simulate pasting a value into a field using React (2/ redux-form)

寻找一些关于我可以做些什么来实现这一目标的提示。基本上,我有一个带有按钮的输入,用于快速输入。单击按钮时,需要模拟将值粘贴到用户光标所在的文本字段中。此外,如果有突出显示的内容,应将其替换为输入的文本。

我现在正在使用 redux-form 的更改操作来更新值,这适用于添加到最后 - 但没有提供我正在寻找的效果。

您在此处尝试实现的目标与浏览器的默认行为方式背道而驰。单击按钮将导致输入失去其焦点状态以及光标位置。当然,您可以通过重载组件状态来解决这个问题,但是随着您添加更多的输入和逻辑,它可能变得难以管理。

为了争论,我在这里发布了一个可能的解决方案,除非有充分的理由,否则我不会将其投入生产。

您需要将输入值存储在状态中,这就是 所做的,我在示例中使用的是普通组件状态。每当您的焦点从输入移动到按钮(模糊事件)时,您将获得输入 selectionStartselectionEnd 并进行状态更新,用您的自定义值替换原始输入值中它们之间的内容。

就像我说的,将多个输入添加到混音中会使事情复杂化,因为您需要将每个输入引用绑定到一个状态键。

class MyForm extends React.Component {
  constructor() {
    super();
    
    this.state = {
      inputValue: ''
    }
  }
  
  render() {
    return <form>
      <input 
        value={this.state.inputValue}
        ref={e => this.input = e} 
        onBlur={this.onBlurInput}
        onChange={this.onInputChange}
      />
      <br />
      <button 
        ref={e => this.button = e} 
        type="button" 
        onClick={this.onAppend}
      >
        Append to cursor
      </button>
    </form>;
  }
  
  onBlurInput = (e) => {
    // `e.target` is the input being blurred here
    const stringToInsert = 'Hello World';
    const {inputValue} = this.state;
    const {selectionStart, selectionEnd} = e.target;
    
    // We've clicked the button and the input has become blurred
    if (e.relatedTarget === this.button) {
      const newInputValue = inputValue.substring(0, selectionStart) + 
                            stringToInsert + 
                            inputValue.substring(selectionEnd);
      
      this.setState({
        inputValue: newInputValue
      })
    }
  }
  
  onAppend = (e) => {
    // Re-focus the input
    this.input.focus();
  }
  
  onInputChange = (e) => {
    this.setState({
      inputValue: e.target.value
    });
  }
}

ReactDOM.render(<MyForm />, document.getElementById('root'));
<link href="https://cdnjs.cloudflare.com/ajax/libs/normalize/3.0.2/normalize.min.css" rel="stylesheet" type="text/css" />
<script src="https://cdnjs.cloudflare.com/ajax/libs/react/15.1.0/react.min.js"></script>
<script src="https://cdnjs.cloudflare.com/ajax/libs/react/15.1.0/react-dom.min.js"></script>

<div id="root"></div>