Vue-multiselect(2.1.7)

The most complete selecting solution for Vue.js

LicensenpmNo Dependencies

Getting started


For installation with Vue 3, see the readme in Github for the latest instructions

Installation

via npm

npm install vue-multiselect --save

via CDN

<script src="https://unpkg.com/vue-multiselect@2.1.6"></script>
<link rel="stylesheet" href="https://unpkg.com/vue-multiselect@2.1.6/dist/vue-multiselect.min.css">

Basic usage

via npm

<!-- Vue component -->
<template>
  <div>
    <multiselect v-model="value" :options="options"></multiselect>
  </div>
</template>

<script>
  import Multiselect from 'vue-multiselect'

  // register globally
  Vue.component('multiselect', Multiselect)

  export default {
    // OR register locally
    components: { Multiselect },
    data () {
      return {
        value: null,
        options: ['list', 'of', 'options']
      }
    }
  }
</script>

<!-- New step!
     Add Multiselect CSS. Can be added as a static asset or inside a component. -->
<style src="vue-multiselect/dist/vue-multiselect.min.css"></style>

<style>
  your styles
</style>

via CDN

// register globally
Vue.component('vue-multiselect', window.VueMultiselect.default)

Examples


Single select

The basic single select / dropdown doesn’t require much configuration.

The options prop must be an Array.

Optional configuration flags:

  • :searchable="false" – disables the search functionality
  • :close-on-select="false" – the dropdown stays open after selecting an option
  • :show-labels="false" – the highlighted option doesn’t have a label on it
import Multiselect from 'vue-multiselect'

export default {
  components: {
    Multiselect
  },
  data () {
    return {
      value: '',
      options: ['Select option', 'options', 'selected', 'multiple', 'label', 'searchable', 'clearOnSelect', 'hideSelected', 'maxHeight', 'allowEmpty', 'showLabels', 'onChange', 'touched']
    }
  }
}

div
  label.typo__label Single select
  multiselect(
    v-model="value",
    :options="options",
    :searchable="false",
    :close-on-select="false",
    :show-labels="false"
    placeholder="Pick a value"
  )
  pre.language-json
    code.
      {{ value  }}

<div>
  <label class="typo__label">Single select</label>
  <multiselect v-model="value" :options="options" :searchable="false" :close-on-select="false" :show-labels="false" placeholder="Pick a value"></multiselect>
  <pre class="language-json"><code>{{ value  }}</code></pre>
</div>

Single select (object)

When working with objects, you must provide additional props: label and track-by.

track-by is used to identify the option within the options list thus it’s value has to be unique. In this example the name property is unique across all options, so it can be used as track-by value.

label is used to display the option.

Optional configuration flags:

  • :searchable="false" – disables the search functionality
  • :allow-empty="false" – once there is a value it can’t be deselected
  • deselect-label="Can't remove this value" – when highlighted, the already selected option will have the Can't remove this value helper label. Useful for single selects that don’t allow empty selection.
import Multiselect from 'vue-multiselect'

export default {
  components: {
    Multiselect
  },
  data () {
    return {
      value: null,
      options: [
        { name: 'Vue.js', language: 'JavaScript' },
        { name: 'Rails', language: 'Ruby' },
        { name: 'Sinatra', language: 'Ruby' },
        { name: 'Laravel', language: 'PHP', $isDisabled: true },
        { name: 'Phoenix', language: 'Elixir' }
      ]
    }
  }
}

div
  label.typo__label Single select / dropdown
  multiselect(
    v-model="value",
    deselect-label="Can't remove this value",
    track-by="name",
    label="name",
    placeholder="Select one",
    :options="options",
    :searchable="false",
    :allow-empty="false"
  )
    template(slot="singleLabel", slot-scope="{ option }")
      strong {{ option.name }}
      |  is written in
      strong   {{ option.language }}
  pre.language-json
    code.
      {{ value  }}


<div>
  <label class="typo__label">Single select / dropdown</label>
  <multiselect v-model="value" deselect-label="Can't remove this value" track-by="name" label="name" placeholder="Select one" :options="options" :searchable="false" :allow-empty="false">
    <template slot="singleLabel" slot-scope="{ option }"><strong>{{ option.name }}</strong> is written in<strong>  {{ option.language }}</strong></template>
  </multiselect>
  <pre class="language-json"><code>{{ value  }}</code></pre>
</div>

By default searchable is set to true, thus using search doesn’t require any prop.

The internal search engine is based on the label prop. In other words – when searching, vue-multiselect only compares the option labels with the current search query. If you want to search inside other object properties look at the ajax search example.

custom-label accepts a function with the option object as the first param. It should return a string which is then used to display a custom label.

import Multiselect from 'vue-multiselect'

export default {
  components: {
    Multiselect
  },
  data () {
    return {
      value: { name: 'Vue.js', language: 'JavaScript' },
      options: [
        { name: 'Vue.js', language: 'JavaScript' },
        { name: 'Rails', language: 'Ruby' },
        { name: 'Sinatra', language: 'Ruby' },
        { name: 'Laravel', language: 'PHP' },
        { name: 'Phoenix', language: 'Elixir' }
      ]
    }
  },
  methods: {
    nameWithLang ({ name, language }) {
      return `${name} — [${language}]`
    }
  }
}

div
  label.typo__label Select with search
  multiselect(
    v-model="value",
    :options="options",
    :custom-label="nameWithLang"
    placeholder="Select one",
    label="name",
    track-by="name"
  )
  pre.language-json
    code.
      {{ value  }}

<div>
  <label class="typo__label">Select with search</label>
  <multiselect v-model="value" :options="options" :custom-label="nameWithLang" placeholder="Select one" label="name" track-by="name"></multiselect>
  <pre class="language-json"><code>{{ value  }}</code></pre>
</div>

Multiple select

To allow multiple selections pass the :multiple="true" prop.

Optional configuration flags:

  • :close-on-select="false" – the dropdown stays open after selecting an option
  • :clear-on-select="false" – the search query stays the same after selecting an option

New in v2.0.0 stable:

  • You can now pass <template slot="tag" slot-scope="props"><Your code></template> to use a different markup for selected options (tags)
import Multiselect from 'vue-multiselect'

export default {
  components: {
    Multiselect
  },
  data () {
    return {
      value: [],
      options: [
        { name: 'Vue.js', language: 'JavaScript' },
        { name: 'Adonis', language: 'JavaScript' },
        { name: 'Rails', language: 'Ruby' },
        { name: 'Sinatra', language: 'Ruby' },
        { name: 'Laravel', language: 'PHP' },
        { name: 'Phoenix', language: 'Elixir' }
      ]
    }
  }
}

div
  label.typo__label Simple select / dropdown
  multiselect(
    v-model="value",
    :options="options",
    :multiple="true",
    :close-on-select="false",
    :clear-on-select="false",
    :preserve-search="true",
    placeholder="Pick some"
    label="name",
    track-by="name",
    :preselect-first="true"
  )
    template(
      slot="selection"
      slot-scope="{ values, search, isOpen }"
    )
      span.multiselect__single(v-if="values.length", v-show="!isOpen")
        | {{ values.length }} options selected
  pre.language-json
    code.
      {{ value  }}


<div>
  <label class="typo__label">Simple select / dropdown</label>
  <multiselect v-model="value" :options="options" :multiple="true" :close-on-select="false" :clear-on-select="false" :preserve-search="true" placeholder="Pick some" label="name" track-by="name" :preselect-first="true">
    <template slot="selection" slot-scope="{ values, search, isOpen }"><span class="multiselect__single" v-if="values.length" v-show="!isOpen">{{ values.length }} options selected</span></template>
  </multiselect>
  <pre class="language-json"><code>{{ value  }}</code></pre>
</div>

Asynchronous select

Vue-Multiselect supports changing the option list on the fly, thus can be also used a type-a-head search box.

To react to the search query changes, set a handler function on the @search-change event. It receives the searchQuery as the first param, which can be used to make an asynchronous API call.

It is convenient to set the :loading prop to true, whenever a request is in progress. Look at the provided asyncFind method for an example usage.

Optional configuration flags:

  • :hide-selected="true" – already selected options will not be displayed in the dropdown
  • :internal-search="false" – disables the multiselect’s internal search engine. If you do that, you have to manually update the available :options.
  • :limit="3" – limits the visible results to 3.
  • :limit-text="limitText" – function that receives the current selected options count and should return a string to show when the :limit count is exceed
  • :options-limit="300" – limits the displayed options to 300. Useful for optimisations purposes.

New in v2.0.0 stable:

  • id="ajax" – every event is emitted with this as the second param. Useful for identification which component instance triggered the method (in loops for example). NEW: Can also be used for pointing with <label :for="id">.
  • open-direction="bottom" – forces the multiselect to always open below. Use top or above to always open above. By default the multiselect will open whereever there is more space once there is not enough space below to open at maxHeight.
import Multiselect from 'vue-multiselect'
import { ajaxFindCountry } from './countriesApi'

export default {
  components: {
    Multiselect
  },
  data () {
    return {
      selectedCountries: [],
      countries: [],
      isLoading: false
    }
  },
  methods: {
    limitText (count) {
      return `and ${count} other countries`
    },
    asyncFind (query) {
      this.isLoading = true
      ajaxFindCountry(query).then(response => {
        this.countries = response
        this.isLoading = false
      })
    },
    clearAll () {
      this.selectedCountries = []
    }
  }
}

div
  label.typo__label(for="ajax") Async multiselect
  multiselect(
    v-model="selectedCountries",
    id="ajax",
    label="name",
    track-by="code",
    placeholder="Type to search",
    open-direction="bottom",
    :options="countries",
    :multiple="true",
    :searchable="true",
    :loading="isLoading",
    :internal-search="false",
    :clear-on-select="false",
    :close-on-select="false",
    :options-limit="300",
    :limit="3",
    :limit-text="limitText",
    :max-height="600",
    :show-no-results="false",
    :hide-selected="true",
    @search-change="asyncFind"
  )
    template(slot="tag", slot-scope="{ option, remove }")
      span.custom__tag
        span {{ option.name }}
        span.custom__remove(@click="remove(option)") ❌
    template(slot="clear", slot-scope="props")
      div.multiselect__clear(
        v-if="selectedCountries.length",
        @mousedown.prevent.stop="clearAll(props.search)"
      )
    span(slot="noResult").
      Oops! No elements found. Consider changing the search query.
  pre.language-json
    code.
      {{ selectedCountries  }}

<div>
  <label class="typo__label" for="ajax">Async multiselect</label>
  <multiselect v-model="selectedCountries" id="ajax" label="name" track-by="code" placeholder="Type to search" open-direction="bottom" :options="countries" :multiple="true" :searchable="true" :loading="isLoading" :internal-search="false" :clear-on-select="false" :close-on-select="false" :options-limit="300" :limit="3" :limit-text="limitText" :max-height="600" :show-no-results="false" :hide-selected="true" @search-change="asyncFind">
    <template slot="tag" slot-scope="{ option, remove }"><span class="custom__tag"><span>{{ option.name }}</span><span class="custom__remove" @click="remove(option)">❌</span></span></template>
    <template slot="clear" slot-scope="props">
      <div class="multiselect__clear" v-if="selectedCountries.length" @mousedown.prevent.stop="clearAll(props.search)"></div>
    </template><span slot="noResult">Oops! No elements found. Consider changing the search query.</span>
  </multiselect>
  <pre class="language-json"><code>{{ selectedCountries  }}</code></pre>
</div>

Tagging

To add tagging functionality to single/multiple selects, set the :taggable prop to true. This will add an additional option at the beginning of the options list whenever you type a phrase that doesn’t have an exact match in the available options. Selecting this temporary option will emit the @tag event with the current typed search query as the first param. The event handler should add the received tag to both the options list and the value.

Remember that when working with objects as options, you have to transform the received tag string to an object that matches the objects structure of the options list. In this example, the addTag method generates an object with a unique code property.

Optional configuration flags:

  • tag-placeholder="Add this as new tag" – A helper label that will be displayed when highlighting the just typed tag suggestion.
  • tag-position="bottom" – By default the tag position will be set to 'top' and new tags will appear above the search results. Changing the tag positon to 'bottom' will revert this behaviour and will prioritize the search results.
import Multiselect from 'vue-multiselect'

export default {
  components: {
    Multiselect
  },
  data () {
    return {
      value: [
        { name: 'Javascript', code: 'js' }
      ],
      options: [
        { name: 'Vue.js', code: 'vu' },
        { name: 'Javascript', code: 'js' },
        { name: 'Open Source', code: 'os' }
      ]
    }
  },
  methods: {
    addTag (newTag) {
      const tag = {
        name: newTag,
        code: newTag.substring(0, 2) + Math.floor((Math.random() * 10000000))
      }
      this.options.push(tag)
      this.value.push(tag)
    }
  }
}

div
  label.typo__label Tagging
  multiselect(
    v-model="value",
    tag-placeholder="Add this as new tag",
    placeholder="Search or add a tag",
    label="name",
    track-by="code",
    :options="options",
    :multiple="true",
    :taggable="true",
    @tag="addTag"
  )
  pre.language-json
    code.
      {{ value  }}

<div>
  <label class="typo__label">Tagging</label>
  <multiselect v-model="value" tag-placeholder="Add this as new tag" placeholder="Search or add a tag" label="name" track-by="code" :options="options" :multiple="true" :taggable="true" @tag="addTag"></multiselect>
  <pre class="language-json"><code>{{ value  }}</code></pre>
</div>

Custom option template

You can use option scoped slot to provide a custom option template. The available props include props.option and props.search. Look at the provided example for more details.

To ensure the keyboard navigation works properly, remember to set the :option-height so it equals the height of the option template. By default, the component assumes an option height of 40px.

Optional configuration flags:

  • :option-height="104" – The height of the custom option template.
import Multiselect from 'vue-multiselect'

export default {
  components: {
    Multiselect
  },
  data () {
    return {
      value: { title: 'Explorer', desc: 'Discovering new species!', img: 'static/posters/creatures.png' },
      options: [
        { title: 'Space Pirate', desc: 'More space battles!', img: 'static/posters/fleet.png' },
        { title: 'Merchant', desc: 'PROFIT!', img: 'static/posters/trading_post.png' },
        { title: 'Explorer', desc: 'Discovering new species!', img: 'static/posters/creatures.png' },
        { title: 'Miner', desc: 'We need to go deeper!', img: 'static/posters/resource_lab.png' }
      ]
    }
  },
  methods: {
    customLabel ({ title, desc }) {
      return `${title} – ${desc}`
    }
  }
}

div
  label.typo__label Custom option template
  multiselect(
    v-model="value",
    placeholder="Fav No Man’s Sky path",
    label="title",
    track-by="title",
    :options="options",
    :option-height="104",
    :custom-label="customLabel",
    :show-labels="false"
  )
    template(slot="singleLabel", slot-scope="props")
      img.option__image(:src="props.option.img", alt="No Man’s Sky")
      span.option__desc
        span.option__title {{ props.option.title }}
    template(slot="option", slot-scope="props")
      img.option__image(:src="props.option.img", alt="No Man’s Sky")
      .option__desc
        span.option__title {{ props.option.title }}
        span.option__small {{ props.option.desc }}
  pre.language-json
    code.
      {{ value  }}

<div>
  <label class="typo__label">Custom option template</label>
  <multiselect v-model="value" placeholder="Fav No Man’s Sky path" label="title" track-by="title" :options="options" :option-height="104" :custom-label="customLabel" :show-labels="false">
    <template slot="singleLabel" slot-scope="props"><img class="option__image" :src="props.option.img" alt="No Man’s Sky"><span class="option__desc"><span class="option__title">{{ props.option.title }}</span></span></template>
    <template slot="option" slot-scope="props"><img class="option__image" :src="props.option.img" alt="No Man’s Sky">
      <div class="option__desc"><span class="option__title">{{ props.option.title }}</span><span class="option__small">{{ props.option.desc }}</span></div>
    </template>
  </multiselect>
  <pre class="language-json"><code>{{ value  }}</code></pre>
</div>

Option groups

The options list can also contain groups. It requires passing 3 additional props: group-label, group-values and group-select. group-label is used to locate the group label. group-values should point to the group’s option list. group-select is used to define if selecting the group label should select/unselect all values in the group, or do nothing.

Despite that the available options are grouped, the selected options are stored as a flat array of objects.

Please look at the provided example for a example options list structure.

import Multiselect from 'vue-multiselect'

export default {
  components: {
    Multiselect
  },
  data () {
    return {
      options: [
        {
          language: 'Javascript',
          libs: [
            { name: 'Vue.js', category: 'Front-end' },
            { name: 'Adonis', category: 'Backend' }
          ]
        },
        {
          language: 'Ruby',
          libs: [
            { name: 'Rails', category: 'Backend' },
            { name: 'Sinatra', category: 'Backend' }
          ]
        },
        {
          language: 'Other',
          libs: [
            { name: 'Laravel', category: 'Backend' },
            { name: 'Phoenix', category: 'Backend' }
          ]
        }
      ],
      value: []
    }
  }
}

div
  label.typo__label Groups
  multiselect(
    v-model="value",
    :options="options",
    :multiple="true",
    group-values="libs",
    group-label="language",
    :group-select="true",
    placeholder="Type to search",
    track-by="name",
    label="name",
  )
    span(slot="noResult").
      Oops! No elements found. Consider changing the search query.
  pre.language-json
    code.
      {{ value  }}

<div>
  <label class="typo__label">Groups</label>
  <multiselect v-model="value" :options="options" :multiple="true" group-values="libs" group-label="language" :group-select="true" placeholder="Type to search" track-by="name" label="name"><span slot="noResult">Oops! No elements found. Consider changing the search query.</span></multiselect>
  <pre class="language-json"><code>{{ value  }}</code></pre>
</div>

Vuex support

Due to the one-way data-flow enforced by Vuex you should not be using v-model for manipulating the currently selected value. Because Vue-Multiselect always uses it’s own internal copy of the value it never mutates the :value by itself, which means it can can safely used with Vuex or even Redux.

In Vue 2.0 v-model is just a syntax sugar for :value and @input. Because of this we can use the @input event to trigger Vuex actions or mutations. Whenever we mutate the :value in Vuex, Multiselect’s internal value will update.

import Vue from 'vue'
import Vuex from 'vuex'
import Multiselect from 'vue-multiselect'

const { mapActions, mapState } = Vuex

Vue.use(Vuex)

const store = new Vuex.Store({
  state: {
    value: 'Vuex',
    options: ['Vuex', 'Vue', 'Vuelidate', 'Vue-Multiselect', 'Vue-Router']
  },
  mutations: {
    updateValue (state, value) {
      state.value = value
    }
  },
  actions: {
    updateValueAction ({ commit }, value) {
      commit('updateValue', value)
    }
  }
})

export default {
  store,
  components: {
    Multiselect
  },
  computed: {
    ...mapState(['value', 'options'])
  },
  methods: {
    ...mapActions(['updateValueAction'])
  }
}

div
  label.typo__label Vuex example.
  multiselect(
    placeholder="Pick action",
    :value="value",
    :options="options",
    :searchable="false",
    @input="updateValueAction",
  )

<div>
  <label class="typo__label">Vuex example.</label>
  <multiselect placeholder="Pick action" :value="value" :options="options" :searchable="false" @input="updateValueAction"></multiselect>
</div>

Action dispatcher

The component may also act as dispatcher for different actions/methods. In this case there is no need for the :value prop. Instead of @input you can listen on the @select event. The difference between the two is that @select only receives the currently selected value instead of the whole list of selected values (if select is multiple).

Optional configuration flags:

  • :reset-after="true" – Resets the internal value after each select action inside the component.
import Multiselect from 'vue-multiselect'

export default {
  components: {
    Multiselect
  },
  data () {
    return {
      actions: ['alert', 'console.log', 'scrollTop']
    }
  },
  methods: {
    dispatchAction (actionName) {
      switch (actionName) {
        case 'alert':
          window.alert('You just dispatched "alert" action!')
          break
        case 'console.log':
          console.log('You just dispatched "console.log" action!')
          break
        case 'scrollTop':
          window.scrollTo(0, 0)
          break
      }
    }
  }
}

div
  label.typo__label Open console to see logs.
  multiselect(
    placeholder="Pick action",
    :options="actions",
    :searchable="false",
    :reset-after="true",
    @select="dispatchAction"
  )

<div>
  <label class="typo__label">Open console to see logs.</label>
  <multiselect placeholder="Pick action" :options="actions" :searchable="false" :reset-after="true" @select="dispatchAction"></multiselect>
</div>

Custom configuration

Shows error when touched, but nothing is selected.

Optional configuration flags:

  • :max-height="150" – Set the dropdown height to 150px
  • :max="3" – Set the maximal number of selections
  • :allow-empty="false" – Doesn’t allow to remove the last option if it exists
  • :prevent-autofocus="true" – Doesn’t focus to input search on open
  • :block-keys="['Tab', 'Enter']" – Block the Tab and Enter keys from triggering their default behaviour
  • @close="onTouch" – Event emitted when closing the dropdown
import Multiselect from 'vue-multiselect'

export default {
  components: {
    Multiselect
  },
  data () {
    return {
      isDisabled: false,
      isTouched: false,
      value: [],
      options: ['Select option', 'Disable me!', 'Reset me!', 'mulitple', 'label', 'searchable']
    }
  },
  computed: {
    isInvalid () {
      return this.isTouched && this.value.length === 0
    }
  },
  methods: {
    onChange (value) {
      this.value = value
      if (value.indexOf('Reset me!') !== -1) this.value = []
    },
    onSelect (option) {
      if (option === 'Disable me!') this.isDisabled = true
    },
    onTouch () {
      this.isTouched = true
    }
  }
}

div(
  :class="{ 'invalid': isInvalid }"
)
  label.typo__label Customized multiselect
  multiselect(
    placeholder="Pick at least one",
    select-label="Enter doesn’t work here!",
    :value="value",
    :options="options",
    :multiple="true",
    :searchable="true",
    :allow-empty="false",
    :prevent-autofocus="true",
    :hide-selected="true",
    :max-height="150",
    :max="3",
    :disabled="isDisabled",
    :block-keys="['Tab', 'Enter']",
    @input="onChange",
    @close="onTouch",
    @select="onSelect"
  )
  label.typo__label.form__label(v-show="isInvalid") Must have at least one value

<div :class="{ 'invalid': isInvalid }">
  <label class="typo__label">Customized multiselect</label>
  <multiselect placeholder="Pick at least one" select-label="Enter doesn’t work here!" :value="value" :options="options" :multiple="true" :searchable="true" :allow-empty="false" :prevent-autofocus="true" :hide-selected="true" :max-height="150" :max="3" :disabled="isDisabled" :block-keys="['Tab', 'Enter']" @input="onChange" @close="onTouch" @select="onSelect"></multiselect>
  <label class="typo__label form__label" v-show="isInvalid">Must have at least one value</label>
</div>

Programmatic control

In some cases, you might to programmatically open and close your multiselect. There are various ways you can do this:

  • activate() and deactivate() – You can access these methods on the multiselect.
  • focus() – You can dispatch a focus event on the multiselects $el or on the search input directly.
import Multiselect from 'vue-multiselect'

export default {
	components: {
		Multiselect
	},
	data () {
		return {
			isOpen: false,
			value: [],
			options: ['Select option', 'Option 1', 'Option 2', 'Option 3', 'Option 4', 'Option 5']
		}
	},
	methods: {
		toggle () {
			this.$refs.multiselect.$el.focus()
						
			setTimeout(() => {
				this.$refs.multiselect.$refs.search.blur()
			}, 1000)
		},
		open () {
			this.$refs.multiselect.activate()
		},
		close () {
			this.$refs.multiselect.deactivate()
		}
	}
}

div
	<button @click="toggle" class="button button-small">Toggle</button>
	<button @click="open" class="button button-small">Open</button>
	<button @click="close" class="button button-small">Close</button>
	<pre>Multiselect Open: {{ isOpen }}</pre>

	label.typo__label Controlling multiselect programmatically
	multiselect(
		ref="multiselect"
		placeholder="Pick at least one",
		:value="value",
		:options="options",
		:multiple="true",
		:searchable="true",
		:allow-empty="false",
		:hide-selected="true",
		:max-height="150",
		:max="3",
		@open="isOpen = true"
		@close="isOpen = false"
	)

<div><button @click="toggle" class="button button-small">Toggle</button>
<button @click="open" class="button button-small">Open</button>
<button @click="close" class="button button-small">Close</button>
<pre>Multiselect Open: {{ isOpen }}</pre>
  <label class="typo__label">Controlling multiselect programmatically</label>
  <multiselect ref="multiselect" placeholder="Pick at least one" :value="value" :options="options" :multiple="true" :searchable="true" :allow-empty="false" :hide-selected="true" :max-height="150" :max="3" @open="isOpen = true" @close="isOpen = false"></multiselect>
</div>

Props

NameTypeDefaultDescription
multiselectMixin.js
idInteger||StringUsed to identify the component in events.
optionsArrayArray of available options: Objects, Strings or Integers. If array of objects, visible label will default to option.label.
valueObject||Array||String||IntegerPresets the selected options.
multipleBooleanfalseEquivalent to the multiple attribute on a <select> input.
trackByStringUsed to compare objects. Only use if options are objects.
labelStringLabel from option Object, that will be visible in the dropdown.
searchableBooleantrueAdd / removes search input.
clearOnSelectBooleantrueClear the search input after select(). Use only when multiple is true.
hideSelectedBooleanfalseHide already selected options
placeholderString'Select option'Equivalent to the placeholder attribute on a <select> input.
allowEmptyBooleantrueAllows to remove all selected values. Otherwise one must be left selected.
resetAfterBooleanfalseReset this.value, this.search, this.selected after this.value changes.
closeOnSelectBooleantrueEnable/disable closing after selecting an option
customLabelFunction => StringFunction used to create a custom label
taggableBooleanfalseDisable / Enable tagging
tagPlaceholderString'Press enter to create a tag'String to show when highlighting a potential tag
tagPositionString'top'By default new tags will appear above the search results. Changing to 'bottom' will revert this behaviour and will proritize the search results
maxNumberNumber of allowed selected options.
optionsLimitNumber1000Limits the options displayed in the dropdown to the first X options.
groupValuesStringName of the property containing the group values
groupLabelStringName of the property containing the group label
groupSelectBooleanfalseAllow to select all group values by selecting the group label
blockKeysArray[]Array of keyboard key aliases to block when selecting
internalSearchBooleantrueDecide whether to filter the results internally based on search query. Useful for async filtering, where we search through more complex data.
preserveSearchBooleanfalseIf set to true, will preserve the search query when opening/closing the component.
preselectFirstBooleanfalseSelects the first option if initial value is empty
preventAutofocusBooleanfalseDisabled the search input focusing when the multiselect opens
Multiselect.vue
nameString''Name attribute to match optional label element
selectLabelString'Press enter to select'String to show when pointing to an option
selectGroupLabelString'Press enter to select group'String to show when pointing to an option
selectedLabelString'Selected'String to show next to selected option
deselectLabelString'Press enter to remove'String to show when pointing to an already selected option
deselectGroupLabelString'Press enter to deselect group'String to show when pointing to an already selected group
showLabelsBooleantrueDecide whether to show labels on highlighted options
limitNumber99999Limit the display of selected options. The rest will be hidden within the limitText string.
limitTextFunction => Stringcount => `and ${count} more`Function that process the message shown when selected elements pass the defined limit.
loadingBooleanfalseShow/hide the loading spinner.
disabledBooleanfalseEnable/disable the multiselect.
maxHeightInteger300Sets max-height style value of the dropdown
openDirectionString''Fixed opening direction (instead of auto). Options are "above"/"top" or "below"/"bottom"
showNoOptionsBooleantrueShow the showNoOptions slot if list is empty.
showNoResultsBooleantrueShow the noResult slot if no results are found.
tabindexNumber0Specify the tabindex of the Multiselect component
pointerMixin.js
showPointerBooleantrueEnable/disable highlighting of the pointed value.
optionHeightNumber40The height of the option element. Required for proper scrolling.

Events

NameAttributesListen toDescription
Input(value, id)@inputEmitted after this.value changes
Select(selectedOption, id)@selectEmitted after selecting an option
Remove(removedOption, id)@removeEmitted after removing an option
SearchChange(searchQuery, id)@search-changeEmitted after the search query changes
Tag(searchQuery, id)@tagEmitted after user attempts to add a tag
Open(id)@openEmitted when the dropdown opens. Useful for detecting when touched.
Close(value, id)@closeEmitted when the dropdown closes

Slots

NameDescription
optionSlot for custom option template. See example.
Default: Shows option label
Slot-scope
  • option – option
  • search – current search value
maxElementsShows when the maximum options have been selected. Defaults to string:
Default: Maximum of <max> options selected. First remove a selected option to select another.
noResultShows when no elements match the search query. Defaults to string:
Default: No elements found. Consider changing the search query.
noOptionsShows when no elements in options empty. Defaults to string:
Default: List is empty.
beforeListShows before the list, when dropdown is open.
afterListShows after the list, when dropdown is open.
caretElement for opening and closing the dropdown.
Slot-scope
  • toggle: Function – toggles the dropdown.
singleLabelSlot for custom label template for single select
placeholderSlot for the placeholder (is not displayed when the dropdown is open and `searchable` is true)
limitSlot to display when the number of selected options is greater than `optionsLimit`.
clearSlot located before the tags
Slot-scope
  • search – the search value
tagSlot that is used for each selected option (tags)
Slot-scope
  • option – selected option
  • search – the search value
  • remove – method to remove the slot (pass the option)
selectionSlot that can be used to show all selected tags. The main different between theselectionslot and thetagslot is that thetagslot renders per tag, however this slot renders just once, leaving the display of each tag to you (if you wish to display each one)
Slot-scope
  • search – the search value
  • removeElement – method to remove the slot (pass the option)
  • values – Array of selected values
  • is-open – Boolean if the select is open

Created by Damian Dulisz @DamianDulisz