# Selectable Prop v3.3.0+

The selectable prop determines if an option is selectable or not. If selectable returns false for a given option, it will be displayed with a vs__dropdown-option--disabled class. The option will be disabled and unable to be selected.

selectable: {
  type: Function,
  /**
   * @param {Object|String} option
   * @return {boolean}
   */
  default: option => true,
},

# Example

Here selectable is used to prevent books by a certain author from being chosen. In this case, the options passed to the component are objects:

{ 
    title: "Right Ho Jeeves", 
    author: { firstName: "P.D", lastName: "Woodhouse" }, 
}

This object will be passed to selectable, so we can check if the author should be selectable or not.






 











<template>
  <v-select
    placeholder="Choose a book to read"
    label="title"
    :options="books"
    :selectable="(option) => !option.author.lastName.includes('Woodhouse')"
  />
</template>
<script>
import books from '../data/books'
export default {
  computed: {
    books: () => books,
  },
}
</script>

# Limiting the Number of Selections

selectable can also be used a bit more creatively to limit the number selections that can be made within the component. In this case, the user can select any author, but may only select a maximum of three books.








 














<template>
  <v-select
    v-model="selected"
    multiple
    placeholder="Choose up to 3 books!"
    label="title"
    :options="books"
    :selectable="() => selected.length < 3"
  />
</template>
<script>
import books from '../data/books'
export default {
  data() {
    return { selected: [] }
  },
  computed: {
    books: () => books,
  },
}
</script>