如何在Vue.js 2中搜索多个字段

Cal*_*Oki 4 javascript vue.js vue-component vuejs2

我想在我的Vue.js 2应用程序中搜索或过滤3个字段的名字,姓氏电子邮件。我知道Vue 2与Vue 1不同,它没有内置的过滤器方法,因此我创建了一个自定义方法,该方法只能通过一个字段进行过滤。如何将此扩展到多个字段?我已经尝试过类似的方法,filterBy(list, value1, value2, value3)但是它不起作用。

这是我的代码

<template>
<div class="customers container">
<input class="form-control" placeholder="Enter Last Name" v-
model="filterInput">
<br />
<table class="table table-striped">
  <thead>
    <tr>
      <th>First Name</th>
      <th>Last Name</th>
      <th>Email</th>
      <th></th>
    </tr>
  </thead>
  <tbody>
    <tr v-for="customer in filterBy(customers, filterInput)">
      <td>{{customer.first_name}}</td>
      <td>{{customer.last_name}}</td>
      <td>{{customer.email}}</td>
      <td><router-link class="btn btn-default" v-bind:to="'/customer/'+customer.id">View</router-link></td></tr>
  </tbody>
</table>

</div>
</template>

<script>

export default {
name: 'customers',
data () {
return {

  customers: [],
  filterInput:'',

}
},

methods: {
fetchCustomers(){
  this.$http.get('http://slimapp.dev/api/customers')
    .then(function(response){

      this.customers = (response.body); 
    });
 },

 filterBy(list, value){
    value = value.charAt(0).toUpperCase() + value.slice(1);
    return list.filter(function(customer){
      return customer.last_name.indexOf(value) > -1;
    });
  },


  },

  created: function(){
  if (this.$route.params.alert) {
  this.alert = $route.params.alert
  }
  this.fetchCustomers();
  },

  updated: function(){
  this.fetchCustomers();
  },
  components: {

  }
  }
  </script>

  <!-- Add "scoped" attribute to limit CSS to this component only -->
  <style scoped>
Run Code Online (Sandbox Code Playgroud)

Pio*_*eka 6

扩展您的filterBy方法以检查更多信息,然后仅检查last_name

filterBy(list, value){
    value = value.charAt(0).toUpperCase() + value.slice(1);
    return list.filter(function(customer){
      return customer.first_name.indexOf(value) > -1 ||
             customer.last_name.indexOf(value) > -1 ||
             customer.email.indexOf(value) > -1
    });
  },
Run Code Online (Sandbox Code Playgroud)

但是您可以使用计算出的结果来提供过滤后的结果(因为它可以缓存计算结果,因此效果可能更好)

computed: {
  filteredList() {
    const value= this.filterInput.charAt(0).toUpperCase() + this.filterInput.slice(1);
    return this.customers.filter(function(customer){
      return customer.first_name.indexOf(value) > -1 ||
             customer.last_name.indexOf(value) > -1 ||
             customer.email.indexOf(value) > -1
    })
  }
}
Run Code Online (Sandbox Code Playgroud)

并在您的模板中使用

<tr v-for="customer in filteredList">
 ...
</tr>
Run Code Online (Sandbox Code Playgroud)