1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92
| <template> <div class="roc-virtual-list" :style="{ height: `${height}px` }" @scroll="handleScroll"> <div class="roc-virtual-list-phantom" :style="{ height: `${listHeight}px` }"></div> <div class="roc-virtual-list-content" :style="{ transform: `translate3d(0, ${offset}px, 0)` }"> <div v-for="item in visibleData" :key="item.id" class="roc-virtual-list-item" :style="{ height: `${itemHeight}px` }"> <slot :item="item"></slot> </div> </div> </div> </template>
<script setup> import { ref, computed, watch } from "vue";
const props = defineProps({ listData: { type: Array, required: true, }, height: { type: Number, required: true, }, itemHeight: { type: Number, required: true, }, });
const offset = ref(0); const start = ref(0);
const listHeight = computed(() => props.listData.length * props.itemHeight); const visibleCount = computed(() => Math.ceil(props.height / props.itemHeight) + 2); const visibleData = computed(() => { const start_index = start.value; const end_index = start.value + visibleCount.value; return props.listData.slice(start_index, end_index); });
const handleScroll = (e) => { const scrollTop = e.target.scrollTop; start.value = Math.floor(scrollTop / props.itemHeight); offset.value = scrollTop; };
watch( () => props.listData, () => { offset.value = 0; start.value = 0; }, { deep: true } ); </script>
<style scoped> .roc-virtual-list { position: relative; overflow-y: auto; border: 1px solid #e8e8e8; }
.roc-virtual-list-phantom { position: absolute; left: 0; top: 0; right: 0; z-index: -1; }
.roc-virtual-list-content { position: absolute; left: 0; right: 0; top: 0; will-change: transform; }
.roc-virtual-list-item { font-size: 16px; border-bottom: 1px solid #e8e8e8; box-sizing: border-box; display: flex; align-items: center; } </style>
|