背景介绍
最近在做vue高仿网易云音乐的项目,在做的过程中发现音乐表格这个组件会被非常多的地方复用,而且需求比较复杂的和灵活。
预览地址
源码地址
图片预览
-
歌单详情
-
播放列表
-
搜索高亮
需求分析
它需要支持:
hideColumns参数, 自定义需要隐藏哪些列。
highLightText,传入字符串,数据中命中的字符串高亮。
首先 看一下我们平常的table写法。
这是官网的写法,假设我们传入了 hideColumns: ['index', 'name'],我们需要在模板里隐藏的话```
这种代码非常笨,所以我们肯定是接受不了的,我们很自然的联想到平常用v-for循环,能不能套用在这个需求上呢。
首先在data里定义columns
data() {
return {
columns: [{
prop: 'index',
label: '',
width: '50'
}, {
prop: 'artistsText',
label: '歌手'
}, {
prop: 'albumName',
label: '专辑'
}, {
prop: 'durationSecond',
label: '时长',
width: '100',
}]
}
}
然后我们在computed中计算hideColumns做一次合并
computed: {
showColumns() {
const { hideColumns } = this
return this.columns.filter(column => {
return !this.hideColumns.find((prop) => prop === column.prop)
})
},
},
那么模板里我们就可以简写成
注意v-bind="column"
这行, 相当于把column中的所有属性混入到table-column中去,是一个非常简便的方法。
script配合template的解决方案
这样需求看似解决了,很美好。
但是我们忘了非常重要的一点,slotScopes
这个东西!
比如音乐时长我们需要format一下,
{{ $utils.formatTime(scope.row.durationSecond) }}
但是我们现在把columns都写到script里了,和template分离开来了,我暂时还不知道有什么方法能把sciprt
里写的模板放到template
里用,所以先想到一个可以解决问题的方法。就是在template里加一些判断。
{{ $utils.formatTime(scope.row.durationSecond) }}
又一次的需求看似解决了,很美好。
高亮文字匹配需求分析
但是新需求又来了!!根据传入的 highLightText 去高亮某些文字,我们分析一下需求
鸡你太美
这个歌名,我们在搜索框输入鸡你
我们需要把
鸡你太美
转化为
鸡你
太美
我们在template里找到音乐标题这行,写下这端代码:
{{this.genHighlight(scope.row.name)}}
methods: {
genHighlight(text) {
return xxx
}
}
我发现无从下手了, 因为jsx最终编译成的是return vnode的方法,genHighlight执行以后返回的是vnode,但是你不能直接把vnode放到template里去。
jsx终极解决方案
所以我们要统一环境,直接使用jsx渲染我们的组件,文档可以参照
babel-plugin-transform-vue-jsx
vuejs/jsx
data() {
const commonHighLightSlotScopes = {
scopedSlots: {
default: (scope) => {
return (
{this.genHighlight(scope.row[scope.column.property])}
)
}
}
}
return {
columns: [{
prop: 'name',
label: '音乐标题',
...commonHighLightSlotScopes
}, {
prop: 'artistsText',
label: '歌手',
...commonHighLightSlotScopes
}, {
prop: 'albumName',
label: '专辑',
...commonHighLightSlotScopes
}, {
prop: 'durationSecond',
label: '时长',
width: '100',
scopedSlots: {
default: (scope) => {
return (
{this.$utils.formatTime(scope.row.durationSecond)}
)
}
}
}]
}
},
methods: {
genHighlight(title = '') {
...省去一些细节
const titleSpan = matchIndex > -1 ? (
{beforeStr}
{hitStr}
{afterStr}
) : title;
return titleSpan;
},
},
render() {
const tableAttrs = {
attrs: this.$attrs,
on: {
...this.$listeners,
['row-click']: this.onRowClick
},
props: {
['table-cell-class-name']: this.tableCellClassName,
data: this.songs
},
style: { width: '99.9%' }
}
return this.songs.length ? (
{this.showColumns.map((column, index) => {
const { scopedSlots, ...columnProps } = column
return (
)
})}
) : null
}
注意$listeners
需要放在on中,attrs
的透传也不要忘了,这样我们在外部想使用el-table的一些属性和事件才比较方便。
可以看到代码中模板的部分少了很多重复的判断,维护性和扩展性都更强了,jsx可以说是复杂组件的终极解决方案。