禁用无状态组件中的按钮 - 反应
Disabling a button within a stateless component - react
我想弄清楚如何在仅使用 prop 的无状态组件中设置禁用字段。无状态组件有一个输入字段,如果该字段为空,我想禁用同一组件内的提交按钮。我能够通过 child 的道具更新 parent 的状态,所以想保持它没有状态,但开始认为我可能需要它来检查按钮是否可以启用或不是。
我尝试了使用 refs 等的不同方法。这是我的一个 codesandbox 项目示例
https://codesandbox.io/s/840kkk03l
无状态道具是:
const Childprop = function(props) {
function handleNameChange(e) {
e.preventDefault();
props.onNameChange(e.target.newName.value);
}
function checkDisabled() {
var input = document.getElementById("input");
if (input.value === "") {
return true;
} else {
return false;
}
}
return (
<p>
The logged in user is: {props.nameProp}
<form onSubmit={handleNameChange}>
<input name="newName" type="text" id="input" />
<input type="submit" disabled={checkDisabled} />
</form>
</p>
);
};
谢谢
这是不可能的。您的应用程序中的某些内容必须调用 setState
、forceUpdate
或重新呈现根应用程序,以便再次调用您的无状态函数。
你可以让它像这样工作:https://codesandbox.io/s/rr6jw0xxko
唯一的问题是一旦按钮被禁用,就无法再次启用它,因为您不能再提交了。
我同意@azium 方式就是 React 方式。
我将仅针对输入值使用本地状态。这将使它成为 controlled component.
class Childprop extends React.Component {
state = {
newName: ''
}
handleNameChange = (e) => {
e.preventDefault();
props.onNameChange(this.state.newName);
this.setState({ newName: '' });
}
render() {
return (
<div>
The logged in user is: {props.nameProp}
<form onSubmit={handleNameChange}>
<input name="newName" type="text" id="input" onChange={(e) => this.setState(e.target.value)} value={this.state.newName} />
<input type="submit" disabled={this.state.newName.length === 0} />
</form>
</div>
);
}
};
我想弄清楚如何在仅使用 prop 的无状态组件中设置禁用字段。无状态组件有一个输入字段,如果该字段为空,我想禁用同一组件内的提交按钮。我能够通过 child 的道具更新 parent 的状态,所以想保持它没有状态,但开始认为我可能需要它来检查按钮是否可以启用或不是。
我尝试了使用 refs 等的不同方法。这是我的一个 codesandbox 项目示例
https://codesandbox.io/s/840kkk03l
无状态道具是:
const Childprop = function(props) {
function handleNameChange(e) {
e.preventDefault();
props.onNameChange(e.target.newName.value);
}
function checkDisabled() {
var input = document.getElementById("input");
if (input.value === "") {
return true;
} else {
return false;
}
}
return (
<p>
The logged in user is: {props.nameProp}
<form onSubmit={handleNameChange}>
<input name="newName" type="text" id="input" />
<input type="submit" disabled={checkDisabled} />
</form>
</p>
);
};
谢谢
这是不可能的。您的应用程序中的某些内容必须调用 setState
、forceUpdate
或重新呈现根应用程序,以便再次调用您的无状态函数。
你可以让它像这样工作:https://codesandbox.io/s/rr6jw0xxko
唯一的问题是一旦按钮被禁用,就无法再次启用它,因为您不能再提交了。
我同意@azium 方式就是 React 方式。
我将仅针对输入值使用本地状态。这将使它成为 controlled component.
class Childprop extends React.Component {
state = {
newName: ''
}
handleNameChange = (e) => {
e.preventDefault();
props.onNameChange(this.state.newName);
this.setState({ newName: '' });
}
render() {
return (
<div>
The logged in user is: {props.nameProp}
<form onSubmit={handleNameChange}>
<input name="newName" type="text" id="input" onChange={(e) => this.setState(e.target.value)} value={this.state.newName} />
<input type="submit" disabled={this.state.newName.length === 0} />
</form>
</div>
);
}
};