iview/src/components/select/select.vue

765 lines
30 KiB
Vue
Raw Normal View History

<template>
<div
:class="classes"
2018-03-27 09:58:27 +02:00
v-click-outside.capture="onClickOutside"
2018-05-22 07:33:43 +02:00
v-click-outside:mousedown.capture="onClickOutside"
2018-03-27 09:58:27 +02:00
>
<div
2017-03-06 18:24:57 +08:00
ref="reference"
2018-03-27 09:58:27 +02:00
:class="selectionCls"
:tabindex="selectTabindex"
@blur="toggleHeaderFocus"
@focus="toggleHeaderFocus"
@click="toggleMenu"
@keydown.esc="handleKeydown"
@keydown.enter="handleKeydown"
@keydown.up.prevent="handleKeydown"
@keydown.down.prevent="handleKeydown"
2018-03-27 09:58:27 +02:00
@keydown.tab="handleKeydown"
@keydown.delete="handleKeydown"
@mouseenter="hasMouseHoverHead = true"
@mouseleave="hasMouseHoverHead = false"
>
2017-08-23 14:42:54 +08:00
<slot name="input">
2018-03-27 09:58:27 +02:00
<input type="hidden" :name="name" :value="publicValue">
<select-head
:filterable="filterable"
:multiple="multiple"
:values="values"
:clearable="canBeCleared"
2017-08-23 14:42:54 +08:00
:disabled="disabled"
2018-03-27 09:58:27 +02:00
:remote="remote"
:input-element-id="elementId"
:initial-label="initialLabel"
:placeholder="placeholder"
:query-prop="query"
@on-query-change="onQueryChange"
@on-input-focus="isFocused = true"
@on-input-blur="isFocused = false"
2018-05-08 12:47:03 +02:00
@on-clear="clearSingleSelect"
2018-03-27 09:58:27 +02:00
/>
2017-08-23 14:42:54 +08:00
</slot>
</div>
2018-03-16 00:43:11 +08:00
<transition name="transition-drop">
<Drop
2017-07-20 11:53:18 +08:00
:class="dropdownCls"
v-show="dropVisible"
:placement="placement"
ref="dropdown"
:data-transfer="transfer"
2018-09-10 16:10:35 +08:00
:transfer="transfer"
2018-03-27 09:58:27 +02:00
v-transfer-dom
>
<ul v-show="showNotFoundLabel" :class="[prefixCls + '-not-found']"><li>{{ localeNotFoundText }}</li></ul>
<ul :class="prefixCls + '-dropdown-list'">
2018-05-08 11:15:49 +02:00
<functional-options
v-if="(!remote) || (remote && !loading)"
:options="selectOptions"
:slot-update-hook="updateSlotOptions"
:slot-options="slotOptions"
></functional-options>
2018-03-27 09:58:27 +02:00
</ul>
2017-05-05 14:20:46 +08:00
<ul v-show="loading" :class="[prefixCls + '-loading']">{{ localeLoadingText }}</ul>
2017-03-06 18:24:57 +08:00
</Drop>
</transition>
</div>
</template>
<script>
2017-03-06 18:24:57 +08:00
import Drop from './dropdown.vue';
import {directive as clickOutside} from 'v-click-outside-x';
import TransferDom from '../../directives/transfer-dom';
2018-03-27 09:58:27 +02:00
import { oneOf } from '../../utils/assist';
2017-03-06 18:24:57 +08:00
import Emitter from '../../mixins/emitter';
import Locale from '../../mixins/locale';
2018-03-27 09:58:27 +02:00
import SelectHead from './select-head.vue';
import FunctionalOptions from './functional-options.vue';
const prefixCls = 'ivu-select';
2018-05-28 14:54:26 +02:00
const optionRegexp = /^i-option$|^Option$/i;
const optionGroupRegexp = /option-?group/i;
2018-03-27 09:58:27 +02:00
const findChild = (instance, checkFn) => {
let match = checkFn(instance);
if (match) return instance;
for (let i = 0, l = instance.$children.length; i < l; i++){
const child = instance.$children[i];
match = findChild(child, checkFn);
if (match) return match;
}
};
const findOptionsInVNode = (node) => {
const opts = node.componentOptions;
if (opts && opts.tag.match(optionRegexp)) return [node];
if (!node.children && (!opts || !opts.children)) return [];
2018-05-28 14:54:26 +02:00
const children = [...(node.children || []), ...(opts && opts.children || [])];
const options = children.reduce(
(arr, el) => [...arr, ...findOptionsInVNode(el)], []
).filter(Boolean);
return options.length > 0 ? options : [];
};
const extractOptions = (options) => options.reduce((options, slotEntry) => {
return options.concat(findOptionsInVNode(slotEntry));
}, []);
const applyProp = (node, propName, value) => {
return {
...node,
componentOptions: {
...node.componentOptions,
propsData: {
...node.componentOptions.propsData,
[propName]: value,
}
}
};
};
2018-05-28 14:54:26 +02:00
const getNestedProperty = (obj, path) => {
const keys = path.split('.');
return keys.reduce((o, key) => o && o[key] || null, obj);
};
const getOptionLabel = option => {
2018-05-29 08:40:45 +02:00
if (option.componentOptions.propsData.label) return option.componentOptions.propsData.label;
2018-05-28 14:54:26 +02:00
const textContent = (option.componentOptions.children || []).reduce((str, child) => str + (child.text || ''), '');
const innerHTML = getNestedProperty(option, 'data.domProps.innerHTML');
2018-05-29 08:40:45 +02:00
return textContent || (typeof innerHTML === 'string' ? innerHTML : '');
2018-05-28 14:54:26 +02:00
};
2018-09-25 15:04:56 +08:00
const checkValuesNotEqual = (value,publicValue,values) => {
const strValue = JSON.stringify(value);
const strPublic = JSON.stringify(publicValue);
const strValues = JSON.stringify(values.map( item => {
return item.value;
}));
return strValue !== strPublic || strValue !== strValues || strValues !== strPublic;
};
2018-05-28 14:54:26 +02:00
const ANIMATION_TIMEOUT = 300;
export default {
2017-01-13 17:10:57 +08:00
name: 'iSelect',
mixins: [ Emitter, Locale ],
2018-06-25 13:16:06 +08:00
components: { FunctionalOptions, Drop, SelectHead },
directives: { clickOutside, TransferDom },
props: {
2017-03-06 18:24:57 +08:00
value: {
type: [String, Number, Array],
default: ''
},
2017-07-14 13:58:34 +08:00
// 使用时,也得设置 value 才行
2017-05-18 16:01:53 +08:00
label: {
type: [String, Number, Array],
default: ''
},
multiple: {
type: Boolean,
default: false
},
disabled: {
type: Boolean,
default: false
},
clearable: {
type: Boolean,
default: false
},
placeholder: {
type: String
},
filterable: {
type: Boolean,
default: false
},
filterMethod: {
type: Function
},
2017-05-05 14:20:46 +08:00
remoteMethod: {
type: Function
},
loading: {
type: Boolean,
default: false
},
loadingText: {
type: String
},
size: {
validator (value) {
return oneOf(value, ['small', 'large', 'default']);
2018-06-28 14:13:31 +08:00
},
default () {
2018-08-07 16:35:27 +08:00
return !this.$IVIEW || this.$IVIEW.size === '' ? 'default' : this.$IVIEW.size;
}
},
labelInValue: {
type: Boolean,
default: false
},
notFoundText: {
type: String
2017-04-27 17:35:47 +08:00
},
placement: {
validator (value) {
2018-08-08 15:18:24 +08:00
return oneOf(value, ['top', 'bottom', 'top-start', 'bottom-start', 'top-end', 'bottom-end']);
2017-04-27 17:35:47 +08:00
},
2018-08-08 15:18:24 +08:00
default: 'bottom-start'
},
transfer: {
type: Boolean,
2018-06-28 11:48:30 +08:00
default () {
2018-08-07 16:35:27 +08:00
return !this.$IVIEW || this.$IVIEW.transfer === '' ? false : this.$IVIEW.transfer;
2018-06-28 11:48:30 +08:00
}
2017-08-23 14:42:54 +08:00
},
// Use for AutoComplete
autoComplete: {
type: Boolean,
default: false
2017-09-19 16:45:02 +08:00
},
name: {
type: String
2017-09-22 15:29:50 +08:00
},
elementId: {
type: String
}
},
2018-03-27 09:58:27 +02:00
mounted(){
this.$on('on-select-selected', this.onOptionClick);
// set the initial values if there are any
2018-05-28 14:54:26 +02:00
if (!this.remote && this.selectOptions.length > 0){
this.values = this.getInitialValue().map(value => {
if (typeof value !== 'number' && !value) return null;
return this.getOptionData(value);
}).filter(Boolean);
2018-03-27 09:58:27 +02:00
}
this.checkUpdateStatus();
2018-03-27 09:58:27 +02:00
},
data () {
2018-03-27 09:58:27 +02:00
return {
prefixCls: prefixCls,
2018-05-28 14:54:26 +02:00
values: [],
2018-03-27 09:58:27 +02:00
dropDownWidth: 0,
visible: false,
2018-03-27 09:58:27 +02:00
focusIndex: -1,
isFocused: false,
query: '',
2018-03-27 09:58:27 +02:00
initialLabel: this.label,
hasMouseHoverHead: false,
slotOptions: this.$slots.default,
caretPosition: -1,
lastRemoteQuery: '',
unchangedQuery: true,
hasExpectedValue: false,
preventRemoteCall: false,
2016-12-25 22:49:42 +08:00
};
},
computed: {
classes () {
return [
2016-10-28 18:27:04 +08:00
`${prefixCls}`,
{
2016-10-28 18:27:04 +08:00
[`${prefixCls}-visible`]: this.visible,
[`${prefixCls}-disabled`]: this.disabled,
[`${prefixCls}-multiple`]: this.multiple,
[`${prefixCls}-single`]: !this.multiple,
[`${prefixCls}-show-clear`]: this.showCloseIcon,
[`${prefixCls}-${this.size}`]: !!this.size
}
2016-12-25 22:49:42 +08:00
];
},
2017-07-20 11:53:18 +08:00
dropdownCls () {
return {
[prefixCls + '-dropdown-transfer']: this.transfer,
2017-08-23 14:42:54 +08:00
[prefixCls + '-multiple']: this.multiple && this.transfer,
['ivu-auto-complete']: this.autoComplete,
};
},
selectionCls () {
return {
2018-03-27 09:58:27 +02:00
[`${prefixCls}-selection`]: !this.autoComplete,
[`${prefixCls}-selection-focused`]: this.isFocused
2017-07-20 11:53:18 +08:00
};
},
queryStringMatchesSelectedOption(){
const selectedOptions = this.values[0];
if (!selectedOptions) return false;
const [query, label] = [this.query, selectedOptions.label].map(str => (str || '').trim());
return !this.multiple && this.unchangedQuery && query === label;
},
localeNotFoundText () {
2018-03-27 09:58:27 +02:00
if (typeof this.notFoundText === 'undefined') {
return this.t('i.select.noMatch');
} else {
return this.notFoundText;
}
2017-04-27 17:35:47 +08:00
},
2017-05-05 14:20:46 +08:00
localeLoadingText () {
2018-03-27 09:58:27 +02:00
if (typeof this.loadingText === 'undefined') {
2017-05-05 14:20:46 +08:00
return this.t('i.select.loading');
} else {
return this.loadingText;
}
},
2017-04-27 17:35:47 +08:00
transitionName () {
return this.placement === 'bottom' ? 'slide-up' : 'slide-down';
2017-05-08 10:01:07 +08:00
},
dropVisible () {
let status = true;
2018-04-24 08:54:46 +02:00
const noOptions = !this.selectOptions || this.selectOptions.length === 0;
if (!this.loading && this.remote && this.query === '' && noOptions) status = false;
2017-08-23 14:42:54 +08:00
2018-04-24 08:54:46 +02:00
if (this.autoComplete && noOptions) status = false;
2017-08-23 14:42:54 +08:00
2017-05-08 10:01:07 +08:00
return this.visible && status;
2017-05-12 09:49:36 +08:00
},
2018-03-27 09:58:27 +02:00
showNotFoundLabel () {
const {loading, remote, selectOptions} = this;
2018-04-24 08:54:46 +02:00
return selectOptions && selectOptions.length === 0 && (!remote || (remote && !loading));
},
2018-03-27 09:58:27 +02:00
publicValue(){
if (this.labelInValue){
return this.multiple ? this.values : this.values[0];
} else {
2018-03-27 09:58:27 +02:00
return this.multiple ? this.values.map(option => option.value) : (this.values[0] || {}).value;
}
},
2018-03-27 09:58:27 +02:00
canBeCleared(){
const uiStateMatch = this.hasMouseHoverHead || this.active;
const qualifiesForClear = !this.multiple && !this.disabled && this.clearable;
2018-03-27 09:58:27 +02:00
return uiStateMatch && qualifiesForClear && this.reset; // we return a function
},
selectOptions() {
const selectOptions = [];
const slotOptions = (this.slotOptions || []);
2018-03-27 09:58:27 +02:00
let optionCounter = -1;
const currentIndex = this.focusIndex;
2018-05-08 11:15:49 +02:00
const selectedValues = this.values.filter(Boolean).map(({value}) => value);
if (this.autoComplete) {
const copyChildren = (node, fn) => {
return {
...node,
children: (node.children || []).map(fn).map(child => copyChildren(child, fn))
};
};
const autoCompleteOptions = extractOptions(slotOptions);
const selectedSlotOption = autoCompleteOptions[currentIndex];
return slotOptions.map(node => {
2018-05-30 12:14:22 +02:00
if (node === selectedSlotOption || getNestedProperty(node, 'componentOptions.propsData.value') === this.value) return applyProp(node, 'isFocused', true);
return copyChildren(node, (child) => {
if (child !== selectedSlotOption) return child;
return applyProp(child, 'isFocused', true);
});
});
}
2018-09-18 16:22:46 +08:00
/**
* Not sure why use hasDefaultSelected #4273
* */
2018-09-25 09:45:24 +08:00
let hasDefaultSelected = slotOptions.some(option => this.query === option.key);
for (let option of slotOptions) {
2018-04-13 10:54:31 +02:00
const cOptions = option.componentOptions;
if (!cOptions) continue;
if (cOptions.tag.match(optionGroupRegexp)){
let children = cOptions.children;
2018-09-18 16:18:55 +08:00
2018-03-27 09:58:27 +02:00
// remove filtered children
if (this.filterable){
children = children.filter(
({componentOptions}) => this.validateOption(componentOptions)
);
}
2018-04-13 10:54:31 +02:00
cOptions.children = children.map(opt => {
2018-03-27 09:58:27 +02:00
optionCounter = optionCounter + 1;
return this.processOption(opt, selectedValues, optionCounter === currentIndex);
});
2016-11-03 13:54:21 +08:00
2018-03-27 09:58:27 +02:00
// keep the group if it still has children
2018-04-13 10:54:31 +02:00
if (cOptions.children.length > 0) selectOptions.push({...option});
2018-03-27 09:58:27 +02:00
} else {
// ignore option if not passing filter
2018-09-25 09:45:24 +08:00
if (!hasDefaultSelected) {
const optionPassesFilter = this.filterable ? this.validateOption(cOptions) : option;
if (!optionPassesFilter) continue;
}
2018-09-18 16:18:55 +08:00
2018-03-27 09:58:27 +02:00
optionCounter = optionCounter + 1;
2018-06-07 10:07:34 +08:00
selectOptions.push(this.processOption(option, selectedValues, optionCounter === currentIndex));
2016-11-03 13:54:21 +08:00
}
}
2018-03-27 09:58:27 +02:00
return selectOptions;
},
2018-03-27 09:58:27 +02:00
flatOptions(){
return extractOptions(this.selectOptions);
2018-03-27 09:58:27 +02:00
},
selectTabindex(){
return this.disabled || this.filterable ? -1 : 0;
},
remote(){
return typeof this.remoteMethod === 'function';
}
},
methods: {
setQuery(query){ // PUBLIC API
if (query) {
this.onQueryChange(query);
return;
}
if (query === null) {
this.onQueryChange('');
this.values = [];
}
},
2018-03-27 09:58:27 +02:00
clearSingleSelect(){ // PUBLIC API
2018-05-08 12:47:03 +02:00
this.$emit('on-clear');
this.hideMenu();
2018-05-29 12:40:21 +02:00
if (this.clearable) this.reset();
2018-03-27 09:58:27 +02:00
},
getOptionData(value){
const option = this.flatOptions.find(({componentOptions}) => componentOptions.propsData.value === value);
if (!option) return null;
2018-05-28 14:54:26 +02:00
const label = getOptionLabel(option);
2018-03-27 09:58:27 +02:00
return {
value: value,
label: label,
};
},
getInitialValue(){
2018-06-15 11:10:11 +02:00
const {multiple, remote, value} = this;
2018-03-27 09:58:27 +02:00
let initialValue = Array.isArray(value) ? value : [value];
2018-05-25 14:01:53 +08:00
if (!multiple && (typeof initialValue[0] === 'undefined' || (String(initialValue[0]).trim() === '' && !Number.isFinite(initialValue[0])))) initialValue = [];
2018-06-15 11:10:11 +02:00
if (remote && !multiple && value) {
const data = this.getOptionData(value);
this.query = data ? data.label : String(value);
}
2018-05-25 11:37:15 +08:00
return initialValue.filter((item) => {
return Boolean(item) || item === 0;
2018-05-25 11:37:15 +08:00
});
2018-03-27 09:58:27 +02:00
},
processOption(option, values, isFocused){
if (!option.componentOptions) return option;
const optionValue = option.componentOptions.propsData.value;
const disabled = option.componentOptions.propsData.disabled;
const isSelected = values.includes(optionValue);
const propsData = {
...option.componentOptions.propsData,
selected: isSelected,
isFocused: isFocused,
disabled: typeof disabled === 'undefined' ? false : disabled !== false,
};
2018-03-27 09:58:27 +02:00
return {
...option,
componentOptions: {
...option.componentOptions,
propsData: propsData
}
2018-03-27 09:58:27 +02:00
};
},
validateOption({children, elm, propsData}){
if (this.queryStringMatchesSelectedOption) return true;
2018-03-27 09:58:27 +02:00
const value = propsData.value;
const label = propsData.label || '';
const textContent = (elm && elm.textContent) || (children || []).reduce((str, node) => {
const nodeText = node.elm ? node.elm.textContent : node.text;
return `${str} ${nodeText}`;
}, '') || '';
2018-03-27 09:58:27 +02:00
const stringValues = JSON.stringify([value, label, textContent]);
const query = this.query.toLowerCase().trim();
return stringValues.toLowerCase().includes(query);
},
2017-05-08 14:22:24 +08:00
2018-03-27 09:58:27 +02:00
toggleMenu (e, force) {
2018-05-30 12:14:22 +02:00
if (this.disabled) {
2018-03-27 09:58:27 +02:00
return false;
2017-05-08 14:22:24 +08:00
}
2018-03-27 09:58:27 +02:00
this.visible = typeof force !== 'undefined' ? force : !this.visible;
if (this.visible){
this.dropDownWidth = this.$el.getBoundingClientRect().width;
2018-03-29 07:54:44 +02:00
this.broadcast('Drop', 'on-update-popper');
}
},
2018-03-27 09:58:27 +02:00
hideMenu () {
this.toggleMenu(null, false);
setTimeout(() => this.unchangedQuery = true, ANIMATION_TIMEOUT);
},
2018-03-27 09:58:27 +02:00
onClickOutside(event){
if (this.visible) {
2018-05-22 07:33:43 +02:00
if (event.type === 'mousedown') {
event.preventDefault();
return;
}
2018-03-27 09:58:27 +02:00
if (this.transfer) {
const {$el} = this.$refs.dropdown;
if ($el === event.target || $el.contains(event.target)) {
return;
}
}
2018-03-27 09:58:27 +02:00
if (this.filterable) {
const input = this.$el.querySelector('input[type="text"]');
2018-03-27 09:58:27 +02:00
this.caretPosition = input.selectionStart;
this.$nextTick(() => {
const caretPosition = this.caretPosition === -1 ? input.value.length : this.caretPosition;
input.setSelectionRange(caretPosition, caretPosition);
});
}
if (!this.autoComplete) event.stopPropagation();
2018-03-27 09:58:27 +02:00
event.preventDefault();
this.hideMenu();
this.isFocused = true;
} else {
this.caretPosition = -1;
this.isFocused = false;
}
},
2018-03-27 09:58:27 +02:00
reset(){
2018-05-29 12:40:21 +02:00
this.query = '';
this.focusIndex = -1;
this.unchangedQuery = true;
2018-03-27 09:58:27 +02:00
this.values = [];
},
handleKeydown (e) {
2018-03-27 09:58:27 +02:00
if (e.key === 'Backspace'){
return; // so we don't call preventDefault
}
if (this.visible) {
2018-03-27 09:58:27 +02:00
e.preventDefault();
if (e.key === 'Tab'){
e.stopPropagation();
}
// Esc slide-up
2018-03-27 09:58:27 +02:00
if (e.key === 'Escape') {
2018-05-08 11:34:15 +02:00
e.stopPropagation();
this.hideMenu();
}
// next
2018-03-27 09:58:27 +02:00
if (e.key === 'ArrowUp') {
this.navigateOptions(-1);
}
// prev
2018-03-27 09:58:27 +02:00
if (e.key === 'ArrowDown') {
this.navigateOptions(1);
}
// enter
if (e.key === 'Enter') {
if (this.focusIndex === -1) return this.hideMenu();
2018-03-27 09:58:27 +02:00
const optionComponent = this.flatOptions[this.focusIndex];
const option = this.getOptionData(optionComponent.componentOptions.propsData.value);
this.onOptionClick(option);
}
2018-03-27 09:58:27 +02:00
} else {
const keysThatCanOpenSelect = ['ArrowUp', 'ArrowDown'];
if (keysThatCanOpenSelect.includes(e.key)) this.toggleMenu(null, true);
}
2018-03-27 09:58:27 +02:00
},
navigateOptions(direction){
const optionsLength = this.flatOptions.length - 1;
2018-03-27 09:58:27 +02:00
let index = this.focusIndex + direction;
if (index < 0) index = optionsLength;
if (index > optionsLength) index = 0;
2018-03-27 09:58:27 +02:00
// find nearest option in case of disabled options in between
if (direction > 0){
let nearestActiveOption = -1;
for (let i = 0; i < this.flatOptions.length; i++){
const optionIsActive = !this.flatOptions[i].componentOptions.propsData.disabled;
if (optionIsActive) nearestActiveOption = i;
if (nearestActiveOption >= index) break;
}
2018-03-27 09:58:27 +02:00
index = nearestActiveOption;
} else {
let nearestActiveOption = this.flatOptions.length;
for (let i = optionsLength; i >= 0; i--){
const optionIsActive = !this.flatOptions[i].componentOptions.propsData.disabled;
if (optionIsActive) nearestActiveOption = i;
if (nearestActiveOption <= index) break;
}
2018-03-27 09:58:27 +02:00
index = nearestActiveOption;
}
2018-03-27 09:58:27 +02:00
this.focusIndex = index;
},
2018-03-27 09:58:27 +02:00
onOptionClick(option) {
if (this.multiple){
// keep the query for remote select
if (this.remote) this.lastRemoteQuery = this.lastRemoteQuery || this.query;
else this.lastRemoteQuery = '';
2018-03-27 09:58:27 +02:00
const valueIsSelected = this.values.find(({value}) => value === option.value);
if (valueIsSelected){
this.values = this.values.filter(({value}) => value !== option.value);
} else {
2018-03-27 09:58:27 +02:00
this.values = this.values.concat(option);
}
2018-03-27 09:58:27 +02:00
this.isFocused = true; // so we put back focus after clicking with mouse on option elements
} else {
this.query = String(option.label).trim();
2018-03-27 09:58:27 +02:00
this.values = [option];
this.lastRemoteQuery = '';
this.hideMenu();
}
2018-05-11 10:37:01 +02:00
this.focusIndex = this.flatOptions.findIndex((opt) => {
if (!opt || !opt.componentOptions) return false;
return opt.componentOptions.propsData.value === option.value;
});
2018-03-27 09:58:27 +02:00
if (this.filterable){
const inputField = this.$el.querySelector('input[type="text"]');
if (!this.autoComplete) this.$nextTick(() => inputField.focus());
}
this.broadcast('Drop', 'on-update-popper');
2016-11-03 13:54:21 +08:00
},
2018-03-27 09:58:27 +02:00
onQueryChange(query) {
if (query.length > 0 && query !== this.query) this.visible = true;
2016-12-08 22:34:52 +08:00
this.query = query;
this.unchangedQuery = this.visible;
},
2018-03-27 09:58:27 +02:00
toggleHeaderFocus({type}){
if (this.disabled) {
return;
2017-04-05 15:44:05 +08:00
}
2018-03-27 09:58:27 +02:00
this.isFocused = type === 'focus';
2017-07-14 13:58:34 +08:00
},
2018-03-27 09:58:27 +02:00
updateSlotOptions(){
this.slotOptions = this.$slots.default;
},
checkUpdateStatus() {
if (this.getInitialValue().length > 0 && this.selectOptions.length === 0) {
this.hasExpectedValue = true;
}
}
},
watch: {
2018-03-27 09:58:27 +02:00
value(value){
2018-09-25 15:04:56 +08:00
const {getInitialValue, getOptionData, publicValue, values} = this;
2018-03-27 09:58:27 +02:00
this.checkUpdateStatus();
2018-06-05 14:00:16 +08:00
2018-03-27 09:58:27 +02:00
if (value === '') this.values = [];
2018-09-25 15:04:56 +08:00
else if (checkValuesNotEqual(value,publicValue,values)) {
2018-05-08 11:15:49 +02:00
this.$nextTick(() => this.values = getInitialValue().map(getOptionData).filter(Boolean));
}
2018-03-27 09:58:27 +02:00
},
values(now, before){
const newValue = JSON.stringify(now);
const oldValue = JSON.stringify(before);
2018-05-28 14:54:26 +02:00
// v-model is always just the value, event with labelInValue === true
const vModelValue = (this.publicValue && this.labelInValue) ?
(this.multiple ? this.publicValue.map(({value}) => value) : this.publicValue.value) :
this.publicValue;
const shouldEmitInput = newValue !== oldValue && vModelValue !== this.value;
2018-03-27 09:58:27 +02:00
if (shouldEmitInput) {
this.$emit('input', vModelValue); // to update v-model
this.$emit('on-change', this.publicValue);
this.dispatch('FormItem', 'on-form-change', this.publicValue);
2017-05-19 10:49:47 +08:00
}
},
2018-03-27 09:58:27 +02:00
query (query) {
this.$emit('on-query-change', query);
const {remoteMethod, lastRemoteQuery} = this;
const hasValidQuery = query !== '' && (query !== lastRemoteQuery || !lastRemoteQuery);
const shouldCallRemoteMethod = remoteMethod && hasValidQuery && !this.preventRemoteCall;
this.preventRemoteCall = false; // remove the flag
2018-03-27 09:58:27 +02:00
if (shouldCallRemoteMethod){
this.focusIndex = -1;
const promise = this.remoteMethod(query);
this.initialLabel = '';
if (promise && promise.then){
promise.then(options => {
if (options) this.options = options;
});
}
}
2018-03-27 09:58:27 +02:00
if (query !== '' && this.remote) this.lastRemoteQuery = query;
},
2018-03-27 09:58:27 +02:00
loading(state){
if (state === false){
this.updateSlotOptions();
}
},
isFocused(focused){
const el = this.filterable ? this.$el.querySelector('input[type="text"]') : this.$el;
2018-03-27 09:58:27 +02:00
el[this.isFocused ? 'focus' : 'blur']();
2018-03-27 09:58:27 +02:00
// restore query value in filterable single selects
const [selectedOption] = this.values;
if (selectedOption && this.filterable && !this.multiple && !focused){
const selectedLabel = String(selectedOption.label || selectedOption.value).trim();
if (selectedLabel && this.query !== selectedLabel) {
this.preventRemoteCall = true;
this.query = selectedLabel;
}
2018-03-27 09:58:27 +02:00
}
},
focusIndex(index){
if (index < 0 || this.autoComplete) return;
2018-03-27 09:58:27 +02:00
// update scroll
const optionValue = this.flatOptions[index].componentOptions.propsData.value;
const optionInstance = findChild(this, ({$options}) => {
return $options.componentName === 'select-item' && $options.propsData.value === optionValue;
});
2018-03-27 09:58:27 +02:00
let bottomOverflowDistance = optionInstance.$el.getBoundingClientRect().bottom - this.$refs.dropdown.$el.getBoundingClientRect().bottom;
let topOverflowDistance = optionInstance.$el.getBoundingClientRect().top - this.$refs.dropdown.$el.getBoundingClientRect().top;
if (bottomOverflowDistance > 0) {
this.$refs.dropdown.$el.scrollTop += bottomOverflowDistance;
}
if (topOverflowDistance < 0) {
this.$refs.dropdown.$el.scrollTop += topOverflowDistance;
2017-05-05 14:20:46 +08:00
}
2018-03-29 07:54:44 +02:00
},
dropVisible(open){
this.broadcast('Drop', open ? 'on-update-popper' : 'on-destroy-popper');
},
selectOptions(){
2018-06-03 23:18:29 +08:00
if (this.hasExpectedValue && this.selectOptions.length > 0){
if (this.values.length === 0) {
this.values = this.getInitialValue();
}
2018-05-08 11:15:49 +02:00
this.values = this.values.map(this.getOptionData).filter(Boolean);
this.hasExpectedValue = false;
}
2018-04-13 10:54:31 +02:00
if (this.slotOptions && this.slotOptions.length === 0){
2018-04-13 10:54:31 +02:00
this.query = '';
}
2018-05-11 10:37:18 +02:00
},
visible(state){
this.$emit('on-open-change', state);
}
}
2016-12-25 22:49:42 +08:00
};
2016-10-28 17:24:52 +08:00
</script>