如何将从get请求接收的数据传递给组件?无论我尝试什么都行不通,但我的想法就像下面的代码所示...... 谢谢!
/RP
答案 0 :(得分:3)
您在数据()内部调用this.setState
- >然后回调,因此this
是then
回调函数的上下文。相反,您应该使用箭头函数(它没有自己的上下文)并使用this
data
传递给call
函数
export function data() {
axios.get('www.example.de')
.then(res => res.data)
.then(data => {
this.setState({
list: data
})
})
}
import {data} from './api.js';
class Test extends React.Component {
constructor(props) {
super(props);
this.state = {
list: ""
};
}
componentWillMount() {
data.call(this);
}
render() {
return <p > this.state.list < /p>
}
}
但是,您的数据服务必须不了解setState
,并且事件更多,期望从反应组件传递this
。您的数据服务必须负责从服务器撤回数据,但不能更改组件状态,请参阅Single responsibility principle。此外,您可以从其他数据服务调用您的数据服务。因此,您的数据服务应该返回promise,组件可以使用它来调用setState
。
export function data() {
return axios.get('www.example.de')
.then(res => res.data)
}
然后
componentWillMount() {
data().then(data=>{
this.setState({
list: data
})
});
}
答案 1 :(得分:2)
您的api
不应该对您的组件有任何了解,您可以使用callback
轻松完成此操作,就像这样 -
export function data(callback) {
axios.get('www.example.de')
.then(res => callback({ data: res.data }))
.catch(err => callback({ error: err }));
}
通过这样做,您可以轻松地对api
因此,在您的Test
组件中,您只需执行 -
componentWillMount() {
data(result => {
const { data, error } = result;
if (error) {
// Handle error
return;
}
if (data) {
this.setState({ list: data });
}
});
}
答案 2 :(得分:0)
您的外部函数没有this
的正确上下文,因此您需要使用组件中正确的上下文调用它:
componentWillMount() {
data.call(this);
}
但是,在API调用中,它仍然没有正确的this
上下文,因此您可以在data()函数中设置一个指向此变量的变量:
export function data() {
let that = this;
axios('http://www.url.com')
.then(function(res) {
return res.data
})
.then(function(data) {
that.setState({
list: data
})
})
}
但是,通常认为只使用组件本身处理状态操作的更好的做法,但这将涉及处理GET请求的异步性质,可能是通过将回调传递给{{1功能。
编辑:更新了异步代码
data()
答案 3 :(得分:0)
您的请求是一个承诺,因此您只需从导入的函数返回该请求,并使用组件中最终返回的结果。您只想从组件中更改组件的状态。
export function getData(endpoint) {
return axios.get(endpoint);
}
注意我已将该功能的名称更改为更多&#34;动作&#34;。
import { getData } from './api.js';
class Test extends React.Component {
constructor(props) {
super(props);
// Your state is going to be an array of things, so
// initialise it with an array to spare confusion
this.state = { list: [] };
}
// I use ComponentDidMount for fetch requests
// https://daveceddia.com/where-fetch-data-componentwillmount-vs-componentdidmount/
componentDidMount() {
// We've returned a promise from `getData` so we can still use the
// promise API to extract the JSON, and store the parsed object as the
// component state
getData('www.example.de')
.then(res => res.data)
.then(list => this.setState({ list }))
}
}