我有一个反应组件,我希望使用Dropbox api填充图像。 api部分工作正常,但组件在数据通过之前呈现。所以数组是空的。如何在组件具有所需数据之前延迟组件的渲染?
var fileList = [];
var images = [];
var imageSource = [];
class Foo extends React.Component {
render(){
dbx.filesListFolder({path: ''})
.then(function(response) {
fileList=response.entries;
for(var i=0; i<fileList.length; i++){
imageSource.push(fileList[0].path_lower);
}
console.log(imageSource);
})
for(var a=0; a<imageSource.length; a++){
images.push(<img key={a} className='images'/>);
}
return (
<div className="folioWrapper">
{images}
</div>
);
}
}
感谢您的帮助!
答案 0 :(得分:10)
的变化:
1。不要在render方法中执行api调用,为此使用componentDidMount
生命周期方法。
<强> componentDidMount 强>:
componentDidMount()在组件出现后立即调用 安装。需要DOM节点的初始化应该放在这里。如果你 需要从远程端点加载数据,这是一个好地方 实例化网络请求。在这种方法中设置状态会 触发重新渲染。
2。使用 setState >获得响应更新后,在状态数组中定义imageSource
变量,初始值为[]
strong>,它会自动使用更新的数据重新渲染组件。
3. 使用state数组在render方法中生成ui组件。
4. 要保留渲染,直到您没有获得数据,将条件置于render
方法内,如果长度为零则检查imageSource
数组的长度return null
。
像这样写:
class Foo extends React.Component {
constructor(){
super();
this.state = {
imageSource: []
}
}
componentDidMount(){
dbx.filesListFolder({path: ''})
.then((response) => {
let fileList = response.entries;
this.setState({
imageSource: fileList
});
})
}
render(){
if(!this.state.imageSource.length)
return null;
let images = this.state.imageSource.map((el, i) => (
<img key={i} className='images' src={el.path_lower} />
))
return (
<div className="folioWrapper">
{images}
</div>
);
}
}
答案 1 :(得分:5)
您应该使用组件的状态或道具,以便在更新数据时重新呈现。对Dropbox的调用应该在render
方法之外完成,否则每次重新呈现组件时您都会访问API。这是你可以做的一个例子。
class Foo extends React.Component {
constructor(props) {
super(props);
this.state = {
imageSource: []
}
}
componentDidMount() {
dbx.filesListFolder({ path: '' }).then(function(response) {
const fileList = response.entries;
this.setState({
imageSource: fileList.map(file => file.path_lower);
})
});
}
render() {
return (
<div className="folioWrapper">
{this.state.imageSource.map((image, i) => <img key={i} className="images" src={image} />)}
</div>
);
}
}
如果还没有图像,它只会以这种方式呈现空div
。
答案 2 :(得分:0)
首先,您应该使用component's state而不使用全局定义的变量。
因此,为了避免显示具有空图像数组的组件,您需要在组件上应用条件“加载”类,并在数组不再为空时将其删除。