ofh*_*use 3 javascript dom-events reactjs react-dom
我的目标是创建一个表单,当您按回车键时,它会将您切换到下一个输入元素,并在您进行最后一个输入时提交表单。
这是为移动设备构建的,因为在浏览器中没有使用“下一步”按钮而不是“转到键盘”按钮的选项(有关此问题的更多信息,请参阅此答案)。
我也写了一些代码,但这里的重点是我无法在正确的位置捕获事件,因此表单在返回后立即提交或当我阻止事件时,焦点在我点击后发生变化返回2次。
请参阅此处的示例:https : //codepen.io/ofhouse/pen/Rgwzxy(我也粘贴了下面的代码)
class TextInput extends React.Component {
constructor(props) {
super(props);
this._onKeyPress = this._onKeyPress.bind(this);
}
componentDidMount() {
if (this.props.focus) {
this.textInput.focus();
}
}
componentDidUpdate(nextProps) {
if (nextProps.focus) {
this.textInput.focus();
}
}
_onKeyPress(e) {
if (e.key === 'Enter') {
this.props.onSubmit(e);
}
}
render() {
return (
<div>
<input
type="text"
onKeyPress={this._onKeyPress}
ref={input => {
this.textInput = input;
}}
/>
</div>
);
}
}
class Application extends React.Component {
constructor(props) {
super(props);
this.state = {
currentElement: 0,
};
}
_submitForm(e) {
// If I remove this preventDefault it works, but also the form is submitted --> SiteReload
e.preventDefault();
}
_changeFocus(nextElement) {
return e => {
this.setState({
currentElement: nextElement,
});
};
}
render() {
const { currentElement } = this.state;
return (
<form>
<h1>React input focus</h1>
<TextInput focus={currentElement === 0} onSubmit={this._changeFocus(1)} />
<TextInput focus={currentElement === 1} onSubmit={this._changeFocus(0)} />
<div>
<button type="submit" onClick={this._submitForm}>Submit</button>
</div>
</form>
);
}
}
ReactDOM.render(<Application />, document.getElementById('app'));
Run Code Online (Sandbox Code Playgroud)
我认为你没有使用最好的方法,让我解释一下。输入的聚焦是通过focus原生 DOM 元素的方法完成的。要根据哪个输入具有当前焦点来了解要关注哪个输入是必须在这些输入的容器中实现的逻辑,Application在您的情况下是组件。
我对您的代码进行了一些重大更改,现在可以正常工作了:CodePen
让我解释一下:
首先,我们阻止了keyPressed按下键时输入事件的提交'Enter',以防止表单submit
_onKeyPress(e) {
if (e.key === 'Enter') {
this.props.onSubmit(e);
e.preventDefault();
}
}
Run Code Online (Sandbox Code Playgroud)
我们不需要或者componenDidMount也不componentDidUpdate在TextInput我们需要的是一个focus方法:
focus() {
this.textInput.focus();
}
Run Code Online (Sandbox Code Playgroud)
大多数更改是在Application组件中进行的。首先,我们不需要状态,我们真正需要的是将输入放在一个数组中,以便我们可以调用focus它们。
constructor(props) {
super(props);
this.inputs = [];
}
Run Code Online (Sandbox Code Playgroud)
要改变焦点,我们只需要输入的索引来调用组件的focus方法TextInput:
_changeFocus(index) {
return e => {
this.inputs[index].focus();
};
}
Run Code Online (Sandbox Code Playgroud)
然后我们需要一种将输入添加到 中的方法this.inputs,该ref属性将是理想的,我已经创建了该方法_addInput作为帮助:
_addInput(index) {
return input => {
this.inputs[index] = input;
};
}
Run Code Online (Sandbox Code Playgroud)
最后,在渲染TextInputs 时,您需要将它们传递_addInput给ref和_changeFocusto onSubmit,以及它们各自的索引:
<TextInput ref={this._addInput(0)} onSubmit={this._changeFocus(1)} />
<TextInput ref={this._addInput(1)} onSubmit={this._changeFocus(0)} />
Run Code Online (Sandbox Code Playgroud)
在第二个中,TextInput我将焦点更改为第一个,但也许提交表单会更有用。
| 归档时间: |
|
| 查看次数: |
8942 次 |
| 最近记录: |