从react组件进行 REST 调用

IT技术 json rest dom reactjs fetch
2021-05-14 08:13:57

我正在尝试从react组件进行 REST 调用并将返回的 JSON 数据呈现到 DOM 中

这是我的组件

import React from 'react';

export default class ItemLister extends React.Component {
    constructor() {
        super();
        this.state = { items: [] };
    }

    componentDidMount() {
        fetch(`http://api/call`) 
            .then(result=> {
                this.setState({items:result.json()});
            });
    }

    render() {        
        return(
           WHAT SHOULD THIS RETURN?
        );
    }

为了将返回的 json 绑定到 DOM 中?

4个回答

您的代码中有几个错误。可能让你绊倒的那个是this.setState({items:result.json()})

Fetch 的.json()方法返回一个 promise,因此需要将其作为异步处理。

fetch(`http://jsonplaceholder.typicode.com/posts`)
.then(result=>result.json())
.then(items=>this.setState({items}))

我不知道为什么要.json()返回一个Promise(如果有人可以阐明,我很感兴趣)。

对于渲染功能,你去吧......

<ul>
   {this.state.items.map(item=><li key={item.id}>{item.body}</li>)}
</ul>

不要忘记唯一键!

对于另一个答案,不需要绑定地图。

在这里它正在工作......

http://jsfiddle.net/weqm8q5w/6/

你可以为你的渲染方法试试这个:

render() {
    var resultNodes = this.state.items.map(function(result, index) {
        return (
            <div>result<div/>
        );
    }.bind(this));
    return (
        <div>
            {resultNodes}
        </div>
    );
}

并且不要忘记使用.bind(this)for your fetch(...).then(),我认为没有...

Fetch 方法将返回一个 Promise,这使得编写以异步方式工作的代码变得简单:

在你的情况下:

componentDidMount(){
  fetch('http://api/call')      // returns a promise object
    .then( result => result.json()) // still returns a promise object, U need to chain it again
    .then( items => this.setState({items}));
}

result.json()返回一个Promise,因为它适用于响应流,我们需要首先处理整个响应才能工作。

请改用以下内容。它会起作用:(如果在控制台中加载,您也可以检查数据)


 constructor(props) {
        super(props);
        this.state = {
            items: []
        }
    }

 componentDidMount() {
        fetch('http://api/call')
            .then(Response => Response.json())
            .then(res => {
                console.log(res);
                this.setState({
                    items: res,
                });
            })
            .catch(error => {
                console.log(error)
            })
    }

然后使用渲染期间存储在 state 中的结果根据需要显示。