我正在尝试创建一个平面列表,以呈现来自不同api的数据,就像instagram的建议和广告一样。我想在呈现垂直列表中的一些项目之后,在垂直平面列表中呈现一个水平flatList。
答案 0 :(得分:0)
可以这样做。它是关于在外部FlatList的renderItem函数中对其进行处理的。
FlatList具有两个函数,renderItem和keyExtractor。仅当您的商品没有钥匙,并且完全可重复使用时,才需要keyExtractor。因此,您将为计划渲染的每个不同FlatList需要一个renderItem。
因此,外部FlatList使用renderMainItem
函数,内部FlatList使用renderHorizontalItem
请注意我如何设置数据。每个对象都有一种类型,可以让我在renderMainItem
函数中应呈现的内容之间进行切换,既可以返回一行,也可以返回另一个FlatList。
以下是显示它可以正常工作的小吃https://snack.expo.io/S1sPDPAM4
import React from 'react';
import { Text, View, StyleSheet, FlatList, SafeAreaView } from 'react-native';
export default class App extends React.Component {
constructor(props) {
super(props);
this.state = {
data: [
{ type: 'row', text: 'row 1'},
{ type: 'row', text: 'row 2'},
{ type: 'list', data: ['Apple', 'Banna', 'Pear', 'Orange', 'Grape', 'Pineapple']},
{ type: 'row', text: 'row 3'},
{ type: 'row', text: 'row 4'},
{ type: 'row', text: 'row 5'},
{ type: 'list', data: ['Bike', 'Car', 'Train', 'Plane', 'Boat', 'Rocket']},
{ type: 'row', text: 'row 6'},
{ type: 'row', text: 'row 7'},
{ type: 'row', text: 'row 8'},
]
}
}
renderMainItem = ({item}) => {
if (item.type === 'row') {
return (
<View style={styles.mainItem}>
<Text>{item.text}</Text>
</View>
);
}
if (item.type === 'list') {
return (
<View style={styles.list}>
<FlatList
extraData={this.state}
data={item.data}
keyExtractor={this.keyExtractor}
renderItem={this.renderHorizontalItem}
horizontal={true}
/>
</View>
);
}
}
keyExtractor = (item, index) => {
return index.toString();
}
renderHorizontalItem = ({item}) => {
return (
<View style={styles.horizontalItem}>
<Text>{item}</Text>
</View>
);
}
render() {
return (
<SafeAreaView style={styles.container}>
<FlatList
extraData={this.state}
data={this.state.data}
keyExtractor={this.keyExtractor}
renderItem={this.renderMainItem}
/>
</SafeAreaView>
)
}
}
const styles = StyleSheet.create({
container: {
flex: 1,
justifyContent: 'center',
alignItems: 'center',
backgroundColor: 'white'
},
mainItem: {
height: 80,
justifyContent: 'center',
alignItems: 'center',
margin: 10,
backgroundColor: 'yellow'
},
horizontalItem: {
width: 80,
justifyContent: 'center',
alignItems: 'center',
marginHorizontal:5,
backgroundColor: 'blue'
},
list: {
height: 80,
marginHorizontal: 5
}
});
这只是一个简单的示例,它显示了创建内部带有水平FlatList的FlatList的多种方法之一。