过滤器

removed

概览

从 Vue 3.0 开始,过滤器已删除,不再支持。

2.x 语法

在 2.x,开发者可以使用过滤器来处理通用文本格式。

例如:

  1. <template>
  2. <h1>Bank Account Balance</h1>
  3. <p>{{ accountBalance | currencyUSD }}</p>
  4. </template>
  5. <script>
  6. export default {
  7. props: {
  8. accountBalance: {
  9. type: Number,
  10. required: true
  11. }
  12. },
  13. filters: {
  14. currencyUSD(value) {
  15. return '$' + value
  16. }
  17. }
  18. }
  19. </script>

虽然这看起来很方便,但它需要一个自定义语法,打破大括号内表达式是“只是 JavaScript”的假设,这不仅有学习成本,而且有实现成本。

3.x 更新

在 3.x 中,过滤器已删除,不再支持。相反地,我们建议用方法调用或计算属性替换它们。

使用上面的例子,这里是一个如何实现它的例子。

  1. <template>
  2. <h1>Bank Account Balance</h1>
  3. <p>{{ accountInUSD }}</p>
  4. </template>
  5. <script>
  6. export default {
  7. props: {
  8. accountBalance: {
  9. type: Number,
  10. required: true
  11. }
  12. },
  13. computed: {
  14. accountInUSD() {
  15. return '$' + this.accountBalance
  16. }
  17. }
  18. }
  19. </script>

迁移策略

我们建议用计算属性或方法代替过滤器,而不是使用过滤器。

全局过滤器

如果在应用中全局注册了过滤器,那么在每个组件中用计算属性或方法调用来替换它可能就没那么方便了。

相反地,你可以通过全局属性在所有组件中使用它:

  1. // main.js
  2. const app = createApp(App)
  3. app.config.globalProperties.$filters = {
  4. currencyUSD(value) {
  5. return '$' + value
  6. }
  7. }

然后,你可以通过 $filters 对象修改所有的模板,像下面这样:

  1. <template>
  2. <h1>Bank Account Balance</h1>
  3. <p>{{ $filters.currencyUSD(accountBalance) }}</p>
  4. </template>

注意,这种方式只能用于方法中,不可以在计算属性中使用,因为后者只有在单个组件的上下文中定义时才有意义。