我在设置状态以获取API响应中的数据时遇到问题
render() {
function getCode(text) {
fetch('url', {
method: 'POST',
headers: {
Accept: 'application/json',
'Content-Type': 'application/json'
},
body: JSON.stringify({
"telephone": text,
"password": "123123"
})
}).then(response => response.json())
.then(response => {
console.log(this.state.text)
console.log(this.state.uid)
this.setState({uid : response["data"]["telephone"]})
console.log(this.state.uid)
// this.setState({uid: response["data"]["telephone"]})
// console.log(this.state.uid);
})
}
这是我的构造函数
constructor(props) {
super(props);
this.state = {
text: '',
uid: ''
}
}
所以我只是发送一个请求,并且需要在状态内保存响应,但是,我收到了一个错误:
TypeError:undefined不是对象(正在评估 '_this2.state.text')]
注释的代码行是我修复它的尝试。
UPD 1: 这是APi的回复
{"data":{"telephone":["Some data"]}}
答案 0 :(得分:1)
问题在于,您正在方法中创建函数,而函数中的this
并不引用方法中的this
。
render() {
function getCode(text) {
// `this` in here is not the React component
}
}
这是一个简单的例子:
class Example {
method() {
// `this` within a method (invoked via `.`) points to the class instance
console.log(`method=${this}`);
function functionInAMethod() {
// because functionInAMethod is just a regular function and
// the body of an ES6 class is in strict-mode by default
// `this` will be undefined
console.log(`functionInAMethod=${this}`);
}
functionInAMethod();
}
}
new Example().method();
您可以将getCode
提取为另一个类方法,并在需要时调用this.getCode()
。
getCode() {
// ...
}
render() {
this.getCode();
}
其他选项包括:
bind
this
中的getCode
在创建函数时call
或[apply][3]
设置this
getCode
到arrow function使用preserve the this
across nested functions this
绑定到render
中的变量中,并在getCode
中使用该变量,而不是this
⚠注意:您不想使用render
方法发出http请求,因为它被调用的频率很高,请考虑使用一种不太脆弱的方法。通常的模式是在构造函数或componentDidMount
中进行。
答案 1 :(得分:1)
当组件确实安装在渲染函数中时,您声明该函数
class Something extends React.Component {
constructor(props) {
super(props);
this.state = {
text: '',
uid: ''
}
}
getCode = (text) => {
fetch('url', {
method: 'POST',
headers: {
Accept: 'application/json',
'Content-Type': 'application/json'
},
body: JSON.stringify({
"telephone": text,
"password": "123123"
})
}).then(response => response.json())
.then(response => {
console.log(this.state.text)
console.log(this.state.uid)
this.setState({uid : response.data.telephone})
console.log(this.state.uid)
// this.setState({uid: response["data"]["telephone"]})
// console.log(this.state.uid);
})
}
render() {
return(
//...you can call it this.getCode(/..../)
)
}
}