使用 React-Hooks/Axios 获取数据并显示在 table 中

Using React-Hooks/Axios to fetch data and display in a table

我有这个 React 设置,我定义了一个名为 ApiTable 的钩子并有一个 renderTable 方法。我想要做的是从 api 端点获取数据,https://jsonplaceholder.typicode.com/users 和 return 将其放入具有适当类别的 table 中。

现在,它正在将所有列压缩到左侧,如此处所示。目前,数据未显示并被压缩到左侧。我很确定我的 table 数据设置有误。

此外,我不确定 axios 请求是否应该在 useEffect 中。

https://imgur.com/a/Up4a56v

const ApiTable = () => {

  const url = 'https://jsonplaceholder.typicode.com/users';

  const [data, setData] = useState([]);

  useEffect(() => {

    setData([data]);

    axios.get(url)

    .then(json => console.log(json))

  }, []);

  const renderTable = () => {

      return data.map((user) => {

        const { name, email, address, company } = user;

        return (
          <div>
           <thead>
               <tr>
                 <th>Name</th>
                 <th>Email</th>
                 <th>Address</th>
                 <th>Company</th>
               </tr>
          </thead>
          <tbody>
          <tr>
              <td>name</td>
              <td>email</td>
              <td>address</td>
              <td>company</td>
          </tr>
          </tbody>
          </div>
        )
      })
    }


      return (
        <div>
            <h1 id='title'>API Table</h1>
            <Table id='users'>
              {renderTable()}
            </Table>
         </div>
      )

};

您正在正确获取数据,但将数据设置为错误的状态。

另外,当你迭代你的 data 数组时,你每次都打印 table head 这是错误的,并且来自你的 data 数组 addresscompany是对象所以你不能直接打印对象。

你需要这样做,

const App = () => {
  const url = 'https://jsonplaceholder.typicode.com/users'

  const [data, setData] = useState([])

  useEffect(() => {
    axios.get(url).then(json => setData(json.data))
  }, [])

  const renderTable = () => {
    return data.map(user => {
      return (
        <tr>
          <td>{user.name}</td>
          <td>{user.email}</td>
          <td>{user.address.street}</td> //only street name shown, if you need to show complete address then you need to iterate over `user.address` object
          <td>{user.company.name}</td> //only company name shown, if you need to show complete company name then you need to iterate over `user.name` object
        </tr>
      )
    })
  }

  return (
    <div>
      <h1 id="title">API Table</h1>
      <table id="users"> //Your Table in post changed to table to make it work
        <thead>
          <tr>
            <th>Name</th>
            <th>Email</th>
            <th>Address</th>
            <th>Company</th>
          </tr>
        </thead>
        <tbody>{renderTable()}</tbody>
      </table>
    </div>
  )
}

Demo