开发者问题收集

ReactJS:TypeError:无法读取未定义的属性“map”

2018-06-13
14814

我在提取地点数据的 ReactJS 应用中收到此错误。 在我看来,当 map() 指向 null 时会显示此错误。>

TypeError: Cannot read property 'map' of undefined

我无法找到设置默认值的方法。

这是代码:

import React, {Component} from 'react';
// This component is for search list view, it render the props places data,
// And handle cilck for place item.
class SearchList extends Component {
    render() {
        // const {places, query, selectPlace} = this.props;
        const {places,query,selectPlace} = this.props;


        return (

        <div className="container">
                <hr/>
                <div className="input-group">
                    <input
                        type="text"
                        className="form-control"
                        placeholder="Filter"
                        aria-label="Filter Input"
                        onChange={(event) => {
                            query(event.target.value);
                        }}
                    />
                    <span className="input-group-addon">
              <i className="fas fa-filter"></i>
            </span>
                </div>
                <hr/>
                <div style={{maxHeight: '82vh', overflow: 'scroll'}}>
                    <ul className="list-group">
                        {
                            places.map(place => (
                            <li
                                tabIndex="0"
                                key={place.id}
                                className="list-group-item list-group-item-action"
                                onClick={() => selectPlace(place)}>
                                <span>{place.name}</span>
                            </li>
                        ))
                        }
                    </ul>
                </div>
            </div>
        );
    }
}

export default SearchList;
2个回答

可以使用 条件渲染 来渲染您的地点。因此,如果 places 未定义,则 and 运算符 (&&) 的右操作数将不会被渲染

                 <ul className="list-group">
                    {
                       places && places.map(place => (
                        <li
                            tabIndex="0"
                            key={place.id}
                            className="list-group-item list-group-item-action"
                            onClick={() => selectPlace(place)}>
                            <span>{place.name}</span>
                        </li>
                    ))
                    }
                </ul>
edkeveked
2018-06-13

这种情况发生在第一次渲染时,因为您的 places 很可能来自某个已解析的 Promise,这会使该 prop undefined 。有一种方法可以解决这个问题, defaultProps

SearchList.defaultProps = {
    places: [],

}

但是,如果您传递 places ,例如 <SearchList places={this.state.places} /> ,您需要确保 this.state.places 未定义并且 不是 null ,因为 null 值有效并且将覆盖您的 defaultProps 。如果您想要防范这种情况,那么您需要进行条件渲染。

places && places.map()

Henrik Andersson
2018-06-13