0

当我添加 createCFommonent 时,PostList 组件出现了太多的重新渲染错误。React 限制了渲染的数量以防止无限循环。

import React,{useState,useEffect} from 'react';
import axios from 'axios'
import './PostList.css'
import CommentCreate from './CommentCreate';

const PostList = () => {
    const [ptitle,setPtitle]=useState({});

    const fetchPost = async ()=> {
        const res=await axios.get('http://localhost:8000/posts')
        setPtitle(res.data)
    }

    useEffect(() => {
       fetchPost()
    }, [])
    
    const renderedPost = Object.values(ptitle).map((post) => {
      return (
        <div
          className="card"
          style={{ width: "30%", marginBottom: "20px" }}
          key={post.id}
        >
          <div className="card-body">
            <h3>{post.title}</h3>
              <CommentCreate postId={post.id} />
          </div>
        </div>
      );
    });
    return (
      <div>
        <h1>Post List</h1>
        {renderedPost}
      </div>
    );
}

export default PostList;

createComment Component 这是给出的组件 考虑在树中添加错误边界以自​​定义错误处理行为。

import React,{useState} from 'react';
import axios from 'axios'
import './CommentCreate.css'
const CommentCreate = ({postId}) => {
    const [comment, setComment]=useState('')

    const createComment = async (e) =>{
        e.preventDefault();
        await axios.post(`http://localhost:9000/post/${postId}/comment`, {
          comment,
        });
    }
    setComment('')
    return (
      <div>
        <input value={comment} onChange={e =>{
            setComment(e.target.value)
        }} placeholder="Create a Comment here" />
        <button class="btn btn-primary" onClick={createComment}>
          Comment
        </button>
      </div>
    );

    }

export default CommentCreate;

```
4

2 回答 2

1

问题

createComment被父级更新并被setComment调用,这会再次触发重新渲染调用setComment. 因此无限重新渲染。

解决方案

把你setComment的功能放在里面createComment

  const createComment = async (e) =>{
        e.preventDefault();
        await axios.post(`http://localhost:9000/post/${postId}/comment`, {
          comment,
        });
        
        setComment('')
    }

于 2020-10-05T05:48:44.423 回答
0

您正在全局设置状态setComment('')useEffect如果您只想在组件安装时设置状态,请考虑使用。使用以下代码段:

useEffect(() => setComment(''), []);

全局设置状态将导致组件重新渲染,并在重新渲染时再次调用 setComment(''),此过程将无限期地执行,您将得到无限循环错误。所以我的建议是在不使用 useEffect 或不满足任何特定条件的情况下设置状态。

于 2020-10-05T05:49:48.153 回答