react-native FlatList 实现列表选中的最佳方
2018-07-19 本文已影响51人
既然可以颠覆何必循规蹈矩
勤做笔记,方便自己,帮助他人。
这个方式只是我目前知道的,个人认为比较好的 render次数少的方式。欢迎各位交流学习。
QQ20180719-113151-HD.gif核心思路就是往数据源里面 给每条数据加一个选中状态.
如图在网络请求完成之后,给每条数据添加一个select的状态:
data.list.forEach(item => item.select = false);
fetchList(page) {
if (page == 1 && !this.state.refreshing) {
Toast.loading('加载中', 0)
}
Fetch.postFetch(API.homeList, { page }).then(data => {
// 这一句是核心代码
data.list.forEach(item => item.select = false);
if (1 == page) {
this.setState({
listData : data.list,
total : data.info.total,
page : page + 1,
refreshing : false,
}, () => Toast.hide())
} else {
const oldData = this.state.listData;
this.setState({
listData : oldData.concat(data.list),
total : data.info.total,
page : page + 1,
loadingMore : false,
}, () => Toast.hide());
}
})
};
然后就是render FlatList
<FlatList
style={styles.flatList}
data={listData}
// 这是一种数据源没有唯一id的时候自己手动生成的方式 +"1" 是为了把int类型转string 因为key是需要string类型
// keyExtractor={(item, index) => (index + '1')}
keyExtractor={item => item.id}
renderItem={({ item, index }) => (
<Item
item={item}
select={item.select}
onPress={() => this.changeSelect(index, item.select)}
/>)
}
/>
然后就是 Item 里面 需要做渲染更新判断了,shouldComponentUpdate
是指定渲染的关键
export default class Item extends Component {
shouldComponentUpdate(nextProps,nextState){
return (this.props.item != nextProps.item || this.props.select != nextProps.select);
}
render() {
// 这里我就把其他布局文件省略了
console.log('item render ') // 从这里可以看到 每次改变item是,只刷新了指定item
const { item } = this.props;
return (
<TouchableOpacity style={styles.container} onPress={this.props.onPress}>
{
item.select ?
<Icon name='oneIcon|icon_check_fill' size={FS.ICON} color={CS.THEME11}/>
:
<Icon name='oneIcon|icon_checkBox' size={FS.ICON} color={CS.THEME11}/>
}
</TouchableOpacity>
);
}
}
这里更建议用这种写法,简洁(ES6的写法 字符串模板)
<Icon name={`oneIcon|${item.select? 'icon_check_fill':'icon_checkBox' }`} size={FS.ICON} color={CS.THEME11}/>