Reputation: 159
I try this @filter event example
https://quasar.dev/vue-components/select#example--basic-filtering
can work
Index.vue
<template>
<q-select
:options="options"
@filter="filter"
v-model="model"
use-input
></q-select>
</template>
<script>
import { defineComponent } from "vue";
import { computed, reactive, toRefs, ref } from "vue";
const selectedOptions = ["Google", "Facebook", "Twitter", "Apple", "Oracle"];
export default defineComponent({
name: "PageIndex",
setup() {
let state = reactive({
model: null,
options: selectedOptions,
});
const filter = (val, update, abort) => {
update(() => {
const needle = val.toLowerCase()
state.options = selectedOptions.filter(v => v.toLowerCase().indexOf(needle) > -1)
})
}
return {
filter,
selectedOptions,
...toRefs(state),
};
},
});
</script>
I want to do common function from utils/filter.js but not work
Index.vue
<template>
<q-select
use-input
:options="options"
@filter="
(val, update, abort) =>
filter(val, update, abort, selectedOptions, options)
"
v-model="model"
> </q-select>
</template>
<script>
import { defineComponent } from "vue";
import { computed, reactive, toRefs, ref } from "vue";
import { filter } from "../utils/filter";
const selectedOptions = ["Google", "Facebook", "Twitter", "Apple", "Oracle1"];
export default defineComponent({
name: "PageIndex",
setup() {
let state = reactive({
model: null,
options: selectedOptions,
});
return {
filter,
selectedOptions,
...toRefs(state),
};
},
});
</script>
utils/filter.js
export function filter(val, update, abort, from, to) {
update(() => {
const needle = val.toLowerCase()
to.value = from.filter((v) => v.toLowerCase().indexOf(needle) > -1)
})
}
What to do to get filtering to work ?
work version https://codesandbox.io/s/blissful-brattain-vd085n?file=/src/pages/Index.vue
not work version https://codesandbox.io/s/blissful-brattain-vd085nv2-forked-feiv7v?file=/src/pages/Index.vue
Upvotes: 1
Views: 3674
Reputation: 159
finally I pass this to function and change it
@filter="(val, update, abort) => filter(val, update, abort, selectedOptions, 'options' ,this)"
filter.js
export const filter = (val, update, abort, from, key, vm) => {
update(() => {
const needle = val.toLowerCase()
vm[key] = from.filter((v) => v.toLowerCase().indexOf(needle) > -1)
})
}
Better practice after asking v2 vertion
@filter="filterHandler"
const filterHandler = (val, update) => {
update(() => {
options.value = filter(val, oriOptions)
})
}
//filter.js
export const filter = (val, options) => {
if (val === '') return options
const needle = val.toLowerCase()
return options.filter((v) => v.toLowerCase().indexOf(needle) > -1)
}
Upvotes: 1