我是React的全新品牌,我将它与ES6课程结合使用。我有一个继承自React.Component
的类,并根据state
中的单个属性呈现DOM。这是看起来的样子:
class LoadingScreen extends React.Component {
constructor(props) {
super(props);
this.state = { state: 'isHidden' };
showTrying() {
this.setState({ state: 'isTrying' });
}
hideAll() {
this.setState({ state: 'isHidden' });
}
render() {
switch (this.state.state) {
case 'isHidden':
return null;
case 'isTrying':
// Returns a bunch of DOM elements
}
}
在父类中,这不是React组件(我试图迁移不使用框架的现有代码),我想:
LoadingScreen
React.render
将其插入DOM hide
或showTrying
等方法以更新其状态我试过了:
this.loadingScreen = new LoadingScreen();
React.render(this.loadingScreen, mountNode); // React invalid component error
// Later on...
this.loadingScreen.showTrying();
还尝试过:
this.loadingScreen = React.render(React.createElement("LoadingScreen"), mountNode);
// Later on...
this.loadingScreen.showTrying(); // Undefined is not a function
显然,我在这里遗漏了一些基本的东西。 :)
答案 0 :(得分:2)
更常见的是,您在LoadingScreen
组件实例上设置属性以控制内部表示的可见性,而不是通过对象实例上的函数调用来调整状态。
class LoadingScreen extends React.Component {
constructor(props) {
super(props);
}
render() {
switch (this.props.mode) {
case 'isHidden':
return null;
case 'isTrying':
// Returns a bunch of DOM elements
}
}
}
LoadingScreen.propTypes = {
mode: React.PropTypes.string
};
LoadingScreen.defaultProps = {
mode: 'isTrying'
};
然后,从父母那里,你会做这样的事情,例如:
var currentMode = "isTrying";
React.render(<LoadingScreen mode={ currentMode } />, mountNode);
或者,另一种模式是父容器/组件使用属性的值(我称之为mode
),根本不创建和呈现LoadingScreen
组件。
如果LoadingScreen
需要,您可以将property
值复制到本地状态。
答案 1 :(得分:1)
你的第二种方法很接近。
React.createElement
的第一个参数可以是字符串(div,span等)或React.Component
的子类。在您的情况下,第一个参数应为LoadingScreen
。
this.loadingScreen = React.render(React.createElement(LoadingScreen), mountNode);
this.loadingScreen.showTrying();