开发者问题收集

未捕获(在承诺中)TypeError:使用 useNavigate 时无法读取未定义的属性(读取“then”)

2022-08-03
4627

我想在用户编辑后提交帖子时将其重定向到 “/myblogs” 页面。 useNavigate 钩子用于重定向。我没有重定向,而是收到以下错误。 当我手动检查我的博客页面时,我可以看到更新的帖子。我不知道为什么会出现此错误

const handleSubmit = e => {
  e.preventDefault();
  console.log(inputs);
  sendRequest().then(data =>
    console.log(data).then(() => navigate('/myBlogs/'))
  );
};

控制台中的错误

BlogDetail.jsx:51 Uncaught (in promise) TypeError: Cannot read properties of undefined (reading 'then')

这是我的完整代码

const BlogDetail = () => {
  const navigate = useNavigate();
  const [blog, setBlog] = useState();
  const id = useParams().id;
  console.log(id);
  const [inputs, setInputs] = useState({});

  const { title, descritpion, imageURL } = inputs;

  const handleChange = e => {
    setInputs(inputs => ({
      ...inputs,
      [e.target.name]: e.target.value,
    }));
  };

  const fetchDetails = async () => {
    const res = await axios
      .get(`http://localhost:5000/api/blog/${id}`)
      .catch(err => console.log(err));
    const data = res.data;
    return data;
  };

  useEffect(() => {
    fetchDetails().then(data => {
      setBlog(data.blog);
      setInputs({
        title: data.blog.title,
        descritpion: data.blog.description,
        imageURL: data.blog.image,
      });
    });
  }, [id]);

  const sendRequest = async () => {
    const res = await axios
      .put(`http://localhost:5000/api/blog/update/${id}`, {
        title: inputs.title,
        descritpion: inputs.description,
      })
      .catch(err => console.log(err));
    const data = await res.data;
    return data;
  };

  console.log(blog);
  const handleSubmit = e => {
    e.preventDefault();
    console.log(inputs);
    sendRequest().then(data =>
      console.log(data).then(() => navigate('/myBlogs/'))
    );
  };
2个回答

console.log 为空返回( 即返回 undefined ),它不返回任何 Promise 对象以进行链接。只需在日志语句后发出命令式导航即可。

const handleSubmit = e => {
  e.preventDefault();
  console.log(inputs);
  sendRequest()
    .then(data =>
      console.log(data);
      navigate('/myBlogs/');
    );
};
Drew Reese
2022-08-03

我将代码从

sendRequest().then(data =>
  console.log(data).then(() => navigate('/myBlogs/'))
);
更改为
sendRequest().then((data) => console.log(data)).then(() => navigate('/myBlogs/'))

并且有效

Krishnadev. V
2022-08-03