-1

我正在使用 Vuetify 1.5.2 开发一个 vue.js 应用程序。我们有一个像这样的 v-select:

<v-select
    v-model="selectedOptions"
    :items="options"
    multiple
    outline
    offset-y
    small-chips
    @change="(selection) => selectionChanged(selection)" >
</v-select>
...
...
selectionChanged(selection) {
    console.log('selection=', selection);
}

这给了我一个如下所示的下拉菜单:

在此处输入图像描述

我试图将选定的选项传递给处理程序,但我没有得到我选择的特定项目,而是 selectedOptions 中的选定项目数组。实际上,我不知道选择了哪个项目。是否有道具或事件可以帮助我跟踪在 Vuetify 1.5.2 中选择的特定项目?

谢谢

4

1 回答 1

1

我已经完成了这个小片段,你可以试试。

从长远来看,这里是代码:

<script type="text/x-template" id="app-template">
  <v-app>
    <v-container>
      <v-select
       v-model="selectedItems"
       :items="options"
       multiple
       outline
       offset-y
       @change="(selection) => selectionChanged(selection)">
      </v-select>
    </v-container>
  </v-app>
</script>

<div id="app"></div>
const App = {
  template: '#app-template',
  data: () => ({
    selectedItems: [],
    options: [
      "One", "Two", "Three"
    ],
    previousSelection: []
  }),
  methods: {
    selectionChanged(selection) {
      console.log('previous selection = ', this.previousSelection)
      
      let selected = null
      if (this.previousSelection.length < selection.length) {
        selected = selection.filter(x => !this.previousSelection.includes(x))[0]  
      } else if (this.previousSelection.length > selection.length) {
        selected = this.previousSelection.filter(x => !selection.includes(x))[0]
      }
      
      console.log('selected = ', selected)
      
      this.previousSelection = selection
      console.log('selection = ', selection)
    }
  }
}


new Vue({
  vuetify: new Vuetify(),
  render: h => h(App)
}).$mount('#app')

如果您跟踪先前的选择(我使用了previousSelection变量)。您可以在当前选择和前一个选择之间进行区分,从而为您提供已单击的项目。

用这条线完成检查:

selected = selection.filter(x => !this.previousSelection.includes(x))[0]

对于取消选中,它执行相反的操作,它采用不在选择中但在前一个选择中的那个:

selected = this.previousSelection.filter(x => !selection.includes(x))[0]

这里[0]是为您提供数组中唯一的项目,它是先前选择与当前选择之间差异的结果。

这可能不是最优雅的解决方案,但它适用于选中/取消选中。

于 2020-12-30T21:27:11.813 回答