vue2里面移除了内置过滤器,所有过滤器都需要自己定义。
以下例子是使用webpack模版自定义一个日期格式过滤器的例子。
文件结构
. ├── src │ ├── Filters │ │ ├── DataFormat.js │ │ └── index.js │ └── main.js └── ...
所有过滤器都放在Filters文件夹下,剩下的就是webpack模版的文件结构,在这里就不完全写出来。
Filters/DataFormat.js
这个文件主要是写了过滤器实现的方法,然后export进行导出。
export default (time, fmt) => { fmt = fmt || 'yyyy-MM-dd hh:mm'; let date = new Date(time); if (/(y+)/.test(fmt)) { fmt = fmt.replace( RegExp.$1, (date.getFullYear() + '').substr(4 - RegExp.$1.length) ); } let dt = { 'M+': date.getMonth() + 1, 'd+': date.getDate(), 'h+': date.getHours(), 'm+': date.getMinutes(), 's+': date.getSeconds() } for (let key in dt) { if (new RegExp(`(${key})`).test(fmt)) { let str = dt[key] + '' fmt = fmt.replace(RegExp.$1, (RegExp.$1.length === 1) ? str : ('00' + str).substr(str.length) ); } } return fmt; }
这段代码是在网上找的,我只是对其中稍作修改。
Filters/index.js
这里把所有自定义的过滤器都汇总,方便待会在main.js中一次性添加到全局过滤器中。
如果有多个自定义的过滤器就只需要在这个文件内依次导出就行。
// 导出日期过滤器 import dateFormat from './DateFormat' // 导出的时候以key value的形式导出,这里就设置了在全局过滤器中的过滤器名字。 export {dateFormat} // 可以继续导出其他的过滤器
src/main.js
这个文件是程序的主入口,一般负责配置相关的东西。所以添加过滤器的工作毫无疑问的交给它了(也只有在这里能够拿到Vue对象)。
// 默认会找 Filters/index.js import * as filters from './Filters/' // 遍历所有导出的过滤器并添加到全局过滤器 Object.keys(filters).forEach((key) => { Vue.filter(key, filters[key]); })
使用
使用起来很简单,和正常的使用方式一摸一样,写在项目中需要的.vue文件中即可
<template> <!-- 2017-08-11 21:21 --> <h1>{{ new Date() | dateFormat }}</h1> <!-- 2017年08月11日 21:21:05 --> <h1>{{ new Date() | dateFormat('yyyy年MM月dd日 hh:mm:ss') }}</h1> </template>