TypeError:无法读取 React Project 中 null 的属性“length”
2021-05-27
35755
代码似乎没问题,但出现了这个错误。它说 TypeError:无法读取 React 项目中 null 的属性“length”。我已将代码发布在下面。我正在使用 React Js 来构建它。 请帮忙。
import React, {useEffect} from 'react'
import { Link } from 'react-router-dom'
import { useDispatch, useSelector } from 'react-redux'
import { Row, Col, ListGroup, Image, Form, Button, Card } from 'react-bootstrap'
import Message from '../components/Message'
import { addToCart } from '../actions/cartActions'
function CartScreen({ match, location, history }) {
const productId = match.params.id
const qty = location.search ? Number(location.search.split('=')[1]) : 1
const dispatch = useDispatch()
const cart = useSelector(state => state.cart)
const { cartItems } = cart
useEffect(() => {
if (productId){
dispatch(addToCart(productId, qty))
}
}, [dispatch, productId, qty])
return (
<Row>
<Col md={8}>
<h1>Shopping Cart</h1>
{cartItems.length === 0 ? (
<Message variant='info'>
Your cart is empty <Link to='/'>Go Back</Link>
</Message>
) : (
<ListGroup variant='flush'>
</ListGroup>
)}
</Col>
</Row>
)
}
export default CartScreen
3个回答
就像错误所说的那样,这只是因为您的 cartItems 为
null
。
变量可以为空并在 1 秒后定义,但是当变量为空时,您会遇到此错误,因此您永远不会看到没有空值的变量。
以下是解决您的问题的三种方法。
1)
{cartItems?.length === 0 ? ( // add a ?. to check if variable is null
<Message variant='info'>
Your cart is empty <Link to='/'>Go Back</Link>
</Message>
) : (
<ListGroup variant='flush'>
</ListGroup>
)}
{cartItems && cartItems.length === 0 ? ( // you check if the var is defined before check the length
<Message variant='info'>
Your cart is empty <Link to='/'>Go Back</Link>
</Message>
) : (
<ListGroup variant='flush'>
</ListGroup>
)}
function CartScreen({ match, location, history }) {
// ...
// add a conditional render
if (!cartItems) return <p>Loading...</p>
return (
<Row>
<Col md={8}>
<h1>Shopping Cart</h1>
{cartItems.length === 0 ? (
<Message variant='info'>
Your cart is empty <Link to='/'>Go Back</Link>
</Message>
) : (
<ListGroup variant='flush'>
</ListGroup>
)}
</Col>
</Row>
)
}
Melvynx
2021-05-27
为您的 cartItems 添加一个默认值,如 Reducer 中的空数组,或者执行以下操作:
(cartItems || []).length === 0
Anh Tuan
2021-05-27
您的 cartItems 变量在商店中可能为空。请尝试将其初始化为空数组。
Георги Кръстев
2021-05-27