我已经设法从我创建的api中获取JSON,但是我在实际渲染JSON时遇到了麻烦。我已经设法通过'stringify'来在控制台中输出它,但是我似乎无法实际向页面呈现JSON。
import React, { Component } from 'react';
import './App.css';
import $ from 'jquery';
function getData() {
return $.ajax({
type: "GET",
url: 'http://localhost:3001/data',
data: {},
xhrFields: {
withCredentials: false
},
crossDomain: true,
dataType: 'json',
success: handleData
});
}
function handleData(data /* , textStatus, jqXHR */ ) {
console.log(JSON.stringify(data));
return JSON.stringify(data);
}
class App extends Component {
render() {
return (
<div className="App">
<header>
<h2>Last Application Deployment </h2>
</header>
<div id='renderhere'>
{JSON.stringify(getData().done(handleData))}
</div>
</div>
);
}
}
export default App;
答案 0 :(得分:1)
你无法在render方法中执行一个函数。你可以使用反应生命周期并将结果存储在像这样的状态=&gt;
class App extends Component {
state = {result : null}
componentDidMount = ()=>{
$.ajax({
type: "GET",
url: 'http://localhost:3001/data',
data: {},
xhrFields: {
withCredentials: false
},
crossDomain: true,
dataType: 'json',
success: (result)=>{
this.setState({result : result});
}
});
};
render() {
return (
<div className="App">
<header>
<h2>Last Application Deployment </h2>
</header>
<div id='renderhere'>
{this.state.result && and what you want because i dont know why you want use JSON.stringfy - you use .map() or ...}
</div>
</div>
);
}
}
答案 1 :(得分:0)
我已经演示了如何解决这个问题:http://codepen.io/PiotrBerebecki/pen/amLxAw。 AJAX请求不应该在render方法中进行,而应在componentDidMount()
生命周期方法中进行。此外,最好将响应存储在状态中。请参阅React文档中的指南:https://facebook.github.io/react/tips/initial-ajax.html
获取componentDidMount中的数据。当响应到达时,将数据存储在状态中,触发渲染以更新UI。
以下是完整代码:
class App extends React.Component {
constructor() {
super();
this.state = {
time: '',
string: ''
};
}
componentDidMount() {
$.ajax({
type: "GET",
url: 'http://date.jsontest.com/'
})
.then(response => {
this.setState({
time: response.time,
string: JSON.stringify(response)
});
})
}
render() {
return (
<div className="App">
<header>
<h2>Last Application Deployment </h2>
</header>
<div id='renderhere'>
Time: {this.state.time} <br /><br />
String: {this.state.string}
</div>
</div>
);
}
}
ReactDOM.render(
<App />, document.getElementById('content')
);