对不起标题中的笑话。
我目前正在探索反应原生的fetch API,但我遇到了一些我无法解决的问题。
所以,我试图从服务器获取一条消息,我用以下方式使用fetch API调用它:
var serverCommunicator = {
test: function() {
fetch(baseUrl , {
method: 'GET',
headers: {
'Accept': 'application/json',
'Content-Type': 'application/json',
}
})
.then((response) => response.text())
.then((responseText) => {
return (JSON.stringify(responseText));
})
.catch((error) => {
console.warn(error);
}).done();
},
module.exports = serverCommunicator;
当我仅使用console.log(responseText)
测试时,我的日志给了我正确的消息。但是,现在当我想尝试将代码中的内容作为消息放入View中时,它不会按预期返回。以下列方式呼叫:
import Method from '../Services/Methods';
.
.
.
<View style={styles.card}>
<CardView
message={Method.test()}
/>
我可以看到在调用它时如何正确调用函数测试,但由于某种原因,它不会写消息。
答案 0 :(得分:6)
这是一个典型的异步问题,then
函数在render
被调用后返回,而return
无处可去。
最常见的解决方案:显示空状态消息/加载指示符,并在组件安装时获取服务器信息。当您的promise返回并触发then
回调时,设置将触发重新呈现的组件状态,并带有您的预期值。
<强> class extends React Component
强>
class YourComponent extends Component {
constructor() {
super()
this.state.text = 'Loading, please wait!' // default text
}
componentDidMount() {
fetch(baseUrl, options)
.then((response) => response.text())
.then((responseText) => {
this.setState({ text: responseText }) // this triggers a re-render!
})
}
render() {
return (
<View style={styles.card}>
<CardView
message={this.state.text} // <-- will change when fetch call returns
/>
</View>
)
}
}
<强> React.createClass
强>
var YourComponent = React.createClass({
getInitialState() {
return { text: 'Loading, please wait!' }
}, // <-- comma between functions, because object keys
componentDidMount() {
fetch(baseUrl, options)
.then((response) => response.text())
.then((responseText) => {
this.setState({ text: responseText }) // this triggers a re-render!
})
},
render() { /* ..same as above.. */ }
})
如果您希望将当前体系结构保留在服务中的提取调用中,则需要将初始调用返回到fetch,这将返回一个promise。然后,您可以在构造函数中连接then
:
var serverCommunicator = {
test: function() {
return fetch(baseUrl, options) // return a promise! ..important!
.then((response) => response.text())
.then((responseText) => {
return responseText
})
}
}
然后导入的函数将返回一个承诺..
import Method from '../Services/Methods'
...
componentDidMount() {
Method.test().then(responseText => {
this.setState({ text: responseText })
})
]
....
希望能够清楚地了解Promises如何工作,以及如何使用React中的state
捕获异步数据!