From 6c58570853d0295bf6d57be03cb707532762c1fc Mon Sep 17 00:00:00 2001 From: lichaojun Date: Fri, 2 Jan 2026 12:59:03 +0800 Subject: [PATCH] =?UTF-8?q?feat:=20=E6=8B=96=E6=8B=BD=E5=B8=83=E5=B1=80-?= =?UTF-8?q?=E7=94=BB=E5=B8=83=E5=BD=92=E4=B8=BA=E7=BB=84=E4=BB=B6=E4=B8=80?= =?UTF-8?q?=E6=A0=B7=E5=A4=84=E7=90=86?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit --- demoHtml/flex/css/index.css | 4 + demoHtml/flex/index.html | 27 +- demoHtml/flex/js/color.js | 134 ++++++++ demoHtml/flex/js/index.js | 309 ++++++++++-------- demoHtml/flex/layui/css/layui.css | 1 + demoHtml/flex/layui/font/iconfont.eot | Bin 0 -> 54764 bytes demoHtml/flex/layui/font/iconfont.svg | 409 ++++++++++++++++++++++++ demoHtml/flex/layui/font/iconfont.ttf | Bin 0 -> 54588 bytes demoHtml/flex/layui/font/iconfont.woff | Bin 0 -> 34928 bytes demoHtml/flex/layui/font/iconfont.woff2 | Bin 0 -> 30004 bytes demoHtml/flex/layui/layui.js | 1 + 11 files changed, 752 insertions(+), 133 deletions(-) create mode 100644 demoHtml/flex/js/color.js create mode 100644 demoHtml/flex/layui/css/layui.css create mode 100644 demoHtml/flex/layui/font/iconfont.eot create mode 100644 demoHtml/flex/layui/font/iconfont.svg create mode 100644 demoHtml/flex/layui/font/iconfont.ttf create mode 100644 demoHtml/flex/layui/font/iconfont.woff create mode 100644 demoHtml/flex/layui/font/iconfont.woff2 create mode 100644 demoHtml/flex/layui/layui.js diff --git a/demoHtml/flex/css/index.css b/demoHtml/flex/css/index.css index c026dc6..707fc3d 100644 --- a/demoHtml/flex/css/index.css +++ b/demoHtml/flex/css/index.css @@ -357,3 +357,7 @@ form { .hidden { display: none; } + +.layui-anim { + box-sizing: unset; +} diff --git a/demoHtml/flex/index.html b/demoHtml/flex/index.html index 1522943..ebdb216 100644 --- a/demoHtml/flex/index.html +++ b/demoHtml/flex/index.html @@ -9,18 +9,20 @@ 网页布局生成 + +
@@ -66,8 +68,18 @@
- - + +
+
diff --git a/demoHtml/flex/js/color.js b/demoHtml/flex/js/color.js new file mode 100644 index 0000000..60815c3 --- /dev/null +++ b/demoHtml/flex/js/color.js @@ -0,0 +1,134 @@ +/** + * 将RGBA颜色值转换为HEX格式(支持透明度) + * @param {string} rgbaStr - RGBA颜色字符串,如 "rgba(255, 0, 0, 0.5)" + * @returns {string} HEX颜色字符串,如 "#ff000080" + */ +function rgbaToHex(rgbaStr) { + // 验证输入格式 + if (!rgbaStr || typeof rgbaStr !== 'string') { + return ''; + } + + // 首先检查是否已经是HEX格式 + if (isHexColor(rgbaStr)) { + return rgbaStr; + } + + // 提取RGBA值 + const rgbaMatch = rgbaStr.match(/^rgba?\(\s*(\d{1,3})\s*,\s*(\d{1,3})\s*,\s*(\d{1,3})\s*(?:,\s*([\d.]+))?\s*\)$/i); + + if (!rgbaMatch) { + throw new Error('无效的颜色格式,请使用RGBA或HEX格式'); + } + + // 解析RGBA值 + let r = parseInt(rgbaMatch[1], 10); + let g = parseInt(rgbaMatch[2], 10); + let b = parseInt(rgbaMatch[3], 10); + let a = rgbaMatch[4] ? parseFloat(rgbaMatch[4]) : 1; + + // 验证取值范围 + if ([r, g, b].some((value) => value < 0 || value > 255)) { + throw new Error('RGB值必须在0-255范围内'); + } + + if (a < 0 || a > 1) { + throw new Error('透明度值必须在0-1范围内'); + } + + // 将透明度转换为0-255的整数 + const alphaInt = Math.round(a * 255); + + // 辅助函数:将十进制转换为两位十六进制 + const toHex = (num) => { + const hex = num.toString(16); + return hex.length === 1 ? '0' + hex : hex; + }; + + // 转换为HEX格式 + const hexColor = `#${toHex(r)}${toHex(g)}${toHex(b)}`; + + // 如果有透明度且不等于1,则添加透明度值 + if (a !== 1) { + return hexColor + toHex(alphaInt); + } + + return hexColor; +} + +/** + * 检查字符串是否为有效的HEX颜色格式 + * @param {string} str - 颜色字符串 + * @returns {boolean} 是否为HEX格式 + */ +function isHexColor(str) { + // 移除可能存在的空格 + const cleanStr = str.trim(); + + // HEX颜色正则表达式,支持以下格式: + // #rgb, #rgba, #rrggbb, #rrggbbaa + const hexRegex = /^#([0-9A-F]{3,4}|[0-9A-F]{6}|[0-9A-F]{8})$/i; + + return hexRegex.test(cleanStr); +} + +// 或者将isHexColor作为内部函数,如果只需要在当前函数中使用 +function rgbaToHexWithValidation(rgbaStr) { + // 验证输入格式 + if (!rgbaStr || typeof rgbaStr !== 'string') { + throw new Error('请输入有效的颜色字符串'); + } + + // 检查是否已经是HEX格式的内部函数 + const isHexColor = (str) => { + const cleanStr = str.trim(); + const hexRegex = /^#([0-9A-F]{3,4}|[0-9A-F]{6}|[0-9A-F]{8})$/i; + return hexRegex.test(cleanStr); + }; + + // 首先检查是否已经是HEX格式 + if (isHexColor(rgbaStr)) { + return rgbaStr; + } + + // 提取RGBA值 + const rgbaMatch = rgbaStr.match(/^rgba?\(\s*(\d{1,3})\s*,\s*(\d{1,3})\s*,\s*(\d{1,3})\s*(?:,\s*([\d.]+))?\s*\)$/i); + + if (!rgbaMatch) { + throw new Error(`无效的颜色格式: "${rgbaStr}",请使用RGBA(如 rgba(255,0,0,0.5)) 或 HEX(如 #ff0000) 格式`); + } + + // 解析RGBA值 + let r = parseInt(rgbaMatch[1], 10); + let g = parseInt(rgbaMatch[2], 10); + let b = parseInt(rgbaMatch[3], 10); + let a = rgbaMatch[4] ? parseFloat(rgbaMatch[4]) : 1; + + // 验证取值范围 + if ([r, g, b].some((value) => value < 0 || value > 255)) { + throw new Error('RGB值必须在0-255范围内'); + } + + if (a < 0 || a > 1) { + throw new Error('透明度值必须在0-1范围内'); + } + + // 将透明度转换为0-255的整数 + const alphaInt = Math.round(a * 255); + + // 辅助函数:将十进制转换为两位十六进制 + const toHex = (num) => { + const hex = num.toString(16); + return hex.length === 1 ? '0' + hex : hex; + }; + + // 转换为HEX格式 + const hexColor = `#${toHex(r)}${toHex(g)}${toHex(b)}`; + + // 如果有透明度且不等于1,则添加透明度值 + if (a !== 1) { + return hexColor + toHex(alphaInt); + } + + return hexColor; +} diff --git a/demoHtml/flex/js/index.js b/demoHtml/flex/js/index.js index d26ae4d..e902151 100644 --- a/demoHtml/flex/js/index.js +++ b/demoHtml/flex/js/index.js @@ -67,12 +67,17 @@ return timestamp + randomNum; }; + // 判断是画布还是组件 + var isScreen = function (type) { + return type === 'screen'; + }; + /** 初始化 */ var init = function (type, self) { - // debugger; const initDataStorage = localStorage.getItem(`${type}Data`); if (!initDataStorage) { self['initData'] = { + type: 'screen', id: `grid_${generateUniqueId()}`, children: [], version: '1.0.0', @@ -85,6 +90,8 @@ self['initData'] = JSON.parse(initDataStorage); conputedInitData('init', self); } + self['initData'].el = document.getElementById(`${type}-screen`); + console.log(self['initData'], `${type}Data`); // 初始化时应用画布背景 @@ -114,7 +121,7 @@ }, `#${type}-screen` ); - console.log(self['grid'], `${type}.grid实例`); + // console.log(self['grid'], `${type}.grid实例`); // grid.load(initData.children); @@ -143,25 +150,17 @@ component.id = `${component.type}_${generateUniqueId()}`; } setComponentView(component); - component.el.addEventListener('click', () => { - console.log('点击组件', component); + component.el.addEventListener('click', (e) => { + e.stopPropagation(); + console.log(isScreen(component.type) ? `点击画布` : `点击组件`, component); + if (currentComponent && currentComponent.id === component.id) { return; } - // 1. 解绑可能存在的画布属性事件处理器 - $('#props-panel form').find('#image, #background').off(); - // 2. 重新绑定通用的组件事件处理器 - bindComponentEvents(); - // 3. 重置属性面板标题并显示所有表单项,为显示组件属性做准备 - $('#props-panel .panel-title span').text('组件属性'); - $('#props-panel form .form-item').show(); - // 清除之前选中组件的获取焦点后的样式 clearOldFocusStyle(); currentComponent = component; - // 设置当前选中组件的获取焦点后的样式 - setCurrentFocusStyle(); // 右侧显示组件属性列表 if (!$('#props-panel').find('form').is(':visible')) { $('#props-panel').find('.wait-box').hide(); @@ -169,13 +168,19 @@ } // 将当前选中组件的属性显示在右侧列表中 setCurrentComponentProps(currentComponent); - // 设置上下左右移动组件ID - setMoveComponentId(currentComponent, self); + + // 非画布时设置 + if (!isScreen(component.type)) { + // 设置当前选中组件的获取焦点后的样式 + setCurrentFocusStyle(); + // 设置上下左右移动组件ID + setMoveComponentId(currentComponent, self); + } }); }; var clearOldFocusStyle = function () { - if (currentComponent) { + if (currentComponent && !isScreen(currentComponent.type)) { let el = $(currentComponent.el).find('.grid-stack-item-content'); el.css('background', ''); if (currentComponent.image) { @@ -191,7 +196,7 @@ }; var setCurrentFocusStyle = function () { - if (currentComponent) { + if (currentComponent && !isScreen(currentComponent.type)) { let el = $(currentComponent.el).find('.grid-stack-item-content'); if (currentComponent.focusedStyle_background) { el.css('background', currentComponent.focusedStyle_background); @@ -238,16 +243,23 @@ var handleRemoveComponent = (component) => { if (currentComponent && currentComponent.id === component.id) { currentComponent = null; - // 右侧显示请选择组件 - if (!$('#props-panel').find('wait-box').is(':visible')) { - $('#props-panel').find('.wait-box').show(); - $('#props-panel').find('form').hide(); - } + hidePropsPanel(); + } + }; + + var hidePropsPanel = () => { + // 右侧显示请选择组件 + if (!$('#props-panel').find('wait-box').is(':visible')) { + $('#props-panel').find('.wait-box').show(); + $('#props-panel').find('form').hide(); } }; //将当前选中组件的属性显示在右侧列表中 var setCurrentComponentProps = function (component) { + // 设置标题 + $('#props-panel .panel-title span').text(isScreen(component.type) ? '画布属性' : '组件属性'); + const form = $('#props-panel').find('form'); if (component.hasOwnProperty('childrenType')) { form.find('#childrenType').val(component.childrenType); @@ -256,7 +268,11 @@ form.find('#childrenType').parent().hide(); } - form.find('#name').val(component.name); + if (!isScreen(component.type)) { + form.find('#name').val(component.name); + } else { + form.find('#name').parent().hide(); + } if (component.hasOwnProperty('image')) { form.find('#image').val(component.image); @@ -266,7 +282,36 @@ } if (component.hasOwnProperty('background')) { - form.find('#background').val(component.background); + let options = { + elem: '#background', + alpha: true, + format: 'rgb', + done: function (color) { + const el = $(component.el); + let cptColor = rgbaToHex(color); + component.background = cptColor; + if (isScreen(component.type)) { + component.image = ''; + } + if (!cptColor) { + if (isScreen(component.type)) { + el.css('background', 'none'); + } else { + el.find('.grid-stack-item-content').css('background', 'none'); + } + } else { + if (isScreen(component.type)) { + el.css('background', color); + } else { + el.find('.grid-stack-item-content').css('background', color); + } + } + }, + }; + if (component.background) { + options.color = component.background; + } + layui.colorpicker.render(options); form.find('#background').parent().show(); } else { form.find('#background').parent().hide(); @@ -288,33 +333,96 @@ form.find('#fontWeight').parent().hide(); } - form.find('#eventsType').val(component.eventsType); - form.find('#eventsAction').val(component.eventsAction); - form.find('#defaultFocus').val(component.defaultFocus); - form.find('#leftId').val(component.leftId); - form.find('#rightId').val(component.rightId); - form.find('#upId').val(component.upId); - form.find('#downId').val(component.downId); - - form.find('#focusedStyle_background').val(component.focusedStyle_background); - form.find('#focusedStyle_border_width').val(component.focusedStyle_border_width); - form.find('#focusedStyle_border_color').val(component.focusedStyle_border_color); - form.find('#focusedStyle_scale').val(component.focusedStyle_scale); + if (!isScreen(component.type)) { + form.find('#eventsType').val(component.eventsType); + form.find('#eventsAction').val(component.eventsAction); + form.find('#defaultFocus').val(component.defaultFocus); + form.find('#leftId').val(component.leftId); + form.find('#rightId').val(component.rightId); + form.find('#upId').val(component.upId); + form.find('#downId').val(component.downId); + + form.find('#focusedStyle_background').val(component.focusedStyle_background); + form.find('#focusedStyle_border_width').val(component.focusedStyle_border_width); + form.find('#focusedStyle_border_color').val(component.focusedStyle_border_color); + form.find('#focusedStyle_scale').val(component.focusedStyle_scale); + + form.find('#eventsType').parent().show(); + form.find('#eventsAction').parent().show(); + form.find('#defaultFocus').parent().show(); + form.find('#leftId').parent().show(); + form.find('#rightId').parent().show(); + form.find('#upId').parent().show(); + form.find('#downId').parent().show(); + form.find('#focusedStyle_background').parent().show(); + form.find('#focusedStyle_border_width').parent().show(); + form.find('#focusedStyle_border_color').parent().show(); + form.find('#focusedStyle_scale').parent().show(); + } else { + form.find('#eventsType').parent().hide(); + form.find('#eventsAction').parent().hide(); + form.find('#defaultFocus').parent().hide(); + form.find('#leftId').parent().hide(); + form.find('#rightId').parent().hide(); + form.find('#upId').parent().hide(); + form.find('#downId').parent().hide(); + form.find('#focusedStyle_background').parent().hide(); + form.find('#focusedStyle_border_width').parent().hide(); + form.find('#focusedStyle_border_color').parent().hide(); + form.find('#focusedStyle_scale').parent().hide(); + } }; // 定义组件设置配置策略 const componentStrategies = { - background: function (el, value) { - if (!value) { - el.find('.grid-stack-item-content').css('background', 'none'); - } else { - el.find('.grid-stack-item-content').css('background', value); + background: function (el, value, component) { + let options = { + elem: '#background', + alpha: true, + format: 'rgb', + done: function (color) { + const el = $(component.el); + let cptColor = rgbaToHex(color); + component.background = cptColor; + if (isScreen(component.type)) { + component.image = ''; + } + if (!cptColor) { + if (isScreen(component.type)) { + el.css('background', 'none'); + } else { + el.find('.grid-stack-item-content').css('background', 'none'); + } + } else { + if (isScreen(component.type)) { + el.css('background', color); + } else { + el.find('.grid-stack-item-content').css('background', color); + } + } + }, + }; + if (component.background) { + options.color = component.background; + } + layui.colorpicker.render(options); + + if (!isScreen(component.type)) { + if (!value) { + el.find('.grid-stack-item-content').css('background', 'none'); + } else { + el.find('.grid-stack-item-content').css('background', value); + } } }, image: function (el, value, component) { if (!value) return; - // el.find('.grid-stack-item-content').css('background', `url(${value}) no-repeat center center`).css('background-size', 'cover'); - el.find('img').attr('src', value); + if (isScreen(component.type)) { + el.css('background', `url(${value}) no-repeat center center`).css('background-size', 'cover'); + component.background = ''; + } else { + el.find('img').attr('src', value); + } }, fontSize: function (el, value) { if (!value) return; @@ -338,19 +446,19 @@ el.find('.grid-stack-item-content').css('background', value); } }, - focusedStyle_border_width: function (el, value) { + focusedStyle_border_width: function (el, value, component) { if (!value) return; if (currentComponent && currentComponent.id === component.id) { el.find('.grid-stack-item-content').css('border-width', value + 'px'); } }, - focusedStyle_border_color: function (el, value) { + focusedStyle_border_color: function (el, value, component) { if (!value) return; if (currentComponent && currentComponent.id === component.id) { el.find('.grid-stack-item-content').css('border-color', value); } }, - focusedStyle_scale: function (el, value) { + focusedStyle_scale: function (el, value, component) { if (!value) return; if (currentComponent && currentComponent.id === component.id) { el.find('.grid-stack-item-content').css('transform', `scale(${value})`); @@ -432,13 +540,35 @@ $('.grid-stack') .not('#' + tabId) .hide(); + + // 处理右侧面板的显示/隐藏 + hidePropsPanel(); }); }; + // 点击保存按钮处理 + var handleSaveClick = function () { + $('.save-container').click(function () { + main.initData.children = main.grid.save(); + welcome.initData.children = welcome.grid.save(); + console.log(main.initData); + console.log(welcome.initData); + localStorage.setItem('mainData', JSON.stringify(conputedInitData('save', main))); + localStorage.setItem('welcomeData', JSON.stringify(conputedInitData('save', welcome))); + }); + }; + + // 点击画布处理 + var handleCanvasClick = function () { + handleAddComponent(welcome.initData, welcome); + handleAddComponent(main.initData, main); + }; + // 保存的时候计算x,y,w,h var conputedInitData = function (type, self) { if (type === 'save') { - let initDataCopy = JSON.parse(JSON.stringify(self['initData'])); + const { el, ...otherInfo } = self['initData']; + let initDataCopy = JSON.parse(JSON.stringify(otherInfo)); initDataCopy.children.forEach((item) => { item.xCopy = item.x; item.x = item.x * (1920 / 12); @@ -469,88 +599,15 @@ /** 执行方法 */ $(function () { - init('main', main); init('welcome', welcome); + init('main', main); // 调用绑定 bindComponentEvents(); // 处理Tab切换 handleTabSwitch(); - - $('.save-container').click(function () { - main.initData.children = main.grid.save(); - welcome.initData.children = welcome.grid.save(); - console.log(main.initData); - console.log(welcome.initData); - localStorage.setItem('mainData', JSON.stringify(conputedInitData('save', main))); - localStorage.setItem('welcomeData', JSON.stringify(conputedInitData('save', welcome))); - }); - - // 给画布添加点击事件,用于编辑画布属性 - $('#main-screen, #welcome-screen').on('click', function (e) { - // 确保点击的是画布背景,而不是某个组件 - if (e.target !== this) { - return; - } - - console.log('点击了画布背景,编辑画布属性'); - - // 1. 如果有,则取消当前选中的组件 - if (currentComponent) { - clearOldFocusStyle(); - currentComponent = null; - } - - // 2. 更新右侧面板以显示画布属性 - $('#props-panel .panel-title span').text('画布属性'); - $('#props-panel .wait-box').hide(); - const $form = $('#props-panel form'); - $form.show(); - - // 3. 只显示画布相关的表单项 - $form.find('.form-item').hide(); // 首先隐藏所有 - $form.find('#image').parent().show(); // 显示背景图片 - $form.find('#background').parent().show(); // 显示背景颜色 - - // 4. 获取当前点击的画布及其数据对象 - const canvasId = this.id; // "main-screen" 或 "welcome-screen" - const type = canvasId.split('-')[0]; // "main" 或 "welcome" - const canvasData = type === 'main' ? main : welcome; - - // 5. 将当前画布的属性值填充到表单中 - $form.find('#image').val(canvasData.initData.image || ''); - $form.find('#background').val(canvasData.initData.background || ''); - - // 6. 为画布属性输入框绑定新的事件 - $form.find('#image, #background').off(); // 先解绑旧事件,防止重复绑定 - - $form.find('#image').on('change', function () { - const imageUrl = $(this).val(); - canvasData.initData.image = imageUrl; - if (imageUrl) { - $('#' + canvasId) - .css('background-image', `url(${imageUrl})`) - .css('background-size', 'cover'); - // 当设置图片时,清空背景色 - $('#' + canvasId).css('background-color', ''); - canvasData.initData.background = ''; - $form.find('#background').val(''); - } else { - // 如果选择的是“请选择”,则只移除背景图片 - $('#' + canvasId).css('background-image', 'none'); - } - }); - - $form.find('#background').on('blur', function () { - const color = $(this).val(); - canvasData.initData.background = color; - if (color) { - // 当设置颜色时,清空背景图片 - $('#' + canvasId).css('background-color', color); - $('#' + canvasId).css('background-image', 'none'); - canvasData.initData.image = ''; - $form.find('#image').val(''); - } - }); - }); + // 处理保存按钮 + handleSaveClick(); + // 处理画布点击事件 + handleCanvasClick(); }); })(); diff --git a/demoHtml/flex/layui/css/layui.css b/demoHtml/flex/layui/css/layui.css new file mode 100644 index 0000000..883a2a5 --- /dev/null +++ b/demoHtml/flex/layui/css/layui.css @@ -0,0 +1 @@ +blockquote,body,button,dd,div,dl,dt,form,h1,h2,h3,h4,h5,h6,input,li,ol,p,pre,td,textarea,th,ul{margin:0;padding:0;-webkit-tap-highlight-color:rgba(0,0,0,0)}a:active,a:hover{outline:0}img{display:inline-block;border:none;vertical-align:middle}li{list-style:none}table{border-collapse:collapse;border-spacing:0}h1,h2,h3,h4,h5,h6{font-weight:700}h5,h6{font-size:100%}button,input,select,textarea{font-size:100%}button,input,optgroup,option,select,textarea{font-family:inherit;font-size:inherit;font-style:inherit;font-weight:inherit;outline:0}pre{white-space:pre-wrap;word-wrap:break-word}body{line-height:1.6;color:rgba(0,0,0,.85);font-size:14px;font-family:-apple-system,Roboto,'PingFang SC','Helvetica Neue',Arial,sans-serif,'Apple Color Emoji','Segoe UI Emoji','Segoe UI Symbol','Noto Color Emoji'}hr{height:0;line-height:0;margin:10px 0;padding:0;border:none;border-bottom:1px solid #eee;clear:both;overflow:hidden;background:0 0}a{color:#333;text-decoration:none}a cite{font-style:normal}.layui-border-box,.layui-border-box *{box-sizing:border-box}.layui-box,.layui-box *{box-sizing:content-box}.layui-clear{clear:both}.layui-clear:after{content:'\20';clear:both;display:block;height:0}.layui-clear-space{word-spacing:-5px}.layui-inline{position:relative;display:inline-block;vertical-align:middle}.layui-edge{position:relative;display:inline-block;vertical-align:middle;width:0;height:0;border-width:6px;border-style:dashed;border-color:transparent;overflow:hidden}.layui-edge-top{top:-4px;border-bottom-color:#999;border-bottom-style:solid}.layui-edge-right{border-left-color:#999;border-left-style:solid}.layui-edge-bottom{top:2px;border-top-color:#999;border-top-style:solid}.layui-edge-left{border-right-color:#999;border-right-style:solid}.layui-elip,.layui-ellip{text-overflow:ellipsis;overflow:hidden;white-space:nowrap}.layui-disabled,.layui-icon,.layui-unselect{-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.layui-disabled,.layui-disabled:hover{color:#d2d2d2!important;cursor:not-allowed!important}.layui-circle{border-radius:100%}.layui-show{display:block!important}.layui-hide{display:none!important}.layui-show-v{visibility:visible!important}.layui-hide-v{visibility:hidden!important}@font-face{font-family:layui-icon;src:url(../font/iconfont.eot?v=293);src:url(../font/iconfont.eot?v=293#iefix) format('embedded-opentype'),url(../font/iconfont.woff2?v=293) format('woff2'),url(../font/iconfont.woff?v=293) format('woff'),url(../font/iconfont.ttf?v=293) format('truetype'),url(../font/iconfont.svg?v=293#layui-icon) format('svg')}.layui-icon{font-family:layui-icon!important;font-size:16px;font-style:normal;-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale}.layui-icon-sound:before{content:'\e69d'}.layui-icon-bot:before{content:'\e7d6'}.layui-icon-leaf:before{content:'\e701'}.layui-icon-folder:before{content:'\eabe'}.layui-icon-folder-open:before{content:'\eac1'}.layui-icon-gitee:before{content:'\e69b'}.layui-icon-github:before{content:'\e6a7'}.layui-icon-disabled:before{content:'\e6cc'}.layui-icon-moon:before{content:'\e6c2'}.layui-icon-error:before{content:'\e693'}.layui-icon-success:before{content:'\e697'}.layui-icon-question:before{content:'\e699'}.layui-icon-lock:before{content:'\e69a'}.layui-icon-eye:before{content:'\e695'}.layui-icon-eye-invisible:before{content:'\e696'}.layui-icon-backspace:before{content:'\e694'}.layui-icon-tips-fill:before{content:'\eb2e'}.layui-icon-test:before{content:'\e692'}.layui-icon-clear:before{content:'\e788'}.layui-icon-heart-fill:before{content:'\e68f'}.layui-icon-light:before{content:'\e748'}.layui-icon-music:before{content:'\e690'}.layui-icon-time:before{content:'\e68d'}.layui-icon-ie:before{content:'\e7bb'}.layui-icon-firefox:before{content:'\e686'}.layui-icon-at:before{content:'\e687'}.layui-icon-bluetooth:before{content:'\e689'}.layui-icon-chrome:before{content:'\e68a'}.layui-icon-edge:before{content:'\e68b'}.layui-icon-heart:before{content:'\e68c'}.layui-icon-key:before{content:'\e683'}.layui-icon-android:before{content:'\e684'}.layui-icon-mike:before{content:'\e6dc'}.layui-icon-mute:before{content:'\e685'}.layui-icon-gift:before{content:'\e627'}.layui-icon-windows:before{content:'\e67f'}.layui-icon-ios:before{content:'\e680'}.layui-icon-logout:before{content:'\e682'}.layui-icon-wifi:before{content:'\e7e0'}.layui-icon-rss:before{content:'\e808'}.layui-icon-email:before{content:'\e618'}.layui-icon-reduce-circle:before{content:'\e616'}.layui-icon-transfer:before{content:'\e691'}.layui-icon-service:before{content:'\e626'}.layui-icon-addition:before{content:'\e624'}.layui-icon-subtraction:before{content:'\e67e'}.layui-icon-slider:before{content:'\e714'}.layui-icon-print:before{content:'\e66d'}.layui-icon-export:before{content:'\e67d'}.layui-icon-cols:before{content:'\e610'}.layui-icon-screen-full:before{content:'\e622'}.layui-icon-screen-restore:before{content:'\e758'}.layui-icon-rate-half:before{content:'\e6c9'}.layui-icon-rate-solid:before{content:'\e67a'}.layui-icon-rate:before{content:'\e67b'}.layui-icon-cellphone:before{content:'\e678'}.layui-icon-vercode:before{content:'\e679'}.layui-icon-login-weibo:before{content:'\e675'}.layui-icon-login-qq:before{content:'\e676'}.layui-icon-login-wechat:before{content:'\e677'}.layui-icon-username:before{content:'\e66f'}.layui-icon-password:before{content:'\e673'}.layui-icon-refresh-3:before{content:'\e9aa'}.layui-icon-auz:before{content:'\e672'}.layui-icon-shrink-right:before{content:'\e668'}.layui-icon-spread-left:before{content:'\e66b'}.layui-icon-snowflake:before{content:'\e6b1'}.layui-icon-tips:before{content:'\e702'}.layui-icon-note:before{content:'\e66e'}.layui-icon-senior:before{content:'\e674'}.layui-icon-refresh-1:before{content:'\e666'}.layui-icon-refresh:before{content:'\e669'}.layui-icon-flag:before{content:'\e66c'}.layui-icon-theme:before{content:'\e66a'}.layui-icon-notice:before{content:'\e667'}.layui-icon-console:before{content:'\e665'}.layui-icon-website:before{content:'\e7ae'}.layui-icon-face-surprised:before{content:'\e664'}.layui-icon-set:before{content:'\e716'}.layui-icon-template:before{content:'\e663'}.layui-icon-app:before{content:'\e653'}.layui-icon-template-1:before{content:'\e656'}.layui-icon-home:before{content:'\e68e'}.layui-icon-female:before{content:'\e661'}.layui-icon-male:before{content:'\e662'}.layui-icon-tread:before{content:'\e6c5'}.layui-icon-praise:before{content:'\e6c6'}.layui-icon-rmb:before{content:'\e65e'}.layui-icon-more:before{content:'\e65f'}.layui-icon-camera:before{content:'\e660'}.layui-icon-cart-simple:before{content:'\e698'}.layui-icon-face-cry:before{content:'\e69c'}.layui-icon-face-smile:before{content:'\e6af'}.layui-icon-survey:before{content:'\e6b2'}.layui-icon-read:before{content:'\e705'}.layui-icon-location:before{content:'\e715'}.layui-icon-dollar:before{content:'\e659'}.layui-icon-diamond:before{content:'\e735'}.layui-icon-return:before{content:'\e65c'}.layui-icon-camera-fill:before{content:'\e65d'}.layui-icon-fire:before{content:'\e756'}.layui-icon-more-vertical:before{content:'\e671'}.layui-icon-cart:before{content:'\e657'}.layui-icon-star-fill:before{content:'\e658'}.layui-icon-prev:before{content:'\e65a'}.layui-icon-next:before{content:'\e65b'}.layui-icon-upload:before{content:'\e67c'}.layui-icon-upload-drag:before{content:'\e681'}.layui-icon-user:before{content:'\e770'}.layui-icon-file-b:before{content:'\e655'}.layui-icon-component:before{content:'\e857'}.layui-icon-find-fill:before{content:'\e670'}.layui-icon-loading:before{content:'\e63d'}.layui-icon-loading-1:before{content:'\e63e'}.layui-icon-add-1:before{content:'\e654'}.layui-icon-pause:before{content:'\e651'}.layui-icon-play:before{content:'\e652'}.layui-icon-video:before{content:'\e6ed'}.layui-icon-headset:before{content:'\e6fc'}.layui-icon-voice:before{content:'\e688'}.layui-icon-speaker:before{content:'\e645'}.layui-icon-fonts-del:before{content:'\e64f'}.layui-icon-fonts-html:before{content:'\e64b'}.layui-icon-fonts-code:before{content:'\e64e'}.layui-icon-fonts-strong:before{content:'\e62b'}.layui-icon-unlink:before{content:'\e64d'}.layui-icon-picture:before{content:'\e64a'}.layui-icon-link:before{content:'\e64c'}.layui-icon-face-smile-b:before{content:'\e650'}.layui-icon-align-center:before{content:'\e647'}.layui-icon-align-right:before{content:'\e648'}.layui-icon-align-left:before{content:'\e649'}.layui-icon-fonts-u:before{content:'\e646'}.layui-icon-fonts-i:before{content:'\e644'}.layui-icon-tabs:before{content:'\e62a'}.layui-icon-circle:before{content:'\e63f'}.layui-icon-radio:before{content:'\e643'}.layui-icon-share:before{content:'\e641'}.layui-icon-edit:before{content:'\e642'}.layui-icon-delete:before{content:'\e640'}.layui-icon-engine:before{content:'\e628'}.layui-icon-chart-screen:before{content:'\e629'}.layui-icon-chart:before{content:'\e62c'}.layui-icon-table:before{content:'\e62d'}.layui-icon-tree:before{content:'\e62e'}.layui-icon-upload-circle:before{content:'\e62f'}.layui-icon-templeate-1:before{content:'\e630'}.layui-icon-util:before{content:'\e631'}.layui-icon-layouts:before{content:'\e632'}.layui-icon-prev-circle:before{content:'\e633'}.layui-icon-carousel:before{content:'\e634'}.layui-icon-code-circle:before{content:'\e635'}.layui-icon-water:before{content:'\e636'}.layui-icon-date:before{content:'\e637'}.layui-icon-layer:before{content:'\e638'}.layui-icon-fonts-clear:before{content:'\e639'}.layui-icon-dialogue:before{content:'\e63a'}.layui-icon-cellphone-fine:before{content:'\e63b'}.layui-icon-form:before{content:'\e63c'}.layui-icon-file:before{content:'\e621'}.layui-icon-triangle-r:before{content:'\e623'}.layui-icon-triangle-d:before{content:'\e625'}.layui-icon-set-sm:before{content:'\e620'}.layui-icon-add-circle:before{content:'\e61f'}.layui-icon-layim-download:before{content:'\e61e'}.layui-icon-layim-uploadfile:before{content:'\e61d'}.layui-icon-404:before{content:'\e61c'}.layui-icon-about:before{content:'\e60b'}.layui-icon-layim-theme:before{content:'\e61b'}.layui-icon-down:before{content:'\e61a'}.layui-icon-up:before{content:'\e619'}.layui-icon-circle-dot:before{content:'\e617'}.layui-icon-set-fill:before{content:'\e614'}.layui-icon-search:before{content:'\e615'}.layui-icon-friends:before{content:'\e612'}.layui-icon-group:before{content:'\e613'}.layui-icon-reply-fill:before{content:'\e611'}.layui-icon-menu-fill:before{content:'\e60f'}.layui-icon-face-smile-fine:before{content:'\e60c'}.layui-icon-picture-fine:before{content:'\e60d'}.layui-icon-log:before{content:'\e60e'}.layui-icon-list:before{content:'\e60a'}.layui-icon-release:before{content:'\e609'}.layui-icon-add-circle-fine:before{content:'\e608'}.layui-icon-ok:before{content:'\e605'}.layui-icon-help:before{content:'\e607'}.layui-icon-chat:before{content:'\e606'}.layui-icon-top:before{content:'\e604'}.layui-icon-right:before{content:'\e602'}.layui-icon-left:before{content:'\e603'}.layui-icon-star:before{content:'\e600'}.layui-icon-download-circle:before{content:'\e601'}.layui-icon-close:before{content:'\1006'}.layui-icon-close-fill:before{content:'\1007'}.layui-icon-ok-circle:before{content:'\1005'}.layui-main{position:relative;width:1160px;margin:0 auto}.layui-header{position:relative;z-index:1000;height:60px}.layui-header a:hover{-webkit-transition:all .5s;transition:all .5s}.layui-side{position:fixed;left:0;top:0;bottom:0;z-index:999;width:200px;overflow-x:hidden}.layui-side-scroll{position:relative;width:220px;height:100%;overflow-x:hidden}.layui-body{position:relative;left:200px;right:0;top:0;bottom:0;width:auto;box-sizing:border-box}.layui-layout-body{overflow-x:hidden}.layui-layout-admin .layui-header{position:fixed;top:0;left:0;right:0;background-color:#23292e}.layui-layout-admin .layui-side{top:60px;width:200px;overflow-x:hidden}.layui-layout-admin .layui-body{position:absolute;top:60px;padding-bottom:44px}.layui-layout-admin .layui-main{width:auto;margin:0 15px}.layui-layout-admin .layui-footer{position:fixed;left:200px;right:0;bottom:0;z-index:990;height:44px;line-height:44px;padding:0 15px;box-shadow:-1px 0 4px rgb(0 0 0 / 12%);background-color:#fafafa}.layui-layout-admin .layui-logo{position:absolute;left:0;top:0;width:200px;height:100%;line-height:60px;text-align:center;color:#16baaa;font-size:16px;box-shadow:0 1px 2px 0 rgb(0 0 0 / 15%)}.layui-layout-admin .layui-header .layui-nav{background:0 0}.layui-layout-left{position:absolute!important;left:200px;top:0}.layui-layout-right{position:absolute!important;right:0;top:0}.layui-container{position:relative;margin:0 auto;box-sizing:border-box}.layui-fluid{position:relative;margin:0 auto;padding:0 15px}.layui-row:after,.layui-row:before{content:'';display:block;clear:both}.layui-col-lg1,.layui-col-lg10,.layui-col-lg11,.layui-col-lg12,.layui-col-lg2,.layui-col-lg3,.layui-col-lg4,.layui-col-lg5,.layui-col-lg6,.layui-col-lg7,.layui-col-lg8,.layui-col-lg9,.layui-col-md1,.layui-col-md10,.layui-col-md11,.layui-col-md12,.layui-col-md2,.layui-col-md3,.layui-col-md4,.layui-col-md5,.layui-col-md6,.layui-col-md7,.layui-col-md8,.layui-col-md9,.layui-col-sm1,.layui-col-sm10,.layui-col-sm11,.layui-col-sm12,.layui-col-sm2,.layui-col-sm3,.layui-col-sm4,.layui-col-sm5,.layui-col-sm6,.layui-col-sm7,.layui-col-sm8,.layui-col-sm9,.layui-col-xl1,.layui-col-xl10,.layui-col-xl11,.layui-col-xl12,.layui-col-xl2,.layui-col-xl3,.layui-col-xl4,.layui-col-xl5,.layui-col-xl6,.layui-col-xl7,.layui-col-xl8,.layui-col-xl9,.layui-col-xs1,.layui-col-xs10,.layui-col-xs11,.layui-col-xs12,.layui-col-xs2,.layui-col-xs3,.layui-col-xs4,.layui-col-xs5,.layui-col-xs6,.layui-col-xs7,.layui-col-xs8,.layui-col-xs9{position:relative;display:block;box-sizing:border-box}.layui-col-xs1,.layui-col-xs10,.layui-col-xs11,.layui-col-xs12,.layui-col-xs2,.layui-col-xs3,.layui-col-xs4,.layui-col-xs5,.layui-col-xs6,.layui-col-xs7,.layui-col-xs8,.layui-col-xs9{float:left}.layui-col-xs1{width:8.33333333%}.layui-col-xs2{width:16.66666667%}.layui-col-xs3{width:25%}.layui-col-xs4{width:33.33333333%}.layui-col-xs5{width:41.66666667%}.layui-col-xs6{width:50%}.layui-col-xs7{width:58.33333333%}.layui-col-xs8{width:66.66666667%}.layui-col-xs9{width:75%}.layui-col-xs10{width:83.33333333%}.layui-col-xs11{width:91.66666667%}.layui-col-xs12{width:100%}.layui-col-xs-offset1{margin-left:8.33333333%}.layui-col-xs-offset2{margin-left:16.66666667%}.layui-col-xs-offset3{margin-left:25%}.layui-col-xs-offset4{margin-left:33.33333333%}.layui-col-xs-offset5{margin-left:41.66666667%}.layui-col-xs-offset6{margin-left:50%}.layui-col-xs-offset7{margin-left:58.33333333%}.layui-col-xs-offset8{margin-left:66.66666667%}.layui-col-xs-offset9{margin-left:75%}.layui-col-xs-offset10{margin-left:83.33333333%}.layui-col-xs-offset11{margin-left:91.66666667%}.layui-col-xs-offset12{margin-left:100%}@media screen and (max-width:767.98px){.layui-container{padding:0 15px}.layui-hide-xs{display:none!important}.layui-show-xs-block{display:block!important}.layui-show-xs-inline{display:inline!important}.layui-show-xs-inline-block{display:inline-block!important}}@media screen and (min-width:768px){.layui-container{width:720px}.layui-hide-sm{display:none!important}.layui-show-sm-block{display:block!important}.layui-show-sm-inline{display:inline!important}.layui-show-sm-inline-block{display:inline-block!important}.layui-col-sm1,.layui-col-sm10,.layui-col-sm11,.layui-col-sm12,.layui-col-sm2,.layui-col-sm3,.layui-col-sm4,.layui-col-sm5,.layui-col-sm6,.layui-col-sm7,.layui-col-sm8,.layui-col-sm9{float:left}.layui-col-sm1{width:8.33333333%}.layui-col-sm2{width:16.66666667%}.layui-col-sm3{width:25%}.layui-col-sm4{width:33.33333333%}.layui-col-sm5{width:41.66666667%}.layui-col-sm6{width:50%}.layui-col-sm7{width:58.33333333%}.layui-col-sm8{width:66.66666667%}.layui-col-sm9{width:75%}.layui-col-sm10{width:83.33333333%}.layui-col-sm11{width:91.66666667%}.layui-col-sm12{width:100%}.layui-col-sm-offset1{margin-left:8.33333333%}.layui-col-sm-offset2{margin-left:16.66666667%}.layui-col-sm-offset3{margin-left:25%}.layui-col-sm-offset4{margin-left:33.33333333%}.layui-col-sm-offset5{margin-left:41.66666667%}.layui-col-sm-offset6{margin-left:50%}.layui-col-sm-offset7{margin-left:58.33333333%}.layui-col-sm-offset8{margin-left:66.66666667%}.layui-col-sm-offset9{margin-left:75%}.layui-col-sm-offset10{margin-left:83.33333333%}.layui-col-sm-offset11{margin-left:91.66666667%}.layui-col-sm-offset12{margin-left:100%}}@media screen and (min-width:992px){.layui-container{width:960px}.layui-hide-md{display:none!important}.layui-show-md-block{display:block!important}.layui-show-md-inline{display:inline!important}.layui-show-md-inline-block{display:inline-block!important}.layui-col-md1,.layui-col-md10,.layui-col-md11,.layui-col-md12,.layui-col-md2,.layui-col-md3,.layui-col-md4,.layui-col-md5,.layui-col-md6,.layui-col-md7,.layui-col-md8,.layui-col-md9{float:left}.layui-col-md1{width:8.33333333%}.layui-col-md2{width:16.66666667%}.layui-col-md3{width:25%}.layui-col-md4{width:33.33333333%}.layui-col-md5{width:41.66666667%}.layui-col-md6{width:50%}.layui-col-md7{width:58.33333333%}.layui-col-md8{width:66.66666667%}.layui-col-md9{width:75%}.layui-col-md10{width:83.33333333%}.layui-col-md11{width:91.66666667%}.layui-col-md12{width:100%}.layui-col-md-offset1{margin-left:8.33333333%}.layui-col-md-offset2{margin-left:16.66666667%}.layui-col-md-offset3{margin-left:25%}.layui-col-md-offset4{margin-left:33.33333333%}.layui-col-md-offset5{margin-left:41.66666667%}.layui-col-md-offset6{margin-left:50%}.layui-col-md-offset7{margin-left:58.33333333%}.layui-col-md-offset8{margin-left:66.66666667%}.layui-col-md-offset9{margin-left:75%}.layui-col-md-offset10{margin-left:83.33333333%}.layui-col-md-offset11{margin-left:91.66666667%}.layui-col-md-offset12{margin-left:100%}}@media screen and (min-width:1200px){.layui-container{width:1150px}.layui-hide-lg{display:none!important}.layui-show-lg-block{display:block!important}.layui-show-lg-inline{display:inline!important}.layui-show-lg-inline-block{display:inline-block!important}.layui-col-lg1,.layui-col-lg10,.layui-col-lg11,.layui-col-lg12,.layui-col-lg2,.layui-col-lg3,.layui-col-lg4,.layui-col-lg5,.layui-col-lg6,.layui-col-lg7,.layui-col-lg8,.layui-col-lg9{float:left}.layui-col-lg1{width:8.33333333%}.layui-col-lg2{width:16.66666667%}.layui-col-lg3{width:25%}.layui-col-lg4{width:33.33333333%}.layui-col-lg5{width:41.66666667%}.layui-col-lg6{width:50%}.layui-col-lg7{width:58.33333333%}.layui-col-lg8{width:66.66666667%}.layui-col-lg9{width:75%}.layui-col-lg10{width:83.33333333%}.layui-col-lg11{width:91.66666667%}.layui-col-lg12{width:100%}.layui-col-lg-offset1{margin-left:8.33333333%}.layui-col-lg-offset2{margin-left:16.66666667%}.layui-col-lg-offset3{margin-left:25%}.layui-col-lg-offset4{margin-left:33.33333333%}.layui-col-lg-offset5{margin-left:41.66666667%}.layui-col-lg-offset6{margin-left:50%}.layui-col-lg-offset7{margin-left:58.33333333%}.layui-col-lg-offset8{margin-left:66.66666667%}.layui-col-lg-offset9{margin-left:75%}.layui-col-lg-offset10{margin-left:83.33333333%}.layui-col-lg-offset11{margin-left:91.66666667%}.layui-col-lg-offset12{margin-left:100%}}@media screen and (min-width:1400px){.layui-container{width:1330px}.layui-hide-xl{display:none!important}.layui-show-xl-block{display:block!important}.layui-show-xl-inline{display:inline!important}.layui-show-xl-inline-block{display:inline-block!important}.layui-col-xl1,.layui-col-xl10,.layui-col-xl11,.layui-col-xl12,.layui-col-xl2,.layui-col-xl3,.layui-col-xl4,.layui-col-xl5,.layui-col-xl6,.layui-col-xl7,.layui-col-xl8,.layui-col-xl9{float:left}.layui-col-xl1{width:8.33333333%}.layui-col-xl2{width:16.66666667%}.layui-col-xl3{width:25%}.layui-col-xl4{width:33.33333333%}.layui-col-xl5{width:41.66666667%}.layui-col-xl6{width:50%}.layui-col-xl7{width:58.33333333%}.layui-col-xl8{width:66.66666667%}.layui-col-xl9{width:75%}.layui-col-xl10{width:83.33333333%}.layui-col-xl11{width:91.66666667%}.layui-col-xl12{width:100%}.layui-col-xl-offset1{margin-left:8.33333333%}.layui-col-xl-offset2{margin-left:16.66666667%}.layui-col-xl-offset3{margin-left:25%}.layui-col-xl-offset4{margin-left:33.33333333%}.layui-col-xl-offset5{margin-left:41.66666667%}.layui-col-xl-offset6{margin-left:50%}.layui-col-xl-offset7{margin-left:58.33333333%}.layui-col-xl-offset8{margin-left:66.66666667%}.layui-col-xl-offset9{margin-left:75%}.layui-col-xl-offset10{margin-left:83.33333333%}.layui-col-xl-offset11{margin-left:91.66666667%}.layui-col-xl-offset12{margin-left:100%}}.layui-col-space1{margin:-.5px}.layui-col-space1>*{padding:.5px}.layui-col-space2{margin:-1px}.layui-col-space2>*{padding:1px}.layui-col-space4{margin:-2px}.layui-col-space4>*{padding:2px}.layui-col-space5{margin:-2.5px}.layui-col-space5>*{padding:2.5px}.layui-col-space6{margin:-3px}.layui-col-space6>*{padding:3px}.layui-col-space8{margin:-4px}.layui-col-space8>*{padding:4px}.layui-col-space10{margin:-5px}.layui-col-space10>*{padding:5px}.layui-col-space12{margin:-6px}.layui-col-space12>*{padding:6px}.layui-col-space14{margin:-7px}.layui-col-space14>*{padding:7px}.layui-col-space15{margin:-7.5px}.layui-col-space15>*{padding:7.5px}.layui-col-space16{margin:-8px}.layui-col-space16>*{padding:8px}.layui-col-space18{margin:-9px}.layui-col-space18>*{padding:9px}.layui-col-space20{margin:-10px}.layui-col-space20>*{padding:10px}.layui-col-space22{margin:-11px}.layui-col-space22>*{padding:11px}.layui-col-space24{margin:-12px}.layui-col-space24>*{padding:12px}.layui-col-space25{margin:-12.5px}.layui-col-space25>*{padding:12.5px}.layui-col-space26{margin:-13px}.layui-col-space26>*{padding:13px}.layui-col-space28{margin:-14px}.layui-col-space28>*{padding:14px}.layui-col-space30{margin:-15px}.layui-col-space30>*{padding:15px}.layui-col-space32{margin:-16px}.layui-col-space32>*{padding:16px}.layui-padding-1{padding:4px!important}.layui-padding-2{padding:8px!important}.layui-padding-3{padding:16px!important}.layui-padding-4{padding:32px!important}.layui-padding-5{padding:48px!important}.layui-margin-1{margin:4px!important}.layui-margin-2{margin:8px!important}.layui-margin-3{margin:16px!important}.layui-margin-4{margin:32px!important}.layui-margin-5{margin:48px!important}.layui-btn,.layui-input,.layui-select,.layui-textarea,.layui-upload-button{outline:0;-webkit-appearance:none;-moz-appearance:none;appearance:none;-webkit-transition:all .3s;transition:all .3s;box-sizing:border-box}.layui-elem-quote{margin-bottom:10px;padding:15px;line-height:1.8;border-left:5px solid #16b777;border-radius:0 2px 2px 0;background-color:#fafafa}.layui-quote-nm{border-style:solid;border-width:1px;border-left-width:5px;background:0 0}.layui-elem-field{margin-bottom:10px;padding:0;border-width:1px;border-style:solid}.layui-elem-field legend{margin-left:20px;padding:0 10px;font-size:20px}.layui-field-title{margin:16px 0;border-width:0;border-top-width:1px}.layui-field-box{padding:15px}.layui-field-title .layui-field-box{padding:10px 0}.layui-progress{position:relative;height:6px;border-radius:20px;background-color:#eee}.layui-progress-bar{position:absolute;left:0;top:0;width:0;max-width:100%;height:6px;border-radius:20px;text-align:right;background-color:#16b777;-webkit-transition:all .3s;transition:all .3s}.layui-progress-big,.layui-progress-big .layui-progress-bar{height:18px;line-height:18px}.layui-progress-text{position:relative;top:-20px;line-height:18px;font-size:12px;color:#5f5f5f}.layui-progress-big .layui-progress-text{position:static;padding:0 10px;color:#fff}.layui-collapse{border-width:1px;border-style:solid;border-radius:2px}.layui-colla-content,.layui-colla-item{border-top-width:1px;border-top-style:solid}.layui-colla-item:first-child{border-top:none}.layui-colla-title{position:relative;height:42px;line-height:42px;padding:0 15px 0 35px;color:#333;background-color:#fafafa;cursor:pointer;font-size:14px;overflow:hidden}.layui-colla-content{display:none;padding:10px 15px;line-height:1.6;color:#5f5f5f}.layui-colla-icon{position:absolute;left:15px;top:50%;margin-top:-7px;font-size:14px;line-height:normal;transition:all .2s}.layui-colla-item.layui-show>.layui-colla-title .layui-colla-icon{transform:rotate(90deg)}.layui-colla-item.layui-show>.layui-colla-content{display:block}.layui-card{margin-bottom:15px;border-radius:2px;background-color:#fff;box-shadow:0 1px 2px 0 rgba(0,0,0,.05)}.layui-card:last-child{margin-bottom:0}.layui-card-body,.layui-card-header{position:relative;padding:10px 15px}.layui-card-header{border-bottom:1px solid #f8f8f8;color:#333;border-radius:2px 2px 0 0;font-size:14px}.layui-card-body .layui-table{margin:5px 0}.layui-card .layui-tab{margin:0}.layui-panel{position:relative;border-width:1px;border-style:solid;border-radius:2px;box-shadow:1px 1px 4px rgb(0 0 0 / 8%);background-color:#fff;color:#5f5f5f}.layui-panel-window{position:relative;padding:15px;border-radius:0;border-top:5px solid #eee;background-color:#fff}.layui-auxiliar-moving{position:fixed;left:0;right:0;top:0;bottom:0;width:100%;height:100%;background:0 0;z-index:9999999999;-moz-user-select:none;-webkit-user-select:none;-ms-user-select:none;user-select:none}.layui-scrollbar-hide{overflow:hidden!important}.layui-bg-red{background-color:#ff5722!important;color:#fff!important}.layui-bg-orange{background-color:#ffb800!important;color:#fff!important}.layui-bg-green{background-color:#16baaa!important;color:#fff!important}.layui-bg-cyan{background-color:#2f4056!important;color:#fff!important}.layui-bg-blue{background-color:#1e9fff!important;color:#fff!important}.layui-bg-purple{background-color:#a233c6!important;color:#fff!important}.layui-bg-black{background-color:#2f363c!important;color:#fff!important}.layui-bg-gray{background-color:#fafafa!important;color:#5f5f5f!important}.layui-badge-rim,.layui-border,.layui-colla-content,.layui-colla-item,.layui-collapse,.layui-elem-field,.layui-form-pane .layui-form-item[pane],.layui-form-pane .layui-form-label,.layui-input,.layui-input-split,.layui-panel,.layui-quote-nm,.layui-select,.layui-tab-bar,.layui-tab-card,.layui-tab-title,.layui-tab-title .layui-this:after,.layui-textarea{border-color:#eee}.layui-border{border-width:1px;border-style:solid;color:#5f5f5f!important}.layui-border-red{border-width:1px;border-style:solid;border-color:#ff5722!important;color:#ff5722!important}.layui-border-orange{border-width:1px;border-style:solid;border-color:#ffb800!important;color:#ffb800!important}.layui-border-green{border-width:1px;border-style:solid;border-color:#16baaa!important;color:#16baaa!important}.layui-border-cyan{border-width:1px;border-style:solid;border-color:#2f4056!important;color:#2f4056!important}.layui-border-blue{border-width:1px;border-style:solid;border-color:#1e9fff!important;color:#1e9fff!important}.layui-border-purple{border-width:1px;border-style:solid;border-color:#a233c6!important;color:#a233c6!important}.layui-border-black{border-width:1px;border-style:solid;border-color:#2f363c!important;color:#2f363c!important}hr.layui-border-black,hr.layui-border-blue,hr.layui-border-cyan,hr.layui-border-green,hr.layui-border-orange,hr.layui-border-purple,hr.layui-border-red{border-width:0 0 1px}.layui-timeline-item:before{background-color:#eee}.layui-text{line-height:1.8;font-size:14px}.layui-text h1{margin:32px 0;font-size:32px}.layui-text h2{margin:24px 0;font-size:24px}.layui-text h3{margin:16px 0;font-size:18px}.layui-text h4{margin:11px 0;font-size:16px}.layui-text h5{margin:11px 0;font-size:14px}.layui-text h6{margin:11px 0;font-size:13px}.layui-text p{margin:15px 0}.layui-text p:first-child{margin-top:0}.layui-text p:last-child{margin-bottom:0}.layui-text hr{margin:15px 0}.layui-text ol,.layui-text ul{padding-left:15px}.layui-text ul li{margin-top:5px;list-style-type:disc}.layui-text ol li{margin-top:5px;list-style-type:decimal}.layui-text ol ul>li,.layui-text ul ul>li{list-style-type:disc}.layui-text ol li>p:first-child,.layui-text ul li>p:first-child{margin-top:0;margin-bottom:0}.layui-text :where(a:not(.layui-btn)){color:#01aaed}.layui-text :where(a:not(.layui-btn):hover){text-decoration:underline}.layui-text blockquote:not(.layui-elem-quote){margin:15px 0;padding:5px 15px;border-left:5px solid #eee}.layui-text pre>code:not(.layui-code){display:block;padding:15px;font-family:'Courier New',Consolas,'Lucida Console',monospace}.layui-text-em,.layui-word-aux{color:#999!important;padding-left:5px!important;padding-right:5px!important}.layui-font-12{font-size:12px!important}.layui-font-13{font-size:13px!important}.layui-font-14{font-size:14px!important}.layui-font-16{font-size:16px!important}.layui-font-18{font-size:18px!important}.layui-font-20{font-size:20px!important}.layui-font-22{font-size:22px!important}.layui-font-24{font-size:24px!important}.layui-font-26{font-size:26px!important}.layui-font-28{font-size:28px!important}.layui-font-30{font-size:30px!important}.layui-font-32{font-size:32px!important}.layui-font-red{color:#ff5722!important}.layui-font-orange{color:#ffb800!important}.layui-font-green{color:#16baaa!important}.layui-font-cyan{color:#2f4056!important}.layui-font-blue{color:#01aaed!important}.layui-font-purple{color:#a233c6!important}.layui-font-black{color:#000!important}.layui-font-gray{color:#c2c2c2!important}.layui-btn{display:inline-block;vertical-align:middle;height:38px;line-height:36px;border:1px solid transparent;padding:0 18px;background-color:#16baaa;color:#fff;white-space:nowrap;text-align:center;font-size:14px;border-radius:2px;cursor:pointer;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.layui-btn:hover{opacity:.8;filter:alpha(opacity=80);color:#fff}.layui-btn:active{opacity:1;filter:alpha(opacity=100)}.layui-btn+.layui-btn{margin-left:10px}.layui-btn-container{word-spacing:-5px}.layui-btn-container .layui-btn{margin-right:10px;margin-bottom:10px;word-spacing:normal}.layui-btn-container .layui-btn+.layui-btn{margin-left:0}.layui-table .layui-btn-container .layui-btn{margin-bottom:9px}.layui-btn-radius{border-radius:100px}.layui-btn .layui-icon{padding:0 2px;vertical-align:middle\0;vertical-align:bottom}.layui-btn-primary{border-color:#d2d2d2;background:0 0;color:#5f5f5f}.layui-btn-primary:hover{border-color:#16baaa;color:#333}.layui-btn-normal{background-color:#1e9fff}.layui-btn-warm{background-color:#ffb800}.layui-btn-danger{background-color:#ff5722}.layui-btn-checked{background-color:#16b777}.layui-btn-disabled,.layui-btn-disabled:active,.layui-btn-disabled:hover{border-color:#eee!important;background-color:#fbfbfb!important;color:#d2d2d2!important;cursor:not-allowed!important;opacity:1}.layui-btn-lg{height:44px;line-height:42px;padding:0 25px;font-size:16px}.layui-btn-sm{height:30px;line-height:28px;padding:0 10px;font-size:12px}.layui-btn-xs{height:22px;line-height:20px;padding:0 5px;font-size:12px}.layui-btn-xs i{font-size:12px!important}.layui-btn-group{display:inline-block;vertical-align:middle;font-size:0}.layui-btn-group .layui-btn{margin-left:0!important;margin-right:0!important;border-left:1px solid rgba(255,255,255,.5);border-radius:0}.layui-btn-group .layui-btn-primary{border-left:none}.layui-btn-group .layui-btn-primary:hover{border-color:#d2d2d2;color:#16baaa}.layui-btn-group .layui-btn:first-child{border-left:none;border-radius:2px 0 0 2px}.layui-btn-group .layui-btn-primary:first-child{border-left:1px solid #d2d2d2}.layui-btn-group .layui-btn:last-child{border-radius:0 2px 2px 0}.layui-btn-group .layui-btn+.layui-btn{margin-left:0}.layui-btn-group+.layui-btn-group{margin-left:10px}.layui-btn-fluid{width:100%}.layui-input,.layui-select,.layui-textarea{height:38px;line-height:1.3;line-height:38px\9;border-width:1px;border-style:solid;background-color:#fff;color:rgba(0,0,0,.85);border-radius:2px}.layui-input::-webkit-input-placeholder,.layui-select::-webkit-input-placeholder,.layui-textarea::-webkit-input-placeholder{line-height:1.3}.layui-input,.layui-textarea{display:block;width:100%;padding-left:10px}.layui-input:hover,.layui-textarea:hover{border-color:#d2d2d2!important}.layui-input:focus,.layui-textarea:focus{border-color:#16b777!important;box-shadow:0 0 0 3px rgba(22,183,119,.08)}.layui-textarea{position:relative;min-height:100px;height:auto;line-height:20px;padding:6px 10px;resize:vertical}.layui-input[disabled],.layui-textarea[disabled]{background-color:#fafafa}.layui-select{padding:0 10px}.layui-form input[type=checkbox],.layui-form input[type=radio],.layui-form select{display:none}.layui-form [lay-ignore]{display:initial}.layui-form-item{position:relative;margin-bottom:15px;clear:both}.layui-form-item:after{content:'\20';clear:both;display:block;height:0}.layui-form-label{position:relative;float:left;display:block;padding:9px 15px;width:80px;font-weight:400;line-height:20px;text-align:right}.layui-form-label-col{display:block;float:none;padding:9px 0;line-height:20px;text-align:left}.layui-form-item .layui-inline{margin-bottom:5px;margin-right:10px}.layui-input-block,.layui-input-inline{position:relative}.layui-input-block{margin-left:110px;min-height:36px}.layui-input-inline{display:inline-block;vertical-align:middle}.layui-form-item .layui-input-inline{float:left;width:190px;margin-right:10px}.layui-form-text .layui-input-inline{width:auto}.layui-form-mid{position:relative;float:left;display:block;padding:9px 0!important;line-height:20px;margin-right:10px}.layui-form-danger+.layui-form-select .layui-input,.layui-form-danger:focus{border-color:#ff5722!important;box-shadow:0 0 0 3px rgba(255,87,34,.08)}.layui-input-prefix,.layui-input-split,.layui-input-suffix,.layui-input-suffix .layui-input-affix{position:absolute;right:0;top:0;padding:0 10px;width:35px;height:100%;text-align:center;transition:all .3s;box-sizing:border-box}.layui-input-prefix{left:0;border-radius:2px 0 0 2px}.layui-input-suffix{right:0;border-radius:0 2px 2px 0}.layui-input-split{border-width:1px;border-style:solid}.layui-input-prefix .layui-icon,.layui-input-split .layui-icon,.layui-input-suffix .layui-icon{position:relative;font-size:16px;color:#5f5f5f;transition:all .3s}.layui-input-group{position:relative;display:table;box-sizing:border-box}.layui-input-group>*{display:table-cell;vertical-align:middle;position:relative}.layui-input-group .layui-input{padding-right:15px}.layui-input-group>.layui-input-prefix{width:auto;border-right:0}.layui-input-group>.layui-input-suffix{width:auto;border-left:0}.layui-input-group .layui-input-split{white-space:nowrap}.layui-input-wrap{position:relative;line-height:38px}.layui-input-wrap .layui-input{padding-right:35px}.layui-input-wrap .layui-input::-ms-clear,.layui-input-wrap .layui-input::-ms-reveal{display:none}.layui-input-wrap .layui-input-prefix+.layui-input,.layui-input-wrap .layui-input-prefix~* .layui-input{padding-left:35px}.layui-input-wrap .layui-input-split+.layui-input,.layui-input-wrap .layui-input-split~* .layui-input{padding-left:45px}.layui-input-wrap .layui-input-prefix~.layui-form-select{position:static}.layui-input-wrap .layui-input-prefix,.layui-input-wrap .layui-input-split,.layui-input-wrap .layui-input-suffix{pointer-events:none}.layui-input-wrap .layui-input:hover+.layui-input-split{border-color:#d2d2d2}.layui-input-wrap .layui-input:focus+.layui-input-split{border-color:#16b777}.layui-input-wrap .layui-input.layui-form-danger:focus+.layui-input-split{border-color:#ff5722}.layui-input-wrap .layui-input-prefix.layui-input-split{border-width:0;border-right-width:1px}.layui-input-wrap .layui-input-suffix.layui-input-split{border-width:0;border-left-width:1px}.layui-input-affix{line-height:38px}.layui-input-suffix .layui-input-affix{right:auto;left:-35px}.layui-input-affix .layui-icon{color:rgba(0,0,0,.8);pointer-events:auto!important;cursor:pointer}.layui-input-affix .layui-icon-clear{color:rgba(0,0,0,.3)}.layui-input-affix .layui-icon:hover{color:rgba(0,0,0,.6)}.layui-input-wrap .layui-input-number{width:24px;padding:0}.layui-input-wrap .layui-input-number .layui-icon{position:absolute;right:0;width:100%;height:50%;line-height:normal;font-size:12px}.layui-input-wrap .layui-input-number .layui-icon:before{position:absolute;left:50%;top:50%;margin-top:-6px;margin-left:-6px}.layui-input-wrap .layui-input-number .layui-icon-up{top:0;border-bottom:1px solid #eee}.layui-input-wrap .layui-input-number .layui-icon-down{bottom:0}.layui-input-wrap .layui-input-number .layui-icon:hover{font-weight:700}.layui-input-wrap .layui-input[type=number]::-webkit-inner-spin-button,.layui-input-wrap .layui-input[type=number]::-webkit-outer-spin-button{-webkit-appearance:none!important}.layui-input-wrap .layui-input[type=number]{-moz-appearance:textfield;-webkit-appearance:textfield;appearance:textfield}.layui-input-wrap .layui-input.layui-input-number-invalid,.layui-input-wrap .layui-input.layui-input-number-out-of-range{color:#ff5722}.layui-form-select{position:relative;color:#5f5f5f}.layui-form-select .layui-input{padding-right:30px;cursor:pointer}.layui-form-select .layui-edge{position:absolute;right:10px;top:50%;margin-top:-3px;cursor:pointer;border-width:6px;border-top-color:#c2c2c2;border-top-style:solid;-webkit-transition:all .3s;transition:all .3s}.layui-form-select dl{display:none;position:absolute;left:0;top:42px;padding:5px 0;z-index:899;min-width:100%;border:1px solid #eee;max-height:300px;overflow-y:auto;background-color:#fff;border-radius:2px;box-shadow:1px 1px 4px rgb(0 0 0 / 8%);box-sizing:border-box}.layui-form-select dl dd,.layui-form-select dl dt{padding:0 10px;line-height:36px;white-space:nowrap;overflow:hidden;text-overflow:ellipsis}.layui-form-select dl dt{font-size:12px;color:#999}.layui-form-select dl dd{cursor:pointer}.layui-form-select dl dd:hover{background-color:#f8f8f8;-webkit-transition:.5s all;transition:.5s all}.layui-form-select .layui-select-group dd{padding-left:20px}.layui-form-select dl dd.layui-select-tips{padding-left:10px!important;color:#999}.layui-form-select dl dd.layui-this{background-color:#f8f8f8;color:#16b777;font-weight:700}.layui-form-select dl dd.layui-disabled{background-color:#fff}.layui-form-selected dl{display:block}.layui-form-selected .layui-edge{margin-top:-9px;-webkit-transform:rotate(180deg);transform:rotate(180deg)}.layui-form-selected .layui-edge{margin-top:-3px\0}:root .layui-form-selected .layui-edge{margin-top:-9px\0/IE9}.layui-form-selectup dl{top:auto;bottom:42px}.layui-select-none{margin:5px 0;text-align:center;color:#999}.layui-select-panel-wrap{position:absolute;z-index:99999999}.layui-select-panel-wrap dl{position:relative;display:block;top:0}.layui-select-disabled .layui-disabled{border-color:#eee!important}.layui-select-disabled .layui-edge{border-top-color:#d2d2d2}.layui-form-checkbox{position:relative;display:inline-block;vertical-align:middle;height:30px;line-height:30px;margin-right:10px;padding-right:30px;background-color:#fff;cursor:pointer;font-size:0;-webkit-transition:.1s linear;transition:.1s linear;box-sizing:border-box}.layui-form-checkbox>*{display:inline-block;vertical-align:middle}.layui-form-checkbox>div{padding:0 11px;font-size:14px;border-radius:2px 0 0 2px;background-color:#d2d2d2;color:#fff;overflow:hidden;white-space:nowrap;text-overflow:ellipsis}.layui-form-checkbox>div>.layui-icon{line-height:normal}.layui-form-checkbox:hover>div{background-color:#c2c2c2}.layui-form-checkbox>i{position:absolute;right:0;top:0;width:30px;height:100%;border:1px solid #d2d2d2;border-left:none;border-radius:0 2px 2px 0;color:#fff;color:rgba(255,255,255,0);font-size:20px;text-align:center;box-sizing:border-box}.layui-form-checkbox:hover>i{border-color:#c2c2c2;color:#c2c2c2}.layui-form-checked,.layui-form-checked:hover{border-color:#16b777}.layui-form-checked:hover>div,.layui-form-checked>div{background-color:#16b777}.layui-form-checked:hover>i,.layui-form-checked>i{color:#16b777}.layui-form-item .layui-form-checkbox{margin-top:4px}.layui-form-checkbox.layui-checkbox-disabled>div{background-color:#eee!important}.layui-form [lay-checkbox]{display:none}.layui-form-checkbox[lay-skin=primary]{height:auto!important;line-height:normal!important;min-width:18px;min-height:18px;border:none!important;margin-right:0;padding-left:24px;padding-right:0;background:0 0}.layui-form-checkbox[lay-skin=primary]>div{margin-top:-1px;padding-left:0;padding-right:15px;line-height:18px;background:0 0;color:#5f5f5f}.layui-form-checkbox[lay-skin=primary]>i{right:auto;left:0;width:16px;height:16px;line-height:14px;border:1px solid #d2d2d2;font-size:12px;border-radius:2px;background-color:#fff;-webkit-transition:.1s linear;transition:.1s linear}.layui-form-checkbox[lay-skin=primary]:hover>i{border-color:#16b777;color:#fff}.layui-form-checked[lay-skin=primary]>i{border-color:#16b777!important;background-color:#16b777;color:#fff}.layui-checkbox-disabled[lay-skin=primary]>div{background:0 0!important}.layui-form-checked.layui-checkbox-disabled[lay-skin=primary]>i{background:#eee!important;border-color:#eee!important}.layui-checkbox-disabled[lay-skin=primary]:hover>i{border-color:#d2d2d2}.layui-form-item .layui-form-checkbox[lay-skin=primary]{margin-top:10px}.layui-form-checkbox[lay-skin=primary]>.layui-icon-indeterminate{border-color:#16b777;background-color:#fff}.layui-form-checkbox[lay-skin=primary]>.layui-icon-indeterminate:before{content:'';display:inline-block;vertical-align:middle;position:relative;width:50%;height:1px;margin:-1px auto 0;background-color:#16b777}.layui-form-switch{position:relative;display:inline-block;vertical-align:middle;height:24px;line-height:22px;min-width:44px;padding:0 5px;margin-top:8px;border:1px solid #d2d2d2;border-radius:20px;cursor:pointer;box-sizing:border-box;background-color:#fff;-webkit-transition:.1s linear;transition:.1s linear}.layui-form-switch>i{position:absolute;left:5px;top:3px;width:16px;height:16px;border-radius:20px;background-color:#d2d2d2;-webkit-transition:.1s linear;transition:.1s linear}.layui-form-switch>div{position:relative;top:0;margin-left:21px;padding:0!important;text-align:center!important;color:#999!important;font-style:normal!important;font-size:12px}.layui-form-onswitch{border-color:#16b777;background-color:#16b777}.layui-form-onswitch>i{left:100%;margin-left:-21px;background-color:#fff}.layui-form-onswitch>div{margin-left:0;margin-right:21px;color:#fff!important}.layui-form-checkbox[lay-skin=none] *,.layui-form-radio[lay-skin=none] *{box-sizing:border-box}.layui-form-checkbox[lay-skin=none],.layui-form-radio[lay-skin=none]{position:relative;min-height:20px;margin:0;padding:0;height:auto;line-height:normal}.layui-form-checkbox[lay-skin=none]>div,.layui-form-radio[lay-skin=none]>div{position:relative;top:0;left:0;cursor:pointer;z-index:10;color:inherit;background-color:inherit}.layui-form-checkbox[lay-skin=none]>i,.layui-form-radio[lay-skin=none]>i{display:none}.layui-form-checkbox[lay-skin=none].layui-checkbox-disabled>div,.layui-form-radio[lay-skin=none].layui-radio-disabled>div{cursor:not-allowed}.layui-checkbox-disabled{border-color:#eee!important}.layui-checkbox-disabled>div{color:#c2c2c2!important}.layui-checkbox-disabled>i{border-color:#eee!important}.layui-checkbox-disabled:hover>i{color:#fff!important}.layui-form-checkbox[lay-skin=tag].layui-form-checked.layui-checkbox-disabled>i{color:#c2c2c2}.layui-form-checkbox[lay-skin=tag].layui-form-checked.layui-checkbox-disabled:hover>i{color:#c2c2c2!important}.layui-form-radio{display:inline-block;vertical-align:middle;line-height:28px;margin:6px 10px 0 0;padding-right:10px;cursor:pointer;font-size:0}.layui-form-radio>*{display:inline-block;vertical-align:middle;font-size:14px}.layui-form-radio>i{margin-right:8px;font-size:22px;color:#c2c2c2}.layui-form-radio:hover>*,.layui-form-radioed,.layui-form-radioed>i{color:#16b777}.layui-radio-disabled>i{color:#eee!important}.layui-radio-disabled>*{color:#c2c2c2!important}.layui-form [lay-radio]{display:none}.layui-form-pane .layui-form-label{width:110px;padding:8px 15px;height:38px;line-height:20px;border-width:1px;border-style:solid;border-radius:2px 0 0 2px;text-align:center;background-color:#fafafa;overflow:hidden;white-space:nowrap;text-overflow:ellipsis;box-sizing:border-box}.layui-form-pane .layui-input-inline{margin-left:-1px}.layui-form-pane .layui-input-block{margin-left:110px;left:-1px}.layui-form-pane .layui-input{border-radius:0 2px 2px 0}.layui-form-pane .layui-form-text .layui-form-label{float:none;width:100%;border-radius:2px;box-sizing:border-box;text-align:left}.layui-form-pane .layui-form-text .layui-input-inline{display:block;margin:0;top:-1px;clear:both}.layui-form-pane .layui-form-text .layui-input-block{margin:0;left:0;top:-1px}.layui-form-pane .layui-form-text .layui-textarea{min-height:100px;border-radius:0 0 2px 2px}.layui-form-pane .layui-form-checkbox{margin:4px 0 4px 10px}.layui-form-pane .layui-form-radio,.layui-form-pane .layui-form-switch{margin-top:6px;margin-left:10px}.layui-form-pane .layui-form-item[pane]{position:relative;border-width:1px;border-style:solid}.layui-form-pane .layui-form-item[pane] .layui-form-label{position:absolute;left:0;top:0;height:100%;border-width:0;border-right-width:1px}.layui-form-pane .layui-form-item[pane] .layui-input-inline{margin-left:110px}@media screen and (max-width:450px){.layui-form-item .layui-form-label{text-overflow:ellipsis;overflow:hidden;white-space:nowrap}.layui-form-item .layui-inline{display:block;margin-right:0;margin-bottom:20px;clear:both}.layui-form-item .layui-inline:after{content:'\20';clear:both;display:block;height:0}.layui-form-item .layui-input-inline{display:block;float:none;left:-3px;width:auto!important;margin:0 0 10px 112px}.layui-form-item .layui-input-inline+.layui-form-mid{margin-left:110px;top:-5px;padding:0}.layui-form-item .layui-form-checkbox{margin-right:5px;margin-bottom:5px}}.layui-laypage{display:inline-block;vertical-align:middle;margin:10px 0;font-size:0}.layui-laypage>a:first-child,.layui-laypage>a:first-child em{border-radius:2px 0 0 2px}.layui-laypage>a:last-child,.layui-laypage>a:last-child em{border-radius:0 2px 2px 0}.layui-laypage>:first-child{margin-left:0!important}.layui-laypage>:last-child{margin-right:0!important}.layui-laypage a,.layui-laypage button,.layui-laypage input,.layui-laypage select,.layui-laypage span{border:1px solid #eee}.layui-laypage a,.layui-laypage span{display:inline-block;vertical-align:middle;padding:0 15px;height:28px;line-height:28px;margin:0 -1px 5px 0;background-color:#fff;color:#333;font-size:12px}.layui-laypage a[data-page]{color:#333}.layui-laypage a{text-decoration:none!important;cursor:pointer}.layui-laypage a:hover{color:#16baaa}.layui-laypage em{font-style:normal}.layui-laypage .layui-laypage-spr{color:#999;font-weight:700}.layui-laypage .layui-laypage-curr{position:relative}.layui-laypage .layui-laypage-curr em{position:relative;color:#fff}.layui-laypage .layui-laypage-curr .layui-laypage-em{position:absolute;left:-1px;top:-1px;padding:1px;width:100%;height:100%;background-color:#16baaa}.layui-laypage-em{border-radius:2px}.layui-laypage-next em,.layui-laypage-prev em{font-family:Sim sun;font-size:16px}.layui-laypage .layui-laypage-count,.layui-laypage .layui-laypage-limits,.layui-laypage .layui-laypage-refresh,.layui-laypage .layui-laypage-skip{margin-left:10px;margin-right:10px;padding:0;border:none}.layui-laypage .layui-laypage-limits,.layui-laypage .layui-laypage-refresh{vertical-align:top}.layui-laypage .layui-laypage-refresh i{font-size:18px;cursor:pointer}.layui-laypage select{height:22px;padding:3px;border-radius:2px;cursor:pointer}.layui-laypage .layui-laypage-skip{height:30px;line-height:30px;color:#999}.layui-laypage button,.layui-laypage input{height:30px;line-height:30px;border-radius:2px;vertical-align:top;background-color:#fff;box-sizing:border-box}.layui-laypage input{display:inline-block;width:40px;margin:0 10px;padding:0 3px;text-align:center;transition:none}.layui-laypage input:focus,.layui-laypage select:focus{border-color:#16baaa!important}.layui-laypage button{margin-left:10px;padding:0 10px;cursor:pointer}.layui-flow-more{margin:10px 0;text-align:center;color:#999;font-size:14px;clear:both}.layui-flow-more a{height:32px;line-height:32px}.layui-flow-more a *{display:inline-block;vertical-align:top}.layui-flow-more a cite{padding:0 20px;border-radius:3px;background-color:#eee;color:#333;font-style:normal}.layui-flow-more a cite:hover{opacity:.8}.layui-flow-more a i{font-size:30px;color:#737383}.layui-table{width:100%;margin:10px 0;background-color:#fff;color:#5f5f5f}.layui-table tr{-webkit-transition:all .3s;transition:all .3s}.layui-table th{text-align:left;font-weight:600}.layui-table-mend{background-color:#fff}.layui-table-click,.layui-table-hover,.layui-table[lay-even] tbody tr:nth-child(even){background-color:#f8f8f8}.layui-table-checked{background-color:#dbfbf0}.layui-table-checked.layui-table-click,.layui-table-checked.layui-table-hover,.layui-table[lay-even] tbody tr:nth-child(even).layui-table-checked{background-color:#abf8dd}.layui-table-disabled-transition *,.layui-table-disabled-transition :after,.layui-table-disabled-transition :before{-webkit-transition:none!important;-moz-transition:none!important;-o-transition:none!important;-ms-transition:none!important;transition:none!important}.layui-table td,.layui-table th,.layui-table-col-set,.layui-table-fixed-r,.layui-table-grid-down,.layui-table-header,.layui-table-mend,.layui-table-page,.layui-table-tips-main,.layui-table-tool,.layui-table-total,.layui-table-view,.layui-table[lay-skin=line],.layui-table[lay-skin=row]{border-width:1px;border-style:solid;border-color:#eee}.layui-table td,.layui-table th{position:relative;padding:9px 15px;min-height:20px;line-height:20px;font-size:14px}.layui-table[lay-skin=line] td,.layui-table[lay-skin=line] th{border-width:0;border-bottom-width:1px}.layui-table[lay-skin=row] td,.layui-table[lay-skin=row] th{border-width:0;border-right-width:1px}.layui-table[lay-skin=nob] td,.layui-table[lay-skin=nob] th{border:none}.layui-table img{max-width:100px}.layui-table[lay-size=lg] td,.layui-table[lay-size=lg] th{padding-top:15px;padding-right:30px;padding-bottom:15px;padding-left:30px}.layui-table-view .layui-table[lay-size=lg] .layui-table-cell{height:50px;line-height:40px}.layui-table[lay-size=sm] td,.layui-table[lay-size=sm] th{padding-top:5px;padding-right:10px;padding-bottom:5px;padding-left:10px;font-size:12px}.layui-table-view .layui-table[lay-size=sm] .layui-table-cell{height:30px;line-height:20px;padding-top:5px;padding-left:11px;padding-right:11px}.layui-table[lay-data],.layui-table[lay-options]{display:none}.layui-table-box{position:relative;overflow:hidden}.layui-table-view{clear:both;position:relative;border-right:none}.layui-table-view:after{content:'';position:absolute;top:0;right:0;width:1px;height:100%;background-color:#eee;z-index:101}.layui-table-view .layui-table{position:relative;width:auto;margin:0;border:0;border-collapse:separate}.layui-table-view .layui-table[lay-skin=line]{border-width:0;border-right-width:1px}.layui-table-view .layui-table[lay-skin=row]{border-width:0;border-bottom-width:1px}.layui-table-view .layui-table td,.layui-table-view .layui-table th{padding:0;border-top:none;border-left:none}.layui-table-view .layui-table th [lay-event],.layui-table-view .layui-table th.layui-unselect .layui-table-cell span{cursor:pointer}.layui-table-view .layui-table td,.layui-table-view .layui-table th span{cursor:default}.layui-table-view .layui-table td[data-edit]{cursor:text}.layui-table-view .layui-table td[data-edit]:hover:after{position:absolute;left:0;top:0;width:100%;height:100%;box-sizing:border-box;border:1px solid #16b777;pointer-events:none;content:''}.layui-table-view .layui-form-checkbox[lay-skin=primary] i{width:18px;height:18px;line-height:16px}.layui-table-view .layui-form-radio{line-height:0;padding:0}.layui-table-view .layui-form-radio>i{margin:0;font-size:20px}.layui-table-init{position:absolute;left:0;top:0;right:0;bottom:0;margin:0;z-index:199;transition:opacity .1s;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.layui-table-loading-icon{position:absolute;width:100%\0;left:50%;left:auto\0;top:50%;margin-top:-15px\0;transform:translate(-50%,-50%);transform:none\0;text-align:center}.layui-table-loading-icon .layui-icon{font-size:30px;color:#c2c2c2}.layui-table-header{border-width:0;border-bottom-width:1px;overflow:hidden}.layui-table-header .layui-table{margin-bottom:-1px}.layui-table-column{position:relative;width:100%;min-height:41px;padding:8px 16px;border-width:0;border-bottom-width:1px}.layui-table-column .layui-btn-container{margin-bottom:-8px}.layui-table-column .layui-btn-container .layui-btn{margin-right:8px;margin-bottom:8px}.layui-table-tool .layui-inline[lay-event]{position:relative;width:26px;height:26px;padding:5px;line-height:16px;margin-right:10px;text-align:center;color:#333;border:1px solid #ccc;cursor:pointer;-webkit-transition:.5s all;transition:.5s all}.layui-table-tool .layui-inline[lay-event]:hover{border:1px solid #999}.layui-table-tool-temp{padding-right:120px}.layui-table-tool-self{position:absolute;right:17px;top:10px}.layui-table-tool .layui-table-tool-self .layui-inline[lay-event]{margin:0 0 0 10px}.layui-table-tool-panel{position:absolute;top:29px;left:-1px;z-index:399;padding:5px 0!important;min-width:150px;min-height:40px;border:1px solid #d2d2d2;text-align:left;overflow-y:auto;background-color:#fff;box-shadow:0 2px 4px rgba(0,0,0,.12)}.layui-table-tool-panel li{padding:0 10px;margin:0!important;line-height:30px;list-style-type:none!important;white-space:nowrap;overflow:hidden;text-overflow:ellipsis;-webkit-transition:.5s all;transition:.5s all}.layui-table-tool-panel li .layui-form-checkbox[lay-skin=primary]{width:100%}.layui-table-tool-panel li:hover{background-color:#f8f8f8}.layui-table-tool-panel li .layui-form-checkbox[lay-skin=primary]{padding-left:28px}.layui-table-tool-panel li .layui-form-checkbox[lay-skin=primary] i{position:absolute;left:0;top:0}.layui-table-tool-panel li .layui-form-checkbox[lay-skin=primary] span{padding:0}.layui-table-tool .layui-table-tool-self .layui-table-tool-panel{left:auto;right:-1px}.layui-table-col-set{position:absolute;right:0;top:0;width:20px;height:100%;border-width:0;border-left-width:1px;background-color:#fff}.layui-table-sort{width:10px;height:20px;margin-left:5px;cursor:pointer!important}.layui-table-sort .layui-edge{position:absolute;left:5px;border-width:5px}.layui-table-sort .layui-table-sort-asc{top:3px;border-top:none;border-bottom-style:solid;border-bottom-color:#b2b2b2}.layui-table-sort .layui-table-sort-asc:hover{border-bottom-color:#5f5f5f}.layui-table-sort .layui-table-sort-desc{bottom:5px;border-bottom:none;border-top-style:solid;border-top-color:#b2b2b2}.layui-table-sort .layui-table-sort-desc:hover{border-top-color:#5f5f5f}.layui-table-sort[lay-sort=asc] .layui-table-sort-asc{border-bottom-color:#000}.layui-table-sort[lay-sort=desc] .layui-table-sort-desc{border-top-color:#000}.layui-table-cell{height:38px;line-height:28px;padding:6px 15px;position:relative;overflow:hidden;text-overflow:ellipsis;white-space:nowrap;box-sizing:border-box}.layui-table-cell .layui-form-checkbox[lay-skin=primary]{top:-1px;padding:0}.layui-table-cell .layui-form-checkbox[lay-skin=primary]>div{padding-left:24px}.layui-table-cell .layui-table-link{color:#01aaed}.layui-table-cell .layui-btn{vertical-align:inherit}.layui-table-cell[align=center]{-webkit-box-pack:center}.layui-table-cell[align=right]{-webkit-box-pack:end}.laytable-cell-checkbox,.laytable-cell-numbers,.laytable-cell-radio,.laytable-cell-space{text-align:center;-webkit-box-pack:center}.layui-table-body{position:relative;overflow:auto;margin-bottom:-1px}.layui-table-body .layui-none{line-height:26px;padding:30px 15px;text-align:center;color:#999}.layui-table-fixed{position:absolute;left:0;top:0;z-index:101}.layui-table-fixed .layui-table-body{overflow:hidden}.layui-table-fixed-l{box-shadow:1px 0 8px rgba(0,0,0,.08)}.layui-table-fixed-r{left:auto;right:0;border-width:0;border-left-width:1px;box-shadow:-1px 0 8px rgba(0,0,0,.08)}.layui-table-fixed-r .layui-table-header{position:relative;overflow:visible}.layui-table-mend{position:absolute;right:-49px;top:0;height:100%;width:50px;border-width:0;border-left-width:1px}.layui-table-tool{position:relative;width:100%;min-height:50px;line-height:30px;padding:10px 15px;border-width:0;border-bottom-width:1px}.layui-table-tool .layui-btn-container{margin-bottom:-10px}.layui-table-total{margin-bottom:-1px;border-width:0;border-top-width:1px;overflow:hidden}.layui-table-page{border-width:0;border-top-width:1px;margin-bottom:-1px;white-space:nowrap;overflow:hidden}.layui-table-page>div{height:26px}.layui-table-page .layui-laypage{margin:0}.layui-table-page .layui-laypage a,.layui-table-page .layui-laypage span{height:26px;line-height:26px;margin-bottom:10px;border:none;background:0 0}.layui-table-page .layui-laypage a,.layui-table-page .layui-laypage span.layui-laypage-curr{padding:0 12px}.layui-table-page .layui-laypage span{margin-left:0;padding:0}.layui-table-page .layui-laypage .layui-laypage-prev{margin-left:-11px!important}.layui-table-page .layui-laypage .layui-laypage-curr .layui-laypage-em{left:0;top:0;padding:0}.layui-table-page .layui-laypage button,.layui-table-page .layui-laypage input{height:26px;line-height:26px}.layui-table-page .layui-laypage input{width:40px}.layui-table-page .layui-laypage button{padding:0 10px}.layui-table-page select{height:18px}.layui-table-pagebar{float:right;line-height:23px}.layui-table-pagebar .layui-btn-sm{margin-top:-1px}.layui-table-pagebar .layui-btn-xs{margin-top:2px}.layui-table-view select[lay-ignore]{display:inline-block}.layui-table-patch .layui-table-cell{padding:0;width:30px}.layui-table-edit{position:absolute;left:0;top:0;z-index:189;min-width:100%;min-height:100%;padding:5px 14px;border-radius:0;box-shadow:1px 1px 20px rgba(0,0,0,.15);background-color:#fff}.layui-table-edit:focus{border-color:#16b777!important}input.layui-input.layui-table-edit{height:100%}select.layui-table-edit{padding:0 0 0 10px;border-color:#d2d2d2}.layui-table-view .layui-form-checkbox,.layui-table-view .layui-form-radio,.layui-table-view .layui-form-switch{top:0;margin:0}.layui-table-view .layui-form-checkbox{top:-1px;height:26px;line-height:26px}.layui-table-view .layui-form-checkbox i{height:26px}.layui-table-grid .layui-table-cell{overflow:visible}.layui-table-grid-down{position:absolute;top:0;right:0;width:24px;height:100%;padding:5px 0;border-width:0;border-left-width:1px;text-align:center;background-color:#fff;color:#999;cursor:pointer}.layui-table-grid-down .layui-icon{position:absolute;top:50%;left:50%;margin:-8px 0 0 -8px;font-size:14px}.layui-table-grid-down:hover{background-color:#fbfbfb}.layui-table-expanded{height:95px}.layui-table-expanded .layui-table-cell,.layui-table-view .layui-table[lay-size=lg] .layui-table-expanded .layui-table-cell,.layui-table-view .layui-table[lay-size=sm] .layui-table-expanded .layui-table-cell{height:auto;max-height:94px;white-space:normal;text-overflow:clip}.layui-table-cell-c{position:absolute;bottom:-10px;right:50%;margin-right:-9px;width:20px;height:20px;line-height:18px;cursor:pointer;text-align:center;background-color:#fff;border:1px solid #eee;border-radius:50%;z-index:1000;transition:.3s all;font-size:14px}.layui-table-cell-c:hover{border-color:#16b777}.layui-table-expanded td:hover .layui-table-cell{overflow:auto}.layui-table-main>.layui-table>tbody>tr:last-child>td>.layui-table-cell-c{bottom:0}body .layui-table-tips .layui-layer-content{background:0 0;padding:0;box-shadow:0 1px 6px rgba(0,0,0,.12)}.layui-table-tips-main{margin:-49px 0 0 -1px;max-height:150px;padding:8px 15px;font-size:14px;overflow-y:scroll;background-color:#fff;color:#5f5f5f}.layui-table-tips-c{position:absolute;right:-3px;top:-13px;width:20px;height:20px;padding:3px;cursor:pointer;background-color:#5f5f5f;border-radius:50%;color:#fff}.layui-table-tips-c:hover{background-color:#777}.layui-table-tips-c:before{position:relative;right:-2px}.layui-table-tree-nodeIcon{max-width:20px}.layui-table-tree-nodeIcon>*{width:100%}.layui-table-tree-flexIcon,.layui-table-tree-nodeIcon{margin-right:2px}.layui-table-tree-flexIcon{cursor:pointer}.layui-upload-file{display:none!important;opacity:.01;filter:Alpha(opacity=1)}.layui-upload-list{margin:11px 0}.layui-upload-choose{max-width:200px;padding:0 10px;color:#999;font-size:14px;text-overflow:ellipsis;overflow:hidden;white-space:nowrap}.layui-upload-drag{position:relative;display:inline-block;padding:30px;border:1px dashed #e2e2e2;background-color:#fff;text-align:center;cursor:pointer;color:#999}.layui-upload-drag .layui-icon{font-size:50px;color:#16baaa}.layui-upload-drag[lay-over]{border-color:#16baaa}.layui-upload-form{display:inline-block}.layui-upload-iframe{position:absolute;width:0;height:0;border:0;visibility:hidden}.layui-upload-wrap{position:relative;display:inline-block;vertical-align:middle}.layui-upload-wrap .layui-upload-file{display:block!important;position:absolute;left:0;top:0;z-index:10;font-size:100px;width:100%;height:100%;opacity:.01;filter:Alpha(opacity=1);cursor:pointer}.layui-btn-container .layui-upload-choose{padding-left:0}.layui-menu{position:relative;margin:5px 0;background-color:#fff;box-sizing:border-box}.layui-menu *{box-sizing:border-box}.layui-menu li,.layui-menu-body-title,.layui-menu-body-title a{padding:5px 15px;color:initial}.layui-menu li{position:relative;margin:0 0 1px;line-height:26px;color:rgba(0,0,0,.8);font-size:14px;white-space:nowrap;cursor:pointer;transition:all .3s}.layui-menu li:hover{background-color:#f8f8f8}.layui-menu li.layui-disabled,.layui-menu li.layui-disabled *{background:0 0!important;color:#d2d2d2!important;cursor:not-allowed!important}.layui-menu-item-parent:hover>.layui-menu-body-panel{display:block;animation-name:layui-fadein;animation-duration:.3s;animation-fill-mode:both;animation-delay:.2s}.layui-menu-item-group>.layui-menu-body-title,.layui-menu-item-parent>.layui-menu-body-title{padding-right:38px}.layui-menu .layui-menu-item-divider:hover,.layui-menu .layui-menu-item-group:hover,.layui-menu .layui-menu-item-none:hover{background:0 0;cursor:default}.layui-menu .layui-menu-item-group>ul{margin:5px 0 -5px}.layui-menu .layui-menu-item-group>.layui-menu-body-title{color:rgba(0,0,0,.35);-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.layui-menu .layui-menu-item-none{color:rgba(0,0,0,.35);cursor:default}.layui-menu .layui-menu-item-none{text-align:center}.layui-menu .layui-menu-item-divider{margin:5px 0;padding:0;height:0;line-height:0;border-bottom:1px solid #eee;overflow:hidden}.layui-menu .layui-menu-item-down:hover,.layui-menu .layui-menu-item-up:hover{cursor:pointer}.layui-menu .layui-menu-item-up>.layui-menu-body-title{color:rgba(0,0,0,.8)}.layui-menu .layui-menu-item-up>ul{visibility:hidden;height:0;overflow:hidden}.layui-menu .layui-menu-item-down>.layui-menu-body-title>.layui-icon-down{transform:rotate(180deg)}.layui-menu .layui-menu-item-up>.layui-menu-body-title>.layui-icon-up{transform:rotate(-180deg)}.layui-menu .layui-menu-item-down:hover>.layui-menu-body-title>.layui-icon,.layui-menu .layui-menu-item-up>.layui-menu-body-title:hover>.layui-icon{color:#000}.layui-menu .layui-menu-item-down>ul{visibility:visible;height:auto}.layui-menu .layui-menu-item-checked,.layui-menu .layui-menu-item-checked2{background-color:#f8f8f8!important;color:#16b777}.layui-menu .layui-menu-item-checked a,.layui-menu .layui-menu-item-checked2 a{color:#16b777}.layui-menu .layui-menu-item-checked:after{position:absolute;right:-1px;top:0;bottom:0;border-right:3px solid #16b777;content:''}.layui-menu-body-title{position:relative;margin:-5px -15px;overflow:hidden;text-overflow:ellipsis}.layui-menu-body-title a{display:block;margin:-5px -15px;overflow:hidden;text-overflow:ellipsis;color:rgba(0,0,0,.8)}.layui-menu-body-title a:hover{transition:all .3s}.layui-menu-body-title>.layui-icon{position:absolute;right:15px;top:50%;margin-top:-6px;line-height:normal;font-size:14px;-webkit-transition:all .2s;transition:all .2s}.layui-menu-body-title>.layui-icon:hover{transition:all .3s}.layui-menu-body-title>.layui-icon-right{right:14px}.layui-menu-body-panel{display:none;position:absolute;top:-7px;left:100%;z-index:1000;margin-left:13px;padding:5px 0}.layui-menu-body-panel:before{content:'';position:absolute;width:20px;left:-16px;top:0;bottom:0}.layui-menu-body-panel-left{left:auto;right:100%;margin:0 13px 0}.layui-menu-body-panel-left:before{left:auto;right:-16px}.layui-menu-lg li{line-height:32px}.layui-menu-lg .layui-menu-body-title a:hover,.layui-menu-lg li:hover{background:0 0;color:#16b777}.layui-menu-lg li .layui-menu-body-panel{margin-left:14px}.layui-menu-lg li .layui-menu-body-panel-left{margin:0 15px 0}.layui-dropdown{position:absolute;left:-999999px;top:-999999px;z-index:77777777;margin:5px 0;min-width:100px}.layui-dropdown:before{content:'';position:absolute;width:100%;height:6px;left:0;top:-6px}.layui-dropdown-shade{top:0;left:0;width:100%;height:100%;position:fixed;pointer-events:auto}.layui-tabs{position:relative}.layui-tabs.layui-hide-v{overflow:hidden}.layui-tabs-header{position:relative;left:0;height:40px;padding:0!important;white-space:nowrap;font-size:0;-webkit-transition:all .16s;transition:all .16s}.layui-tabs-header:after,.layui-tabs-scroll:after{content:'';position:absolute;left:0;bottom:0;z-index:0;width:100%;border-bottom:1px solid #eee}.layui-tabs-header li{position:relative;display:inline-block;vertical-align:middle;line-height:40px;margin:0!important;padding:0 16px;text-align:center;cursor:pointer;font-size:14px;-webkit-transition:all .16s;transition:all .16s}.layui-tabs-header li:first-child{margin-left:0}.layui-tabs-header li a{display:block;padding:0 16px;margin:0 -16px;color:inherit}.layui-tabs-header li a:hover{text-decoration:none}.layui-tabs-header .layui-this,.layui-tabs-header li:hover{color:#16baaa}.layui-tabs-header .layui-this:after{content:'';position:absolute;left:0;top:0;z-index:1;width:100%;height:100%;border-bottom:3px solid #16baaa;box-sizing:border-box;pointer-events:none}.layui-tabs-header .layui-badge,.layui-tabs-header .layui-badge-dot{left:5px;top:-1px}.layui-tabs-scroll{position:relative;overflow:hidden;padding:0 40px}.layui-tabs-scroll .layui-tabs-header:after{display:none;content:none;border:0}.layui-tabs-bar .layui-icon{position:absolute;left:0;top:0;z-index:3;width:40px;height:100%;line-height:40px;border:1px solid #eee;text-align:center;cursor:pointer;box-sizing:border-box;background-color:#fff;box-shadow:2px 0 5px 0 rgb(0 0 0 / 6%)}.layui-tabs-bar .layui-icon-next{left:auto;right:0;box-shadow:-2px 0 5px 0 rgb(0 0 0 / 6%)}.layui-tabs-header li .layui-tabs-close{position:relative;display:inline-block;width:16px;height:16px;line-height:18px;margin-left:8px;top:0;text-align:center;font-size:12px;color:#959595;border-radius:50%;font-weight:700;-webkit-transition:all .16s;transition:all .16s}.layui-tabs-header li .layui-tabs-close:hover{background-color:#ff5722;color:#fff}.layui-tabs-header li[lay-closable=false] .layui-tabs-close{display:none}.layui-tabs-body{padding:16px 0}.layui-tabs-item{display:none}.layui-tabs-card>.layui-tabs-header .layui-this{background-color:#fff}.layui-tabs-card>.layui-tabs-header .layui-this:after{border:1px solid #eee;border-bottom-color:#fff;border-radius:2px 2px 0 0}.layui-tabs-card>.layui-tabs-header li:first-child.layui-this:after{margin-left:-1px}.layui-tabs-card>.layui-tabs-header li:last-child.layui-this:after{margin-right:-1px}.layui-tabs-card.layui-panel>.layui-tabs-header .layui-this:after{border-top:0;border-radius:0}.layui-tabs-card.layui-panel>.layui-tabs-body{padding:16px}.layui-nav{position:relative;padding:0 15px;background-color:#2f363c;color:#fff;border-radius:2px;font-size:0;box-sizing:border-box}.layui-nav *{font-size:14px}.layui-nav .layui-nav-item{position:relative;display:inline-block;margin-top:0;list-style:none;vertical-align:middle;line-height:60px}.layui-nav .layui-nav-item a{display:block;padding:0 20px;color:#fff;color:rgba(255,255,255,.7);-webkit-transition:all .3s;transition:all .3s}.layui-nav .layui-this:after,.layui-nav-bar{content:'';position:absolute;left:0;top:0;width:0;height:3px;background-color:#16b777;-webkit-transition:all .2s;transition:all .2s;pointer-events:none}.layui-nav-bar{z-index:1000}.layui-nav[lay-bar=disabled] .layui-nav-bar{display:none}.layui-nav .layui-nav-item a:hover,.layui-nav .layui-this a{color:#fff;text-decoration:none}.layui-nav .layui-this:after{top:auto;bottom:0;width:100%}.layui-nav-img{width:30px;height:30px;margin-right:10px;border-radius:50%}.layui-nav .layui-nav-more{position:absolute;top:0;right:3px;left:auto!important;margin-top:0;font-size:12px;cursor:pointer;-webkit-transition:all .2s;transition:all .2s}.layui-nav .layui-nav-mored,.layui-nav-itemed>a .layui-nav-more{transform:rotate(180deg)}.layui-nav-child{display:none;position:absolute;left:0;top:65px;min-width:100%;line-height:36px;padding:5px 0;box-shadow:0 2px 4px rgba(0,0,0,.12);border:1px solid #eee;background-color:#fff;z-index:100;border-radius:2px;white-space:nowrap;box-sizing:border-box}.layui-nav .layui-nav-child a{color:#5f5f5f;color:rgba(0,0,0,.8)}.layui-nav .layui-nav-child a:hover{background-color:#f8f8f8;color:rgba(0,0,0,.8)}.layui-nav-child dd{margin:1px 0;position:relative}.layui-nav-child dd.layui-this{background-color:#f8f8f8;color:#000}.layui-nav-child dd.layui-this:after{display:none}.layui-nav-child-r{left:auto;right:0}.layui-nav-child-c{text-align:center}.layui-nav.layui-nav-tree{width:200px;padding:0}.layui-nav-tree .layui-nav-item{display:block;width:100%;line-height:40px}.layui-nav-tree .layui-nav-item a{position:relative;height:40px;line-height:40px;text-overflow:ellipsis;overflow:hidden;white-space:nowrap}.layui-nav-tree .layui-nav-item>a{padding-top:5px;padding-bottom:5px}.layui-nav-tree .layui-nav-more{right:15px}.layui-nav-tree .layui-nav-item>a .layui-nav-more{padding:5px 0}.layui-nav-tree .layui-nav-bar{width:5px;height:0}.layui-side .layui-nav-tree .layui-nav-bar{width:2px}.layui-nav-tree .layui-nav-child dd.layui-this,.layui-nav-tree .layui-nav-child dd.layui-this a,.layui-nav-tree .layui-this,.layui-nav-tree .layui-this>a,.layui-nav-tree .layui-this>a:hover{background-color:#16baaa;color:#fff}.layui-nav-tree .layui-this:after{display:none}.layui-nav-itemed>a,.layui-nav-tree .layui-nav-title a,.layui-nav-tree .layui-nav-title a:hover{color:#fff!important}.layui-nav-tree .layui-nav-bar{background-color:#16baaa}.layui-nav-tree .layui-nav-child{position:relative;z-index:0;top:0;border:none;background:0 0;background-color:rgba(0,0,0,.3);box-shadow:none}.layui-nav-tree .layui-nav-child dd{margin:0}.layui-nav-tree .layui-nav-child a{color:#fff;color:rgba(255,255,255,.7)}.layui-nav-tree .layui-nav-child a:hover{background:0 0;color:#fff}.layui-nav-itemed>.layui-nav-child,.layui-nav-itemed>.layui-nav-child>.layui-this>.layui-nav-child{display:block}.layui-nav-side{position:fixed;top:0;bottom:0;left:0;overflow-x:hidden;z-index:999}.layui-nav-tree.layui-bg-gray a,.layui-nav.layui-bg-gray .layui-nav-item a{color:#373737;color:rgba(0,0,0,.8)}.layui-nav-tree.layui-bg-gray .layui-nav-itemed>a{color:#000!important}.layui-nav.layui-bg-gray .layui-this a{color:#16b777}.layui-nav-tree.layui-bg-gray .layui-nav-child{padding-left:11px;background:0 0}.layui-nav-tree.layui-bg-gray .layui-nav-child dd.layui-this,.layui-nav-tree.layui-bg-gray .layui-nav-child dd.layui-this a,.layui-nav-tree.layui-bg-gray .layui-this,.layui-nav-tree.layui-bg-gray .layui-this>a{background:0 0!important;color:#16b777!important;font-weight:700}.layui-nav-tree.layui-bg-gray .layui-nav-bar{background-color:#16b777}.layui-breadcrumb{visibility:hidden;font-size:0}.layui-breadcrumb>*{font-size:14px}.layui-breadcrumb a{color:#999!important}.layui-breadcrumb a:hover{color:#16b777!important}.layui-breadcrumb a cite{color:#5f5f5f;font-style:normal}.layui-breadcrumb span[lay-separator]{margin:0 10px;color:#999}.layui-tab{margin:10px 0;text-align:left!important}.layui-tab[overflow]>.layui-tab-title{overflow:hidden}.layui-tab .layui-tab-title{position:relative;left:0;height:40px;white-space:nowrap;font-size:0;-webkit-transition:all .2s;transition:all .2s}.layui-tab .layui-tab-title:after{content:'';border-bottom-color:#eee;border-bottom-width:1px;border-style:none none solid;bottom:0;left:0;right:auto;top:auto;pointer-events:none;position:absolute;width:100%;z-index:8}.layui-tab .layui-tab-title li{display:inline-block;vertical-align:middle;font-size:14px;-webkit-transition:all .2s;transition:all .2s}.layui-tab .layui-tab-title li{position:relative;line-height:40px;min-width:65px;margin:0;padding:0 15px;text-align:center;cursor:pointer}.layui-tab .layui-tab-title li a{display:block;padding:0 15px;margin:0 -15px}.layui-tab-title .layui-this{color:#000}.layui-tab-title .layui-this:after{position:absolute;left:0;top:0;content:'';width:100%;height:40px;border-width:1px;border-bottom-width:1px;border-style:solid;border-bottom-color:#fff;border-radius:2px 2px 0 0;box-sizing:border-box;pointer-events:none;z-index:9}.layui-tab-bar{box-sizing:border-box;position:absolute;right:0;top:0;z-index:10;width:30px;height:40px;line-height:40px;border-width:1px;border-style:solid;border-radius:2px;text-align:center;background-color:#fff;cursor:pointer}.layui-tab-bar .layui-icon{position:relative;display:inline-block;top:3px;-webkit-transition:all .3s;transition:all .3s}.layui-tab-item{display:none}.layui-tab-more{padding-right:30px;height:auto!important;white-space:normal!important}.layui-tab-more li.layui-this:after{border-bottom-color:#eee;border-radius:2px}.layui-tab-more .layui-tab-bar .layui-icon{top:-2px;top:3px\0;-webkit-transform:rotate(180deg);transform:rotate(180deg)}:root .layui-tab-more .layui-tab-bar .layui-icon{top:-2px\0/IE9}.layui-tab-content{padding:15px 0}.layui-tab-title li .layui-tab-close{position:relative;display:inline-block;width:18px;height:18px;line-height:20px;margin-left:8px;top:1px;text-align:center;font-size:14px;color:#c2c2c2;-webkit-transition:all .2s;transition:all .2s}.layui-tab-title li .layui-tab-close:hover{border-radius:2px;background-color:#ff5722;color:#fff}.layui-tab-brief>.layui-tab-title .layui-this{color:#16baaa}.layui-tab-brief>.layui-tab-more li.layui-this:after,.layui-tab-brief>.layui-tab-title .layui-this:after{border:none;border-radius:0;border-bottom:2px solid #16b777}.layui-tab-card{border-width:1px;border-style:solid;border-radius:2px;box-shadow:0 2px 5px 0 rgba(0,0,0,.1)}.layui-tab-card>.layui-tab-title{background-color:#fafafa}.layui-tab-card>.layui-tab-title li{margin-right:-1px;margin-left:-1px}.layui-tab-card>.layui-tab-title .layui-this{background-color:#fff}.layui-tab-card>.layui-tab-title .layui-this:after{border-top:none;border-width:1px;border-bottom-color:#fff}.layui-tab-card>.layui-tab-title .layui-tab-bar{height:40px;line-height:40px;border-radius:0;border-top:none;border-right:none}.layui-tab-card>.layui-tab-more .layui-this{background:0 0;color:#16b777}.layui-tab-card>.layui-tab-more .layui-this:after{border:none}.layui-timeline{padding-left:5px}.layui-timeline-item{position:relative;padding-bottom:20px}.layui-timeline-axis{position:absolute;left:-5px;top:0;z-index:10;width:20px;height:20px;line-height:20px;background-color:#fff;color:#16b777;border-radius:50%;text-align:center;cursor:pointer}.layui-timeline-axis:hover{color:#ff5722}.layui-timeline-item:before{content:'';position:absolute;left:5px;top:0;z-index:0;width:1px;height:100%}.layui-timeline-item:first-child:before{display:block}.layui-timeline-item:last-child:before{display:none}.layui-timeline-content{padding-left:25px}.layui-timeline-title{position:relative;margin-bottom:10px;line-height:22px}.layui-badge,.layui-badge-dot,.layui-badge-rim{position:relative;display:inline-block;padding:0 6px;font-size:12px;text-align:center;background-color:#ff5722;color:#fff;border-radius:2px}.layui-badge{height:18px;line-height:18px}.layui-badge-dot{width:8px;height:8px;padding:0;border-radius:50%}.layui-badge-rim{height:18px;line-height:18px;border-width:1px;border-style:solid;background-color:#fff;color:#5f5f5f}.layui-btn .layui-badge,.layui-btn .layui-badge-dot{margin-left:5px}.layui-nav .layui-badge,.layui-nav .layui-badge-dot{position:absolute;top:50%;margin:-5px 6px 0}.layui-nav .layui-badge{margin-top:-10px}.layui-tab-title .layui-badge,.layui-tab-title .layui-badge-dot{left:5px;top:-2px}.layui-carousel{position:relative;left:0;top:0;background-color:#f8f8f8}.layui-carousel>[carousel-item]{position:relative;width:100%;height:100%;overflow:hidden}.layui-carousel>[carousel-item]:before{position:absolute;content:'\e63d';left:50%;top:50%;width:100px;line-height:20px;margin:-10px 0 0 -50px;text-align:center;color:#c2c2c2;font-family:layui-icon!important;font-size:30px;font-style:normal;-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale}.layui-carousel>[carousel-item]>*{display:none;position:absolute;left:0;top:0;width:100%;height:100%;background-color:#f8f8f8;-webkit-transition-duration:.3s;transition-duration:.3s}.layui-carousel-updown>*{-webkit-transition:.3s ease-in-out up;transition:.3s ease-in-out up}.layui-carousel-arrow{display:none\0;opacity:0;position:absolute;left:10px;top:50%;margin-top:-18px;width:36px;height:36px;line-height:36px;text-align:center;font-size:20px;border:none 0;border-radius:50%;background-color:rgba(0,0,0,.2);color:#fff;-webkit-transition-duration:.3s;transition-duration:.3s;cursor:pointer}.layui-carousel-arrow[lay-type=add]{left:auto!important;right:10px}.layui-carousel[lay-arrow=always] .layui-carousel-arrow{opacity:1;left:20px}.layui-carousel[lay-arrow=always] .layui-carousel-arrow[lay-type=add]{right:20px}.layui-carousel[lay-arrow=none] .layui-carousel-arrow{display:none}.layui-carousel-arrow:hover,.layui-carousel-ind ul:hover{background-color:rgba(0,0,0,.35)}.layui-carousel:hover .layui-carousel-arrow{display:block\0;opacity:1;left:20px}.layui-carousel:hover .layui-carousel-arrow[lay-type=add]{right:20px}.layui-carousel-ind{position:relative;top:-35px;width:100%;line-height:0!important;text-align:center;font-size:0}.layui-carousel[lay-indicator=outside]{margin-bottom:30px}.layui-carousel[lay-indicator=outside] .layui-carousel-ind{top:10px}.layui-carousel[lay-indicator=outside] .layui-carousel-ind ul{background-color:rgba(0,0,0,.5)}.layui-carousel[lay-indicator=none] .layui-carousel-ind{display:none}.layui-carousel-ind ul{display:inline-block;padding:5px;background-color:rgba(0,0,0,.2);border-radius:10px;-webkit-transition-duration:.3s;transition-duration:.3s}.layui-carousel-ind ul li{display:inline-block;width:10px;height:10px;margin:0 3px;font-size:14px;background-color:#eee;background-color:rgba(255,255,255,.5);border-radius:50%;cursor:pointer;-webkit-transition-duration:.3s;transition-duration:.3s}.layui-carousel-ind ul li:hover{background-color:rgba(255,255,255,.7)}.layui-carousel-ind ul li.layui-this{background-color:#fff}.layui-carousel>[carousel-item]>.layui-carousel-next,.layui-carousel>[carousel-item]>.layui-carousel-prev,.layui-carousel>[carousel-item]>.layui-this{display:block}.layui-carousel>[carousel-item]>.layui-this{-webkit-transform:translateX(0);transform:translateX(0)}.layui-carousel>[carousel-item]>.layui-carousel-prev{-webkit-transform:translateX(-100%);transform:translateX(-100%)}.layui-carousel>[carousel-item]>.layui-carousel-next{-webkit-transform:translateX(100%);transform:translateX(100%)}.layui-carousel>[carousel-item]>.layui-carousel-next.layui-carousel-left,.layui-carousel>[carousel-item]>.layui-carousel-prev.layui-carousel-right{-webkit-transform:translateX(0);transform:translateX(0)}.layui-carousel>[carousel-item]>.layui-this.layui-carousel-left{-webkit-transform:translateX(-100%);transform:translateX(-100%)}.layui-carousel>[carousel-item]>.layui-this.layui-carousel-right{-webkit-transform:translateX(100%);transform:translateX(100%)}.layui-carousel[lay-anim=updown] .layui-carousel-arrow{left:50%!important;top:20px;margin:0 0 0 -18px}.layui-carousel[lay-anim=updown] .layui-carousel-arrow[lay-type=add]{top:auto!important;bottom:20px}.layui-carousel[lay-anim=updown] .layui-carousel-ind{position:absolute;top:50%;right:20px;width:auto;height:auto}.layui-carousel[lay-anim=updown] .layui-carousel-ind ul{padding:3px 5px}.layui-carousel[lay-anim=updown] .layui-carousel-ind li{display:block;margin:6px 0}.layui-carousel[lay-anim=updown]>[carousel-item]>*{left:0!important}.layui-carousel[lay-anim=updown]>[carousel-item]>.layui-this{-webkit-transform:translateY(0);transform:translateY(0)}.layui-carousel[lay-anim=updown]>[carousel-item]>.layui-carousel-prev{-webkit-transform:translateY(-100%);transform:translateY(-100%)}.layui-carousel[lay-anim=updown]>[carousel-item]>.layui-carousel-next{-webkit-transform:translateY(100%);transform:translateY(100%)}.layui-carousel[lay-anim=updown]>[carousel-item]>.layui-carousel-next.layui-carousel-left,.layui-carousel[lay-anim=updown]>[carousel-item]>.layui-carousel-prev.layui-carousel-right{-webkit-transform:translateY(0);transform:translateY(0)}.layui-carousel[lay-anim=updown]>[carousel-item]>.layui-this.layui-carousel-left{-webkit-transform:translateY(-100%);transform:translateY(-100%)}.layui-carousel[lay-anim=updown]>[carousel-item]>.layui-this.layui-carousel-right{-webkit-transform:translateY(100%);transform:translateY(100%)}.layui-carousel[lay-anim=fade]>[carousel-item]>*{-webkit-transform:translateX(0)!important;transform:translateX(0)!important}.layui-carousel[lay-anim=fade]>[carousel-item]>.layui-carousel-next,.layui-carousel[lay-anim=fade]>[carousel-item]>.layui-carousel-prev{opacity:0}.layui-carousel[lay-anim=fade]>[carousel-item]>.layui-carousel-next.layui-carousel-left,.layui-carousel[lay-anim=fade]>[carousel-item]>.layui-carousel-prev.layui-carousel-right{opacity:1}.layui-carousel[lay-anim=fade]>[carousel-item]>.layui-this.layui-carousel-left,.layui-carousel[lay-anim=fade]>[carousel-item]>.layui-this.layui-carousel-right{opacity:0}.layui-fixbar{position:fixed;right:16px;bottom:16px;z-index:999999}.layui-fixbar li{width:50px;height:50px;line-height:50px;margin-bottom:1px;text-align:center;cursor:pointer;font-size:30px;background-color:#9f9f9f;color:#fff;border-radius:2px;opacity:.95}.layui-fixbar li:hover{opacity:.85}.layui-fixbar li:active{opacity:1}.layui-fixbar .layui-fixbar-top{display:none;font-size:40px}body .layui-util-face{border:none;background:0 0}body .layui-util-face .layui-layer-content{padding:0;background-color:#fff;color:#5f5f5f;box-shadow:none}.layui-util-face .layui-layer-TipsG{display:none}.layui-util-face ul{position:relative;width:372px;padding:10px;border:1px solid #d9d9d9;background-color:#fff;box-shadow:0 0 20px rgba(0,0,0,.2)}.layui-util-face ul li{cursor:pointer;float:left;border:1px solid #e8e8e8;height:22px;width:26px;overflow:hidden;margin:-1px 0 0 -1px;padding:4px 2px;text-align:center}.layui-util-face ul li:hover{position:relative;z-index:2;border:1px solid #eb7350;background:#fff9ec}.layui-code{display:block;position:relative;padding:15px;line-height:20px;border:1px solid #eee;border-left-width:6px;background-color:#fff;color:#333;font-family:'Courier New',Consolas,'Lucida Console',monospace;font-size:12px}.layui-transfer-box,.layui-transfer-header,.layui-transfer-search{border-width:0;border-style:solid;border-color:#eee}.layui-transfer-box{position:relative;display:inline-block;vertical-align:middle;border-width:1px;width:200px;height:360px;border-radius:2px;background-color:#fff}.layui-transfer-box .layui-form-checkbox{width:100%;margin:0!important}.layui-transfer-header{height:38px;line-height:38px;padding:0 11px;border-bottom-width:1px}.layui-transfer-search{position:relative;padding:11px;border-bottom-width:1px}.layui-transfer-search .layui-input{height:32px;padding-left:30px;font-size:12px}.layui-transfer-search .layui-icon-search{position:absolute;left:20px;top:50%;line-height:normal;margin-top:-8px;color:#5f5f5f}.layui-transfer-active{margin:0 15px;display:inline-block;vertical-align:middle}.layui-transfer-active .layui-btn{display:block;margin:0;padding:0 15px;background-color:#16b777;border-color:#16b777;color:#fff}.layui-transfer-active .layui-btn-disabled{background-color:#fbfbfb;border-color:#eee;color:#d2d2d2}.layui-transfer-active .layui-btn:first-child{margin-bottom:15px}.layui-transfer-active .layui-btn .layui-icon{margin:0;font-size:14px!important}.layui-transfer-data{padding:5px 0;overflow:auto}.layui-transfer-data li{height:32px;line-height:32px;margin-top:0!important;padding:0 11px;list-style-type:none!important}.layui-transfer-data li:hover{background-color:#f8f8f8;transition:.5s all}.layui-transfer-data .layui-none{padding:15px 11px;text-align:center;color:#999}.layui-rate,.layui-rate *{display:inline-block;vertical-align:middle}.layui-rate{padding:11px 6px 11px 0;font-size:0}.layui-rate li{margin-top:0!important}.layui-rate li i.layui-icon{font-size:20px;color:#ffb800}.layui-rate li i.layui-icon{margin-right:5px;-webkit-transition:all .3s;transition:all .3s}.layui-rate li i:hover,.layui-rate-hover{cursor:pointer;-webkit-transform:scale(1.12);transform:scale(1.12)}.layui-rate[readonly] li i:hover{cursor:default;transform:scale(1)}.layui-colorpicker{width:38px;height:38px;border:1px solid #eee;padding:5px;border-radius:2px;line-height:24px;display:inline-block;cursor:pointer;-webkit-transition:all .3s;transition:all .3s;box-sizing:border-box}.layui-colorpicker:hover{border-color:#d2d2d2}.layui-colorpicker.layui-colorpicker-lg{width:44px;height:44px;line-height:30px}.layui-colorpicker.layui-colorpicker-sm{width:30px;height:30px;line-height:20px;padding:3px}.layui-colorpicker.layui-colorpicker-xs{width:22px;height:22px;line-height:16px;padding:1px}.layui-colorpicker-trigger-bgcolor{display:block;background:url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAwAAAAMCAIAAADZF8uwAAAAGUlEQVQYV2M4gwH+YwCGIasIUwhT25BVBADtzYNYrHvv4gAAAABJRU5ErkJggg==);border-radius:2px}.layui-colorpicker-trigger-span{display:block;height:100%;box-sizing:border-box;border:1px solid rgba(0,0,0,.15);border-radius:2px;text-align:center}.layui-colorpicker-trigger-i{display:inline-block;color:#fff;font-size:12px}.layui-colorpicker-trigger-i.layui-icon-close{color:#999}.layui-colorpicker-main{position:absolute;left:-999999px;top:-999999px;z-index:77777777;width:280px;margin:5px 0;padding:7px;background:#fff;border:1px solid #d2d2d2;border-radius:2px;box-shadow:0 2px 4px rgba(0,0,0,.12)}.layui-colorpicker-main-wrapper{height:180px;position:relative}.layui-colorpicker-basis{width:260px;height:100%;position:relative;overflow:hidden}.layui-colorpicker-basis-white{width:100%;height:100%;position:absolute;top:0;left:0;background:linear-gradient(90deg,#fff,hsla(0,0%,100%,0))}.layui-colorpicker-basis-black{width:100%;height:100%;position:absolute;top:0;left:0;background:linear-gradient(0deg,#000,transparent)}.layui-colorpicker-basis-cursor{width:10px;height:10px;border:1px solid #fff;border-radius:50%;position:absolute;top:0;right:100%;cursor:pointer;transform:translate(-50%,-50%)}.layui-colorpicker-side{position:absolute;top:0;right:0;width:12px;height:100%;background:linear-gradient(red,#ff0,#0f0,#0ff,#00f,#f0f,red)}.layui-colorpicker-side-slider{width:100%;height:5px;box-shadow:0 0 1px #888;box-sizing:border-box;background:#fff;border-radius:1px;border:1px solid #f0f0f0;cursor:pointer;position:absolute;left:0}.layui-colorpicker-main-alpha{display:none;height:12px;margin-top:7px;background:url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAwAAAAMCAIAAADZF8uwAAAAGUlEQVQYV2M4gwH+YwCGIasIUwhT25BVBADtzYNYrHvv4gAAAABJRU5ErkJggg==)}.layui-colorpicker-alpha-bgcolor{height:100%;position:relative}.layui-colorpicker-alpha-slider{width:5px;height:100%;box-shadow:0 0 1px #888;box-sizing:border-box;background:#fff;border-radius:1px;border:1px solid #f0f0f0;cursor:pointer;position:absolute;top:0}.layui-colorpicker-main-pre{padding-top:7px;font-size:0}.layui-colorpicker-pre{width:20px;height:20px;border-radius:2px;display:inline-block;margin-left:6px;margin-bottom:7px;cursor:pointer}.layui-colorpicker-pre:nth-child(11n+1){margin-left:0}.layui-colorpicker-pre-isalpha{background:url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAwAAAAMCAIAAADZF8uwAAAAGUlEQVQYV2M4gwH+YwCGIasIUwhT25BVBADtzYNYrHvv4gAAAABJRU5ErkJggg==)}.layui-colorpicker-pre.layui-this{box-shadow:0 0 3px 2px rgba(0,0,0,.15)}.layui-colorpicker-pre>div{height:100%;border-radius:2px}.layui-colorpicker-main-input{text-align:right;padding-top:7px}.layui-colorpicker-main-input .layui-btn-container .layui-btn{margin:0 0 0 10px}.layui-colorpicker-main-input div.layui-inline{float:left;font-size:14px}.layui-colorpicker-main-input input.layui-input{width:168px;height:30px;color:#5f5f5f;padding-left:5px}.layui-slider{height:4px;background:#eee;border-radius:3px;position:relative;cursor:pointer}.layui-slider-bar{border-radius:3px;position:absolute;height:100%}.layui-slider-step{position:absolute;top:0;width:4px;height:4px;border-radius:50%;background:#fff;-webkit-transform:translateX(-50%);transform:translateX(-50%)}.layui-slider-wrap{width:36px;height:36px;position:absolute;top:-16px;-webkit-transform:translateX(-50%);transform:translateX(-50%);z-index:10;text-align:center}.layui-slider-wrap-btn{width:12px;height:12px;border-radius:50%;background:#fff;display:inline-block;vertical-align:middle;cursor:pointer;transition:.3s}.layui-slider-wrap:after{content:'';height:100%;display:inline-block;vertical-align:middle}.layui-slider-wrap-btn.layui-slider-hover,.layui-slider-wrap-btn:hover{transform:scale(1.2)}.layui-slider-wrap-btn.layui-disabled:hover{transform:scale(1)!important}.layui-slider-tips{position:absolute;top:-42px;z-index:77777777;white-space:nowrap;-webkit-transform:translateX(-50%);transform:translateX(-50%);color:#fff;background:#000;border-radius:3px;height:25px;line-height:25px;padding:0 10px}.layui-slider-tips:after{content:'';position:absolute;bottom:-11px;left:50%;margin-left:-6px;width:0;height:0;border-width:6px;border-style:solid;border-color:#000 transparent transparent transparent}.layui-slider-input{width:70px;height:32px;border:1px solid #eee;border-radius:3px;font-size:16px;line-height:32px;position:absolute;right:0;top:-14px;box-sizing:border-box}.layui-slider-input-btn{position:absolute;top:0;right:0;width:20px;height:100%;border-left:1px solid #eee}.layui-slider-input-btn i{cursor:pointer;position:absolute;right:0;bottom:0;width:20px;height:50%;font-size:12px;line-height:16px;text-align:center;color:#999}.layui-slider-input-btn i:first-child{top:0;border-bottom:1px solid #eee}.layui-slider-input-txt{height:100%;font-size:14px}.layui-slider-input-txt input{height:100%;border:none;padding-right:21px}.layui-slider-input-btn i:hover{color:#16baaa}.layui-slider-vertical{width:4px;margin-left:33px}.layui-slider-vertical .layui-slider-bar{width:4px}.layui-slider-vertical .layui-slider-step{top:auto;left:0;-webkit-transform:translateY(50%);transform:translateY(50%)}.layui-slider-vertical .layui-slider-wrap{top:auto;left:-16px;-webkit-transform:translateY(50%);transform:translateY(50%)}.layui-slider-vertical .layui-slider-tips{top:auto;left:2px}@media \0screen{.layui-slider-wrap-btn{margin-left:-20px}.layui-slider-vertical .layui-slider-wrap-btn{margin-left:0;margin-bottom:-20px}.layui-slider-vertical .layui-slider-tips{margin-left:-8px}.layui-slider>span{margin-left:8px}}.layui-tree{line-height:22px}.layui-tree .layui-form-checkbox{margin:0!important}.layui-tree-set{width:100%;position:relative}.layui-tree-pack{display:none;padding-left:20px;position:relative}.layui-tree-line .layui-tree-pack{padding-left:27px}.layui-tree-line .layui-tree-set .layui-tree-set:after{content:'';position:absolute;top:14px;left:-9px;width:17px;height:0;border-top:1px dotted #c0c4cc}.layui-tree-entry{position:relative;padding:3px 0;height:26px;white-space:nowrap}.layui-tree-entry:hover{background-color:#eee}.layui-tree-line .layui-tree-entry:hover{background-color:rgba(0,0,0,0)}.layui-tree-line .layui-tree-entry:hover .layui-tree-txt{color:#999;text-decoration:underline;transition:.3s}.layui-tree-main{display:inline-block;vertical-align:middle;cursor:pointer;padding-right:10px}.layui-tree-line .layui-tree-set:before{content:'';position:absolute;top:0;left:-9px;width:0;height:100%;border-left:1px dotted #c0c4cc}.layui-tree-line .layui-tree-set.layui-tree-setLineShort:before{height:13px}.layui-tree-line .layui-tree-set.layui-tree-setHide:before{height:0}.layui-tree-iconClick{display:inline-block;vertical-align:middle;position:relative;height:20px;line-height:20px;margin:0 10px;color:#c0c4cc}.layui-tree-icon{height:14px;line-height:12px;width:14px;margin:0 11px;text-align:center;border:1px solid #c0c4cc}.layui-tree-icon .layui-icon{font-size:12px;color:#5f5f5f}.layui-tree-iconArrow{padding:0 5px}.layui-tree-iconArrow:after{content:'';position:absolute;left:4px;top:3px;z-index:100;width:0;height:0;border-width:5px;border-style:solid;border-color:transparent transparent transparent #c0c4cc;transition:.5s}.layui-tree-spread>.layui-tree-entry .layui-tree-iconClick>.layui-tree-iconArrow:after{transform:rotate(90deg) translate(3px,4px)}.layui-tree-txt{display:inline-block;vertical-align:middle;color:#555}.layui-tree-search{margin-bottom:15px;color:#5f5f5f}.layui-tree-btnGroup{visibility:hidden;display:inline-block;vertical-align:middle;position:relative}.layui-tree-btnGroup .layui-icon{display:inline-block;vertical-align:middle;padding:0 2px;cursor:pointer}.layui-tree-btnGroup .layui-icon:hover{color:#999;transition:.3s}.layui-tree-entry:hover .layui-tree-btnGroup{visibility:visible}.layui-tree-editInput{position:relative;display:inline-block;vertical-align:middle;height:20px;line-height:20px;padding:0;border:none;background-color:rgba(0,0,0,.05)}.layui-tree-emptyText{text-align:center;color:#999}.layui-anim{-webkit-animation-duration:.3s;-webkit-animation-fill-mode:both;animation-duration:.3s;animation-fill-mode:both}.layui-anim.layui-icon{display:inline-block}.layui-anim-loop{-webkit-animation-iteration-count:infinite;animation-iteration-count:infinite}.layui-trans,.layui-trans a{-webkit-transition:all .2s;transition:all .2s}@-webkit-keyframes layui-rotate{from{-webkit-transform:rotate(0)}to{-webkit-transform:rotate(360deg)}}@keyframes layui-rotate{from{transform:rotate(0)}to{transform:rotate(360deg)}}.layui-anim-rotate{-webkit-animation-name:layui-rotate;animation-name:layui-rotate;-webkit-animation-duration:1s;animation-duration:1s;-webkit-animation-timing-function:linear;animation-timing-function:linear}@-webkit-keyframes layui-up{from{-webkit-transform:translate3d(0,100%,0);opacity:.3}to{-webkit-transform:translate3d(0,0,0);opacity:1}}@keyframes layui-up{from{transform:translate3d(0,100%,0);opacity:.3}to{transform:translate3d(0,0,0);opacity:1}}.layui-anim-up{-webkit-animation-name:layui-up;animation-name:layui-up}@-webkit-keyframes layui-upbit{from{-webkit-transform:translate3d(0,15px,0);opacity:.3}to{-webkit-transform:translate3d(0,0,0);opacity:1}}@keyframes layui-upbit{from{transform:translate3d(0,15px,0);opacity:.3}to{transform:translate3d(0,0,0);opacity:1}}.layui-anim-upbit{-webkit-animation-name:layui-upbit;animation-name:layui-upbit}@keyframes layui-down{0%{opacity:.3;transform:translate3d(0,-100%,0)}100%{opacity:1;transform:translate3d(0,0,0)}}.layui-anim-down{animation-name:layui-down}@keyframes layui-downbit{0%{opacity:.3;transform:translate3d(0,-5px,0)}100%{opacity:1;transform:translate3d(0,0,0)}}.layui-anim-downbit{animation-name:layui-downbit}@-webkit-keyframes layui-scale{0%{opacity:.3;-webkit-transform:scale(.5)}100%{opacity:1;-webkit-transform:scale(1)}}@keyframes layui-scale{0%{opacity:.3;-ms-transform:scale(.5);transform:scale(.5)}100%{opacity:1;-ms-transform:scale(1);transform:scale(1)}}.layui-anim-scale{-webkit-animation-name:layui-scale;animation-name:layui-scale}@-webkit-keyframes layui-scale-spring{0%{opacity:.5;-webkit-transform:scale(.5)}80%{opacity:.8;-webkit-transform:scale(1.1)}100%{opacity:1;-webkit-transform:scale(1)}}@keyframes layui-scale-spring{0%{opacity:.5;transform:scale(.5)}80%{opacity:.8;transform:scale(1.1)}100%{opacity:1;transform:scale(1)}}.layui-anim-scaleSpring{-webkit-animation-name:layui-scale-spring;animation-name:layui-scale-spring}@keyframes layui-scalesmall{0%{opacity:.3;transform:scale(1.5)}100%{opacity:1;transform:scale(1)}}.layui-anim-scalesmall{animation-name:layui-scalesmall}@keyframes layui-scalesmall-spring{0%{opacity:.3;transform:scale(1.5)}80%{opacity:.8;transform:scale(.9)}100%{opacity:1;transform:scale(1)}}.layui-anim-scalesmall-spring{animation-name:layui-scalesmall-spring}@-webkit-keyframes layui-fadein{0%{opacity:0}100%{opacity:1}}@keyframes layui-fadein{0%{opacity:0}100%{opacity:1}}.layui-anim-fadein{-webkit-animation-name:layui-fadein;animation-name:layui-fadein}@-webkit-keyframes layui-fadeout{0%{opacity:1}100%{opacity:0}}@keyframes layui-fadeout{0%{opacity:1}100%{opacity:0}}.layui-anim-fadeout{-webkit-animation-name:layui-fadeout;animation-name:layui-fadeout}html #layuicss-skincodecss{display:none;position:absolute;width:1989px}.layui-code-wrap{font-size:13px;font-family:'Courier New',Consolas,'Lucida Console',monospace}.layui-code-view{display:block;position:relative;padding:0!important;border:1px solid #eee;border-left-width:6px;background-color:#fff;color:#333}.layui-code-view pre{margin:0!important}.layui-code-header{position:relative;z-index:3;padding:0 11px;height:40px;line-height:40px;border-bottom:1px solid #eee;background-color:#fafafa;font-size:12px}.layui-code-header>.layui-code-header-about{position:absolute;right:11px;top:0;color:#b7b7b7}.layui-code-header-about>a{padding-left:10px}.layui-code-wrap{position:relative;display:block;z-index:1;margin:0!important;padding:11px 0!important;overflow-x:hidden;overflow-y:auto}.layui-code-line{position:relative;line-height:19px;margin:0!important}.layui-code-line-number{position:absolute;left:0;top:0;padding:0 8px;min-width:45px;height:100%;text-align:right;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;white-space:nowrap;overflow:hidden}.layui-code-line-content{padding:0 11px;word-wrap:break-word;white-space:pre-wrap}.layui-code-ln-mode>.layui-code-wrap>.layui-code-line{padding-left:45px}.layui-code-ln-side{position:absolute;left:0;top:0;bottom:0;z-index:0;width:45px;border-right:1px solid #eee;border-color:rgb(126 122 122 / 15%);background-color:#fafafa;pointer-events:none}.layui-code-nowrap>.layui-code-wrap{overflow:auto}.layui-code-nowrap>.layui-code-wrap>.layui-code-line>.layui-code-line-content{white-space:pre;word-wrap:normal}.layui-code-nowrap>.layui-code-ln-side{border-right-width:0!important;background:0 0!important}.layui-code-fixbar{position:absolute;top:8px;right:11px;padding-right:45px;z-index:5}.layui-code-fixbar>span{position:absolute;right:0;top:0;padding:0 8px;color:#777;transition:all .3s}.layui-code-fixbar>span:hover{color:#16b777}.layui-code-copy{display:none;cursor:pointer}.layui-code-preview>.layui-code-view>.layui-code-fixbar .layui-code-copy{display:none!important}.layui-code-view:hover>.layui-code-fixbar .layui-code-copy{display:block}.layui-code-view:hover>.layui-code-fixbar .layui-code-lang-marker{display:none}.layui-code-theme-dark,.layui-code-theme-dark>.layui-code-header{border-color:rgb(126 122 122 / 15%);background-color:#1f1f1f}.layui-code-theme-dark{border-width:1px;color:#ccc}.layui-code-theme-dark>.layui-code-ln-side{border-right-color:#2a2a2a;background:0 0;color:#6e7681}.layui-code textarea{display:none}.layui-code-preview>.layui-code,.layui-code-preview>.layui-code-view{margin:0}.layui-code-preview>.layui-tab{position:relative;z-index:1;margin-bottom:0}.layui-code-preview .layui-code-item{display:none;border-top-width:0}.layui-code-item-preview{position:relative;padding:16px}.layui-code-item-preview>iframe{position:absolute;top:0;left:0;width:100%;height:100%;border:none}.layui-code-tools{position:absolute;right:11px;top:8px;line-height:normal}.layui-code-tools>i{display:inline-block;margin-left:6px;padding:3px;cursor:pointer}.layui-code-tools>i.layui-icon-file-b{color:#999}.layui-code-tools>i:hover{color:#16b777}.layui-code-full{position:fixed;left:0;top:0;z-index:1111111;width:100%;height:100%;background-color:#fff}.layui-code-full .layui-code-item{width:100%!important;border-width:0!important}.layui-code-full .layui-code-item,.layui-code-full .layui-code-view,.layui-code-full .layui-code-wrap{height:calc(100vh - 51px)!important;box-sizing:border-box}.layui-code-full .layui-code-item-preview{overflow:auto}.layui-code-view.layui-code-hl{line-height:20px!important;border-left-width:1px}.layui-code-view.layui-code-hl>.layui-code-ln-side{background-color:transparent}.layui-code-theme-dark.layui-code-hl,.layui-code-theme-dark.layui-code-hl>.layui-code-ln-side{border-color:rgb(126 122 122 / 15%)}.layui-code-line-highlighted{background-color:rgba(142,150,170,.14)}.layui-code-line-diff-add{background-color:rgba(16,185,129,.14)}.layui-code-line-diff-remove{background-color:rgba(244,63,94,.14)}.layui-code-line-diff-add:before{position:absolute;content:'+';color:#18794e}.layui-code-line-diff-remove:before{position:absolute;content:'-';color:#b8272c}.layui-code-has-focused-lines .layui-code-line:not(.layui-code-line-has-focus){filter:blur(.095rem);opacity:.7;-webkit-transition:filter .35s,opacity .35s;transition:filter .35s,opacity .35s}.layui-code-has-focused-lines:hover .layui-code-line:not(.layui-code-line-has-focus){filter:blur();opacity:1}html #layuicss-laydate{display:none;position:absolute;width:1989px}.layui-laydate *{margin:0;padding:0}.layui-laydate,.layui-laydate *{box-sizing:border-box}.layui-laydate{position:absolute;z-index:99999999;margin:5px 0;border-radius:2px;font-size:14px;line-height:normal;-webkit-animation-duration:.2s;animation-duration:.2s;-webkit-animation-fill-mode:both;animation-fill-mode:both}.layui-laydate-main{width:272px}.layui-laydate-content td,.layui-laydate-header *,.layui-laydate-list li{-webkit-transition-duration:.3s;transition-duration:.3s}.layui-laydate-shade{top:0;left:0;width:100%;height:100%;position:fixed;pointer-events:auto}@keyframes laydate-downbit{0%{opacity:.3;transform:translate3d(0,-5px,0)}100%{opacity:1;transform:translate3d(0,0,0)}}.layui-laydate{animation-name:laydate-downbit}.layui-laydate-static{position:relative;z-index:0;display:inline-block;margin:0;-webkit-animation:none;animation:none}.laydate-ym-show .laydate-next-m,.laydate-ym-show .laydate-prev-m{display:none!important}.laydate-ym-show .laydate-next-y,.laydate-ym-show .laydate-prev-y{display:inline-block!important}.laydate-ym-show .laydate-set-ym span[lay-type=month]{display:none!important}.laydate-time-show .laydate-set-ym span[lay-type=month],.laydate-time-show .laydate-set-ym span[lay-type=year],.laydate-time-show .layui-laydate-header .layui-icon{display:none!important}.layui-laydate-header{position:relative;line-height:30px;padding:10px 70px 5px}.layui-laydate-header *{display:inline-block;vertical-align:bottom}.layui-laydate-header i{position:absolute;top:10px;padding:0 5px;color:#999;font-size:18px;cursor:pointer}.layui-laydate-header i.laydate-prev-y{left:15px}.layui-laydate-header i.laydate-prev-m{left:45px}.layui-laydate-header i.laydate-next-y{right:15px}.layui-laydate-header i.laydate-next-m{right:45px}.laydate-time-show .layui-laydate-header{padding-left:10px;padding-right:10px}.laydate-set-ym{width:100%;text-align:center;box-sizing:border-box;text-overflow:ellipsis;overflow:hidden;white-space:nowrap}.laydate-set-ym span{padding:0 10px;cursor:pointer}.laydate-time-text{cursor:default!important}.layui-laydate-content{position:relative;padding:10px;-moz-user-select:none;-webkit-user-select:none;-ms-user-select:none;user-select:none}.layui-laydate-content table{border-collapse:collapse;border-spacing:0}.layui-laydate-content td,.layui-laydate-content th{width:36px;height:30px;padding:0;text-align:center}.layui-laydate-content th{font-weight:400}.layui-laydate-content td{position:relative;cursor:pointer}.laydate-day-mark{position:absolute;left:0;top:0;width:100%;line-height:30px;font-size:12px;overflow:hidden}.laydate-day-mark::after{position:absolute;content:'';right:2px;top:2px;width:5px;height:5px;border-radius:50%}.laydate-day-holidays:before{position:absolute;left:0;top:0;font-size:12px;transform:scale(.7)}.laydate-day-holidays:before{content:'\4F11';color:#ff5722}.laydate-day-holidays[type=workdays]:before{content:'\73ED';color:inherit}.layui-laydate .layui-this .laydate-day-holidays:before{color:#fff}.layui-laydate-footer{position:relative;height:46px;line-height:26px;padding:10px}.layui-laydate-footer span{display:inline-block;vertical-align:top;height:26px;line-height:24px;padding:0 10px;border:1px solid #c9c9c9;border-radius:2px;background-color:#fff;font-size:12px;cursor:pointer;white-space:nowrap;transition:all .3s}.layui-laydate-footer span:hover{color:#16b777}.layui-laydate-footer span.layui-laydate-preview{cursor:default;border-color:transparent!important}.layui-laydate-footer span.layui-laydate-preview:hover{color:#777}.layui-laydate-footer span:first-child.layui-laydate-preview{padding-left:0}.laydate-footer-btns{position:absolute;right:10px;top:10px}.laydate-footer-btns span{margin:0 0 0 -1px;border-radius:0}.laydate-footer-btns span:first-child{border-radius:2px 0 0 2px}.laydate-footer-btns span:last-child{border-radius:0 2px 2px 0}.layui-laydate-shortcut{width:80px;padding:6px 0;display:inline-block;vertical-align:top;overflow:auto;max-height:276px;text-align:center}.layui-laydate-shortcut+.layui-laydate-main{display:inline-block;border-left:1px solid #e2e2e2}.layui-laydate-shortcut>li{padding:5px 8px;cursor:pointer;line-height:18px}.layui-laydate .layui-laydate-list{position:absolute;left:0;top:0;width:100%;height:100%;padding:10px;box-sizing:border-box;background-color:#fff}.layui-laydate .layui-laydate-list>li{position:relative;display:inline-block;width:33.3%;height:36px;line-height:36px;margin:3px 0;vertical-align:middle;text-align:center;cursor:pointer;list-style:none}.layui-laydate .laydate-month-list>li{width:25%;margin:17px 0}.laydate-time-list{display:table}.layui-laydate .laydate-time-list>li{display:table-cell;height:100%;margin:0;line-height:normal;cursor:default}.layui-laydate .laydate-time-list p{position:relative;top:-4px;margin:0;line-height:29px}.layui-laydate .laydate-time-list ol{height:181px;overflow:hidden}.layui-laydate .laydate-time-list>li:hover ol{overflow-y:auto}.layui-laydate .laydate-time-list ol li{width:130%;padding-left:33px;height:30px;line-height:30px;text-align:left;cursor:pointer}.layui-laydate .laydate-time-list-hide-1 ol li{padding-left:53px}.layui-laydate .laydate-time-list-hide-2 ol li{padding-left:117px}.layui-laydate-hint{position:absolute;top:115px;left:50%;width:250px;margin-left:-125px;line-height:20px;padding:15px;text-align:center;font-size:12px;color:#ff5722;white-space:pre-line}.layui-laydate-range{width:546px}.layui-laydate-range .layui-laydate-main{display:inline-block;vertical-align:middle;max-width:50%}.layui-laydate-range .laydate-main-list-1 .layui-laydate-content,.layui-laydate-range .laydate-main-list-1 .layui-laydate-header{border-left:1px solid #e2e2e2}.layui-laydate-range.layui-laydate-linkage .laydate-main-list-0 .laydate-next-m,.layui-laydate-range.layui-laydate-linkage .laydate-main-list-0 .laydate-next-y,.layui-laydate-range.layui-laydate-linkage .laydate-main-list-1 .laydate-prev-m,.layui-laydate-range.layui-laydate-linkage .laydate-main-list-1 .laydate-prev-y{display:none}.layui-laydate-range.layui-laydate-linkage .laydate-main-list-1 .layui-laydate-content,.layui-laydate-range.layui-laydate-linkage .laydate-main-list-1 .layui-laydate-header{border-left-style:dashed}.layui-laydate,.layui-laydate-hint{border:1px solid #d2d2d2;box-shadow:0 2px 4px rgba(0,0,0,.12);background-color:#fff;color:#777}.layui-laydate-header{border-bottom:1px solid #e2e2e2}.layui-laydate-header i:hover,.layui-laydate-header span:hover{color:#16b777}.layui-laydate-content{border-top:none 0;border-bottom:none 0}.layui-laydate-content th{color:#333}.layui-laydate-content td{color:#777}.layui-laydate-content td.laydate-day-now{color:#16b777}.layui-laydate-content td.laydate-day-now:after{content:'';position:absolute;width:100%;height:30px;left:0;top:0;border:1px solid #16b777;box-sizing:border-box}.layui-laydate-linkage .layui-laydate-content td.laydate-selected>div{background-color:#cffae9;transition:all .3s}.layui-laydate-linkage .laydate-selected:hover>div{background-color:#cffae9!important}.layui-laydate-content td.laydate-selected:after,.layui-laydate-content td:hover:after{content:none}.layui-laydate-content td>div:hover,.layui-laydate-list li:hover,.layui-laydate-shortcut>li:hover{background-color:#eee;color:#333;transition:all .3s}.laydate-time-list li ol{margin:0;padding:0;border:1px solid #e2e2e2;border-left-width:0}.laydate-time-list li:first-child ol{border-left-width:1px}.laydate-time-list>li:hover{background:0 0}.layui-laydate-content .laydate-day-next,.layui-laydate-content .laydate-day-prev{color:#d2d2d2}.layui-laydate-linkage .laydate-selected.laydate-day-next>div,.layui-laydate-linkage .laydate-selected.laydate-day-prev>div{background:0 0!important}.layui-laydate-footer{border-top:1px solid #e2e2e2}.layui-laydate-hint{color:#ff5722}.laydate-day-mark::after{background-color:#16b777}.layui-laydate-content td.layui-this .laydate-day-mark::after{display:none}.layui-laydate-footer span[lay-type=date]{color:#16b777}.layui-laydate .layui-this,.layui-laydate .layui-this>div{background-color:#16b777!important;color:#fff!important}.layui-laydate .laydate-disabled,.layui-laydate .laydate-disabled:hover{background:0 0!important;color:#d2d2d2!important;cursor:not-allowed!important;-moz-user-select:none;-webkit-user-select:none;-ms-user-select:none;user-select:none}.layui-laydate .layui-this.laydate-disabled,.layui-laydate .layui-this.laydate-disabled>div{background-color:#eee!important}.layui-laydate-content td>div{padding:7px 0;height:100%}.laydate-theme-molv{border:none}.laydate-theme-molv.layui-laydate-range{width:548px}.laydate-theme-molv .layui-laydate-main{width:274px}.laydate-theme-molv .layui-laydate-header{border:none;background-color:#16baaa}.laydate-theme-molv .layui-laydate-header i,.laydate-theme-molv .layui-laydate-header span{color:#f6f6f6}.laydate-theme-molv .layui-laydate-header i:hover,.laydate-theme-molv .layui-laydate-header span:hover{color:#fff}.laydate-theme-molv .layui-laydate-content{border:1px solid #e2e2e2;border-top:none;border-bottom:none}.laydate-theme-molv .laydate-main-list-1 .layui-laydate-content{border-left:none}.laydate-theme-molv .layui-this,.laydate-theme-molv .layui-this>div{background-color:#16baaa!important}.laydate-theme-molv .layui-laydate-footer{border:1px solid #e2e2e2}.laydate-theme-grid .laydate-month-list>li,.laydate-theme-grid .laydate-year-list>li,.laydate-theme-grid .layui-laydate-content td,.laydate-theme-grid .layui-laydate-content thead{border:1px solid #e2e2e2}.layui-laydate-linkage.laydate-theme-grid .laydate-selected,.layui-laydate-linkage.laydate-theme-grid .laydate-selected:hover{background-color:#f2f2f2!important;color:#16baaa!important}.layui-laydate-linkage.laydate-theme-grid .laydate-selected.laydate-day-next,.layui-laydate-linkage.laydate-theme-grid .laydate-selected.laydate-day-prev{color:#d2d2d2!important}.laydate-theme-grid .laydate-month-list,.laydate-theme-grid .laydate-year-list{margin:1px 0 0 1px}.laydate-theme-grid .laydate-month-list>li,.laydate-theme-grid .laydate-year-list>li{margin:0 -1px -1px 0}.laydate-theme-grid .laydate-year-list>li{height:43px;line-height:43px}.laydate-theme-grid .laydate-month-list>li{height:71px;line-height:71px}.laydate-theme-grid .layui-laydate-content td>div{height:29px;margin-top:-1px}.laydate-theme-circle .layui-laydate-content td.layui-this>div,.laydate-theme-circle .layui-laydate-content td>div{width:28px;height:28px;line-height:28px;border-radius:14px;margin:0 4px;padding:0}.layui-laydate.laydate-theme-circle .layui-laydate-content table td.layui-this{background-color:transparent!important}.laydate-theme-grid.laydate-theme-circle .layui-laydate-content td>div{margin:0 3.5px}.laydate-theme-fullpanel .layui-laydate-main{width:526px}.laydate-theme-fullpanel .layui-laydate-list{width:252px;left:272px}.laydate-theme-fullpanel .laydate-set-ym span{display:none}.laydate-theme-fullpanel .laydate-time-show .laydate-set-ym span[lay-type=month],.laydate-theme-fullpanel .laydate-time-show .laydate-set-ym span[lay-type=year],.laydate-theme-fullpanel .laydate-time-show .layui-laydate-header .layui-icon{display:inline-block!important}.laydate-theme-fullpanel .laydate-btns-time{display:none}.laydate-theme-fullpanel .laydate-time-list-hide-1 ol li{padding-left:49px}.laydate-theme-fullpanel .laydate-time-list-hide-2 ol li{padding-left:107px}html #layuicss-layer{display:none;position:absolute;width:1989px}.layui-layer,.layui-layer-shade{position:fixed;_position:absolute;pointer-events:auto}.layui-layer-shade{opacity:0;transition:opacity .35s cubic-bezier(.34,.69,.1,1);top:0;left:0;width:100%;height:100%}.layui-layer{top:150px;left:0;margin:0;padding:0;background-color:#fff;-webkit-background-clip:content;background-clip:content;border-radius:2px;box-shadow:1px 1px 50px rgba(0,0,0,.3)}.layui-layer-close{position:absolute}.layui-layer-content{position:relative}.layui-layer-border{border:1px solid #b2b2b2;border:1px solid rgba(0,0,0,.1);box-shadow:1px 1px 5px rgba(0,0,0,.2)}.layui-layer-load{background:url(data:image/gif;base64,R0lGODlhJQAlAJECAL3L2AYrTv///wAAACH/C05FVFNDQVBFMi4wAwEAAAAh+QQFCgACACwAAAAAJQAlAAACi5SPqcvtDyGYIFpF690i8xUw3qJBwUlSadmcLqYmGQu6KDIeM13beGzYWWy3DlB4IYaMk+Dso2RWkFCfLPcRvFbZxFLUDTt21BW56TyjRep1e20+i+eYMR145W2eefj+6VFmgTQi+ECVY8iGxcg35phGo/iDFwlTyXWphwlm1imGRdcnuqhHeop6UAAAIfkEBQoAAgAsEAACAAQACwAAAgWMj6nLXAAh+QQFCgACACwVAAUACgALAAACFZQvgRi92dyJcVJlLobUdi8x4bIhBQAh+QQFCgACACwXABEADAADAAACBYyPqcsFACH5BAUKAAIALBUAFQAKAAsAAAITlGKZwWoMHYxqtmplxlNT7ixGAQAh+QQFCgACACwQABgABAALAAACBYyPqctcACH5BAUKAAIALAUAFQAKAAsAAAIVlC+BGL3Z3IlxUmUuhtR2LzHhsiEFACH5BAUKAAIALAEAEQAMAAMAAAIFjI+pywUAIfkEBQoAAgAsBQAFAAoACwAAAhOUYJnAagwdjGq2amXGU1PuLEYBACH5BAUKAAIALBAAAgAEAAsAAAIFhI+py1wAIfkEBQoAAgAsFQAFAAoACwAAAhWUL4AIvdnciXFSZS6G1HYvMeGyIQUAIfkEBQoAAgAsFwARAAwAAwAAAgWEj6nLBQAh+QQFCgACACwVABUACgALAAACE5RgmcBqDB2MarZqZcZTU+4sRgEAIfkEBQoAAgAsEAAYAAQACwAAAgWEj6nLXAAh+QQFCgACACwFABUACgALAAACFZQvgAi92dyJcVJlLobUdi8x4bIhBQAh+QQFCgACACwBABEADAADAAACBYSPqcsFADs=) #fff center center no-repeat}.layui-layer-btn a,.layui-layer-setwin span{display:inline-block;vertical-align:middle}.layui-layer-move{display:none;position:fixed;left:0;top:0;width:100%;height:100%;cursor:move;opacity:0;filter:alpha(opacity=0);background-color:#fff;z-index:2147483647}.layui-layer-resize{position:absolute;width:15px;height:15px;right:0;bottom:0;cursor:se-resize}.layer-anim{-webkit-animation-fill-mode:both;animation-fill-mode:both;-webkit-animation-duration:.3s;animation-duration:.3s}@-webkit-keyframes layer-bounceIn{0%{opacity:0;-webkit-transform:scale(.5);transform:scale(.5)}100%{opacity:1;-webkit-transform:scale(1);transform:scale(1)}}@keyframes layer-bounceIn{0%{opacity:0;-webkit-transform:scale(.5);-ms-transform:scale(.5);transform:scale(.5)}100%{opacity:1;-webkit-transform:scale(1);-ms-transform:scale(1);transform:scale(1)}}.layer-anim-00{-webkit-animation-name:layer-bounceIn;animation-name:layer-bounceIn}@-webkit-keyframes layer-zoomInDown{0%{opacity:0;-webkit-transform:scale(.1) translateY(-2000px);transform:scale(.1) translateY(-2000px);-webkit-animation-timing-function:ease-in-out;animation-timing-function:ease-in-out}60%{opacity:1;-webkit-transform:scale(.475) translateY(60px);transform:scale(.475) translateY(60px);-webkit-animation-timing-function:ease-out;animation-timing-function:ease-out}}@keyframes layer-zoomInDown{0%{opacity:0;-webkit-transform:scale(.1) translateY(-2000px);-ms-transform:scale(.1) translateY(-2000px);transform:scale(.1) translateY(-2000px);-webkit-animation-timing-function:ease-in-out;animation-timing-function:ease-in-out}60%{opacity:1;-webkit-transform:scale(.475) translateY(60px);-ms-transform:scale(.475) translateY(60px);transform:scale(.475) translateY(60px);-webkit-animation-timing-function:ease-out;animation-timing-function:ease-out}}.layer-anim-01{-webkit-animation-name:layer-zoomInDown;animation-name:layer-zoomInDown}@-webkit-keyframes layer-fadeInUpBig{0%{opacity:0;-webkit-transform:translateY(2000px);transform:translateY(2000px)}100%{opacity:1;-webkit-transform:translateY(0);transform:translateY(0)}}@keyframes layer-fadeInUpBig{0%{opacity:0;-webkit-transform:translateY(2000px);-ms-transform:translateY(2000px);transform:translateY(2000px)}100%{opacity:1;-webkit-transform:translateY(0);-ms-transform:translateY(0);transform:translateY(0)}}.layer-anim-02{-webkit-animation-name:layer-fadeInUpBig;animation-name:layer-fadeInUpBig}@-webkit-keyframes layer-zoomInLeft{0%{opacity:0;-webkit-transform:scale(.1) translateX(-2000px);transform:scale(.1) translateX(-2000px);-webkit-animation-timing-function:ease-in-out;animation-timing-function:ease-in-out}60%{opacity:1;-webkit-transform:scale(.475) translateX(48px);transform:scale(.475) translateX(48px);-webkit-animation-timing-function:ease-out;animation-timing-function:ease-out}}@keyframes layer-zoomInLeft{0%{opacity:0;-webkit-transform:scale(.1) translateX(-2000px);-ms-transform:scale(.1) translateX(-2000px);transform:scale(.1) translateX(-2000px);-webkit-animation-timing-function:ease-in-out;animation-timing-function:ease-in-out}60%{opacity:1;-webkit-transform:scale(.475) translateX(48px);-ms-transform:scale(.475) translateX(48px);transform:scale(.475) translateX(48px);-webkit-animation-timing-function:ease-out;animation-timing-function:ease-out}}.layer-anim-03{-webkit-animation-name:layer-zoomInLeft;animation-name:layer-zoomInLeft}@-webkit-keyframes layer-rollIn{0%{opacity:0;-webkit-transform:translateX(-100%) rotate(-120deg);transform:translateX(-100%) rotate(-120deg)}100%{opacity:1;-webkit-transform:translateX(0) rotate(0);transform:translateX(0) rotate(0)}}@keyframes layer-rollIn{0%{opacity:0;-webkit-transform:translateX(-100%) rotate(-120deg);-ms-transform:translateX(-100%) rotate(-120deg);transform:translateX(-100%) rotate(-120deg)}100%{opacity:1;-webkit-transform:translateX(0) rotate(0);-ms-transform:translateX(0) rotate(0);transform:translateX(0) rotate(0)}}.layer-anim-04{-webkit-animation-name:layer-rollIn;animation-name:layer-rollIn}@-webkit-keyframes layer-fadeIn{0%{opacity:0}100%{opacity:1}}@keyframes layer-fadeIn{0%{opacity:0}100%{opacity:1}}.layer-anim-05{-webkit-animation-name:layer-fadeIn;animation-name:layer-fadeIn}@-webkit-keyframes layer-shake{0%,100%{-webkit-transform:translateX(0);transform:translateX(0)}10%,30%,50%,70%,90%{-webkit-transform:translateX(-10px);transform:translateX(-10px)}20%,40%,60%,80%{-webkit-transform:translateX(10px);transform:translateX(10px)}}@keyframes layer-shake{0%,100%{-webkit-transform:translateX(0);-ms-transform:translateX(0);transform:translateX(0)}10%,30%,50%,70%,90%{-webkit-transform:translateX(-10px);-ms-transform:translateX(-10px);transform:translateX(-10px)}20%,40%,60%,80%{-webkit-transform:translateX(10px);-ms-transform:translateX(10px);transform:translateX(10px)}}.layer-anim-06{-webkit-animation-name:layer-shake;animation-name:layer-shake}@keyframes layer-slide-down{from{transform:translate3d(0,-100%,0)}to{transform:translate3d(0,0,0)}}@keyframes layer-slide-down-out{from{transform:translate3d(0,0,0)}to{transform:translate3d(0,-100%,0)}}.layer-anim-slide-down{animation-name:layer-slide-down}.layer-anim-slide-down-out{animation-name:layer-slide-down-out}@keyframes layer-slide-left{from{transform:translate3d(100%,0,0)}to{transform:translate3d(0,0,0)}}@keyframes layer-slide-left-out{from{transform:translate3d(0,0,0)}to{transform:translate3d(100%,0,0)}}.layer-anim-slide-left{animation-name:layer-slide-left}.layer-anim-slide-left-out{animation-name:layer-slide-left-out}@keyframes layer-slide-up{from{transform:translate3d(0,100%,0)}to{transform:translate3d(0,0,0)}}@keyframes layer-slide-up-out{from{transform:translate3d(0,0,0)}to{transform:translate3d(0,100%,0)}}.layer-anim-slide-up{animation-name:layer-slide-up}.layer-anim-slide-up-out{animation-name:layer-slide-up-out}@keyframes layer-slide-right{from{transform:translate3d(-100%,0,0)}to{transform:translate3d(0,0,0)}}@keyframes layer-slide-right-out{from{transform:translate3d(0,0,0)}to{transform:translate3d(-100%,0,0)}}.layer-anim-slide-right{animation-name:layer-slide-right}.layer-anim-slide-right-out{animation-name:layer-slide-right-out}.layui-layer-title{padding:0 81px 0 16px;height:50px;line-height:50px;border-bottom:1px solid #f0f0f0;font-size:14px;color:#333;overflow:hidden;text-overflow:ellipsis;white-space:nowrap;border-radius:2px 2px 0 0}.layui-layer-setwin{position:absolute;right:15px;top:16px;font-size:0;line-height:initial}.layui-layer-setwin span{position:relative;width:16px;height:16px;line-height:18px;margin-left:10px;text-align:center;font-size:16px;cursor:pointer;color:#000;_overflow:hidden;box-sizing:border-box}.layui-layer-setwin .layui-layer-min:before{content:'';position:absolute;width:12px;border-bottom:1px solid #2e2d3c;left:50%;top:50%;margin:-.5px 0 0 -6px;cursor:pointer;_overflow:hidden}.layui-layer-setwin .layui-layer-min:hover:before{background-color:#2d93ca}.layui-layer-setwin .layui-layer-max:after,.layui-layer-setwin .layui-layer-max:before{content:'';position:absolute;left:50%;top:50%;z-index:1;width:9px;height:9px;margin:-5px 0 0 -5px;border:1px solid #2e2d3c}.layui-layer-setwin .layui-layer-max:hover:after,.layui-layer-setwin .layui-layer-max:hover:before{border-color:#2d93ca}.layui-layer-setwin .layui-layer-min:hover:before{background-color:#2d93ca}.layui-layer-setwin .layui-layer-maxmin:after,.layui-layer-setwin .layui-layer-maxmin:before{width:7px;height:7px;margin:-3px 0 0 -3px;background-color:#fff}.layui-layer-setwin .layui-layer-maxmin:after{z-index:0;margin:-5px 0 0 -1px}.layui-layer-setwin .layui-layer-close{cursor:pointer}.layui-layer-setwin .layui-layer-close:hover{opacity:.7}.layui-layer-setwin .layui-layer-close2{position:absolute;right:-28px;top:-28px;color:#fff;background-color:#787878;padding:3px;border:3px solid;width:28px;height:28px;font-size:16px;font-weight:bolder;border-radius:50%;margin-left:0}.layui-layer-setwin .layui-layer-close2:hover{opacity:unset;background-color:#3888f6}.layui-layer-btn{text-align:right;padding:0 15px 12px;pointer-events:auto;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.layui-layer-btn a{height:30px;line-height:30px;margin:5px 5px 0;padding:0 16px;border:1px solid #dedede;background-color:#fff;color:#333;border-radius:2px;font-weight:400;cursor:pointer;text-decoration:none;box-sizing:border-box}.layui-layer-btn a:hover{opacity:.9;text-decoration:none}.layui-layer-btn a:active{opacity:.8}.layui-layer-btn .layui-layer-btn0{border-color:transparent;background-color:#1e9fff;color:#fff}.layui-layer-btn-l{text-align:left}.layui-layer-btn-c{text-align:center}.layui-layer-btn-is-loading{opacity:.5!important;cursor:not-allowed!important;cursor:wait!important;overflow:hidden;white-space:nowrap;-webkit-user-select:none;-ms-user-select:none;user-select:none}.layui-layer-btn-is-loading .layui-layer-btn-loading-icon{margin-right:8px;font-size:14px}.layui-layer-dialog{min-width:240px}.layui-layer-dialog .layui-layer-content{position:relative;padding:16px;line-height:24px;word-break:break-all;overflow:hidden;font-size:14px;overflow-x:hidden;overflow-y:auto}.layui-layer-dialog .layui-layer-content .layui-layer-face{position:absolute;top:18px;left:16px;color:#959595;font-size:32px;_left:-40px}.layui-layer-dialog .layui-layer-content .layui-icon-tips{color:#f39b12}.layui-layer-dialog .layui-layer-content .layui-icon-success{color:#16b777}.layui-layer-dialog .layui-layer-content .layui-icon-error{top:19px;color:#ff5722}.layui-layer-dialog .layui-layer-content .layui-icon-question{color:#ffb800}.layui-layer-dialog .layui-layer-content .layui-icon-lock{color:#787878}.layui-layer-dialog .layui-layer-content .layui-icon-face-cry{color:#ff5722}.layui-layer-dialog .layui-layer-content .layui-icon-face-smile{color:#16b777}.layui-layer-rim{border:6px solid #8d8d8d;border:6px solid rgba(0,0,0,.3);border-radius:5px;box-shadow:none}.layui-layer-msg{min-width:180px;border:1px solid #d3d4d3;box-shadow:none}.layui-layer-hui{min-width:100px;background-color:#000;filter:alpha(opacity=60);background-color:rgba(0,0,0,.6);color:#fff;border:none}.layui-layer-hui .layui-layer-close{color:#fff}.layui-layer-hui .layui-layer-content{padding:11px 24px;text-align:center}.layui-layer-dialog .layui-layer-padding{padding:18px 24px 18px 58px;text-align:left}.layui-layer-page .layui-layer-content{position:relative;overflow:auto}.layui-layer-iframe .layui-layer-btn,.layui-layer-page .layui-layer-btn{padding-top:10px}.layui-layer-nobg{background:0 0}.layui-layer-iframe iframe{display:block;width:100%}.layui-layer-loading{border-radius:100%;background:0 0;box-shadow:none;border:none}.layui-layer-loading .layui-layer-content{width:76px;height:38px;line-height:38px;text-align:center}.layui-layer-loading-icon{font-size:38px;color:#959595}.layui-layer-loading2{text-align:center}.layui-layer-loading-2{position:relative;height:38px}.layui-layer-loading-2:after,.layui-layer-loading-2:before{content:'';position:absolute;left:50%;top:50%;width:38px;height:38px;margin:-19px 0 0 -19px;border-radius:50%;border:3px solid #d2d2d2;box-sizing:border-box}.layui-layer-loading-2:after{border-color:transparent;border-left-color:#1e9fff}.layui-layer-tips{background:0 0;box-shadow:none;border:none}.layui-layer-tips .layui-layer-content{position:relative;line-height:22px;min-width:12px;padding:8px 15px;font-size:12px;_float:left;border-radius:2px;box-shadow:1px 1px 3px rgba(0,0,0,.2);background-color:#000;color:#fff}.layui-layer-tips .layui-layer-close{right:-2px;top:-1px}.layui-layer-tips i.layui-layer-TipsG{position:absolute;width:0;height:0;border-width:8px;border-color:transparent;border-style:dashed}.layui-layer-tips i.layui-layer-TipsB,.layui-layer-tips i.layui-layer-TipsT{left:5px;border-right-style:solid;border-right-color:#000}.layui-layer-tips i.layui-layer-TipsT{bottom:-8px}.layui-layer-tips i.layui-layer-TipsB{top:-8px}.layui-layer-tips i.layui-layer-TipsL,.layui-layer-tips i.layui-layer-TipsR{top:5px;border-bottom-style:solid;border-bottom-color:#000}.layui-layer-tips i.layui-layer-TipsR{left:-8px}.layui-layer-tips i.layui-layer-TipsL{right:-8px}.layui-layer-lan .layui-layer-title{background:#4476a7;color:#fff;border:none}.layui-layer-lan .layui-layer-btn{padding:5px 10px 10px;border-top:1px solid #e9e7e7}.layui-layer-lan .layui-layer-btn a{background:#fff;border-color:#e9e7e7;color:#333}.layui-layer-lan .layui-layer-btn .layui-layer-btn1{background:#c9c5c5}.layui-layer-molv .layui-layer-title{background:#009f95;color:#fff;border:none}.layui-layer-molv .layui-layer-btn a{background:#009f95;border-color:#009f95}.layui-layer-molv .layui-layer-btn .layui-layer-btn1{background:#92b8b1}.layui-layer-lan .layui-layer-setwin .layui-icon,.layui-layer-molv .layui-layer-setwin .layui-icon{color:#fff}.layui-layer-win10{border:1px solid #aaa;box-shadow:1px 1px 6px rgba(0,0,0,.3);border-radius:none}.layui-layer-win10 .layui-layer-title{height:32px;line-height:32px;padding-left:8px;border-bottom:none;font-size:12px}.layui-layer-win10 .layui-layer-setwin{right:0;top:0}.layui-layer-win10 .layui-layer-setwin span{margin-left:0;width:32px;height:32px;padding:8px}.layui-layer-win10.layui-layer-page .layui-layer-setwin span{width:38px}.layui-layer-win10 .layui-layer-setwin span:hover{background-color:#e5e5e5}.layui-layer-win10 .layui-layer-setwin span.layui-icon-close:hover{background-color:#e81123;color:#fff}.layui-layer-win10.layui-layer-dialog .layui-layer-content{padding:8px 16px 32px;color:#0033bc}.layui-layer-win10.layui-layer-dialog .layui-layer-padding{padding-top:18px;padding-left:58px}.layui-layer-win10 .layui-layer-btn{padding:5px 5px 10px;border-top:1px solid #dfdfdf;background-color:#f0f0f0}.layui-layer-win10 .layui-layer-btn a{height:20px;line-height:18px;background-color:#e1e1e1;border-color:#adadad;color:#000;font-size:12px;transition:all .3s}.layui-layer-win10 .layui-layer-btn a:hover{border-color:#2a8edd;background-color:#e5f1fb}.layui-layer-win10 .layui-layer-btn .layui-layer-btn0{border-color:#0078d7}.layui-layer-prompt .layui-layer-input{display:block;width:260px;height:36px;margin:0 auto;line-height:30px;padding-left:10px;border:1px solid #e6e6e6;color:#333}.layui-layer-prompt textarea.layui-layer-input{width:300px;height:100px;line-height:20px;padding:6px 10px}.layui-layer-prompt .layui-layer-content{padding:16px}.layui-layer-prompt .layui-layer-btn{padding-top:0}.layui-layer-tab{box-shadow:1px 1px 50px rgba(0,0,0,.4)}.layui-layer-tab .layui-layer-title{padding-left:0;overflow:visible}.layui-layer-tab .layui-layer-title span{position:relative;display:inline-block;vertical-align:top;border-left:1px solid transparent;border-right:1px solid transparent;min-width:80px;max-width:300px;padding:0 16px;text-align:center;cursor:default;text-overflow:ellipsis;overflow:hidden;white-space:nowrap;cursor:pointer}.layui-layer-tab .layui-layer-title span.layui-this{height:51px;border-left-color:#eee;border-right-color:#eee;background-color:#fff;z-index:10}.layui-layer-tab .layui-layer-title span:first-child{border-left-color:transparent}.layui-layer-tabmain{line-height:24px;clear:both}.layui-layer-tabmain .layui-layer-tabli{display:none}.layui-layer-tabmain .layui-layer-tabli.layui-this{display:block}.layui-layer-photos{background:0 0;box-shadow:none}.layui-layer-photos .layui-layer-content{overflow:visible;text-align:center}.layui-layer-photos .layer-layer-photos-main img{position:relative;width:100%;display:inline-block;vertical-align:top}.layui-layer-photos-next,.layui-layer-photos-prev{position:fixed;top:50%;width:52px;height:52px;line-height:52px;margin-top:-26px;cursor:pointer;font-size:52px;color:#717171}.layui-layer-photos-prev{left:32px}.layui-layer-photos-next{right:32px}.layui-layer-photos-next:hover,.layui-layer-photos-prev:hover{color:#959595}.layui-layer-photos-toolbar{position:fixed;left:0;right:0;bottom:0;width:100%;height:52px;line-height:52px;background-color:rgba(0,0,0,.32);color:#fff;text-overflow:ellipsis;overflow:hidden;white-space:nowrap;font-size:0}.layui-layer-photos-toolbar>*{display:inline-block;vertical-align:top;padding:0 16px;font-size:12px;color:#fff}.layui-layer-photos-toolbar *{font-size:12px}.layui-layer-photos-header{top:0;bottom:auto}.layui-layer-photos-header>span{cursor:pointer}.layui-layer-photos-header>span:hover{background-color:rgba(51,51,51,.32)}.layui-layer-photos-header .layui-icon{font-size:18px}.layui-layer-photos-footer>h3{max-width:65%;text-overflow:ellipsis;overflow:hidden;white-space:nowrap}.layui-layer-photos-footer a:hover{text-decoration:underline}.layui-layer-photos-footer em{font-style:normal}@-webkit-keyframes layer-bounceOut{100%{opacity:0;-webkit-transform:scale(.7);transform:scale(.7)}30%{-webkit-transform:scale(1.05);transform:scale(1.05)}0%{-webkit-transform:scale(1);transform:scale(1)}}@keyframes layer-bounceOut{100%{opacity:0;-webkit-transform:scale(.7);-ms-transform:scale(.7);transform:scale(.7)}30%{-webkit-transform:scale(1.05);-ms-transform:scale(1.05);transform:scale(1.05)}0%{-webkit-transform:scale(1);-ms-transform:scale(1);transform:scale(1)}}.layer-anim-close{-webkit-animation-name:layer-bounceOut;animation-name:layer-bounceOut;-webkit-animation-fill-mode:both;animation-fill-mode:both;-webkit-animation-duration:.2s;animation-duration:.2s} \ No newline at end of file diff --git a/demoHtml/flex/layui/font/iconfont.eot b/demoHtml/flex/layui/font/iconfont.eot new file mode 100644 index 0000000000000000000000000000000000000000..3164c9f78997256462cc4295ece63026888aac4a GIT binary patch literal 54764 zcmd?ScbptYoi|+7H65lW=d_b|W;V|5&g{%=-r202R;!$|EXkH7IY?kzHqJK2;lN;H zBQn^=;D`YOa)9H&<_!1_e1H+08Ts&mO}gXmw5{h`-Mb3L+}-=!`~2~I9?kx$tE;Q3 zEBt$A5dKdfBGV&Cxt;RZf+fcN*-%f$ZRZVjzdxHg8}pLAWHUKTE+M-~ zD_|?Rh+K$=cCw6YCp(eOpC3SqpR7R20df$zc%B65AbHY`Cx599JmN36kfVf=_KC@< z;lwSOBS`E*>hi^tZG|0mi;#ofiu+Al_if&PNpNkw0E7KtH=};z z2}M5slp=)^X(rWVV)S+*;&nF(FCguG#+AN73KS*Jt|dG>@86OgW827ar}#!*9}mKQ zLaspu-iNdQ1pdPF0MF06fBWC^8#KBqMk`Ag6Kr|+C8 zZ+@rx|GQ~3b^O^poSrtFm-bHe{SVrIUfrlC$H(b^P~Y3iil6=euP)v${KH-Y<|Cv9 zfF$-UW6ucBA{D(sI^(+@=_cU=xUb@eGETX6U+vSi&(|KUJzM)`?Qd!?)P7R?b?wwi z;iP!df3kFP&dC)gSDoB{^2U=7pZv;Py|MbAGzV@qU-pHQ@4snV#qSx>U zYWT)EHBi*x{qNL(*8K1Pqv*#dy;A=jrAO&C=lrgv*U}sR^B-RP9C?O3OTJEyldqDm z0l$BVe1&|OJVm}po+O_kkCDg86Xa1+AdisGlP{3Zk%vhWd5AQU2gw8Ev*gp{Q{h zKq_~W3qVA-kyT_hSwohSDYAqt0-m2B^T`mIL*|iTG8dSAjP#TJWCuoSfQ*wK(o6bC z7wINtQXzYE(ppb4Aih}=Ckc`Q?vIemNgat|&BREMOcEankY?fmeRUBBaS|(8OKc$A zGFgY!rI7Vxglxe2T0vHl5;2n`xs+UnbvQ~kk~Xr5EGAn()VGsPvJWJDAqjy5JppVSft00)p-(g1P{*OURk3#67d02qSQ>J0#{AhnDE zz#62MHGt#rTFwAq5>jh0062xzcpm`3E~Li$2>_lUwPpi=aY&7q2LShw8h-}>Scuf} z1^^$CTAKmDOr!?JngehYsdX3tY(;8(J^;X5q{jOI00tv9tWOTWWu#Uz09cLG$_4PXHf{j$FR4u!z`4)b90P!p zNo}qHz|N#L&j8?QQk!o8FgB?zFn}Dzb)f;k;-t370N`^{TWkO@JE<)(063o1mKp$T zPio5y0Ny9HNdrIuNNu?RparBhWdIkXYAXx?eIT`!27pqK+A0G;Ge~W<0iYhFw#ER^ z5mH-g04NHntup|$h1Av?04hUj8w>!wA+?PLfbx*qCIdi&NR8JE05u}DEe3!tks7ZH z018EFyec)J0hX{5&63IKH@HQrVL=p3o-F#r^g z)b<(x+DB^p4B*0JjgJuk^pMmpG60m3)b<+y8cAw=odG~CNsX^F0IA~2#~J_%N@{#= z0HCF$#^(kAs!D2?8UXrAYL^)RN=s^&8vvS1YJ8mmKz&J#&piNinAG^X0e~Wt8ebm( z&}LG*!T?ZdQsZj~08yCK_?iQddR&hh02)qeR~rCoPHNW}0J=_UeC+~2;YsaU14shb z>kI(ZC$;Mh0R1Pm8w>y^Kx#J{0G@!}=tklG^#fCnPAM-2csL~73(!1?alHw*xWL~7qO0K5{Z{fz*h1HeC# z+D{AsCq-(%HUK;oshu(a+!Z;AHgVwm{z<_Aa9rf1XaIOGa?)!6xG-`OW6gnV!qsm8 zI5Tn*@8$p=jhw{3;s9=qoJ3nWfNvuwR~Y~fj-13k;Q(HaoW$DT0IrUleAoc+cjV+( z3;?G`PX4_C;Q7eO69$0$Bd;q4fDa_EV=Op;BP9RyfC1nQ$*;a<0GCyM^^5^r%kT#F z00+)F;@=Uf(hmzUVTbT7mNzw+E;k()Tf|$XpmeMBs=QqOvO<&(C@-0<=D%0l)$1)L z%avBY^+M}E*amF3+THd;_7jd<9gjPEocFt0Tzg$lyMyjKJ?lJ&JhyuO09Fa zcYmjUjsG71Hv=t!=YtQ04ureHpNK4v+*2pjEvvgfYKrcUz8bqSc03-8-<}vv+?-TX z%hRO(p-dt3aJDCVc~;A<%e~Yv-tcmxyYaRrq3QnSzUJ3kn_9n>KahX9O=?@!zN7sE z9nOvg9XEG;yPy^xE)Ey>7r)(^==@aY3!SG*2THG&AF7bbs>*9!Jza;ozS*sI|EA}H zo|k(M^`7Wk(D&uOKlEGsKi2>H!05o815XX^AN-eUOZC#~*M@csy)e9GBsOyC$gf7f zJeC@Jc)V%6I(};66BDQAESq!tocrfIJa5Uor{|~UZ(HhLdgsz#ElVsLUv_Nr=H+Dh zom1CO{bEII#r-Qzt=zKm=~doU7p%HwRc-aW)gN2^JRvRUfE8C%Vb%5=$O^zvL2($Wv5M1Y}%tVr*-exAv~y>t)i02 zX6hBuYF6Er#^#o0b)78RR526~Rl6jsZc|-Mbj3_hyR7u6)%7)#VppaK0%2VH{3nEa zGzT5mdL<=l={$VZWu4YKMRN4r^8Q=<9Y>iIv6U|?*&-sdnuq7iA2kEL0Arj!$zEj} zfLqhx^+tf-*6}?<3uv(<`;xf2yiz)8j6pG3%F}+@S*A%>GFR|N(c5O4%JQTlFN3`N zo{v{?rtFz}vEcVgscdH%4~z&s9mzQDv}pHw?b9oHh`2LD$EF_?rXDnjqUkgbv{#uZ zvQ8eb2hT*O9}K0_9qBZ^DyU!ChD^j&XI_b_?%`DlJM7+-N}Y>FGTO=MH$N(xio7xe zG>tmH%5Uh1UjLc+D6eq#4{HJx;q)m@@6w5h}ggn_?UMO`A&|=vi!1T+Kn3njJuZ~={lC8v8r7(y({jwxe+H>{r z#T!>vdz10>(DHn>IpwmMDUG$|7cJSacSB-0ou!mUS*oeJZ0^L~?(s`Ti(4DzwiTg> zaF8b3ns;@V^Yy*HCW*#8LsOdztCuoaRVfu&I9*S3_0^vFK&bp4Q;aD-kBU*QtoP7RIZ~r zfeBXG1Z1!4H&1_tJeV|!PH#(#Ld|r$JVm`0GfC0k5l(AQeg>q*$o#Ht#VihBq zZyrg&#z9gpYp41M2mHl?UZ~8zDqH+NTyy*C3kF6as?%1N55;XB+eF8LCF>d&#mzRG zdH%Cg%^9cJL6u-{Wz+IoR(`MHu02!Rhx(jO#cehzZg2mn%d>52-=Z}w0?Q~S*%vBx zZ_ak~mYcJ47OdUCE4k^KwF{QE`GYpMeaBRDAzar{X^buJ$Ok-<>F=~Rd)p*aP&SLA z(`~XSAxUWOyY9YIAnSacOtW9H2GIK$=W%Efiy@hkup#`|2xV-DY$jQV(_~66Vf&oB zrLb+-Q79uWputMO_z8Ep(;v}IMbd#p*>M>U!X-aPn&582q|ZWff03i#dr?-cD?2 zG+JiZzLe>^9*=oCdqWObhvI(i8WX$F;n(zbM%_{ILX&uESkn{fl_qI=HPRMK?4Apm za_ZNjL~&&vTwhl$m-rKG-%Qi}F8Tp$kj9Z9iI@0Y+D~}PwQp&A6h)*TkU?HSaZi5) zdv6oy^Bf%$V`Vt`dPwl?=j3b5gVq8E`FrWxa1n+aIEi=HF3ilqfWT7(a?SpIgTupv z`}R}QZ0us~O|#u@{*-EOivFAjbb)HOtJ>q~;X=f&(hc$6){uSE`GvGoytv@AoBL2$ zwMLul>d$%5tJ))l;k5R+Y7e#cByKX>IoEaiW9$#?5agJPz>8iD8SgI0k)OoOaGEhg zANcx5Be4beR^d1WVJ^#i>dU5NzBOcySFoe_5b(WaY#1!I6z)5CA`eiyBjCkTj%Tp* z256s|G~c_` zrOK+=G2Gl0O?Lu;xZU-kM7aNGe>f3Jd)!P=I@8gv=Ap2ZN_Ir8Uc1XI#w?=6=TSvl zOT5MBq>Ad=dT(<}E_?Hu_1_b0CW(nYfr^p|;1^7?D9TYmkQ5V@l^hinMF2F(W(j{; zip|G?9pvTL?by3z?=RW^+Eo8&yKff)6f)6tqvF_=z4 zfD$Sg{tCr>gNeWlg8I_w!@IWk_4oH}-}Sp)J9_*3dw1+Qyl4IDQl%p=G!?G?+4T3i zt7CKbtY1?qm)Y=n`F_Vso_f4oTC;x7#Cs~!KP(il7aH5c5j|!6MzoLbuh-aznG5aX z7z?ZoR*Wox-N_kv7weDnEqYpxFVZu~c`AHq{>t|J;-wqc-q$8xbJ5f2g|mqN{}qN|pVaHk7*^t8U3P@FEwl zU%vE`v*Xo|_B3)i7rYl1yiOnVA<MF0_`08v#FzdO0 zZ)VDcdJXHeJF#BQmeC70o>xXMjCBGDO>h4QuviKD4M>(5PS88EDXEgy*d`x~M1Yp-pp|lLG;-j|z5IYuIWR+*azX+;-3H7xwmDIA{4|_w5LD4{2{6*}a4B znjO3UFdO-Z)9+9C{R^qrmg@Co1NQoa)$Xh`*xYVg^PHwg&{v5i!|~RT%M*6p($y#Q z?t9<8x9yA8TUX!x=z~?^2j|tMS8I&RS23?6`g$GV+MfUZiuI&RdBHBoK8#qvC+R#w z4)i%QAov5mv_Q`9#6a(k-ADFs#Fpx+tlxNIHqzt}8mjXK>Z!$SrPOMsd0bWP--Yfa zz3gv*5zZL{w7PeItv|24UXgZaQKl~?WCt?iR^?lY6@hG>Xy_734d{~IPb}h>g^ytV zebC1gInA13;43N6iWn_G0s^JMjAO&u!TbyWW2Yu6To4k3a5h`YWFqO_RH}Ep zC!OxeZ2HD7N!s;|v!yy+|uqH zGneWwLgS%d=mFtUwcf@juv(pHBexQPXP_0kPyy#EI}qhUOj&1CV= zXg9cdM6n(_8K|gCrCdiAD4AY!BvDEJy2E4+CY&AF75$d!lf1bN4V~3d-sXWh`MCoU zTeN&f+pbAj-t~=53&z{m?Re$q;qL?jf$6t^&jW(fPj5Ivla)}1GZ8SecE7cMMV%S_ zF_*mb7omyJU}wHKD2=TgZ0ldaJGwL4(ToS<)P?fXZ~4(k!5NsHkB3k`eB$>XZI3y-LYzF#!*!*#; z`C%Y0^TU!!c6>&2`?L11J8jR}a(?=oT%|H?6WG_SZu%RC&*#wG*o9Wr=|W*w5QR}R z=t5DKQ+>wmta&@!ue;opoVF}ip?%D3`la3PpbtCzc0OgmEyvk2YzTX(p4$}O5iiJG z_&!It3~(WmFF|aRSqk}w*~mR2Yv(c|f`qrOuA#1uRXJ%qlR=NX&a-H5@$fS|PeYxK z=T5MXvN-faBhXbt+QWY443xn?8Fbk`gXcI})2YxbO+bos*h2jj_P{NVhB%eSmt-lH&IL@C^{6cn?qy}fPmvW;7pE^ciD_8aW& zxx2wETV?qnITVnk&zT%9i}GF7_a@qE4dc)^uMyNGc&g^p(5ypjA z#t+5ghi)ks>*|I(*NrS|PDpks(Y$PAUFUFJU9rrRp;Bq6KG{?0-@JSI)Ie9v!Xe6HZim$ z=iOvD(_(B@zn7kSlhJpw&drny^xT__pKO3KO z-s|-DR%c#_w+c_4&3Wq0vvJGWmk2Fq<8ydB%x>PW>1WQy-#D-3vuoiiECakz##%_b zvbuJK^UaWOIOPFiGwwL^fqlnCA|OaEP0jv0@wjmuZMZu{_U7xngDWL&hTodL*br`@)ftR9c` zC7YY|pUuq6Ot)3eq~xU)o!aMuce7f;sC~ZC$-&(ZRZ(1*djQ1^iTKU$}Nr8~aRv zded8at6QcUWAP`newgm z>8qADcXl>6+{USiL&9&Y0k!OL(a zy&@0L04|`XF>vgD&eF<(90X~7T_F(+JaDvzpN)R%xqa}pCZ`=Yipe{ZdSt$zEH5q?TJNA0+lUZTWo4DvwF$=vdwQw`CAG$ zW$xH@eJb#^A&{3;cq zkjl-FuG<==xZjy6hVwgCdOVHwQxA9LzH@)|>I+xGJje0*aUI94;}+F(s4$;Tfm1L} z@MhGV9K{+!Dwcp9iX~kq%r#6vcu^3@Y%YzJjRAnJui{6DHDTyAvL5Jo!L2|Lz`76w zkOf1qJ+ffj=T}4~1uTMlU}Wc-6~)fZ;)*qYyLx4@lX_f^tcRu=6|-WK6)6`=rdfGy zMJTQ*v$mjA3{^lsn%yWQJ+2SQLES|p1i3R0j{T(SD4 z)kgKJcjYD`p$Ofu=u1#E2$C9)+nls-$Gdh7(vIe}w5k5WL3Wtepr!K*TU!^d<$=Ms zJj*t-aoB=dIY-7TGl<7gmOw~2oZ=v=Dd;imW9x>V74%5#Rw@drk zmlVMhR{mk<50sEkeoXr%G%f6e=x{seo@0Jdq%G4anh`}2B+A&&Ux%zR1bbl;{0*dQ zn&hkvwy`98284h?sxV*ZI5s+-HO^`T*crJW=8kNx156EQE@syw35>okb9mvB6}#52 z8MxcjwYt!{prvI&Yi=|kq;kWJ^j7VA4Q*Dl_p1*35w63~hI$Ll$*1cZiXETd^T7sT z&fJS*iPn}y+P@W+w^>M-O55d;jh=eM7ieU$O`QrGx2UZRyjI) z(dG?TIH~O6>lTx7TsQ?zxXNjTRpUQb-vZtM@5> zyDyn8m^RIwoZ7l#XkWF?6ODT6s{4jkY@M2%yGc0SF&M`BN@SVas8+@Sb4AeHo5*y*jI77@g7#Rwz%= zm-Yczv8nO4Wm6O5OP7vMJb;V#;#g1D$VgYu&3!#%V?BLiiE1@*9RGxcQ**|aBKIfW z%Nd6EF8jAs>fm*krt8y5{W5)0o1|6zL)#!*oqmAb#kN5Hb3wb^1wRPr05FD}LP5Pf z8xdpJ{M@jEtzH&&OAt6>ew&`Xa?4N#{Yaumxh(7+aR@B|UPRn2x2K!J8G2*?-03&x^*3PWN z&22mLx0|Mde+;Ekp+5%G7VSOZ%+>tnY9q{q=@lpA7mtiw9G}l*Cb0Q|zv*mt@<9Tz0M5fia&0wquew2`pA!m! zbZ_kH+IWBmD|5q(hI4vAf9eT&sAb{7YY#58P{eIhN9Tikn}2kK&0R;#KvY8f;Njv%g%@(R%}kZw%S9^nnF&>`4v*TC;*5BImCX+u4g z>k)PMbVv#s*VQ)+;| z{Pmytg;lB=Y)zZ(CNY(4Rn4hz%EUZAcS}%Jy@7Nw)TC;^bf+SAdnDzib&@TZET&o( z6@fn1?yqBlCgcA$g9%@E*d;Jka;jW&pxQ)*j`hsjv3k?0 zk%36FKqaPHOtNh9nk4FR#JvqI#c+@+_DHrgLa#_Qwl)jR)rNc{^LZh}&hlN)K(@4U z`UU*Jja7!ZFp%YDP>|Uf9lSm+hAoG)5}3)^@zLd8DC?n>Cx)nWzcpyFSjYB8Y$9|o_(2sREiB=_b!a3|A6GTSxQ_(a z4ssa`cJCaFSzIpDpJ3*6X7ay!)=AT|YG>gG&3iB1+suS|L1xM2>z1bk8F6}WWOC}M zsmW1+vU&l#W@7IBb0>P3B-Ar{VEz6>|90r2^#bLkgvo8Yezt4-B!4Do)oP}k!5{Tz z8XL1HiK!G~i9`&SW+uI_D~^9%co$Fa2uC8}4*iMz-UW?V8}nfY;!j5F;k|*E^D^3^ z2(K}t?;ng!v+xXdP89Sr2R?<*6_&Vf#`c#k8r}oA#~_Jk`pKG$?T;R~?3(>Mx82j! z{C875-J7-@T(@LlYujluRTwYeuX@d82OsGuOtm!Kvvudihqi9+>Rpk~FI=po3x$b7 zflrG*H}?w<;{9>%r%aQ^G6TBP^?&Sb#%Nj0=u1!JX4M(Kb$I${wp7XrJfwcd^ii(* z6OKCk%e6PPw^YAXRB23BxMeI3Q=eaWu$<9WXUniHe>zj1)|@_={yxnMl^=RY5`Y8>t^f#&Iv*MaPehhsNK$54PXO?3WcjSxk7O5@+DWK z(&^L{OO`)*HoA5%jAWGxtYJTzjeKzWPpZSA3JSuZG+)gX20AXG?jJS9Am0 zOr)Z%a(Es1o6$KR$MEuTZHD*b1ow(Vd3_UO>}E%I)&oXYVv2aK8?3=Tv2)`8RXJKc z4h4Ex54_f+R-i8glvM3*kBtWl&&24#cgo60HavZl*C8OB-o$GVsys}%>)iO$s>W5Q z{-umMFZgBMmbDPx9-H8CdzkCMXgQ}ZV10UgULPjQ2gHTHBE(^C8{pbHSQX0^*f_W& z0!QEaVvhoY!_O#2F*t^W9*BZ-jh*FOTFT~1Ah<hpNWkTKttH#VgzjvMa6RqLH8PrKRTiyByKD+BVRp#-p}5oo@T@9A47` z{^DF_aCm`gTg(OQ!AyL(i(M?slNjt`fcFee&$zP_Q z(DR?Od6;YZRef8h5YlzNm=AwA(xKOXhwvsa38(*cx^&VBZ%tTOJic@Z?0iYT8hTC{ z3=x+A0>v3!CtvDlzcDgG7tU0M z8b^kQIlp-N@8D0?3XI$Vj&Uvg%@1&2cM97amAU5#EOA-xKLS><2%eoI%zj$LdUNGz zCR+{w=fGiR#+gU&B2s+NZpmrG*9N>LMx){~^7=&FaK&xeFXf6@-54Xj*hPrq5Qvi8 zcaSY;6S^|m5mzE;qh0Pq&?*$NU8M}YK2vJTRs^AI`cquCxZWAj^7Q+Dr*;I!O(*XC zx6z=xt%S0fQkT;U&jp9@QD+2*n>z;O%&KZ$-^9ZvxCqftP5+5ADuRL=Vcp?uL9hlB z?!(lEQ2R=zB6Ma-rA(&)1U{B6T;}jnxAXAy5BR$tbin&2MV2bE63Q35`QGxi{Mw9fmAx9*!P0Ee!YRS!M1tX%N8Lk;3;Z`~HJ zTV5>Zyuvz{hxPdp(?%RB?X|0SsCIe+mLcz?*wI|5O9=Zu`N=&(tgg_uze9|Ahoihs zzuRQGug@EesrJ3x6$tHzDgX4Zpd)LZ*#{2zdIg|&h+`MP8!`akJTc=}T_}fp=*;yf zJ*pk8QXE^xDZistT*x$p>*H0V8J7o*je@ zO$NKhmwCmHd>pBAY@L?jHiXn(%2T1qDtER~;hGnzD%)f@7pk)PK}Dq&<>D7*yI0nx zU!<@i%{+NXwot2VJfWwN*NUt!%3izt!hXeq`zK`c^oomRE6O~9GI~k<`HKR1;h>@_ z@{=fmbgS7+zrzbY^THui`seA|^yk2TSmZ-5@Me66nqkATpm~Z}c;xKOljr6!WSj4? zhgn|NZ3Osf0O~6GXn+=dX6geP^%bcHxYSjo9IvK@i2`+}wcosP>NnI~(2l>M{iZC}igh9_D8lAn3c;?84I;h zmJylk!W0D9AG8m>_r2POsB0N5(bCe_R{Z!=1^TBrov%F}`?dDbFMpYCoS@(Pw&(W0 zM`5hVXTUpEb(RDyggX-4+G=~5)8k}&wVK%>iSjF> zg6!}pzkN&bIAme;6EtOP58(U)g* zy|I~}bl`mv1H3N|TFDK9zej(*uDx)}E!qn|1L~)~(utQE9{b(yUB7)KLx0r<&*xX# zUelib(1+;g1(&?>Wa7k$)Dv%@UaoVxie1i*qSh$za|7%UL#Q7}nLA+XNMV4&sWMMR zj&iZ@xKA>tGf9Z;ne-W_1QcMphKeH_ub~>Is_q~!nY%a!XuHfrIRa@ErMjW z7h1=w^CtT3mU)|2uD95z(AqFMc*CaNYS&<69()aD)M;I}dc|Bkb7?nzI0WKjn5 zE?-Zr)>MGnj;@?ouwvtC8cP*KB@ycOGIuE%vdM+iop&DGx@vSFm1NH=!;yN0IW5|2 ziEI9bXB~J* z@3qC9aya3X0H#D=Ass%NnB@b9C3nb+_dj8gjR- z+xXJi=&||3V~x$_Li76h9vf3kW>Kn4rQA$1r~P#eO=Al_$4oB2)$BB>Y9OCf;hyVJ z*!9foQ<=ryF_N;lMXRNKkn8m*|KWUG#{Ppbs zCy|-W024Xp4W9E7l8lv)B)%aA^(P&AVyT1gB{=LL;4wqIfTX}{lZ`3^9l8%;u0tU2 zJQchCkqNTdY6Ic1aF2Y!Bw6gpvNCE; zI2@8qmRYgBCz_A;)E608c2Qu^37O#^3@=ivE5VMw^Po?^N0yvUAJ`7rY_U51 z7G*@);&51Gkx>yor*MN6opy^^Hkm>Rr=`=x;toeg-fwFSTG^JaMu#jr8oRdWrQ9L2 z)$a90A`VBKnL0VX<~;9FlL)*TgtU4APHJ9>6S%kkCv(EQ9dP1Er`iNLCs*3opo#n9 z#1+g3Xa{rvft&-JTAMT|>JOyMj7=aMfE5jeA9uag z@Iv1nmrcU_FqKq5eCCVj;M#VSu+Hi1X5 zU3DzmI@#VnNf*#qw9}FdSQ}bra? z*ddIl+yQ3;Io=%5yb=Qpub3Pi$Y(>c63Dg=j4WS8AF;Z$u4PO6yOWW+*6x7?bLnmGxx$bO{*nEV zwSYrULOTHD31J`dkA9>?w-{mZ>Q`Nh+TMZXjPpI`-M8b#1Fhp* zx1j15*WByeI8f;i_cyIs)6^dttPE^$-MjXQi(AIHoPGK(_9nX+(tQiOJIe5X;dyc)IB2p?2N)01-=KW^^O_sR|n)2_Sc!4Rt8dEU-%YF6etY^C$i3sOom+Xa ztvlb^f%3v7o=7AUiDL^@8y=cx)+vN8B3JlZ44R>4bcHu~e>M2Kz;RkaT*Aw|oW zff=0^x&%iUf2>S*gxv1J$Vk!UDvXX??yLHoW_Ko^b(x_M`7sK6h1R6@h$m&$G9g~e zL>H=2=#R}dy2Ro{Rc6!}q-#SXqXn0%I5JXjyB~lqs--y;YUbaE;)2%K;G^CM%?S5k z%9Xg5*g!S9X$)8fdXL$k&J-HVpq-|{PU5ltgIs_-(4QE;H0Z5ShL_;#C`gm%9eWjC zdU5+f*iwUTztvF}niowf<0etDI(^|pcDS|C=b^bwrTZlo_MEW7aNzPL8uG2w{#Wr%|74b4$o~kv4n$DZeOA)9F*OjY&(A^+!1X(>k8$TF1y8{ zdYx;SEuy{VvN`xW5a>FIW9$oT6JiZ~^jsx<01Ss2P!&FKoCBYwD~1NYB7EWaflV9B z-M!sgwqJ5^>!zMQQ`J-~ES=iCZN+3qp*_E3*(Tw{(bMFZsjp|#)`OR9-_qUNRoSrl zz~-fJLN0VnuGqGD`LaS0MrMPq9fxlPKO@7DD<|OmmFM_bbI&@x8M6&BED79@4;Hfs zH9(dfv%CAgd+Avt<$knMmGtoWR(j2f^?BGTkF%cux@rj79<;)rCN#Y`p%OUBkXoOav6w}N+dSx)^m zM+USBOHj3?GFG!J+GO~vDuUPSoUU1M=FJk%;g(tG<0xWv#tL4muIs^Z@zdXf9G3*Y zI;Q)Cax3o|{VQJk@C}#C_^jy|(#L&TxjENh$2jxKU9EH(+(4L|Y2gEe?S%u}g=5oy9`l?@n-%6-Cifh^q$F(F6R-E>qIRFF>{WGPi;kL|mOyi; zDK~ayZ}Wz>{IX$g0q3rPef>jq_IxHrsFF9a{lhdDsjOLUr6LWCDao+YWcn<34_jVsn2GU=IK^SLR9x*N@ z<8rfc(cWz6>RQs(rK2&7^GBdl+k~$Wa8EEoK`-^S<%3-Zyl{~_wecu48ju2jp-M$Q zKBWv)lrZ{io|v0$tj>AQ)aq--sw*Y~&GS~wYp$aD=@abesiQ1DG$gg=mrY%!ouG-0 zcPv?a$0iC>lQGYKpV4rqdZ`=r9vFHqQX)s^l~4GV^` zw7K$%TjR>%pKI3{TJGuIqAKW!~md2;5~XWR`INM(f8;!ymfOztVF0Mey3gh{f>@fD$Yhi}4Mi4UnBLh3tGYz9V%E z-|6}?`CC}^4K7y4l|_BRGDYn9I1rZp#G@bBg%eSw3^!0dejFzl&vGTb#LQ4iGOt9g z%#;S2fE%rcF9HV!A3vzAcv&B>OMePC?1~Rh+6-#NRbM(b(v$EK-kcmelL0Dj-En5N z71+4Qq2pN{*X!0?X0|x(vdy8oL^HiZuv^3K=~bVmX3?c~=5uZwz}wzbaY+jOj1cqD zo$;`f)W@lrwU-Kj^WBt&MXQZC~2ZUVlL};7CXo z2b^f)Syv=+hX5-@zNxvTSROqT^*iFS60!&5i+V0-vU^pR$C2_i_bzLa;|_n+9}9V` zUWX}a_lD{9c$Mt*d#nLli`TE+3}(vUq28K}+@;v9k|G5gJh7&>Od{cbpeg2Q2zpaF zeuw^CX)>b>`7|&*Jk77Ut;*H%3IY)M#-+ zYm{ybHoM2SBVDA=PP=?KU67<^CVrA$*IZxMYPKnEwIg4kdmyImJktq8dirN{IP5>z zHPGR3?sO2}pIXnqp>>|$gyC6Y_)S0|`VO;e7}*Q{Gs>A6WMZfn_)dmMja7!CS@>1) zdqW*+;PKj))l=7H@b9{*)z7V7acw4>&0M=;^=948mpknKp1VzR5A4&4d;))T*q=(72tmLJZ~;y`B6aw< zLpl7lWL>tp8uaZday@l{(QC$tLXFS{nF;(M*FEBzr~DjUt^=E{gFgeBgNFi7*p32_`wCW&G{^z!Ci3Xbm^lwZr(qYco>uu^M1yRIGPNkkWE{ zhfkN;jdpNPR)g1_X%C*YL+Quy{kiHV?ooZl&O*OW-7)5tS)5sgDMzEdY8Nbh@P&e6 z4D!WJPlO5)&km+g8xs30g0<>wa8AMWm1MG;#XM_#MsbtnyyAA{9m~4>9{V|kzwflx zIYP{3qN|vTg^X-~R#?f) zI>Wpq`)?F74Qyr*|&x;C;dDVwBwx;WgPJ#+*B0%E8}GS5$H4-nC^t;9oI=zKZJxMBU=)hs`_zn_dg_D*V*+5>QTXIC6lyv3nr>`-&c} z1SqB9R$R$3L~|7=6MV%IRIjD99zeGsXIvszCIDOjhFf3G6)5pQc(t$I>Fw+5+l27i zdgqeZy=$Cn6om&%6@@>E#rk5}{q@d*wuRn5?DQf(FQPq7M~@%B_S(-)X4D>PT}q{J zkL1&C%b0t7lM}(7P@V8*s5=-fMWd2$>yHl~{_W+L)2zA2w*S;`FLw7x2hBYqZBu)s z>0hi8{%X~wo!V6AzdTh>+v+(#!S(N-VLxIkp}*lLUORCLY%c%K6a_zYuI`h25x6o? zIbe@s`}z6i>wL#d@03WtpxvnJzb;4Es{IJx>zVhm?3Q1a@rR2v{mP$Zh-o+IMGl)3 zrB!BSr~Fw0 z{QtBT`XR61?Xp?S^do}PrfNGvA-7XoY__NheOVDSaCxv&(Vx(ts9sq%Yaszge|W0m zHJ_8JzGGH;^dBC9%*~i+dYH*Ri<>^8icd0p6U?MtC;ZUl^~k30f8Qi~yrv%tck=|d zEWY%TN%45u5B2+VGY|p%^$+2Ky%9PYED-4GN;&RAt}7LJL`r)&Re`exnCprees7d@ zO+T`Nc4UPvkGUfd{qo}b|HI@oX|VtJti1hJA8ROx^bu`e#vY`1YKvnb!Pj@`(nMEE}KO(jrT}y@{{d>{gdzcPW;yUceYLIqY!j zkW3eR+2*vlRT#CbmaitN^OmAOI|H|xNnJ3I8msH-g{N<7Zy%zSUJQOBY_n!_bB7l% zxV>0B%xL&Wx;~anjnxNclJmd z1TuEyE%*$mg5P!PV@>VF^2&L0n_60$=FWSVN8GN&V}XR90WDj!=+NG3b?-GiUG&U)xB5mt5)}2y|;?CbN_Z}PKwh5R>yMVQo<|;iXB#;4t$5rP_|&zRg${N z-xJ7Tk)|tYsO$Jz!~&I*@F&#`PJGQ)is&)S``ky1t=IluHZz-5af)|&j>{1{_|J%4 z2)i8K5ZlqygAMJJ-g?X52r)w3X`Nq~uEk3ZXFOtcs-D~LbGEi6oPzdbPmeG;a+%d9 z;C#i?=$}LTENZmdnORNx=n|{d>a}70Ia|EwSw9nEkwl2DL{0dz7kkcSH^;Ny>7zzp zPhX|m%sG$034MJB-LuYz8$Jzh|11`qWx18L8QT&1G6;?QTTZ%L9e3p7A05%JTpou* zqi&G>OBV5~`L}(B2KQb>h1uAa=bqzQv-iJWmIGnwp$Fw~K$bu7e!ItGfA(2D^hDe| z%U?3Co~l2;LQUgU)0@U|#OeE%uwAyk^_Eq(hb`Yn0#Ce-zwbIkjP;I1f0Uj8XA#1h zC!TYe(&S&fIT3CNhg&*%0HXfR@x)99J=dQHGd_5a!520HT>$?|#1zLCzyKI)NLkzz zem)&P>s#N;4?*;DPaP~tA9v6?!#tq6QCHisR0JZ4dB{_pthiY594TsA_&Pr~)} zl2w_mSAf<2wm}ia??^cQ`(4GVUEja6uW#pJ9`w_WW$o?DHuIq4Usnq^_4=_D~z|5A4+y?uG?t8MtN6D05_1fk`(9w1acf-0k~JCv(OJJ5t%qJEp#2?u-h} zS4&oW*zOM&yB*?zOMF*w`lKyvddcMWni;(`k}u~Ydhmg0V=UGf6+U)O67G@u4Om-` z`!WHC&*9W2p%N1I02O=GQ{Rqor>`;(BED#}DH`?tSqjz`KkIZ9^!RH14B0&XC1re$ z?d`T7?#DiJ1P9m?bAPS|6S&rJO3(0Z#RmokIU^z(T2B565&fr&<-oR_YMRK~{X%xF z`uM0K*u2WXU5l^Wv%7zAuz&ZSQ#_JRi~M+HHaERAoXK?7*V8*Nubr8U_So2qWA$*R z@_2C4+3M>0Y?sR_38Dv|FLcnOf9CVjU6#ErL2mCnQ#FrVIrQ#|*=rHaeK#-XwWDG^ ze6g#mE@t+cCDkOmY^|*}muylcB*gv?j~lm40b`%h{Oe<`qqKnk|AKMTeqX6XV`dLL zWuYCmx3t*dGGvxj4+akZxL@(@?5D7y^Y8g2p!3aR_08d5D8^9;pQ{3r#{DGZ+>GZV zk%J1M09H_`NW7w$9*dB9STgXQd9#e>6jdBrxCWR~DOIVP? z_oI!ncF?7rj5Y>>iBf{5=)LiBqU^eA=T*-2lhx&UN*?HX=T zu)E#%_roPdRD7JKvmGN$%=b}dlHuOYXivX*^sm^`hN$*{Q`;wF@BUM;EifHOfZ89U zo8sm8^kdE|cV1aopB%@Z_G9rr@F)ECG?9amLpbyrblc3F3Ycwf4V)79X_v)4qB0um z=x;D!$=;oQ39m z7xJH}2)JRUqJZ9zK<+O$L_G7z;6Qct`q}q#u~0u^#9y^|ZHrAdc}z~PEz$FMF{TDQ z@Wf@3%~={wy1~7@!tK~Bi=fjU^07x3pZ^T@ZhMa2oXkf z<`!Ih;p*0a$7S*YmkM9HxHm3SPt*o|ov-cQ1_y&_DC%XdadQ#fVmvg6Arv37qw zi?O;M+9~8AqKGza4n8^QvUpu}QP_9Aa8;#Gp@~jwtMFYdC7DegS0vmyoJwOS%c=;w zYPl6#TNJEllm055H@_Y}URPsZ4|BV;cxLTzftN2Roe0c)m;k&1Uy;V|ZFVs(k#PN7 z&ZB>|z@V(UzfT^L7PnIyid$|&;|qm8@9l-**IO<1J2|MH z>?Urp4EXX4Hf|m%3ew?Ohm7COMlRpFcI6FR%YDPjwclJb8(njGq~7UF*JZ+uA!{HR zpe=(*)mxXs>h;ImO5PH|VY75wox|ioSeN$7Lc3s3R5F<%?&Wc=a=*8a9m{5}U$y3& z=e}sw^_i?T&ys5JM4BU__G>lT6!YccZu(R0-^JWeb1)YV`4!dls_2iWouRg-xKb#y zP%0ZWCkmOEZ{diwUTVBx!ZAz zdrK@!D@(R4*(z}yCoZJGg@gnGfpkMEgwO(n5OQ%6LVzy;lAD-I3ke^}z4Vd*7qpY# z^UkhprQMrs2^dN_hAk!`XI(x4td}n#{OX&6Diz`S1{AVwn^bm27G)SEz=4+C ztSAPTtle?TzuY1>2`}!^?%f<;amMt6_jTULvMW~~d4k&*0RwZz5W4cXqxdT56iA90 zwv>AyomLd>Ms}~nMbAHe{`1TinzcQZ?5oZ9eFBZeGyDrUN-D*AfcF&;Q^JmQ!E_tKBTX`kjp$15QQzHvb2-gzV!ihg00*fKG$g`%Ok5`l}lN)#^5 zI&65@_W-YonqXW{*7md+m40ytyspQi|Int~h-bc8hLnxF;;~L?zC~)ls!MVs} z40`H3W+>W90&vkF2ds9#D2YHc33sOJsuDIy6k%&CnFRP;0?7ynhZeU3bFSKDue~;% z&#aAS*5{2fDAAUcjgjTeE%jYBwN9He7L1bRZ9Pn4L_?&`WlAQn=Ac5 z{4s~H=E;&DCLD^ls%zoS)z`0C*yQ$jU5?tu>h5U6vVg-J@O32X`xdpdMN9@U=Bl3g z$g#dfs_bwW!_AR+VnMadZt}u|FWR$w-KM7D-BAVpyh>^ub{P7;^C!MautVZb9yFjN z%RETdLo5lM!JB$6#Ve{B5YM5Z>h&M|Q1jwu{GCqsr}3wqDV?HzTAQC1z6HAg^3e#w zB4h*PPIL9ibNGyJzJd)5Tw}6FXit&AHxUCF59@MW9O1&9R)}w?Z80Gxv+;0!eOG;b z7_6!t;-iP=ovNz#KGnkE(f6pyAa!C-x0#CWHo>a&&>r9P4Z&g*1fHjp;tQwvV=bGh zs;>H-X1l7|%{yOr#yUWyS(*fcsR$}kG}%tW=?rvF@t)Erdk+zg`r3I$sK?V{A0i-> zW;j>j0igT?{8KB)#43)7T1iaFS+7=bhZ92zX^Mgyl(Rug}g%t z`h;06`AMf)=8fl2J>F-n4O_L_*^n(>ySmem9o|% z^57dU%zgLs!WV@G9kVV@7K7xP4MB7XwJ?MA_jMN%ECVe2A#1AA%64e?SVOgz6g#3_ zQ@*qvmnu`%6l0gN6S#&n+s<}U_LTN-Z@N&yC`zMfz&1O^E|@p#+zteD@T+ScfPV<>kTi{<1tozq>EyT1 z3wy3M5&**h9fmPbnL~<7v^_0&px1OIh8H(TJWlH=jMd3#gVS zmJR&Y%gt5l<#t!Kr6Z8=cUTi{t*>`)JMX-x%Np}-z2sPHV^+FgL48#uWCggw1y#m2Q* zfSpuxIuUevRBtf8f2oM?Wrk>VxIYxHG`K@9POO+dhHryBb2qGL`Y1LR<_zh3=BQsU z+_xZ4*VP{Mj&U2?iVksAvj2w=7o(ltHu{zOVsqt75GjPzQ@*83<>3>+2XozPdi!tf z@2yF7=QbQ$VwQ#VvKhb-#R+Luckg-$;izlx-9E&gOGAYu!jBlI=bF{X@<=Kw0CKz*a>#LSdeA&AKaCm zKbRG3rTGtku!Q(^e~_d9UaX3oON6LE3T?GxfA|{K z>4iuefg0-q-x7uFf!a+GOZy=&z5u#j(zTsy*!d<3WuH|{i@4#uaU)D0;RvMr{$R;F zZxVSv2N_Ia%Y^Q8d1+I7W@%kV9sTtx?q(de~iucchg#gO)+ z4(5fAyxVI1iwWpcCOExfuf(K3gK-Q12@u7Y+GPVzS~GRNmj`KY9@@Go(`xhDx;pmk z6?(DdW;2_%4$+;-!HYX!2&}IiIE?WBp4$$X(v(Cw)fkv9JSu%xmRnG00&e7l|KVxYL_jnUy< zAeRLf@VfIk`_wlMzLB?xM8Z8zsH^EvJePVKk3r!jibqn4LUKMbNpUlrmU^iY?F=2y zr>QS#KAprmd=hI*8sl-v|1zIIAJWskLA8`{C2N2afHeaU>G@>74G05?xA&*K@=!^8 zbch+|Qdj;|`xK}wC}|CB8}we{+s(Gw7_>z53TpqPD%h`|LWCPZy9DOVhNrML2p~ow zL&X^Rtzf~(6T#*7;Mv}VSeWm|^JS79ESE`^%~T;M#d{;AAi11jDZ$H2Gm4c$ztCi0 z_enDcZRE(-!(7Q+6N@L{kEt&^;AG0c!r2%h#p}N`9CW*FlE$IDF0ISR=sfyOu$(XD z5gwWS6mPMqPP@+t7Uo?lq6pc7Fo_U>xNbF`VuI1@aF}cwY$rXH$ibO4Xg3(S^hq5z zq9Dq}S7o#6tAPrYZ2VpBsIQj&-sZ9e{Bel(daMX(Q0WUOqNt?d3F&n9z~MCR4`M(6 z`t7&!t=$XUTrxZ3*2>l$Mh-X+qeB~X8to2A-qBiRjX5kLxMVoSvByFdZJJ zo%1NY7X95k0XeLQ_XJ)#nQVhjoV4W3EVmHJD9HxqiBTsIIAfqGCEk+GqD z?6!UTiuZv}6#F41$Yr-~e-7xdIWUC%#6FVI;VT3($^km}OZ~r5aW;5?v{~zKauEbn zJB2?Pb2a(u+^!mLW8nDMXm?Lf_b6yPeSiF#unBOz4mNH-V% z=xj|^XRG;DbfIbH`p z5(fA`;PcW9&Hrw+xJH&hE6|3H#R#fhaO*l8t(?IYPv(WXB|ZizFmAFQETrJQ$j`k@ zX+dBB)AB4mFR}e^xXxFb6s`Cn0z|k0<_-M!AKziH2%_23@&tn32qu&EgQ+R@?Up3` z4g^^a#$rKP7R++8WoF3&SjdW)vDvN#t&pKw|@0y#WzHEHX1KN-ds@0@v6gRPLP`tc2=b6rz)h z^`WL89>=hYVdo{;jc)3Um)5|DlA^wGl%^}*sIL5G*|LL1%mw@;eI-Zw;v}YF|1DvgV1nx^F+9R>|VBkH=4WRa1pcY7*oyY-25^o1~ z3Gj18DwmK_bjg>^%XCq{|3sm=8GjpBHN(RA;`FNK<_=hQuKG;#XV~ds?G+fMnUlZ% zb@EGJ(q4J~`Lk!4`PaYJUPvQo3h{d=8y+YV(K-d8)I+6JppP=)wKE$9UC-RTD zhy-N0l-A*VpJs#mM>gaacW&6)v3Et&1KP6>T{0SI&NVfKPVBpHAXuACt-4HD@95aw z)jb;YO|DrqxfC{T{FmPq47p8h*jn!Rog{apYdZqEZte{5RZ4iTgxS6d*tf?hVl*JA zN=CBe4?)&ac^v^3^I!K8g-DV_9i{Pw;5X;e4TRiC4x8sPCQ$PARV4@_WL`)Qa=;_m z8^EGS1pxX&59a~FAjEd%6J7LRxXEmRe&v`PgxR)eIHo#gO=gTfC+4a4xWz7dEyrjq z^92^WqDaS70}MF~;xPc12~PC{ef z2)Vg0WPN=8{k}JrzB?R3-Kf|VL_7NXGY$vZfdB^ELSa^mpaI(g{e5r_L_3gUYcd#I zwRaHBE)941E(x!}Z?+0+dq3!KNW^H{1{FZsQ2N!aI3TywAtVU4ymZ@9zMCvx0Q^)U zC9AL~N+e^Yd+@p`!l=~l1$H<98_=EJC}3c`@Q!7$918wj5>0TuHxhV&$?Tj3cmRMU zjAp0s!NLD`^Rv%1@vQLl>^L|oGgi*0IgED|)#Xo^EULp|H>%L2(Wz<${={igvZAcL zm?w}5S!oj`DyQ7^y<4zfe~0lxj*toPJ$P{bTJg1OKx17AnN=UrwdG+&(J1vHMe_$! zUf<+M1Z;4X#vPePVQ{4|sq|5%qX{uX%kG-iM56WG+pi&i&fdPjLoT<|x_rm7crsP< zP^>k5>#}Sjk$tH3s;dg;^DXZ4eg$JBu>7)AP4=p*TCdsu?m%xJJUCH2old)Zw=awD z-oGpUP!g=f@?I214T(hIby*(_^z{ao7G(u*u@d&o)dIUxTsuJVpvgM#3`_1zt52sQRS z`hhiTKKSS}kA5(fOr}2g=)QAd8G1HH!r{o~p1Zbx$spNWp{klqb+L%o38AuVLJU{4 z-4~1{8`7)0>cUn7`LF=?bQO5Mb1<3$q0)gCrVGh=*JyZzjt=Fw^tB*bsB(dF%Luj5QFV$9rUId_`Ob`v@V#NBenq^1zNm_4+?yawZ8FlGKENH+)ly=yqKMO5(lJd?F!7sWJ>j4{QGl8QajI z@>U2B1>;@VRE(Fhm$k_Jf8K3(T0UuUUhA|xV0K+zDq#_xpu$d|QP3w2{J-&Uc9|cg zP%$|Ci0acT71EJgBM(H_Oypao%=3=3YpJ;4vp8o_9;s=)I)WI`-{)tAXJO}0F&rz% zB=XH}g>R+8=N0EzvDrDE?D)Ystll5ZC4}|FtewlDCuUC*Nbk8UdVz%ZEdVvD#xCE=k2EP`6_JD`*qqJ z%8nGc&OGVH=A?j7bW0><&@D*G7!l|y=cI%Qf!8ed{*SEu!@DHau%e-1#g>%~O#7Fo zGoqh0#5%q3;AvR7h3+-5)>zdQp0w}sNTPn_mX-DOD;tc)D?L8_e!%-KRV~*61q@gf z{ji=t3kj!%B%YuUDAXo)T$X~#XWl2U<3099d#fGxm&e)GAR4&!oCSFy~^8@C|^hL7%H+MTn{CH5Hg*JS6h%XCgtbB=wcbN+(14Okj3c0Z2V zQb7a`!~Jkw5VjWSii^|T;`_P8x54a9D&8+~cFkSxP{@53Zal^ecfrCz!oiA|0J5PH zE;hfRgH#E}n#;qKqQheBa_@15LQd^cSCBm-Fzr$ZwitU4e7FLRE>h0mP|tZMbuwFW#Tsu6neB}c;Rj&`Z^@Hwj!0!Fs@08YPs=YlGZB=$q#9GK*w(mZ0 z!Lr3;(P3YA+nPje^`_m;yEj$WRhPot2@%z6G__>s#kn(7GNKY~IzpYcoFId}~49V5o9#9Df}$DZ+4# zVZ7yJM*_=q!jbUc2(}yh0ak5+uxse?Qo`4hztcYQn`-vCoj=@h7mH~>W7pe`efq@i zz{FJ#B?R`1Wy`ck;<`lQI-W{sH?6GfJ-zEP*NuDh{pNAudF(gM)az;3y{Hf|CTt9X zV_h1785|}3JhoEZ#;Xz3R? z!jz5bC`)n42nIqQTo9hLER5F2GaEYkEAz>QO$~|KxJ@x8{fmNiKA;(1yf6@TrQ(i& zFTSKVZVx(-k1svwsI2xh!pN)An_QVOEDY8=JQi=YH=T5Z-Toc^1Og=*gMp6sxDim$ zNbzKZ^vn-h$HDTw{ z8ZxycuF|fGb>386Yfnuza>MfQnvr0QH<8#ke9_+POi^Fe!j^!yvFcZ<*%8;}Cnt3| zKlzXJfjgS7DVwiBbLnibF2_8-FC(ZBu{t@3$=b>L44k3&ZM7J0-VT*v(0juewI>xX z{*|{=V0{10o1*r#7AIR`_M*-7pb3ArvTXkWeir*g2@SRnJ4N9w=`RSDWgQ)wqOs_a z67dLL4|WR>T)@%;EkzPF2aMQC>puXRAQhxMuF?haWtf*0x>s3`zo+M6y)OW-BSeRt zo3~hu_4U9fsxTWH8jR-OY7bPmHUymY-WN7|A3*d4CE#pma0Y%;-P&5MRU~lFvBkq0 z8ayuqoSQd01MFm}CaSK1AfbQrg35iy{A4}u@GXF>fa(qN`lz5_e|A9kMiCX3f=9j>I(NcnA$yTL@yDr* zOp@x959=HD@Cc+zqzA!05E&(b00e#nF2dU&c_KV%$Os73#g~Eo7wO+1f%Tg7b-$y&x!&=i*oWL*b)Fkz zH+t=MZ;NkX--5K?@2`(F#N&?obiJcKmT`oDff2H2Vi#ttp_DaqVety+_;mc7Yq8 z-i3?2>;|9TpI*?vz}JB9+mo<6o%V)Ut0UCDHsrw9wOSEMuXUp~kWT+%XKbhTvp-e7 zLV4l?@z2+M+TB^p$R|k#&Gu2mA-i86qrQqLsNYtytdu~f%%@|L;BWMhU30>ObBLJd z5)v^B!iQ(iI{kj9P>*Br!+d-3zGv^dk4_SSz?cIce*YM#0DQ1-frGB!=Xdh2P>JF) z&;{&(_F;B_t)tw?GVgfB{r982L>vD*_^yRIo!+kV|L>R@hSMF^Uo5C3`IJBaLSu~; zLU&V!@}mgkC5q{%2XrkZj*efnE7#GH+jY^8FW%Xn&$sWqSi4bl_(hLgDfz5Ynw>at zf?m~!Wc<0T!a~yJ=rQaGkm)a^)R}z{#V-2EMWynk1e>+kM03yag=X$nN3OW~YJGIc z9_2%*jHW_aFNn2+__i)x1HZZA(uxmY$JeR7d+T^ zdZFoJLh(Oi>2zN@9d-C%f9zw|G*(yo0ZeLl_}mtc=(qZVEem4-$*k~Zz>@ik|BU+^ zfqbgESbtQZrpX|x! zIM=adOMtT9JC7~9@5I5;?%v++(Syaggx2_%GiUz7Y}Na#dyx>1*VVj#Ct)+s;n9Bo z;+^lWshdq>r$VXyi+Xz(?bnO;X$7T>ws7lkun>w3#>W({Ymy1ToL^$Y4ve{NjW=sD_kA7RYhu&Qxv?4VH;<6TR- zVvbqPV#_YQ?$TxPC!*2l6D+c5BClP*uJxjE)>eW!Wt zuG9;O#B-ddcCKyyJ$w8KhskPB_SaQ+uZU=O3c{jgD=uGwzvYYAx_sWQJ;d9u*x%E$ z{|bcYg`@@h(pQBvJe>02^hiHXKD_IIDYX^*6X;^t;h+0|J+t>ZQ3!3{bN`r%M1khZ z|8JKT?zu01CjP_N{Qwp<3Tto#|2F#&hgI?Yu^-~reS%P|K6PsL)Ty7JI;F+moZ^4$ z)PF3-VzP-z4zk84Avc3I zPLG}Vb}8DTu|Suk_;Lb{516$;)qvZyKm~Q*L+I4N-}q$mPxaxVEPQU;^eV@@oomi! zv&G8L0~R4t4~u52D%#|#oK3Pq{r?sz$tp+cEe|M<-2G33=rTDP+H+3!^Vby5IyZ}Nt45)y?DKmtMAuF{WqwUCibdRh_qDW-?=hW&7N-f z!v?l<9b)BbU&R;G>!CUOgz#&`Iu3yIAse#|6^Ae)b<+cE3-a7@O>x+~p7xwHw|DF8 z8*Krg8B3}Gc%tZ&mZmXyjyXTEk{JUuhO`ra=O8v2p6CQb&vf^6a@rAo)d^t4!#nR; z*tuZG_`s$OK;=;v7oUf{QgbZ!V(Eh&@x@|vdU)WXd}p?4-Kvd?lq%!GO)J+mXHkCd z>C{NO&x$BXzWhF{vf;Ltwrg&@CYxysd)ceo3FUWTyP2nJlHI+lTbddgFWfs^MRwn> z`(r+W0^YuPMPE~$Wu2<7v(z>9t=Oy=*OYkLC^%bNoq{nPk0x6?a(hy>jg7UbJ-Lq7 zn(~@1TnnEkqSi@TiUokh$Y6I~|r{zY|sMi;lzR@FZS}}0)BDzqH1jg4*ZE?H-AFA(-Vo*M;H=O4>&~RSHL{rtl-tMun}}*yxMoX8TMGQ zk;$nxg6qI;aRKkVfhy(iw008 zNU%Cwp*!#7TbqinhHGoX{PD_K$@H+i)@pnvQ|y;|Hx^Q1HW_ z_JFpT|0hhyZ!52Jm+@X?K^v2<7&z9MVv-%)&VHrcsMDLz3J(c^iuaP62Mf{s0>42# zM-3F)I=2rhk{i;5Nuh_5##F&v!h!P8CuS5(s!0J(|B(9O9q8a%G}R~rVPuhIHhQ57 z_!eXrPFlVknS-|L6OxqZ5WAy7Y{xi($p9QwOI7OdTc`yr5}JdA{^cam*JmuQQoeG7 zafUw(2E7_$l93|dFE4%2KS}L9;F)lVz7-!-93Of^5XpC*|NrY8iiFQQtXmLH4^Cmel~5umV+%R{;m0$5Ls`nwY5$5dmZY@gUY%9VuUi8%>ZD za)=L=W<^9)M>TBiv)H_f0W}L=dv^-a9Js*{Qe;u-wN$DZv$YNwp=Qal$!1R)gbP7B zsvO88&7+zzxtOU`hI-5i( z4U3;%e;|bI*34vanV{IXU5Utk=>o;rVvt%CE*T~0LpPbVcb$jNYS$x3?^xZ`w3^*y z_u*TFDzjyYF>ErYAl}SEmSRPWgbOVWm%7OW-(s^MC=Esdy%4c>nalv#Qw(tD^x69o zcs4HMM*#qbsSjad<1j`sl1rm#@+^{JxaRET^h|(+lbVf!+5$%tZ>IpO?SRT*r)`J+ zo>{rw6fy}v&C61NyVXdxGJAd(HrVl`;?s)~x2YQDF9=RpDyJGir5yRm6C z!eKXFfWE-A(&y0Ug>MKwh``ng|L~QVL!?8}bxE`V>8uM`m4I;pTT|MLXp)>WT>~>x zGU_~UY^O_pV8D6T2~U;x1ciS);jQxMiMx;OA70emy=Zv<-}diY*xkKw-~M9<=8Wim zuzN>aKHmmwI(GZKVqUL}Dqq@ zi?~VW(kk)}2=uXRf$t)XGd{~=c`#}dGVP8D%suf{=zRw=-9cxMqU41BLF)rNF(s@yBWc&2qv}$a- zARJig92|76;miCV`D{EL546OKCn8OOD*o|+_S@B$o!n?ze6%-xL4$Uz|G?pu#)Stu z>iTOA-+8BAOkbb>CVWANVtuaCk(8m4ND*)8I;Yx8W=Z`Ddw%TySf?Q#h+z#EZj3c) zr?0v#m1n)pe4?qZ=zRZ`Y$9A+G(=$D|ABBV|DRg^k?2TAs(4RxUtcr(Me~V~+VGJ- zc%#L-x-eU;Jr;(_t%7V@UV8*OxGk`psslB%6!gqa;FV5RT!tt*@2$AG;$syLR(zr2 z(TXQ3eqQnWioY`jWM2ZIz;bLMTg=w6t*pSt*bKXZUBzx>_p{HiFS9dxA&oUQl?U3Hx9Ll2Af)%f5*4?6H~^Lv#qlM{EJC6gAdH5p+MTFLz+5DOwj)L* z?1o@UD0^UN*~8*FgD2mfZ_DEoDMEM!`Itv=Krb!uY%UKE*>-%9u9!g*7i79+!`1_VCiWuSMpd4?+>YKr z`MjqcI*l6CL;aZ$upgp(&?2HlktUZ(Frzv3KK zB+x!cUeNLQ8oCJ}E+1|p4_bk5&<_HLF#{Tt%G4wzH@Xz7U0lX?D}!cF>vRG74>jUj zTifF9EWH|{%rW5bw1B%rugG&mW;Qn`yvcgbUCSdxBZeT@EP!OS=Mg!tBFRNFy#ImJa$I1cBE_&X8dm>QM5MaWww( zcvhkz&RGZ0gJI=M>T4quG8lFAi(1L)j5-zty)?rh!vddZNcduT1S^M%G|XCR2;3|t zdjMq-b5K)q7(SrDaxr`<#udGKukPxL5k>x0UMK><4druj;7OHMEVKp}&;mt!g z?QkbDtWjb?$?ox{c-kqn0NdYz@JZcak*f_($z|Ep04qyYgMY>xh-%MNF~MQo1`S7@ z01IqXsJ~@d(T<@M;bLR;F5FH9`_QwK-CSw!mDyQc4M8Ohk-s#6$-l zDl!{aUG5g%i0A{7$c!CUV2awTF7*bm{Z3|z^Li%M%2g)8hCrI4Vzs4MW0YG>4m$+W z)eM2B8=-E)e^&5V{E8g)P^@UaKoF{9)T}s@s)ZU*w9FW<5)i}{w(`*M#F^c|{Q}|- z^SHqLCKLe;9Yz2+yb=>PNxxqowh7MVPIF6(Rdn|^8D((t9N!2kj@dbtVy#jWdRM43 z+a#U`?ZUza(HK$$IV1&SKzWJ|g)3DcpG5^u%}zK0+RUO=H8~~8FD9*m!C(jkOh5(o zaF6JU0iDAJFH;X})T*4eqzTGrmV*XdmbvU!AOjG^Fzy8fp^gjaPIM_^T`?90ysB)G z#46#pvdRSt%Zk3eQ7{`NQMG>_W^jrm!U04y0(6lzAmCXem;#5{E;%xvHB?!xJmdHl zfSH>j5uZnAOuZmXsz6%++DJACDG^~s75s}|^+m|D$?Mf~c_EKoHC-B#~{RY*6%4r87X{g_Rx=rRHj*qk zU{ooD}%9|y*TJeh24T@J4g(L*8a42D7;C9(>k$!?p`vk1!!<{(g z7v|-v*bBx+U{(ua%ZjVH*~W}EK=ioXJe36#BiSvYOS%>O4Mn8`$*y`ZS`^8QhY&4M zfXaXkkP>)97Jzzl)q=GbsN8qUa4+EkGA?Cj$#Yj5#6s2cCoJI_8i0S*1Z3V4@`ra3ZfNm>d@1 z2N}VC8MIeP(#kryQw8`?_=G3o!6|?v{i@>f`y&n;3k737BQ)Pw5}DwyQca0yGvX(P zVSg?0g$hF;-8umGhzh0>I;{gcgzD@upr6bPfcE6DFCvs7N^3u2VX)TqTssO=A1EuB z?2%-v_A}0^?FLEGz5_X~&Wk-NJPn%;vUAHpj$QH2ZQTSC{F8F2t;T?ehuFF)MbZWk zI;0bz%{RsQW#F2?bq()-b#xygsqY&-2CSX-Jn6xHJO{cnZuL3cRsNI*$dq2EyV{4R zPlQvhh{si{Muf#EKl-=PQbnc2>?a7U2Nle#i4WVoPJaw8hg|!*)fisYW3o5|i#4W( zDoAz(X2lQKBhzY)wE9R0*p`UaEYjWm-2wMhk zCJSHtQ2|T8(-%$UYAxX4#i1XK>~QgjYscjtE$*JKzSDKu`p62iGqZ%jQO2_TE4I_F zJF9u<7L(B$aCjMOusDG3bjzK6+70Yb-wEvyyJ1uQP~?#JO1~TKU^%z{N-s|H#E(HB z^=`gHw=s*N#c(mpfF#1)0`=II&mx^c8uA-JtGD`?u-X(h0bSxYQx%+9GpdSH?N%hK zOl*il7CLtxR#kY}nOLEmza$?MuH+Yh_XAFXu3m>E3xp?hqj;$pT^A}ohf%u&f@ixy z`>4_3!*;BFhCbOK4fK!FeQI(^Kl=oDeHvf&I!2E!T7CmN|CSmtA$HCf5KJ;>=OW?g z&T*t!y=?!EZEd+++qNCg@7$Kn<+9s$?$_?$b^6Pvckjkwm(WAF{Q&SUMK95j{Aa&{ z{5$^x`P zPm`q`NyKRQKzydBNoGgqbe&ve=$uGdP{(?jsLm2;tIPIuDwIfHkh*%BzJtywA9>-x zC*XXvMEFUUlw}a+0;KoD%d7$DQAMR5i+jWrQ9ISBYIpjv-T17HRv$hAK<2M9b*i{) z;!3>{#D~poUPg}UZz^n#yyL>!?)3U}di_OoNRL)#Ix>~|fj##B+gHB1y{~`R|1LKN zZTfU&xjB`Y(m4E{@Lge}uAlAJ(S^xFmLRyu^Zx&gGQmm)Ct#n5_lA-jZwP7+AMq9J z;Z;le3YFn-Wub4$hZpx3D)Ce3U%YzL%H?$p4Ry;`eq!aadi*R~$tDv1+mm-F0f%yP z&CUKy@$zUq9<718J9ZRhP<&oZl&s`;Q@L{$=!x0S`%xM|Ps$z1+x<&3?9%9kJ2pgX zqT9B`Fjyfsc^dMy9l9rFdCU>NrjOCmKn1%_d=;@)B@W9I1Fubs8^)aer!#&S;BI|I zOyvkQ2@E!M7RD*X)9~@rM%aXMgQzM9E8;;=045>0t{A|;ONAD67+rBIv~hfPnlZ&^ zjk!!6T>wh)3N8++*~n!l2i_jyfgz$3cGLPuYkXna88!k;ts4=7J_o*JU321{@a}ik@T5}7yh1q{Y zWE z%aq}}t~W{+1rX%;Qq^K}``rP5!0&Nd{9y>iJr0DLHP)Edsy1t#18q=Lv(N1?iOd`H zyPOWY1GwZWWY?msAlR?V?XT)Jm@A`pBRFU~3^&#Zf>{!+4mD(V)j4Ye4jT}BWrInz z3OR?z7mO{FEs=!NB(bo==?ZK$+N=OR7Y*nipU>wH)p_AiV`4HS)9zrbD(d&SoF*`= z*3D*zy%7Ybh^hi!rz$ajIOuV?9B#YW0?;Z^F`CQ!&!fVV!cs^vQ$UI9q@5GEE0Bgj z%1R1M8qOs}Ch6~Jvx6X7no9sWy>x}m?!No-6^!*9x@oH~+r6gcz&=xZ$|F14`Z!y5 z^lp}{Zm+3nuhw2eOmF;YN%}|%OW3kY@7lfXwj*m17KelMjB%seT<`3>dE4&0kFC(U zVS?8VQ#_z=pg;(rTv1JFy?PAoCc4b8%ah-lE+ZQ&(lsVw^2;kO1AVk;5eTJM<`SSQ zey6!h|HYg5e+m7syRGMYC9Yi)zcn7G{Tedt*IoeL#b$lK?uK;!LiE@>-mzUE|1e0Y zKj8|BU5Yw4IoF4t*trziI#Sw{NB&AiQM8#KJ#_Kzd`Cxq_r*Wkvx^eD_7w1vydx(@ zJOsARgU3E{EXWPog(3JvCPQpx=~LKDwpHh<(PQb%-b=-Q_PPpL4qVHERjU@lw%jT& z-?nwRY(48lO+omTmOjdMR$t@Kf#Q;3QJsPwJzc^UB#SpvlY$U>oofst`O+3ohWNBq zC*VI2VURC@Y>bd$q42fYD}^g&?-CZxJ_*LOItxE}m{Qj0ARY+x<1IetV=nKXw7>h9 zqWJFjz3)EneVh34;>UTn_UBS&l*rx?^YU^T?Mg4mhgX@=tNlIUeZcz>lqjufXLPI* zid9UJKH)Y9G92%L)C**8gV%B1;D|(aw0-Fw8C(x;?Q!5FqpMvYMTd#k!k)Vyy8HN& zWI_%?P8^8>t6;~oJAhR{iIK5gYQSPp+b-$ej!a9mDX6);_LuAc)qKRqzuLQa@rk>3 z^j*;olZ$|wKG1=9g>Cpj72CIE+w!vP4H%-aB`5Cs!d*F^U3Oi<)_#65p>)k(Uo&W^uCcmmfEX z#jgNdl1km6~AIE(jBb8&r?%xsy!LUUs)B13Ggk8~plnRf7y+PdFJ38bX*FD6;6V?AN(!2*riBRb#`?e8xM6+)FBS4_9V2mb=gjcl%lW&!2_C>XLhc1F-C~!q!`d!~G*L8F)x~W- zV~zHU+Psk4kmqguS5;PXDl)o(l%qDE3UzO|p)z5&+Tb?q@yDy`&5G1uk9xx)i_6m1 zeW3Vfmc1~?GaG^UpzGoOU3d^aR6eXjfO2!4pTuZASr9mz2r!|8MY+_Zw;8Xl&R|4m<4ZLprJDecBh2-qa#eJUfPIatKO02Sy6 z*g^7uwJupB(W+Wf06-(;(XCm@ze#A+p4Xmdjer09KmKv8z4^e7TDN-xD1tyDuBwYw z+loGXeIQ-qw-_Cnn;(3T?<)S}`s>+Wi{ChY+-7t5o3n_%?W^=yZCh=&Mz7Cu>N;nu zqhl#7uT*_5|CRp|I6T-9DPB#AvC2+%y>_^ht>@1z(5AGh1?<8%u{11N5<7fQsjUFlaahKUq8~W)UGeQuU_xvoB`M zo|HV^fcC0v_^!zdxq2-(Jt)J)!}L3wJS;iAPH9-S{mx{^wFgbOt2n%-?;5o4fhYwb zCz)`pGsqw(Z|UNyD)L2wyh$AyF$-0h;LCTpT3cgc>}h{E?0*`G)>hYDF9$O=$7jU} ziJ4udKf*miCKu`ix15E+h4HMObh+?lwm+I&5Xer5h{dErlnIg_Ts0)yRaZmit{SeD zOUnZK_9?`+T%^-1eRyAQwO+lYguw;+4dk8&*fJPv=ua|q!xi=#V3Ua|LD=|_QVhnC zOAin1&Ubd^cMrS_lQobh7Y)>2VfWgPD=;VdBtk`hQn7ml3VA)Ehnip1RVWpnz4vv6 zUZ!f;@%?OxYPYM}qX$q-`Iyo8G1OCD=N9s(FhgLQM6L2+=K$S=F{n#ofbEM03O4P} z+MgAVU13Nmb`L%wb;Y^%XMEZ{{4qUY^UB(vD5FhgcI{6x!UQ6tU54vaSqAn#$T{4Y zi*Ma)E^xZwe6e_tT@bisa+0LQ6Zjpx;s7CW6D0T9xx_{UYcPE5V+KTP!0~)qC}-P2 z`FE7^7k~JsY^5T!RN$SS0S~)W=huPp_kSRnyEVqV zE>Ga+@(mkzjm`;+o|{X2<>%`^$lBKT09J9s#)mhpzapMMay^woQdmYJrvI3eHR*}s z@t3Ix1f~^`lf77ab4Zi9zCJ8*B<#FWnqvhFm(v2SSC`Ww(#_?x1nc6Ca+>_u7MIf| z?9OY-X+qbz6ukp2Bfh7m;(g^b!#n(3InCh#_f$D8;QD`*(<0KpE~h1U$o;FFHdMHo zqntKXY+=cATCJ#I#}-c(2Br%`(Y;5bqk|LU!xQ7vV*^KLMw{sD!ot3pv4P3+7tW`) z6eg!eC&r_h=9cppmlwthlXKNgU9zurdU`lIJUMYNx(xLe#>OV1hbAZX7Y3)BN2aF_ zb*0nveRREfaN;03WD@RD0|3b=R18%_!MY#CaTG2=69^kRtRJTVZ#sbMGq~P#?%stc zu@Bei-sD^6c&k!dP-+sO9HV;8QJBFuW1_rO&gIBCuIGMZ>!twqz7J+j)A$`mYll(e z1VUm&5qO$fP0uoh-w9kfq~F_*D}%V+Trr}TIs`+aG=ArvZ!Ukc{@e%4^BAK+_nE@y z8-Kn|s#J(WpiTkVq(B>Of*r951LWk{UL>u~;pTTVcikV6XF3IRG%3z`d ztD0)qN!DN+tYvkq9yT_OtV!RKTHrI;%Cf8tRyXa~{yJDE%tsf%0%s9+tsd6P`dB|( z%$BgFY#Ce5R=?ToRzJsq z~?ksyAx48J_d~SyV%|A9(FIg4^~8f_IdUY`vUtS z`x1K?7DkV-udqkiSJ`9i-`Uq-Z}d2Of<4K;&Yr4}rY2^_hlITo(_&$0UqKuz3=A8F zC&q>flWOUsY2r{}T-rA}T__lE9GTgx42@0=>>Vo%i3cYp#-+mKoEV!@rv@hrh4H50nXxfzIX#I7otP{bX~k(885kQj z>8Ys+)FD#RIEba?(8$DiLB6CgIXE#?P|?!S@unk%(Y+H&DSh~`dG6xi$iTERgZ7ON z94sh@2BxNtOiT_L(MkBKk*2ILFmsuCY6NXN&@@T?sZJfj@;THrRv4Z(PK{3-86F!z zC(*kQ$0w!>hN;5%=)~l?8ZvUZE)f~`Nz)^Rg9QUJqB~?Pw`h4mK2q2_h2dcx##?Qg znwdmbOcjQNslv1}T{w7X49_JD96Ds0J88;@BY0tkVRZT!UJwq_G_}fbXmS8Wg~@|^ zF|;NNhCw{loi@xI z8k-mxQcE9ALz4shMCx_}#&4l%uMvB}A-uHlY2z>knO<0?0;A*mjOEX!jD+!n$prQ4)S&|2$fS|>nW?6s!kDR)8ks&gm!xrFE?u3Po}3up zXP6lu!z-2#jSk`|F^h3xKHou2d(8uwP2)|2Xdxzc=|mq7rc#=QgIua{ru;c7P7myz zGL+_mG>K=KkfufkP5Y`+jDadFJc1SG^WzCmM=<2P-s#d!cjsQeTAYv(pL^FN&}b` zGX?9pDTLQBUJ!>TCJ&1AnoQG^qXXmn@V+L`Cxw-Xv_Zp0QEWUkN^Mx literal 0 HcmV?d00001 diff --git a/demoHtml/flex/layui/font/iconfont.svg b/demoHtml/flex/layui/font/iconfont.svg new file mode 100644 index 0000000..67e85a7 --- /dev/null +++ b/demoHtml/flex/layui/font/iconfont.svg @@ -0,0 +1,409 @@ + + + + Created by iconfont + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/demoHtml/flex/layui/font/iconfont.ttf b/demoHtml/flex/layui/font/iconfont.ttf new file mode 100644 index 0000000000000000000000000000000000000000..8f49efb999c4f2437134766e3c58f02459518545 GIT binary patch literal 54588 zcmd?ScbptYoi|+7H6130o;*8wXJ+H8Z%aUx_l4VO^TQ<%%#sM(c z*oX|aF*sttfE?gBusH+110P@nXGT8!fK9sN?zFAvTiv?~#@yZe-243TeqPP~s;jH3 zsw@6-wFo7ISjkbsNc+U()NtaK%n?Fp7gComo@^`Zs9S^_^j6$&+PZJ^{!6RVzahkQ ziV)kWoqG@OSkvMa2vM&knn{E-mhs{I!o zIC$ghH=%tm9wbEm7D3C{(bGrCI`MO-r%z9dMV@lrzvuN7r2e7qhR%)7zCRJGNzd?4 zuRMQB@6UBo@&95kkk4-ny9C=lK~=(jxShF9D6q( zypV*6QN8i}+&JC4d*^1Hlfn zr%%80_?*^E;F)bSVdaC+KwUfMg=_djU=d3B?n93Q9uL49v4 zD}L_(y}Ee2@DF5T7sq??2f;=YO>%DCj(eYMZjzEFF# z_H6B2wZE;sQ2S}^H?>nIg_Gh*|H;zHIVV?~Ty=8)$s12TeDbR&|Ka3`*Ok{-{__LB z{`#+#_rFsETJwMYkD?!=^h*7Alpdwmob$VuUQ2KM z&wqIFbL1KFEcpgGPQFII4*dRQ@>TK`@)Y?Jd6ImVJVqWTPmo7RfjmOKK)y&mPaY;s z zK{82vBtV*p3i|3MPU0dqvXuUvBNlL^_lH?G%4C`=|Y$R=D z6Io2Q5I@;YI>|obB@0OiBp^o`$VFrjt571KoRrg!|G)pU@c}S*&J4qIe0LduRZ3hK zAr4rt*tZ5?<&qkbIA9Hv8umH|avWE|0IX|L18(4e6;5iv4;(lzQ$zh6u}oO!~pDQQmZondz;jv24I(yTFe0KcT$TRfSpfj2?KxwNG)jq zIfiS>0N@2uOB()eMdq|DH0{|>UYIy^Ik4UY}0AMCkYc~Kmiqtv`0Jb7EJ|6(!EmGrs z004uL8rCNV;4)Gx833$CYGng}-$<=u05Bb?br}GhM{3;$0Q-?zj{(4gq}FQyFe0ge zli~o}NNW8C085hEfC0dlq&8>(Fej;14FC=$wIKt5O-XIo0N_}f-T+V;Qrlnv=nbiDGys%` z)HWFa8boTmUI3^OsckU;bcxh>T>wxhQsZ?2K&wb?y8&D}sqHWT^o!JZy8)nNq{iC~ z08Jw`-c|sp8>#WO0zl_TZI1z&0)QTp+C>I{GLqVU13)85 zjjuBRs3ocKbp{|+T=`f7KtV~3&kX>yl+^g#06kR0Neqo z-E08(1X8=j0M3KfZZ!bB1F5~&0B{kccAEjor10pL$a?QR3WsgT--3;@qUY9BTL+zYAQV*vOV zQoGjxa5SX$5d*;6klK9)a2~q$83VZNTl<0m;Cx8!5d**jk=mmMfEyyUXAR(dckP=7 zfI}j+Zy5kyiPZkq0B}vD_JRT6pGfVe27r?ywci*3o{H2?8368zoJ5;AaDM-!U;sES za#Az^ycap?H2_=~If=36KsMp(HvpU&If-|30FOpaVqb9pw?gqeln*K|nQi8Ou(VsQx00jf&$N#NBOW^t7L!nE;UExngmPhWXlj@e$ z-5)hY_eWoiT^Tzb55{j#j3#bQT2jl?r2e5yA@gvyCwqBT%dN}3)G*%ga-*m5wkDzJ z{^q{s*IS!fzn#A%|8kquwyJ$c`v*H*9Sb^c?)Xl@Qh2yHT-;y$PG_R?)15DLo+@2Z zdbRveg;Z8mUhC@VI@tBCZcF!XdoJjCx%Xi2iM|DWU+Mc}zpek{{jU#<4%|8L)ZqTX zf2p=q4^_WDv}5Rn;VmPvkwYWD9{tK#YV6_hrt#|dsfkZcoSL(2&h2yVpY!m%CG(!1 zpPIjIsekF6OMksAv21+VvB{g4ljV0#T|f296|oifuQ;`G%gU!$c~@Pq>Y7!x)$>+= zeD#y7zq97@HLtGquHCZsDa-?A>GUtzBP@pX6UP28^R*zRa+!20TXJ`ndugUzh*6*0 z>!8#vx@pm!rm0+>Rt9KiHkU0|%Edw;M!k|O<@EG&=S-?U;P-iD2Nf=pW$mG3Hn-b$ zj4qd5c15vkkJ6mhy<>;)pv7zxl}t8MuZT9Y#ba%3ZfUlxlV!U_3XBO6H3Pi>W1K$8US%7AThrk6Mu6Ye@jXKeXt5;wlDN9PQaWjjK`~j% z(|+1nrb%})SMW#C+h&@|@}wd!gS`Bnk5_S~?3sJ9;P* zOZ>`LM=o2*R${DD7(|_ZS&}L3xqA5GjVr6Y$#{BbdA{15a@)<6#@h0WmTcI&Au*iJ zQc9yN)l^+JcVch%_@$%8t&MWqicmy2K$C6FySmHy`d(j?L}TjE)aJtKrA)S1C>2>a zT~BlM)t>p|GXq>OO_N|EzQ?_bb0&Ib{dZh zt_}UwJ31R1+GM|@GdZ@T+|{HjJd%KogQQ&6LG=+1_=^R-P?>#Aw)%gx=JwSW z42(o9E_+=*6t}DPiH-$J)-^7Qo9%Y<{AZ_{GcL1}D#6~$rscP+{C>k-d#1Jz^|@S% z$81tO-u_Xyx@~ITqBSi7%P1z<7b=*#4dFDHNBlt zPgK0nB%T`9^hA24Nt#}bw8av;=R&5O`i&@2T$zgN>lW*!{sh}M({#U^e$W=AaU@9M zrGB^eQ{Hmz+u9yQ5$OkIkXKOL(;vm&+XVVNN5{li87{sa5`6o)_!?8uTHqjmFMS&> z!jJ8`c#1%-*}rdaczAH%erlSHU97!nb~wzRwm6!izu*B~U~xDs+T-cr zLd0RA8{)mKA;+fk3u&i#alz*>_o1-G7Hx7^e!+uYiz8APPHT@_9HG{p#7$-g=ekaR zoc)m0@>7@@PBUic17H7WB(?zGDjcUE%w>5`ec6=Ew}#B|3U(A9 z0=~D54THs&!hHu%NONQ#NdN{)((A^@6XvxL7a#pdI{4)F5pcI@4<@zx|$6zfgNkl!w=p^mOK z3%k9c=2p>eR-M%CcBy8&*xDTOb}wAh)gD&mV6%&v3YayKITgj6bUAY_E2C_^RZ&>- z){R^C8oiw^ilV{<>J=mrdqET;f-DP6mRX1@5;XxFOkzxu1c8avgj^h*6(89j)mUgXt6mD4~MkuTac4m7d)BWmRXXxQQ{n2LPk+C=IyQID`Zc9;nGK(p@AtgqsmIHuHS70Gyr(k# zqeAg|p|L$2(No56MEm&udX0UAxzRq3vB273#mExaot%MpvHm#UqNnBfB0ZCwr^1)# zuWZjRUb=DZeQn}37wsJ!TI}pDZ`icIQVt$mx_ra_&Fd>&4cS|S&$ivSX5+HO`Sw-w zhpKxox>~rPRN232L%G|z>XuvsFLLqv0Pa~Ie!FyrB>-0e%61^o%r!H?F z!~ka~+CX5zUJPQ%cb0+BDrN8)vOo^++}_jQ-?M$^?`I>2FIcmxvsCI_wdUp7$jBkZ z6;KWxQi3k!G9!MO5^yVh=M~gzU_=UN|BbcXo}O?XvIzCG26!3rg60ote49<_pvB+HI_n z-TyKhdDlf7*O$Ax%Ii12IvWwpdhS1%nR20C!#eFwte3N8^umqjmC*}hoj^j<+dl#< zR)T&5l4XVy^v-Nbs-$)H7wBeyg4v-U>pnjwp)?>A3w|IrzIgBhrzARryZ~OPQjRe& zJ7@cJwx9H6f83A1EVH|*IUCK`Wx-~1WPQ0Vs)kkCG^aT^5b*k_;BdEwZ4SX>qu$DG z_uPJAZ{LM;mOpmijzIU2_U4h@JNT~IvHOp+k&n9k{)FGZkb3Q@USBrgs884&u1bU5 zj>BO{P$O^nl9x9hamefVga9|^9VW6=gffM5BSmoIlmJFy*qXv*}oB6s;jbo;e+!Io&KRK8y#s9hdFAzrw1bN>eJLS3kQuir z-&Sl0WZOhTmr!azm-K#O5x*>a6!Y(cKBmZN)(it*Nr6_xXaN!sC=F&D8_og#pKn`C zH6|H5HBsS$kRXJ!*-|DGN%y8wz2iOUbWdi}H+MyX>Ovd2l?XfotvG}V zI9DMj`v(M(w+Yy_lFbd3C>w@#nr&24Dttd8X8F2|#q?_gu`F70E#O z4SrAOOTi?`^fkpPG3jA5(BH%6PuR>419_PrmQ1qqvzo`Bb$r8Rf7YJ!)8FPQm1(=c zzG3sw-#UFhr{=*fv{_tk6m|zu7)66_6m`2S&v;xlZ-?h~x2KZRmgOq6kC{!sa`>I} zVW;20rwq8|ID3W-VGq@Fo5DNd1(^%q=LnYpE=2Mrh;1@UA^$iVxkqH}Tt-BY@YdBe z)YY*nCyi$^=#kfX7VRw_ewOEHsMGP>3HC7-hn{Ezx@t&!*w37SGWaKhE<0xM97k(9 z6`G}qXb_i}9UPkjDXJXF%Zv+qvuK`UL%qh?hmt^-FPwiMo=nCM%wM>C%gW_F3iCyj z!W~ONG27bP+ZHd|xOM5`);3_j!QP&`8_cpzmLHNs0a^OI$?3K#-?NxpVe5-llVZ_U zTFkh9R|)$}%6BYrR61|r=k)rUo90==E@r7t@G8H)Y)QVorD@)R^>$UYPu^KBb<=_< zg{?GimF*#$_Cv*NlkZW&ex@L_+TSJ15exNNOwO=X`(Jj<8|NLKXHTkWN;hR!_EBf|XIhj@-xaxLcRe`Vib zW^PxakW%u-VwvHEu|0H30$Ma9j0>-fAB@Kj-cl~s)eU#98(G$zkQ`E?dD+Oi&f&Vc zVwovJrP5G+vZvC&dH3?Efv%X!m>TOEm|DJjbAP2LSP4yUz6aJdVyJ{ zpl`egwh(BPGw)2ib&P0WN7ax`3@yodHyO^f7+clvrRUyc^qs78Gvxw3_aVDu8=rID>-6_lXI_Z63QwKQdFsuxaqHQa2rXyhb9g(< z9^SC&XU@joIIrciYvHRb1H4hjT1dOIx^{*0&5&?7u8kXUOSh)#)2TR`Y_+ zU^w7xm871cw<+rFpdYp;)MU0UU!P!hCYhY7C91R}dfFQ5ec6~Z5`sB_^HI;Tud@MA zs3h#9u%b{%r{0)Q7!W%1f(pXPIV7PF6TDIe3IjuZ5U89#$*Vtc<;cjDpLo=`e6{Pg zkKA@qZ|_CMMSI#6fQ)w9V}Hq}s0)jtcJ% z4XD6#bw3YI?U)MqsnEV~?V>jJ*#PyXxAa!GOgF|Hx!~IVv7NNXAHHzYyq>=LfHe}M zjSaW0?rUs`p|VY@R!v@0*K9K7TkF$TEp6`XY;MT!Yn|WHGQX8h1eSM|mImrfr~VW> zv}oj_OdJYPj%QwC&#@kE;}gNla3;MX56}QEpra`=w>;qi%kxe7EJGZwH&q7FX)t{ZpnXHPh^I%V8!2{-sc!6uIy zi<$%~TfO$!)L>@ylKEx3-<0yV6zs~}vFqM1(B`H4Zk^wD_q&H5{KN;_-YW~{#%>ze z6@yySBs6-MEhuhG`LlHnCffZLDnucbn;~7dHA->6D^m>TcdS&^#`>v;yK>*Xzk2nB zD`B4F`24tzN!-H&!@mC7$Q0Vg4IvdvzyZaQt`p`OCLp{h2xK;w#>&P3 zK-X9CBgC38^cq{q1iY@8J{@(4oZ0WvOk-I z-M`}o4^`TX=Dxx3-O2rkcUs`Qczj{}0A`*(w4U4`EMS~z&;&Ho+_U(Aru0h(- zyp}fAUpUAP^BS~teqn3t!nHgw_?BncW;PC6P%Gz%TLs++kjX-?X6P?Pp9nQ(5$atx z_=G|wGk{@YVyT=93FTZ#WDB+L(V}88E82Tq(VtpEZoxuL+O&naomS;%PT3{X1B#hi z)@Z+j+86Bo&+d7|(>n2ZR%QGXkF0KvY<6L8W2*s;YNC^_Wg!7o7wv{ zr{f6MVQ53Wh34eb^$o?2FYNhHgD_|A#j!+d%OdUH3d`G*tqayHXi3I|mae8bd9iL~ zA)fHpYhR{Z^KoQ__D`93Hyx`S9ldDthAUiDR{6TcWE>YxffKHBTC8Jtu5#z=lP}X5 zt%id#^l*k%fWX2L7k<2>`Vc^7<#a(Hjd#yk+Fq{iyK1O8mununYG1Y7zI4vr|Isno zk&0E?dQ0mY)|YzQDzOw&hQ{iBir?W&rVFM`b0?>^t{B=^ty7~>wXV8vXvNm4$+??^ z;~kTQfr)`?SFxq5tEJdg#Z6(d13N)>*aHq2AAx4D|Bk}KaW!m$^{^?naGO8nvJ|!) zb_?$bM%3H&0vL6i@vlEz=};} z=k+&W=So6j`AE5uM}*gT-j0-Tx7}ku^S7I(f`1C7QlUQu(^l<0;mpj7)L~?C4bg#NWq@NQCfpl-|>e_e-4_4-e7Y*n1fc{Jksnojgz_kY!S}Ef8 zsiX73z0E(m+(t>)#_nT!G5tdK=Xj~yG2_y1SKYSiuHN2VRhwJ2i}T*KQ2sb)+&(TZ zc-Op{`TQmOGVGib>#h#{sMlr4id+fE?7y;izN3=O3Ed#1v448}sVC$oF8WVwoTnX@ z>Yz31wNytfzNlqn)PnfPpv6nGPdxIt{J8dw|J=0s3rn?X@kXtKM!^xpEu*|b^b4dL z6SPNo11oe0w%axE``N?&t!Ua%Ph~j?ll6U`%Oc9TMZWpD0U_W99|rMwKq$Gf*|37M zG8gBPrDB0A;bY)=BspCM7T5X8G-nHRxzv}=(~|1OHcVy3G_GEW)giNkdEMb$rLQ|7 zE3uZ|u0*@lYH~oOoD9~*gRZ)yn?CAF);XOvUyDmtPLpZR6CI6Ck4drF{Wk=)uL&M! zV|y-iL&71k9;fAB|J`h_yz-PKKwtjG&;7zGizV2aHakpWD%ol=r@|={Q+=M6pvB@1 zq>G^@i}ou|D&lZNQXX0-*@MYqs%23T=wt2vIwpv6(CKkS+e{|PB7s;iWOaN2yx?(m3`?J3jIG>Tg}O6t>P8P{uTN+X(kbmhR@HjxHvx0C zueMP?J*YiNBidKB%LeH@`X%iE1s|#N8dpM&yBbtzIqJ#+5f}AY(dS3f?{Veub52XE;f7Lyb+zoWC(>ar-@%VA2x{4qcLL zPDI<9qOGl7ugxEJhAKfvyUp)UMnhp&T{K{Y9ai;%!Jt=19Zpkjs^WBuO-&7TbkpL& zgs(g77MMkHS-9rFViy%U)-!L%>P@Rg1|rP@m6*k9l4X-_9B@`5+7mQCV-o=aY^1BvKj9(BHgCUEUdiT=Fb!U_=N7hX)eK+q1=ogm9 zGs1V^2UUc$u!Q^8p^-p+T-6lgJ`!9z$Yn6ty>l>Tak)%?f|=8q$^YtECr!_)orNDZ z?>)4)nF;lR%#zF3El&wD;`G4C)tyvB^ae=s)9!ZX-8QP9sE_!K@@SmM4J+h4k9 zcn{zngCw5mCu=UYKYGb!*X-Z9?VhIQzn|*q-n8w&x+M!++fI|I!gv9H)oU(0@JL5t zs-@|ktvfG1xOH<^?}~hW;bJ9SC`=Rzd|LFmxnFn??~ijoWtudW8PJ`s|6^}6M$2MG zUwR@ptIqJP!_!BzrBYVlA@w__k8;(YaMbBvuDz+fW%1iY3ysMNw~WPM>hlW^mNVMw zY#FxY&t%Hen#%{%-)DHC@PN%L|vi!-j(Y1SFB&$?l4g2wIOpG3Qr>u-* z!_!B39RkAXO}qx7%EN@G&VxU#YFvftU(2ZTf?v^XSqtIqu?Zfxhq(@nmUH?7)~Cnk z^n~Zl*M#B@ui$sIXEW8I4-XG!avcsIr9MYB*3}#w)b>LY5^%d;Ysq#op*!0m zTu-}m&CR)Ps{PJq^C>o~TXxzd!6IufnM99I4o);!-EM1n6MfwzuH|p#uU{*gY>NwO zX{mYsE@w1uX&Y#>#H02(ogT;UonF%d{^DF_aCm`tB1pg5!J*+iPZMjr&VB`*PjBDXuaVLUy+T}?EZ9*a2Rm#xoGo`j{ zMG(5CKh0%}>s=8oPk-QdX-8n(bm88A8x4BeN+_Etb-BFoTyP2>b47r-xnoeyY_XWv zH}S9uE<*Iv(|_iSilE>|Sa&#E5NyGO=P{ug@EeSsZ)0D-hZbQ~v2+Lr2y;vk#o` z^$I}m5XUZnH)H_7d1A(|x=;@H(3$H|dQ>}Fr8u^XQ+`LQxR7ZG*T<_!GcFGr$yJSK zJx+;+0=&>H;Qa=Vbrs~cC~Od`akAnNMzJCr#H3UyXXSKG7cglN_95^}6;UqnR1hSL zYNZ(9%NL`VgM||u7{xMgrqEagz>je@O$NKhmwCmHd>pBAY@L?jHiXn(%2T1qDtER~ z;hGnzMYhXuF0{zz2NesoDi^;fJG`Dyf$QgQT96I7xpVw z+&>|kr&nAo+fe2Sl+jD-&tDYC3kMX7B0q@|NVl2I^t-&^GcO!OrGJ^OO@AKzhgClK z0&m85sTnpbE1IX6g-6cbJb7*&L$>)odzj^Q-9~_)2B7Yuj|OPbXQn=&QD2d&z@_dY z<#;tMOcbamt^M|mQ@^F2f_D53?Y9M**Nzp0KWjgrn+o)AX!Q*}M?tev&l|K_(0M!K{-}NUz3;6>3r?+*l)CtedQ~3;{^TwchuYe0fn(9p8@Yw)oo&!+6>c~ZYHL5GRdHz9^{iY zKywU)67EQFYpd;LF4e{MYBjS{66IG$1=*=8zk5qjow6|ciY(IKC^kR!ab%&r;kUUx z(zDvn%pMCB@4HX5ddxKatOP58(U)g*y|I~}bl`mv1H3OzTFDK9zej(*p}la+E!qn| z2kNK3(utQE9{c_7UB7!ILx0@{&*xX#Uelib@Q3N>1(&|@Wa7k$)Dv%@UaoVxie1i* zqSh$za|7%UL#Q7}nLA+XNMV4&sWMMRj&iZ@xKA>tGf9Z;ne-W_1QcMphKeH_ubsz%6k%VExB*PKqW<$9}~3at&JgEwsIt#%DI z=E2ucMqRdbt5?j$Gq?65OPy8uxGc(G-sS75&6WyK`_YvX3s!7gO=GEos3bz&Ugjw! zLw324y7SHhTUU(^q>}7;WjIo=Fqc((ZSnH?qXP@;Vx_*tYj*G2&|Xh%Dsx2Ydu6KK ztDS^DlJubB_c=|Ha@({`2&Jq#o;_+J7%xNL*aAJlKAd0s2<9KmA7>~bLe4}W^T!16 zf{wI9QpxnZ^b6-0syty?VhKcqL-TT^bn>3u=RCq+n z9THqBp!X3_7btk3y&GeVNC$tYKkL9ldaph1lEVp?9G9#R{%sOV_N*%^gWE1yUr+|N zwOBj)yONU4v#c?iF-Lc8Tz6Zpp&@tMx{WWLjUJmnJl5D;E;O&7uiBYnGK*4WD&=94 zIqk1&Xc}Aad1i9^ZDyCrVhQAv7P#lC3cH?peHLbQbd02|9?@oP-#Fr>3CR+U*sYOB zP!KH^lgVm1BIU>Cch_0l#^&`zo(k7nJ-I@tzTPTlio!*2Z;8>UQ@;uX8d|zqw-=hr zR@K%VwlY8MXf;dB>WkF3wzfqR^df7(gSBQ+U4rPWZwr{slH1&Dwa8vea;)T61e@Q( zEV22UXV$+ypCS0YUV~ZuYx9#mmkmyl$vd?fJ=F{nT3&=X4? zd@sRa2LX>6;sqoHUYl%G8R*b`2y-0*dFQFv^-oNY%{Ds-kCl7m3nt0x@CFn9uo{5{ zDWZn`iJ;eE1uG7|1_mXI;&CaagxkibIpK6lc3Eb{`krV$+EZU-VA(~1K__H}e=xjA zZSDj+`p$zs{T^9zxqM(dWV6-b5@pE@A6S$TWvkO^l|@EH_?*HGR&+V6X4zy4C0y1{ z6N@{Y9eKaKHE3g7x*DCb>}>4XqL=c7%r=MD7l}BXac1h|_?q*)M@=H|Y7o-u1vsgB zB~IYp{-4YV^LD_ABb{m!xy9wO zI6TyI6_3Eat!;4zgHey?lg>Z@m%ln6f1<0KV4yU^sJf)V-o7@!Hkh#p0z8y`MQf}Z z206hbI-9IlS{o~EBMq`dMO!%2xu~@>UgyBl5v`Gi&fZB7T9?;pgkLt~Ya`U@!b|LG z)(zU-&d-5z8-i}3;@Hav$r%h-(NOqt*IQkVX0Rg|76!-ww6ojT0Gxdbba3;_Oeuj) zTs|I)7Djg0#V8FV0+eRbS1eF$^2B8mcm&&3$Fi-H?d_9v0gXjFt;v9`p>-xF>z+6= zXQ;a?6Wud5vB>TByV;_#;VD_56Nhg5G>kC2pYfee1K)!k!idTpa5j+R%>mu}CD=m!(^p5b*@$oz z!s$E0PG?wX~={xy~Ez72~PwMt&Q#cj$Q zojbUH5!}7#%I3Jg-n@)!P?wqO{qbgPPc}k77s=9GL|ci=Kcn)8unQw}dDy8vq&k*b zkgbKbqMT)^Lp|Lb^VORtxi{*hx!xCRega2}r0%VAyh)2PA)0jdFIu|l@?G1wJM^|)mv3LY@`})*z`B9z z_?m_DT3TCM<}F+^)Yp@LiryxCxi^{Y>)p2Vcid^ZrRnaC)va}Ptu6BxKDKavb89fz z@+ErP3~%#g;1e&TI)2WCYj$;wFAU$5`+cUsrDW0~W>&|(};1O+%&C!;7Fu4s*WTdXOdtkv_dfR)hFyw-NVn1Rn;LwxM4gh&V*oXY1A1To-Mp(T1Ro9}n zcVIc=e9w6~)PTE_U2Au{?Wf*t1E#rMOW^Gi=OZn zLS6)c_Tt^NRky{w30{)vI>)wIZ7#Q98OjO1sm^bOcuqTc`&rJ-zHsVsuC`(epzk{M zS^BK*05pIkw(^`O;x8C;Tf6va#V)H`8*tf-xXtwo9>okHpo!bGU(Kw^`>`g6z~2^2 zaQQ320Y8UpB`4=9#p%9A9>`_d)*rm4G%Oua!Jeh;8^~^eT{vgJ&6m}yY9K~zI$975DoS>egqGz?;360 z|M-rNxHoiEI>P;pJ9eNNL^rzc+wtNht>as_pz0Ub-0RvnQ0Wi%H?3LI)E^qG3~X@U zyY`8TTgJGYeflo;Cc7BYeG9xh%J6^UwhX?M|AMd7JtF?%jKUcOz6#ZP$Bg!?19A%c zo6JqC*Zu9f)i-8yx$KR4^rlQs^IX2u*pxfp+_|l{kMFz7@{w#foQ*8xHf#>U$f}!o zshd`<`_9_cH)Zkfrqye|GyO~C-tpGXt-RRQop0?xdErtu63Ij&+Ad!74?Hl|^evD( zFNI8%!O9tcY7gC#pMunS1P2FOc|+OFun$lEd}t1dqcsiLSjGB zGPabeJ(6q{ywq-|KM78R=+;nG`-l=!w2T>;(PgDeaD?$E%5+D_<0*`c6y5H^=*Z>1 zs?TNiWb#?J848h~ps-hHO=^#*DVvrF@meOjP>n)=Vz$#IRu`%=qsAaz8yXocxZTB( zk%Gtb0CZ6;&7n{;|2`BKw7w1>^+sq$xCc|N#I?i*s?kkjz%tN#%>Hzy&|n4~G!1qV zkM$qq0_1`I#Q3E_Z;dj%1Xo8vnmq5=tMJl`+Yi8&8ua*W&brXNXi^zBiHgnT3n#L} zt&KjF<}#J;msnUmVT0ko?X@|WDc~E6r5sBYi(U1Fqv=e?vPM~M?CfsI$0OcbnAi56 zmpMLo8M~j>Uvt6me0-G7Yz;)3lJKy1dFtD&cALlUwpazBF5KSIRm?a0e2+WT+i+qD z2d6x~L{m5@d(><@e<$1#?LF%X<(4jo)oJm%)-ZcSd(CZk@^>K6brQ$e7uhDn8u;kB zOZos94l|%CeBd|-K1){&4Sq%V;_*v1Z7g^9c5m5!>4B}AdiqRNQ?amgYV)=glO2Wj z{E}sxgcC;D&s#m_?`ovh0|{)AzkYXN{DXY~3_4Xrr!(k6Oy5 z$*Ij}44Z%VXy=D?!>3hc&8q!V+b=z17%g?KU4OCN$K3YKOBS`{&zMnntpfW-t#;k_ z2)dVR(B3wF_5+GEW69{GEQ`3Vs?d$O7(KpxbPq``@AK23obnl2^-j8Ha_D2tE>t|S z*`2Jv2@a-6xb=dDrM)@!E%PxLn3(O~;Tv?$gT6 zxduDNnOE*=rOV(3!sJW~A0TWm9FXR#OE(5_`8#(8c|wb$3k@k8oBqp~dM0gFm}{Bb zbNJGduw_rY-j|CyeD1Q>q6=Ge)a*mb}Q7r9d#k3ypXDF7I%ROI7R%0NX4qtE7vx!K0*ocBzvzGketVlvP? zZ^gXkDypA8!H%9f%Hl&qQfq$M)MeTUn%H>9lErsy;<3lJZk%pzp2z>tn1*VV0HvNj zefl+%z{22wCiu5cDqQ^ng*{hY>HgHPU>HlAE3ddUu3WW&J|MV{K|$xh7L6#6*sTb6+pKcHx?$_a2YPW>B5Y5X1lirR zVcn&N57>RO#kOMY>dCDO=1z&?)Z7JICs)JC6Gv7A?lKlK%Qyg|^<$^u58dZqX*vBO zcy1qjG4px1Gi`8*uQJ=6(5qmxkgrz@G z^#i+bBC3?(2Fk~e;{@YbuB4Zk8A?g!mB^Ku(m)e%qgDALaANTBgW8Ih_3^s&r*Olr z`0%97pjKSNC_Vx-FggoCgQ+wl`JWl0rW##C&vTJnX6$UC=-_2&RNH5WRycqBCr_N;ZdO z@y>9{6}j6VRBd5flCz^QH9ZB3Fz)F#CYHlf(M-N8*&bX|E z9Kraao(q~BUW;3GrhLu4%bMi4(;xN6LaNQ{G({cWFufkHl3jk)7O=N?{o2i7rVJkH zt=Y(3io+%;Qm{ddHMM0D3I794F|{G+P38QF1ipWe3bxkOw+xhX_Z*^<$tE<1Qw`6- zcmVgPcjqFW`bkj%zLZDZAvh6T^l5lnE2iaxqIkZPXel*XUC9f;rA5Iq}shNqNqSrOo z*R`7MipSECFVH;@({`Te1R_2CGddjhAM6_Fa5#55i0@CW=ikse&u_x;EHV5hpb&kB z*)@#p1^*f4%nULy)C+tkL!`zkL(we!s`$O34mI$2ZOiJZ>oWLv-PG#mRxq8+_@;v`-JHN5DyMYd94#$u6%M%E_uI z+HLNzDw^bwO?1hYquKiFR;+$@^@{82v*$$FM>zsNdt!(qTJ4ze0{tyuCm)U$qR~Qc zM>N_YtW;p!2!uta%?pGe-~_k;ryY?xecYiO{#vpwTU`zMb``mvy20o*V??1wXoJiI z{*db)am`bHjxN`MP1nJn0nNcffv0iLCgj7e=0|#CxCch&coHg^IOH>Mqa0)EJS0E- zYouYH!drshqkf);zXu`%ubHR%I6=+fFtbrf0J=@R(vFl-m%rEnLAwN#oY6A=_I}_9 zes8pfo9o(P{NS}2srXn8ureyvyCg_yxxK@u%j`xwxF@T@>&~);{<`K`{pTVy7CRLPXuc6lzCepH;9`T@9`&n7)!s z_OO_`#%B~aSbNAXAy=#(SpG|CDqd0AJOmt_Bqg6^-59vB@xa3c>!%j?SJb$fYm z)w%t&P`#hanMH6rvE-BUJVP$1zy|*TGHtUMGg3L{su!0JxFXRq8au_L*4-`I= za!%nL?wDwuDT{&B%kn`!r)#gRsNxzP?QeudR12iQT)#wMJ2RuvAg_lUS@TrrlrfDrj5i z{lhLV^7A6v({%Ls@oTUB{A9+`Lv2f`6z-9H+HDzgk8g4!*b}M~-VAjIqort6@@@Ue z;lsbX{BoK#_t^KJ`rXBz9_fI&N2G0*9%=fQtAzKjI@GC6b^gm!^|Y;?^AlYE{#o{8 zwi5aqe&V$gr@-d&?@UqfL+9!~xfg*u1C;~zD7K%UZ@$iV%=Au)^o!b!y8i2Ogss|- z@x7jTFUubJWf_0CNYk(UMTVGmgI?sYNl{w0S70wL$|7>{@3Ej7?UUSC`>B^D>1A03 zpb}MkUeCc5ZHG;=_9>o&u6=tN@3(YXJN-rQk(g`!3%#w-J|K<*Dj+bN6UuM_A)Cu^ zWhN97Q1L=g$Z%alKr{@SqJ+;TouBd-3Gn~ZTIh$pevjL3HPep@F1tnB5ej)++G4ZS zqR^KWK?9cuD;51I{i($(%VsSk;OGxeRlMeNQZ4V8l^*@aM<8=ECYl~*vd`+Fk66Sf z8NLZ-(ykMJWb&%A=?6bB$*R}%BjIkI;E~0bUNR}Fm;Fe;KQ{vrz+e9eF4!BPlfeRk zuCA2hF66pWkw>Jo%Bc#RHNad~%6WNA2b5~3*Sg3up*yB~}FBz;>+It06&0I17g(cC);sku$6R^a9#iD86 zcipo_2G4ws7DDHaA&24IFX_`Cl zVIJ|g6ORQFeg?E`)uKattJS^N@PH+7+{6kd<*|g@b0#;BtSlGXn;yH>?GL%%a#|!d z?XK>sjS z@UTt5L^=eltu$BZK_P*}KoabT>gRGfykOjHy(IbVFhTb8Y!yQuhiAIxs*_Dja75(e z>RqA>Cl#1ku37|FqOH|+-(8_ZB<^yS;zGDE-?q~da5nm;U+npOPmf*l;JXrZi8p02 zGY4b}v-UZN2H~e=Q4oB#%SL*Rdb4q}!~GmDPFIE!v6#sE+qKWPCpVEp%jE?VF zwjbI{{*`dxOdv&!zU0Jr*bHS0R$V2joBY*44vREhNkd)7*CH0EoPQai?v5VY(JC zIbHFH&1F$(ABV zMbG+~5Q`*2bR}xSm%Z3?ZihLZ^-do(`g-~*-Db{t{7vZVJLsNuKHTtWc>8Cu;4I6n ztj*Yt(3e4I|e8pU(LVmGc>sOA}Y+rwmkP7*P4Cc z1F{?lOAkFLhXbnpjonfBS=XD{i zg3VzEACFlTyZ^g>hhmLB0hf)C@Y8U8y<}6S>lI+NziUuL@w*a^|9(%gY1jAf?CaZk zmR3*@z328yp5T>t(GSmOaKlDOhS8PjMqTpU;Q+)k9 zj_~3~cJyoeP@EfwQ3t)NwH1U3IOYTF&!81Cc)EAO$^(0Kg}Y(FSq5&IGs+y9RbbN1 z0qx+NG3q@VP4>Y1~gj&dqo}QttMsOG>bsmgHj2R{@V!q5Ka1z=4WPGlq@o zjO{VUwS{~X;W336)+iV8XHvKVzJvuS{2YA#C#uRCK>MSjP~@4 zN8ituHbk`tT-rVvd-tD%ZGq`P0@VH(-4rj!ryp}&x%0}x`s6tNw4aFgfj{B5r->Yl z9K@m5pvP|JRKRTaXyBB%PrEGc5tY$cM}K<~AIX&PCkCLp&R-=87*`47dcs5m4Ho<% zd{g{Z{67n?U`)%r<38?p5|AtCHs6I{7BJE>XA8=KQr2LXpsx{d5B+vr;Occ8?9XK( zgM(^vRS14Fx^F`#KEo#(Rq+k)<194iyO94(MZgU+6$SK$1ag19A>x@w1_!FE*U!F} zi-r0TBmSzzYg_EHNj15=_C(L)#h4|a!V{NCc2{Y1#VC9~yixe5F<0*1HXn{i+oLL# z* z8}j(^i4`WA{XvLmg4O4tPl?HRFV!?Hc}aT80-v3+^Wee(O0=E z9n>DZ@uaBD@%SLgDX=f#%L%B`@1friV|6{WQ^-R^5$)O>d~(ul^}6e#u77=#Uax1pBDA>>@{Z%?|em#7=uExF|=5}fE%-Z1s zFJDkP5t#Wf0eAzxB8}hM>|$IZ;rh9ps(-b>psc#TPacvMw^JL6TW&++3xz)K?Szht2)!7Sycy1UDBimO#Me3oe+qbmFFU`!=lQN9)#Z*thQH@ul+? z1byz5X!Qo>&s{Wn)#6RdmhcZ*!4ACm%F)Gh=LNm^u7ynB%rx|E>+Rik`L@2WsCp#P zn_s+caX!B|ACH<<*^EO+oaeZc{f2FVriAOchxmC1=(sUFXX!0E3o-MrGRMZ}mn&*a z;9qN&OAP0`JM#>6lw!>-!?O+h+S#6#*)u2Y2Bck>jOSCEG%f&tPXWGAu zxuND@E*|nL7SpSuKc04l+M41@q0B<5Y}A}6WMbCevQVx)P(RQXhoze1#FsIqt>BxR zFski1ty=+31jm+6a#b^ADZ^tH3=a1O;p>yC{3|99DCHzbOj<6g|GT#Lj*sIi*T;3v z%~4NioBgau1}_ilW`f?v=Rc`Nz+Hp7}zvwx^PPwfVkJ zps{#{e*s5HrC1N}z9QlZ#YoXeHY{i}nLv>pK+(u@3antYn*~_Evr%Kfsc7Hk|A3Z| zeVpZRid!7eY4Cc#$%u@sy{z{u*^`_Vn9gJ5@IB`!S?s;9H^PMRtB$A)F$wt?%$MTv zieyhR*|Ulc$(9Z2^oBijU|S!uoAYM-xAo&g(dOo;V8xNWRNcL@yIMbJ∨Uh$h5E z>w(v+=2iSPMT@_VHZ?_gAPSnC`r)K-Gw6oT;smpTc6XW%rC;b{!O@r365Qf*H%iOM zxtlqZLeuew_fK16NnKwea8Xx@!lhY<4G;Ss;8jr*jO)qTo;IV>FD@f!X}9# zY;7fz0G~@B83EzY;&x!pRlDr9*QWECweigQyio=v+Oo1Svb?#azN@CzX>-PcQL?

a49|jeB0e} zRi%;bS+lG+uPO_IqQT~ESXNsTZw*M;senanTX^#NgKoRpVw0WK3)&X1T?7bIs|o}j zY%ZbJ@Pb6cScer9M{D1v+c$o5r5}ht<`C9AS@Oe#L-AI1E!?^K`ZWui+#avXQQKJE z9c@?^aF_$Wj%0n`qL#LZ$sopD)iWPC*0)HN9S&o-ITBASsJ7WnUU=|DdzP=;)HJ+1 zs=%LDNsYq}L*IA)#8(M+NZiST29#u(2g!PfC80BTQ_rP%MO6dhIW$zg{(~QCUfhho z)9L;+{86>8bMfuY=GQpu0DAVpYhFCuz`VVO!f%vDH8Z5Vj$yT zU9O8GT)5K;@eQ>tCd6bm9`&RkcHW^w7LhRn^|7S~xuV9yJ-HPVDJ6Q_t;S_(YWiwUPRln10S5>=t=j+Z`2dFellVC6vK}Cut+i5tR zf$k~ZQ~G4@A;M8#JI@I9cv|d31ccHI=PEn^lz)JKY6Y2C#W9h5URWIe$!h=pbM|D| zDm2_}F{zcVUk)qL>ZrW$7p_W3DetKht&s+0WW*?V6V8`zwj`_ly#D(Rx5xhdTESmk zZMpR&SKN=T*5BnfVGokmZ9b!rcj!Q$Fsmg$=`_o{@f@nh`>eHLt9CmZvW07{wF0{z z=Qf-dtd%&|j>GEiershNvS_zb)>=d!eB*_=?|xqRqR^mY*2T$UkX*ANh%TWPX0ZOg z?m~iPfMq{qO;uXi4(%RmsMeBVN3?6om$u_lWy+dj>{50D*N|r0*-pxy(*EsD7b+M< zX%vn8Wr~Z&S~A3oW3}l`Z1M^5- zE{qrO51}2BrZKdjq>!PnBv>z<{PuZa&(%f(U>KmoFa|1fNKuKlrv(r6ny$p~;s%Mw zX+4FpIvH&cJ4-7rtlA+!($kP$>JGuOf!}($xk|mxRF^NjvrCe!ZiCMet=Y3H-U#Sq=qGZU zd@ky|E>MKHL330hGR?2vant@0~n$>A+74}T`xg=*13G~ z$ZJY=yKa;zhQO%nIEvZ^>=Ve zxDWIK`MGBC4wC48DBFl)@qsZRs1MyTQA#?J7Tp}7JjQimfJ~1J!iTjz3aF@y6(bZa zA48IzMsk7nF6|UM!HyRTvTXi?yVCOqvtq3@|KSgo5WnsZlJrN>ZqyP+yM*)~B)gIQ z)M(ejKmIX$_{Tq9Y7WWo(f*=`f3f_V916(td)^~MRf?$({n!az9_PmjK$1sLVwg2# ztAtsGHq$^UN$3b!5N*uE!H=vle6m-5lZoIPWo&iTJ;~4dx-9y~0_z9*p)|nX+sUo9 zikjY9{!z<|RgrUv5EV$Ft#<4WU&A`R5NRV&V_o1|qL4jMyD4I6Kjg(1K-WvUwsQ?T z-$bG8vx;dEH=H+agy|z3fpp&=EP3ZmBG2a_gGp?e(0wj1ZEDXft?Q_xzaB?87Iq}F z$$Q!(P0?smgl$S&yaBJ-jDv+;7ay8f*1Us$_^VZQbqnh1K3J*Oq5a$u zw%fxF2pY9#e5fQEz1Hltl&iTI(tgyzyzr5CTdjXF0e#8@r&sKinDl2bjsYM6q8L-V zY~V?2rq1{BAnnaVTQ_A|ZC+bf$DX}HFSgulX4BRox-&U=aR&^6^|b?s5&qwE`yUW+ zNw7r{99X{qZvp?AvYb6b_y9Z~^`WWw|0jJE@1P^!yRP&>$A8XcK>a0|FEk3eJ=G%8 z#{VCdRCXeBfoh&_w-a3q6c@cQI=l#i&POIGZidrRFIA$Qq2u{9^(D=xlURpOVr@xdJTCcP<`d{cdb&5LmJ+UH z4R8XmW&k2RpUk%bVIcAL{*+f9Drt`nF~eNy%AabV0+j_Nt$}TW-b;MD*)|)4mS|o< z?VnTy`}I?Za3g4!z`WV;6xId-#3*E_7$d(GEEstrxZEB*+q)18^WAv9OtORJGRd-; zDg>o?Z=@6?moqFSczJ0?u~O(4nhfkdY387f9NBu9E17Fz@dW%a^<@W~Oc_`>8zZE6 z{g;M=ZnsU+IF#3=br~6*N52V{^QAn(BeS34EjHC@_Zh*$yh}wCAzKh85h4)Rt;SPK zFnS#hlTCx|q^A-&II{-r1|yd~spCczM7j8?Y*u|WP@$5Izsnu<)w18)T(*Ee4$)qZ z6(J2OeE~%jl{7pdoz5OOoW}h@?B`#<{Z_uUdx4uvW@p@5*}B8X0q0?KXoF6p-66?4 zTC1!vheZUJ497V3Sjgh7@`H(ITJ4GW$(PX<(U|bLEA0`j&rltzv;e8p;0&f!YoiIl zkQ@=KkKOLIRwcM(Z7{2upwl2|y|=G(9;Mf!zndo@hZXUjz)L4HjzlSXn%hH+A%VZa zGl{xVe@XCWLT{7n1|lL*59%T^Hnfl3wr^kYKJbZRKcob??AGni0Ub66hOnR5M>0Bm zg+N9*K<9p`|2Hbm1}~5{YyC|wf`DqL@F!!gCSRS~RpV_893LC)?&;|s1#PGAk6#lO zLQ3Mr+<+-IY%H*HVV@!D0>mCQ5ba53s7WPbS$){d-IC}ku~zJRvdbzrwX`(JR+pTs z423G0DZPWxD>gRP*Een?go+*M=Hefnt;yrG zW~N1{#gkFs8e4?Qy;FmgP~D3{baJsi)bzvS7Sh)HjaObj2Ih zmESB|cF>5qfS;tV1S#S44U*rUs_*Pu@qOUpxh$uDwPI0gO~f7&ug7Wev%SV_a&dj$ zpnY-24z}9RUe_C|V`nxks;y}VgtaqJR%>S}{dI}dvW-YXvc-+|?BZj9vz3p)eaS?7 zB=#N*yl1%q)Se5}0%@}oIiN`5?Z7Spey&L65>kpT`LcPLF6#H6C^R?YZ{w{t*|EfGn5NI-Kv*Y;ga`hWz5r4O=_*u4sBdd-kDA zMgz^crl!z|efJFnYqP0UmkH|~9lN`_M}xk}HH#*f!p4pN^1Ff|x2X+V%N@Uyt3P|Ns_3eG`Qi^IXORO1{3T1VMz%3+X`)cqDrRSQM!MKws$LJRlf^*sgq{iyjO&nJv(-9Fv1E z+ZGMSRL88zjM3-BJk=hz*hR197>#AVz+#uYW~80gtDicTMLhY&;-YrEW?3bC@{-#q zD8M$q!;$Il_ir-=U8b#-%iyl-GHwg#7X#ajL7XH92UiAz$*m@#LiAe{>6mJOA%{Uc z2H-Nmsh*&(KLMmJ?Q!l6+JRy1I>Q|yH}{3CkI%o~_r}t9heN0v6}y6HM}L3D;XpeO zz+hV_%xV!dU|XQS56*#T2Xbsp27{~i4x-tm;SS#=;WhZpR$*=L2OSQH7;W320!SN5 zzq%C%0uL~mowEQB0I-D7>=ZsY`2TKx_L(N06`r0Q2S;Vb%K0>h@vfq} z{0Wmqby)016`C|URjt6EI891cl(iT01X3X@ZK6cwl$*YH3-;^pFkZ+JG6B8^56)jJ zzIF|0tSce2>La?gJgg`hr9Px+{$R@Mn;eON4X)C-Bhx4ht`sJfKFV}7A!caVUDKLK zw7z@$HRR9P+ZTAq<#t+^?^qU3rfMFFwWe=fmQ5tG54B!(RpETT#eLqdV2lKoUzV!L zUUgOLHQV1E=w|&5-oSD^6X`HY zHX1(cdxY9HMG?oPx!?(yOQ7p`qEm2`!z<`i8VCtcW}QqZzejyL?_uPjgF#Swk)>@9 zImtZ-83>fIlKn=I^@GpKCX<1a zYd-MkclEE>v-_L7_k3`T@Yq}!hn~$dhYwG0=~-NS7>=Gc4;(zr9^k&?r5ja;YO}bk zPDCRFT9sKb$^>JQNs|11SBvY7Qmja0?&62MpGbEI?%#&Avy0lEj-|_ z^t*(+G?$5h@aEFOOS8Q+$AvREK0~P@r7S|lyz8@nrAu7TSOlX;XZr1D%Gc-$qdk)zMw{B{b@%ztC^@01_5bbH>D zz0DibD&Fde>DeG0gbwSg7>fegKYIvcE#}c}CP0|w9BGy-os!rT^Ovp&pPOCBKC;a{ zc5HIkyOZ^AaewZqeYZ8n!|v^wbz()g!Kp1dad7%7_5d_s-Lh9(@wq#4+0^hJ_OKIc z2gxR0dklWNi!uHyU<(PTH=uljAQs+rO8eSLt@{+~J1O+{&d&Ds3SzHL1CTA|VaOk1 zusyAV-ZTTh*9nx?1#@%6HXy@^^~d(#PND$p@rFbm*m0;{|0hh&BmqN`nh@}YZ%Pr} zu8TlPyjPk}B;+VnhN0+T?O!2d8#+|p3gMw(ybGI(@ly7(7McIgyX{WPCoRrvot6j8 zuFFd$EW#61*a}dk&J(opK(AXlmPN^*wh_>DDJa1qyVsnM=&x`J&wt}T7$iaA`_o%{)1u1CAjYTzgDgCF_3AtS&_ ztqb^Q*h8j<88d%&U|y9`HE^FMT9PJCJ_p5NTu$mLmbrQ3Hl)Dt(LGGNbN0E!9;5!6 z>^ydv&S`4SvCnkQU(mJzOT)$P$5C4IIHdMmJ<~MYZD&bgjd6-gkSd3lnJ--8@*Q0{X zyP9`x#^;-FE$ABzRnCp$uR|t97_Kplx18)qV3|%h5*{4Ec4I%lsx1(94Lx2;_v$y;F0i&z0<=o>=V~$3;D}h_7VIvfBDN_X3yYIJfH_L!Fq?s z;;r_kla8?4zr&wEphROZ(D5EO0ty-_o{X?Q%mAdxgf$&uuhSkd2|XT==2dMq^|9zyrk2E2+Eua6o2qN=si{V8SRP(860Gqi68nZP z+IyWT>Z@AV67V)w{Yo`E;=26gq%P+t|B*g$NAoph^EGHLoekFInCJIp1QjAyCkHWE zJ9(dhGxWZ#7URv^p)w45Zy2NYq~gWD@^%W0@4tCd)SlMjWJ}Cmw3!|>;m=l81;MhcqeD|P7CllT9>MFuZUKS|SbCtPNTTL|5nE~f2S5{~f|SQq zxkjr=&*D17K^dI9{5BRW@AHx(fnKOf$G+VfV1BF!e;LS zh`yi%oDB`mz;CKsTdTE-1nxPucvwS&=Y@cC^JZs&oh;Qv)in?#^lx4;nqRB17)y2j zwzayx-Wk}lN84QAnqZr&TQw^502Di0S`!=mO1cpD^7 zgeMId0fD;sGO+(5{ToD3C|nj1`mjoPl2jQkQC%?7EER(cj0N3Y?%3X##}kW@Ap1i% zMsH;OSI4gIchoo6J3bWqkh`nSb7SmAuifr#@h$9IkoNoi^|6L{+)~ zLiSAT!i+VPvSuzUUI88duGlW^)lVlsXK!e3u*c(nt^A|Aw#&^=xZSbA7|dV$Vbkc6 zpS?czer@{N*tLVC-@GMui-*-NaO2avaFLhY;Pd;_3;GxM8t{F45_YH4-Vkebgxc4J z9Qe9cD?;hDZqx?S>0j)O?bLqur^;6-PkbQ$`I=9=J8K#FB*~!JK8iSG_v>TSR}lsE z+e(&|66loqbW9TbjUKXVPMB~G5%XL^B4$DO@a$Qq-|rOaaV&nAZ!g~W?0xsqNg@y! zbKt}89|IMD5B4o^(DnQLPW}}tQCtSPfF002%nq=1lp9&*9k00mezccp<9`R=wNR(i z+jai`9aF<_y2JX51(hV95(q$Otg%AqZpu)86oI@%G5z#_uBF7$@r!olIy!Q@F8cAs zJKOX5_MI1NH;N9w=#eWWpH)h;6DLm4tNM_PKbKWlNV*(7hCKl?{e_e|vk#)!ML)Ty zRKAp8vlg3Z?m52D%-!n96<1%ak1pAxd34?hyEfGlw-ieQ!dyOzp!%~rOCJ~IE{|Al>z#Qq!eP_wEa;*>A32xMT$wJ7fA z*9EPPUPo~D!@a%y1-n!{NjrgoPkO=N$n1w z+u{-ZR)4T%VJsk-72XV3GJo-(aepI_PgOSy+Cx=BGyn}EP%Cd>&%3H*Upy6HL8sQ} z3`+jEQT3+W5<9C^NDha@>m{q;kcz)$zvWsj9?IU-+uYpSG!1`NZ`8NI5k*z|bJAU-h!z_G!~3nNq^AQusD~{8vkT%pYe`qkG0RzO*`?QAx-9-gG#Y(^MHY=58(CNt4`;gq z@AclnSfDE#zIAfa<%u;n$2_j@G_T#2dLfZ`j`P&cwave0k3ZosS?$UGy6Wx~5$#Sv zShQ@#5LmdwTX?fe^irv|wNQs*r|F3FZcO5XLwqkz* zT?{+?bN{br_Fg9nq3wI_A5)Pi(0uv-?b5}7|4RxPznOgMx>pRMr@bv{a(J{CuQzh_ z{o1Ji2DQ?}UUdqQmTLSvSB9$D(+z*vz;>=ftX%D@_+olJG-sa>evMei0dPKKW458< z5JseKdVp;~o?EUd4x880o|ESGZk>IjEdVrQNi_gZ6n)atGzQNx=O?w(FgJHoFz0gQNf=RFHM7wi}x*t7wtJnG`&^RQQHj>TRqeXt|GSd2~& z4_uV*%r>oCwQ-SBWn8#v<+|o9%I`g$8fo`g5hcl&--lH;+}6@|&5hS&Gi_lndv!aZ z{4Q)a^K?zJyLWXFci zXKSldFs9?tWNSxmPpY=Du{O0Q*U?&2UekqZ;qye)I!Q~h0I(Pt?9Pka0B=rc5HRv$ z-H23!B{7DT4bdBN6h38cTjf8|R-`wyz;l8S zEGoU0N;PA))&V2bELk?$>`8-gAxKA6WQJCQ+yd80CF$}7y>WQj5YR zqXd2ECbRag^YB^idIaemtDBluvzzQbe2Y+Jwk$D*P39EDn_0+Gtca0tp~c}+H<{pD zY!(Ei!6={?BGxXG8322V0q&eWdtU<2#%25{0N^n7Axvx>#wbQ|X%tPKMKTQ6oV}c$ z36OA7vr$l6;ArCQ6kxR-P&w?h?a<#dE4Q0MrhvTMgsu<`a8CkMjYV}XQz58XWc9&l z#cqy5&YM=uUEx3&fxo%AU*#6b9|{Dz4T_Y8=WVk?RV9~wtsqO{7NZ9($Oou?BhKPhxh+|v{Y>L z@B4=r_RM~YvY#ubC+NBKO;~uh5YuB3H|bnjMcx5{K9();U8HfwXIU%{MyLk_NFgr(2n&VIK0xh@IXghf6d`L@6?Ow>+|1)F9=br&s92-GBgq?;w@e0 zRC~!Rsb68wkNqF(G{gfjtl`3qu_o>GRkx+`thbp@H1!po@4u2wglmh22+aFG5U%C_ zQ_DXR9qC9F?`iJqYi7S_J~2`oKJo`|v{+XcW{b7Q!ce(YkZsFrk3a{v1(s8Fpk|hW zp4kb!(#eX;5Jl&`6*pIWtm46nFH}5Q@kGVXD}G<`ccy^sOCS_jjxA)1**dnB71$V? zVOOxL*p2Ld_8InNb_S8Ho@GB~zhHl1|AM;1%sudSs^hJEF<-}b@o_%QkMsBN5Axgi zz5G-BOZ*J~Hh-S~i2p)ZBODXnkBHNcA#&tTgr8#E=4r|HVNpb27P&?SEd*7AA%%o4 zu_bA5J_We(2>j+-kwUtM7G#KU^Pr%hdNBC%AY4XQjxW*` zGf3isOt);Lv#;XM3g9U<*6I#Ne$39 zrcl7(%eAAI(YI)W4*rc2=o2)>n=O4%H`k=-CHV+I!hrsxOF07!s-X^QN6Z*{b2(s# z>D`vix1xp`bUUMdL8H*i^d0C|oTG{a+6T!CIv!s`Hvz=u!%gHtEAS2aK>#skKx0yw znuO#=mtwVx%h+yZ(ClfQEH84~`7K$ZVP+Q82RwPL6fCgscci~K%tb9p*ZG=JwqmF)2D>C>gJB1ct`#TUmsXHukwZSR5 zESnl&Wyxyr&zJ*I?U^bjIIP>C;iwZ}VUFy$3yjWs=(k|#%Z$w34A4s<&-$xrb96f! z3_>-0!W&r-cb!b}o5hfd2(B_Bq6$39tkqDqL=oT!Ch~IBU_~V!fw=`<%^|?bR7pV8RJy~g1Ev~9vYrFvm3ZyK>T4I7nt9KBA}te2mpsyV&W$0_v^zp!MWUNZfUWK z?*1mD3{IZo8$rb}JEu~tRcb=-3Uy|i#PgtCSlA#MLy91Wq<{=4Ptl=pr3&P;sKBY& z2`50CS+uGqrzH8sq*X8&41s_NsGuJ15nVB$bJ*Zz>Vb_~mD83qLHW#b(16P_m)#0v z0HPSiy`Uh}aRJ?lE=8;>#=?MCl`WE3CHz)axjjF~+hybAsV{yMkc zpqf|+k0QE)0T=tCAlubyCIin#k|hU>Dg`)f!{z!<0`O&lT5WU{PdI##(yNMWl?{@C zJ8P?VtZ_+-j8I*mQU&G+s0c8m-3Dv~f&WTUxLR#3UdilH{-xqc*oR_xiA>@9(89e6 z9NZO~*{)Q(0Zpu`T!yq4pa^L1W5pmaZx{ot33u}A9kAQMokm1?vm{q5Ua`7C@v5Sb zgy0npB}@$5F8eLgPcTenj?pP%B1o_hH2K8kqF}d+5u*t}e%Sw_lAW`Jo$(mPP>S0c zm`!3C<#Ir9fih0nSOCQF9XxT^|QUUnFyj&G~!Pp4QYC&vSaWyyFn9&A^9=DsPvS4B) zyG3+Kw}QW+sB|FNRS!msBAM|Jq9qDY8L$CT0&mCyP;ahUu=WC#+Yh%EM6H!7IaKEA zWug^&dfAq$bZpKk+|=NA?@5j;%nBSBzrlo6NDKz>jy*9y7AFY|r&F+)avKzb53tq< zDCMTgsR0x0T;lAq% zxt(|o1|bgTAd?YD6ylP1lIc5`GY-WjCX`C|2A5xsFaxf1cCLSf_XLZ zVY}DqkHO`TYhSk-!>f8s7KdQ5#?(;d$!fbtRclNUJaK^lE@l~!M3`Hk9^3L+q%%lEegkOr zRv!~qo5CibOWbCvf-`GIRdK4_ie#0E4ROdq=gz~b3NJeoE0pt>`~vWPz)8^6 z>yTuD@Puv@FBPNfLdEAWYIi{JY&U2hH9CCQj{pO~=YJr7dpq(Y(UxOZ?>fC}*Xc*-ptt#3!o$F+ zI03A+>nd)c@lld=gDU`C-mJ^*Kyd15va}sJGpRO!7r!rF-hu;&vD{R#Dv)wwnFnP!l1Q&VU z|DRDNSjpf7>=W_cP?F;fLG9rqzJfixYDr(AG90cf^ey@D;{HMTUwP|s~nA87s#t#GBt*?lw9HAzG!KTi_IHhnN)NTIk(m-Ho)^9_IbTJS# ztEQ|$LL?}IQCSOW)EIRpERqw%S5Gd}XYxo&l~Xd5M0aU( zu1ECsKx!}d@U&_(`XDihi1~krO^`BzY_wXO zo=Q)oz?)nhgRZ4hfNB1=PSZUMJ2`)`PxixNhZKu5wS4HUZ58jXcKzJSl~bNdi;5;Trr zvbuzn)eKy5;Ca}rZePT=FtEc9H&t+%GJMzdM#-W8f*fC}T5N8=JKzuaJx+^1457Hk zfl#x?8uMD!X03Ce4T@^^xg92vd4qnJ(_wc2mt2MHT9g$8`*pefRlNptWz=p22W^Mp z#yUYTOQO}GhU~67XKlb?1A?z?FsW7{=kWM~v1PI)l5m{T*#~5JXFJ2|%ZpuCUqNcVE7O zv7SRWZS`fl*R&kiXKGJ*WJg;cXUmS>&63saH8t(k+G~jEjXy0(A4y>eTXyMPySLqT zWG%wtaFCucZgiXLot-yt+kN-36|no zWMf6T#w1LBdBtU*j}|Qgq4dgJ0(8aiGRdH? zES=eVsrb)cS0T%RYgw>r)k4^oTjk~3wl0^gXPu}i2*1+ON7>HmYy3G-Trw=GQ_!QQ zOW1;B@kVM=5JInWjX@+|+TzI&pSJ1*{0AZo@+FXs5i%?kzBYTMaK-Fh!lKzH!I)NO z;U^DM${HQS1A%_L#pis?<^7ZPcOO#}-~GP#-RHe;6F*-3IPcc}T*{0R*&AYBUM{0u z=>_@lDl>YuzbCv8ct3&?r8Vu0j#WajiYd}3+y+60<2{gify{02I?fv$k;sm=FWn=9 z>%px(4xD6kwF{)^F!5U0bN54cA77G8$U(@7BT--#?09wuunH(KGPX+%SPW|0CEeSR zX^A!kHJ8`^k{zI$kNEgkdlxT0ao3K%E81al5m3_yIuNh04L_)2`?hRbUY5N9Lo~MJ z#9d#wE9bLoFWFrFsPC_KUq#vebCSQPduK%8^>Y4A5Te0+wXlGuQhd_boQ0w%t6R`u zYRF_!Gw)O4`?V?Z^5M%YP8R<1;|8(#6~J$Z?6R}PVm?1i+K1sce6pAMi%v^XhX-aq zxuf%lGcHZU0uA8b6eg<)aQR~wdyDU(>nGn8G6U^ELVZv~O>XAKnk_p<& z4%h#971Hi9q<#4%lMKOqd_H ze4ZX0=vc6zV_@*V<`UD+>a%C@H)mC;ljWGYu(K3KyC~<-p3bhW&OJj^q^o%F2bBK@ z=uTRkV3+zJSsyWUCX9T1!kMPxOWHr12%eaqY|<)Npiz572VA24{UxD7sM6z#>2~z&rp2L)I!JurB}VzBIU1CWHWnhWSC0r-pyNHq*3dcUM!xEhHMWIy_y~ z@P1WYUVyM$>@s#(+vSiZil(Z%xXov*(SA{z7jhf&yp8{=%4$wUMmLah)aFy6?hQ9o zChS%l+=e~=cvZbwks9n#Z#ZOeS=zb}6#vY!7v^|oBM={SJ>0(w55kAahjj>0Zm#o_ z7_BD@0%#lPSI3bul&lQrp^Z>n8Vs-$9+8X=ugFcTu z)^jzb-M9$>n}obiWn?r5i#Qmd0v!Q6NFK1(C2J&FRZ9v0XoNhvH7ofy360wG+ViaO z?|=WtKd!YmAJ|drc5eVh5J<#Tb+Kw&(TA@Oq-*>Zqa$#rmM_$DHN|HZX zHwRBiY@i+njrc<1Hi@yM01QOjR{^`Roy;lQ;RixceH7aa?l)u>M}wRH!S8wejK96n zBPBoXGCOKRKiy+S2m~lerJ=1C8yUZ z4a>IQne4dspb2*shu8F7gZ4cTr6A-a6OMHT8RXbmRYV8-V7tT-Vtv&-~HxJSt3LY?52voN?Yp4F2s7rxB)N0SQz z*$EM`m{f=|LGpvEhGe_yYRKGG!?kj0SwP=Dh1iyhbeg3P@9VABtGARexIn*w-17ii z24fBVNrrB?!d?SxGEpT68$VKt!8mg1;ep-x&d&VqftO*j2J+;hf!ZtVUi)zc<|Lm) zsOV2BcCSDouSfJy^NYF)rNXoKzOK;AR1G`6pDj`Cc2#@y0E#IeGa5gJddlnELjDwH z2yBz6RX*$-pqnrTbx91cebGR{ru|v_v*NKU3@OF#!6&4yIM@D+PrHXdrYCG(S^E=Z zw8_k_{YgfcKxDMbaGfg4z}^QrhZ}S8t$WP{P8Xan77wxu0=G;~lC*dNzk^pCAS7;r z*oa^ahL3&BfM^Xko=*$qY&$6bj#B>O58srnRD_laywfw_VVCOsIxznJ4hb4}LomWb8tbpNi zTEO+{a#}>Xxtx|@UEEPllONmSa@vI5c}+P@=sK68cc5j&_taFpubgIhho38_IXvK= zDyIcp|BrH7MEcj|v;+^if0fgQ3O93<)250oELl#g6*cVG;>p6mbYUpE_h@uIYKQ}}%2&(}$n3ULV3DIl8^XroO~2$>PFlE?=;R4q>E zu-%MkLm%@qxJ^JYQwhN(8T~~WOq5_%Qw=-G8f=5Ltd7;g#-@=q>3dQOd?s62mbJm^ zrXAZ~2kV6S=mJ>aEW)nU!+KdC>t~DE61J2rW6RkJwvw%4tJwu?4O`3BvGr^NyO3>U zo7iTy1r|HofTO#E?PR;yZgvs7nC)Q$Y%d#RL$Ku;X8YI(8)f_95;VpRvT-)S4za^* zl1;H`*!f(-jsTDMD7%auW0%9~=Qxl&PqI_M1ilg$Kv%PC*t_A0{BP{N?0xK7b{%^^ zyPn;^KEOT*>!1&@53`%tN7zT%&FmI-E4z)|&hB7$BC5y7fU$lTyPMs^?q&DEis%#U zlk5TZDfS@yG%Sif%Ra|G&mLl5U|(ckVh_W@=n?i6_9*)*dyM@%`x@+x9%oOmC)wB8 zQx($G#LW1Ruydc-g|g85pI^rFIn!clo(d}wlF6wMnwP!JE!Oc%s`qr=nk zk;312nRlobYME;CP!plt`5 zCaFKwsY6&khnmI;!_&s8@rfhDV*}_UdKcpO#B{+hRTv+gm^@cQMlRPSBI7=3dZci$ zU_eH6hm7SGEicGN3VWw8Jgmcbt4&igljw@6!jLdkm{z6>2M>+mxrBj3hfH%PO&M_n zFU&BEP9MVy!aDvyD zj-kynla~~Zic|%7!|Aa$uiG-EP46Ei~;lVlOy^mo`3a z9L6Bi3(HhsbbOz&{MnR|Fn(}6G=P#Ky5*>J35L#ujDb6Z&XO*fpkAFiRKOdVG}1mZ z)ihKXGnG;!(+B60G%n1gt5egH6XW{~Gvi};#qy!iK|Cd9F;2|qJE&=|c>uF%ylD_E z#KbP0=;OguO4D$VOEu1vKS#ysfxT0P(p-=x@hlV4)W`s8FJKlJ(69oAOJN+NvtY(J zq*tVmcu7BzP#P~6@3mkl_gbkcRUZblg<~AdOplJq=n2flDV2JAZtmelOrV>_RC?C( zMd=6%O^QP}N+_eRP}E2I%7H~`0JCDIU_Cd5@EXPo;_$@eL6KgQX?k*WV0<6m*W~%+ z5C%LNe$YhkrqnK;AVgr#DfUY)&kT6zYmM}XglG_V&iPlNw-7yi1owDYzA0fCwU0r5rz0qJnkp+^U^GB-8@0SVmx zZyw8kaMFX#Tw47nf`9}e|K}6`2RRH9B*4nv&Fepn`9EI*1OyxzRpRH-&e8OLasTO{ zG5W(Bl-_wFkJ9U2V;Bl|1|RdVw6BYzykS@8^xU*UEM%HLjMEe z0|W$mJnB5!$1Bg&$jr!S--Owy(bUMr`4Pr=e_DqAuW6Erk#P`65s*bTl$D>K|EvK(`QA8HE5*qJW$5%G+7r%FF;qpSZu3pJh)@P!p$B zSB2*-4ON#tQD$d@G!5hzi(6KHa#_AA8B)CCm&#>u5zx8UzHc>2N_`0t@s7;n zmjx5OMH6ukzxYiX_aEW)pVA2)yY}zPAuc9{;_tHwnhW{AhSj`g`TLC;2=4pu9_jCv z2syeU+@9+g4$1Y-@Mhe@HZ(`CZ_HpCSki56%prO-$L?GmAnYE~oT|-Ba^8^wyn`ib z%`s}UM_@A=Q%>m3S>_+v=b57+`Tv>`T2dmh#BTBrm#(-lsdYutY>yGho6)0T|K%Qc zh3jx8FvXT6U~?;raHZpNK@-CnMu0bAcI_;n^;t;mdMd%&>B@`k3OhR=F00P2*Bjk& zI~ILk3VyVf!uz)rW34A_tK(F7BMkY%76YwrxVplel%Y4?La$DcV8OfoK56?olS##aa$cAo?Uer?V|RD#vq?Bte)i)Vr6}ac*w6-h7=^#_Ue4Vtpx5Qd&h9tyum|&dBag>zrI=89i5i zL&3-iWO0tJDvf3=-=$>aaOYWEUAYzKQaeN2QNR(_vycTpbWvkO*2+Q+IX9kyEvca4 zh%(5)A=JWs>)tJwC#h#GgIkNo;~Yz)6|GVpMj@HooPljBtAD7e_Kj+)AR`~gX3pxIOOqdc zU!F%vnT490Wi{n+=%E&a=9%@7*SVZ_HL718M@5;vRFGvi<$vfv78saljft!#uNGX% z`QXk`E+ev%V*%ydVC{pfrr;WuWsyTY>R-Moy6u?5ItngX;Mkpf=DRTYC}4K%>$fra z@*0&~2vi|!m@t(zXu***_?U?At!Inx?P!VXrD}=qMRJYnJ#&rk)l$ONK2pNS)cRc3!ZEjXy%gNfYhMlcz8$VNx6*n{HE_rIwmt1JtmyFXj zG#Tf&=mH%dFL`<*CuwmvExGnUCwcl(BWdwWN%nZfLDmx3lI&^`o7{5fPImTJ^FKJJ zqj9(5Ywrmp=gRW`Ltk>PZ%6WZh;W*K_ZgQ52?=|X2s(ZyOHA@vHuPkdU?T2n@ksLd z9EQyG=}$7-v(|rW+)A#k^DKKvsF-x!VwIK0$Ck{r`l_hsv@^#fl>5h(q*}9;Vq5)N zq#nn4`>6&pU`*B3~#6CE3&5++0&rW6hsvM}KEk z-*ZpjUt!+=Wm{@wa0XKcB;O)HmZKz(HpK3 zP~W3?*6V1d37i>h{MaSBO`K4dl9ZG*8-M!>=$C?kpJ1*CkRc>-rW_2*=3X{hV}{RU zJZ8P{({JFARIXQvCL6d>Ls{Y>&;Y{AV#!wWB-p%(_AlD0(^=rZc?C0VT*T|}aTq~; z3W`X)@`^MP^46bsyWrbnvUgB-*UcA)aI^*r1t@2rE6$v_YA36aZvrkEpD|DLL-sSe zlK%dsWtueL#65fB{?O1Dk;3=_)Kc;}5 zo_%L^rUj*8iJf@st2-zO)JrQ58f+=U%wVl=9mn3ykuuCU9yDE5z*-*m`Uql?s% z^U6!AFCVL7b*+CnGelZo5sf|~HRDedlmr9$54crJLA{-5x?hc`Q)w(&&!rdoQv|xA z2-Dk#Yi`OKhCej+G+C-krRUzS52uMvH)#EFAgIA_KXLm+mY+W|580k1@`*;6A>Plp zy@T`SpO{l;49+v1%`|6%tP?9^*e<~0{OrNFE;(?gk0G(|EZS6c==%8Ec$V%W~U%}*@*AJL`Npd>$iK_I8tQID7i9q##(POkYipl*Xs9N zt(077Q>A{5Nq1MYIgf1@7n`rosK27W^3}sEF6aBt~E4R^^NHYwt5?l zfXI?Jwp-Q$=X5-^29T9)t2Tl0L*H%j)U-w+7{Td9vDgs)Pcjb-OA~g%x%}{4?Bm~O zFCs)6>%x${l`=h0yroN(Cv4U^;6Ak%dWE{ zqcH}18*vVL%z+pG2>P;)#Wn9DFU8JIrpe+>0^Tn3eb41?dd<%+5x#W?2(YLV)&^@75nlYvK7cPO{W*SZ@*ml5Y;bBRn0FG$RFd>l zV^9bq5_TidW7jHKu(Bml0?O}fIoJ#s@0ovY;h2p9xYFcc$Ed%Q2u1YqH?4MNocX&{ zjFkE#PrNhqhGAb*wXFUQn#5X+)d{;4*ooJ02Q(?N?PE?n>h%Z)M!b(^v9f^zX^Kg! z*RAs3uUT}ewU@1qjpb3Jc85YDWZ@t#!=v;iyyTbv#)eeMQ-ZBA(09$CHD39Q_p;ou zX7KTtZ$_V6WEgHES_8aXZq3E{-yHE1_hsQbzZE_7(WF!4wlt8=&--MNDTss5>S4~; zgqCx3_nH_{BoO%E zmrkoYcb1&x)tFtUF)|h96%_P*AWit1=;|^lG|~kbYXq7M7eMMVG&I@?r{y(BtK*)@ zCErCahd0A(Q`sZFs@Y+~%_-JOrv{3KqG}~+)o=hT+6X`ds@pVms2tZzvg5tKt1}{} zE~h@H*pHZ}J2TK((9~s+1&gOhZr@@Q#l_FH&^chnB#sSbemX@2#LC@=we-IBJaABy zy0|yf!5$!G)8$A7s=VNIj`&$9*2l$mBX()bL=zUJnxef(f;(MIBp72Vr8=P}XK=zW zRL1zm7C-d_j(@RyVqdP8%|$Z!)y9T?mqS5}0%jvp4w_0$56q}dyXcsw0T)*DDv)?RkBt{9H@noVDjnsQHI&L*Ocv|r(jH21klB3PK3 zrIF#H&?Mjk1wuwgm=cZd7lmB1GWObj7T$dKa!5cJ0Z!`3AdXpCb4LrogMz( z5$mtR|D6S5i1in9@IgTjMGXeF~KpVA()4>?!tW!J05?&cc?$anP^ao;$1ih)}GAg!p&^uRA2@m&CaE_$wi=5sIFU z_1qKGn=1T|w?m{zofbOA&A!rItE8%yhp*ra{$ULT+ z`LHehzheA?&Xt8^n?U}(T0w%|pyPMLJu)rG&@ISxr|F5l%GIn++rH0(Bd&tsfjJ0N!LZHTq z;4K`uoeu6cHtxcqzZasno$eFt+kE=k?I+msC!g9%EMnFT=%6_6d8q>Otu7DGwIQ#6 zW%JkkA!yols{+)$cp_+3A=)a!VuW6$%Ytf{v7t6*MWV^~NK zVDB+{k=d~MC3*&6Z@K)LjpJYiqG~qnM-sAq_0C4a4Hmi{aT~p}W%2Z&9Fcu6b>GMI zHU5Fh?Rn{6h<@^N(y~4A!t5f4B#{uM=$u*$JSql~9p9E4=mV0Sn?GtFJVv{H>>b$S zACJ1sV_peVf`ye&yP=%>Y%z}Fgyat`?;?#pzvK!3K+qC!gY;)Z8K6jEBn1U6t6x#p z42D`$4Jub$dr)0-n&Qu$0lM_a*-{h}>G9^wB3$A21ScP%2mB9pvF<-5_H?|Sv5FU% z7Rd(w9H4da&hE-4&Lo(zBLDHc9f*2)z`Axc)ER(hfcsiP#Ex)Wzjv;zgL20=mZY%| zR>0r_?K%uW#-7ldl`OPiGjyVrG=0+}B;*A`(L$?W|G@=iq$TcGo&%SW?AXq-EB~&W zksbP@Ip>Ju%J7|`*-=xomQ(CbXlS6rGMCzx`|?7xP5ujdps&$qbFltv{+skuV3{4u zFqkR(H(b${qj;4?Wi5q5G(1FF6N3s2F6pZOd1i6ff_R;J{=Q|0;!~o1F#|s`9oE4R z>mRYVF)c8+H(Lu!e!)1Q`OfTLcj+=y+Om}_!PI?^#Qm})1qz@?!e;Uy&QAp~I0VV? z*aM+2c6zYHGQtC>0{jO=89|={^#1C}giwbR0y8ZkXQ>%nNm>KNU4?E~VCQ9`EnVm1 z$9OSVeaH770vTAE#iX{p=xd?M*fCJ<)YY~RXa?6@{mn0)-5uJEoR~RQY0_5>t3l8L zS1^_Kgx(?iB9z7m=Gp!02gzU<{qx9_3cSE`^f2?KgQWkC=k|0mC@rCA(vw7~{vx$? ze)>?tXM#nOLGb~VbwPb)Ux6Vp5hYAHRE;-y`ZKqbvg=*yNaiYMzHYTeBo!xqw07AF zepHD_bgyt_<2uP>8m^0_;4#a;UW?TOaoTk5UYps|#|{TV%xED}&D}0gZi}Bm;h*k! z-xvGe>+47>jwWWW1&lJv5Cjla2Y9y>zs@ zrF2_C^MQelmL-g}sO_B6hR^qLU|H~PL3)j655h>_g?{`ya8Kq#@e*>S42(uVn$;SHz9E9M(*cCfQtKjID>tf&YxWQ#Q?-1#wT+M6lW z(pAq_LjRWIZO_qj|CZFekBQV>^_V`5rN9YVl(jmh7CFwduiJoHZGGB~pOL z=4$llswYSF;<>v0`qQ{ciq@N%^U+iNKXrB;dt~QkgTk5eh+NY%{Z{V)KV}DHlTql2 zGcH57-QTX<>1BKA2R()qRMOMq&J;xq)7jpqeuMXpW;YN9UJj@BYT}W+xCwTL(v+4v z$FF5&xOc^DjxNu#?ThlIA#=Tdd142(QMa?Xva$^Y*Y)W=<{5t6s91&kSD&6VIu?y^ zCHdgNZ}b)@X-Lh@!NIKW@hXlwK5R-5=C3Dx#--9&ap$l$-nk;>cu@Kft1*PzoxjMh#69 zQW&Ez7bHnh)s1b5Fxi^9$(#funxrPXV4w(kG>5b}5}O^FHuAl+TorA3e?A ze%oj;V+6f-JR`Dyr~ zFP8Yo%1m6=u1VG)UEs333CjJ8VZIm#h60JXDDusx1-TjCt$mMp4Tw)jE90w65y_JD zA*KQ~nYX*`jvw!Bk)=XNbGLH) z09_rzWr_Pwy49%Nv3-*a1wmwrR$S;g1oaRzrdK8n4#MDf7No;8=N9V;U6eqJtrs;Z8VkX)M#{Ey?$Kl)^M1e z7xV@%?UayrLnbqYsp2ecY>uuHAS?+H&DM>s?#jPxOol_J&zx^tjU!6i`W+9)emgCO zlO2%^VL070CXe)LH#ls5KY5%1w~#PTNsE8|Yk8I{iDF@*LUllhzX==}f>CF@5f|8; zrkq50LeMO4EpKp~RmA1)JdtrB)E-9%X#*j>8EHo$&Wxl0oHOwVL1)^SgIx$t<+vOz zD1_B;!IHo$7n0f55*1Zb%as5*8J_1|q$gNS>Ljwy2{T{W5{qEY8>vaWBZ0o+KWYIU zxBq=zfQ>>}ecixErs$1du|ID66DE^P{5D@YncNRxXZJn}6cgb1kv>?<)DzCz`S$RE zmw3cA@~pHA1-R+;DlwvXc$3&i8*aZb;;`89F?sm`H&zgnsN*7TpVJ^VL1#-Ev!)@t z1wF>I?+nnMx7Y)b1ltA|x;tAv-3`p9hi=Bzczvty###fUZ~dn#j(@sgY+e4S%KLL{ zX)yc%DQ*G7(^`5sO3%Rhw(pu|Z{pPspNY#|b^I5^XL=^*#kzEH)}*%nuq&A6vG+_p zlV7u(iF0}Zy9K%Iryh=OT_=4iE3xe-)?pcSdM}8E9tFb73A8*t$jvBeAa~4byC|@ zk4Pu3bWj5>QYvpPtEiGqU^DISGwvgTGmF}1LukhK?HAGT$h!M;t~kdj;;62&Nv;;& zj}TQoyY2Nk2RLj-AWWYMB47ckHV=j_E`|;|;t=QO5EJJpb?c5{UXdF9yYPEJT>`J{ z)0_wFj{?hbeDO5uKu(aE`UoIc-9Q!5xxKYl*vjVCRL3nUM42%9n zJ2|`I{&V8|{leFgJ(phH>$;GD-ddSNBoz!njN4*8Vmz`(qYJ7cql(^8@;TP^TWrX! zJ5TY*w&lR2J5M_oXYwh`^*o^oBbKQF9}tp0eRMM(AMb!WG*Ie2ZS9x11u%Hm4_g`% z3SYWdC=9{L1eQD9VE6HyhIKJ_Uvxy%Ra7*{*OGz_nWbCThr|lkB6+};Wge$yS{Gi` zrUuC;EW{=XSB}KsJ2IRcn`c#`HH+8lRhBLcEwjTQ|ZERzZ#UC%5l0PnHv@ z1eW`gDbfGl`QU!~2O95;M#Dj&(?qa~gY3if;VBOO{sLw*@*z>^A?q#+82_```Ucmv zn&Qv09;W7md-wqFPhz^oY8=Ek#54?_Z??wFmj#z4msLY8=(eKPPN;8HDg@n><#w+I z9#RF4*b)!nPJoHmhW<-EPj0maqdF{+OowwBgw`Q72|gUMUGH*!kQ$HIO_6ureE;%D z2A#ELv?3C2cCq*m@wl%PR4O2-)o4O-VC0fKs4FGMxm-jvz`dgzq zW>z~uwYGltNE6&hwE|xaE=!yg6F#iNZqW@922TV6??zwlvoY+qTuO)62%#ezpIsjbOMTAPLlfAvOchl_b zXpN3(YE|XF`mgkEkLxRe+^ACj*yNtzx5ZhHM77&jE;A)CM2f;3xc%f6r(5FVT!hLl zoTyqLjiI((t`R8Rg21Oo5#(s-)fYA2m%Dk$Af+hmiR(mc=@g-Z5qRQRDlW#y9D)cm1Pj zK(y*7oL=RTWOCxyQn#dOpFfG3^|@EDs$5>`F)qYN*!`@WyiboQZSz<^YfUeVPf)PS z{xkNbz=oYnAECk4aTrQ>8Ud5o0-@jb5mWO6xSaMh6_@+(QN{m!8-n9nwA`?1bBV|Q zOk!H!$&XB7PU9|+A3snf|J;H`yW1o7i!IL_NtW)k6GGW-@5VbFr#(!|`g{7&g;NpN z#wog&1vm%9yu$qEVc9Q)9HimUZAiQCun)|xJ`&jPz?)`hOGU2%FYLMO)~)Au8tM}m z3(O)S)al&6s|VV?zbmmkrki8DwmEd&+>xD3`8m$_eIWjqGwpwbl4?(rwOxzOmNl&7aQJ5j~--X8KwF&H59WPS3#7oFMesDa&=v3Y>i1AxOyiRC8I|~{) z*?;_61&zo;ZA;86b9dDYGR2=gKT|KOsI=2l;DH^=&t2b3n=@PDs@wZ~TVBkM^ti3$ z$^{bi1pbTeb-bT%o**+t8U72Ozit@xH*cS^sSuOt&-GBD92S8!=iq z6!9{zQ0H-~zxk`vKTTBqvD2&q&DP1OdQ~bL@?lUSK*`YbfT!kGaup*Zfcr{uE>1dl z4CiIurj=F=m(TZEB-ZT&1NFlnf#VTOuyaqmRt3Wj1Q#vqUj_6xI=CBJ8-W#@1JC1a zy}JZ8spD2piV2FtE=NG!i3@EN`U7o9wWwQccs{F-rSI zblexv=a6b!#S9?_| zkL2Juo;o@WgrOlcS-$A!O=MQl`AOc;NhzCuUB*nQ8-hOGQO}5F*1^fWsRfCu0?`%Q zYmcmo!!haich{WH>hlMJ1uf2mOz)BX@4bDsD@eq9KAnX=vBy0gNNz`&I^F_TG8AoQ z;M*FpzvT(`{dW3!s})F&I-{~Rj#d#(k{0JatKAS`f8KGQ{&0MUGZh(h%qu&VA?kG~ z_V^3F*s~8R*y0xueN^Qux)$x)-ia+QuN9V;*ZyP`jBgR^a|C%VH(TA0&GBsuJ{?_L zjA2z&Eap5<6K56VH2d#;2lGq62a#rivfP*`<5_{GtC|2JmOKIIN_KaN#~thQih#Lj!o+bnABu9ZmQG zMYsX?EG_C7Ks0v+ip)kDI~*X{q7ZMduv8NNZEo#}j1a(|FHL0n&IZGvA4b@97wZp6 zH(K%qcM-Glr&u3t)9Wj!F(%$`d7E-4BzmynqW{hc0Ei^wEQtCbE1cN0ZKESvTa5?o z#)`{~5+Y-%BSoBZNGE|RiYyHA3Q;+dDwOYKy#V0}!C2S(rviV#*prhlH&U;@$M(0tm$U63>Xt(Trxy0?aBslkU> z!7@?SySO_f9eQpN(kD-%k`>PAw;tFd|FJ)m9m;0p!=vVP9)2t`apQJtn^ z8OE;!xrQRHrVu0lj?#ZZLk{O4BI%S&h;Dw2+TbUv>>twhitfT7;4SS$BH>g}q?S}7 zyjB5GNbC0ly9oJ`2)A^YK?eyr#gAxymGb;p!Tk6&QbG?~7>SxxFOB+6=zll*(h!l^ z&$*-X3BQk&=>&YanCOormkIWh#-#Y1yvUs|%$`WL50ECLq|og!7M%~VQv;HrX?&qR zfa3tQl0jS58%Slf*u3gPdT{_{SW5k2y%>Pe*flu}_2vYvyTUr6;&9k^-4&n3Ih7{8 z$q!N+joQp8<)#GPcvzkD+ED1fg_D9swdxsDT}gP!_)-uA5rgDE4t+oNjxD>1Pw|xr zmv{kfCtZnJ3x#M_>A>Hgd$mY`Z_`${`0odv@t&Whr8NP=8APm{yK~1;2;DH5?VIEW zM_wU_|F~(9jna;7#nbEd@JVxulf~8?$&uz^=I4xtOrr(@CD{4F3cNM<7Y3qbLEdPZ z8V%s7yE6lq-m{O>Q9OUX@}}vEXHt7RmNTgA`kEkWh8*B5m)gCQTbP5dp8ZDNzx6$} z_kMVi0*)I7?%dW(13S<6Z;AdE2VP4-0ye)5wGI7$J{D)j)_Y&yj^UX85Ct~Xm2!*L zQ%N1vu@ueg%kQkI{Ha7$df5~=#s}r3C7EltuBe0Ztg&6eJHC{>gD%UG6HZd^CtwjF{THuaon%k6xjhnbB)ZNh??@Zh6 zbyzm@;$`hIUS3mYI;Ch^>ZomVagcYf)7$9YI+5&bu(ddR4o_a&7x#p5LLik^^RVA* z1}nH&Q#!7c`-~cd0oe`TN-FuIa4gvE?f}f_+fw1zKNvN$nw07Vs!uYgFWvgAANX%s zj4#tXFgVkuU__rb2edgnR%hRHEPDC7?Igq^-r!7>rZ%5dT#GF;WDA!Zml|Kd%zxT+6SidY%RSd42p=SL{5SRA_Dt%sZneW%2j&lzd^B%)u7x3pQ5^Noom|$>Y<_ThdY> zOYlg$;$J^movThRTBoOJ>Vx~11=EgCoJOx>#6z-D%`@Epay^u7YKW<5{aj5QOk#~_ zXLcyVn71&JXpLnKbW!l(fxE9zA(8%;MV(2&Tr>eC8gQC)dGAHjf&f3lf1PVw_v0Y>B^?6@j&EPHH`FM$t zY?vYfCQ2Y!q+Kim2I@F$(ji+~Vj0G6@Ae%UFBlcR8of8zj<<8b=TYhZ2}mP9f7r&M^2Q z_;jKrgVxn@sJ}VWR`fVB$oUIgX!dX5XpcXK91@AWx}oPg`?c$x? z{xD9`l&Qh(1b;b9<~l*5Q1P|EFVpC;9YD`EIG-F}C=ZV5 z4D5F`onYAc@jkymeXjn_?Dqv@uv8xE-0Ir%Dyj-bIpSH2+o~idXz8jSA=PIJnIWH$ zuRgy*LNdwz4)~1h7T#c!@@7t7wS8GNFRYMFWZNc=c5}XJouB=rHVAruwz-YFRpzkS z&Aa*iZ}ayOD|`|*Ytppo?N%N2ur9#qzKXY6SFiJ4d2q0T6-Ug3O?_IG8?enarML?( zQwb5_)Fg9eu5J|^G`}`KKL?9Br{{oxYfd}$WERVgaVyvzqE4Sv*E5@@?5vqZ^zmQs z2aF3^wngvYJ*{w`C$poQTW2xH8_^kJw138hQ)2^!h z0F)WaegscWgUsxWT>mo8)^B4z|yX}Wpq3+t|_96zFR;@;Ia62Yi zaBXX{jWU<)rf`XseoA7IlEgzLa#Q>8$uNa#GR- z*x$ys*a1Bnei7%ajITLtczg}PRkA%oLN^RJovr1HuIKcO>rQ*rYHx0>ulKmjCj4DI zSi)M|d6grpS~;JDgbq;BFYxuf+1&bv75`tNQ0MVHM`NttsPP5v{D!mr4RryHNZQ@4 z5M~v06L)V4LR4KO6Dlob+KIW@o{7O##=n8M^0I&*SsxOZ*u8U?faDCe zztPIa*uAqBSW0!HpW_UZmIY@{*T6!VJXqZqZ%eq1vkiDf5m@ zSFdb2hD&mLcwj4VY8dUEqV6Nm=sk!0Frn%NEB?=1Q+p{A>@i>h&meD~YZ@q>yjjm(Zlk@pwo*m)Qcf!cUo8`){oQVsTFdRk__FxsGv;v1qz~ zOjhbG;Ay>E@9w^e0m!H1MQ-&vT)E*sVB#R1oN%JW7kasaw3kkGmYTjZ^THH&hE=z{MD2}(A2omZ z$X6!V5rl%aLqp8Gy6JUmJAcdbYp4F&^B6AtlfdI?PH*VJAaGDS4cb7^X=svK-*Y{k z^v#KzNL#FK{Rv6Qu_ra7+jXn{_GUZ4lJL97^<(aq@f+3UHt=LnP{(dBSnFBL+bw&X~m40Gdq;&1RWrOl~7}sD2rP%Z$IS->4thP!A%B_m z>-X09M(^JWdq-*`A%5?gPdu(oi{swOTIfyF|)`G;m_Ze*38$73P%2`dm9l);d^m0I#U{F zoayM8QzWWKHUFIea158(;tH7!FOhpMziuTJ7~6NtBWw3i>K=qZ?u@_bTpn$0HH^-kVv3st?&#uhd%4)4#fE#j>%Hlew$U0bv9cQ0JK9jz9W zEP#t~A1k52B%!5r1nvXT(DmR=j4X6k;7s3rH{!n%w5<1X2Hf0MZlknN>*2RnO3CLzbMT4Q!eMCwts=M(gL0jH`#o1?LxsEE#J;<2Rv@~5|4#O%P2 z-nD=G!LoT$$w9#Wux$o>De&Lij#l@VxMyKUfW4#j-#8y9JR`1S7d-o&2?pi8fbJLY zlPw^vo84x6^)TmYdxg?gf;}Ch-Q4oBp1f@@G`BoVi z?nOl8a-F&BNT|N{2t||&M>OltQ;)$ZDk}*2Lu{9vI zx)zj+9_-y^?KPTgT`ymj{|qE?q2ah*2f4&+l@cAtrY2nlo`&Z!%nHk`S_3w=VYkS8 zs}RXfbEi1Js~pP>KFd)nM<>G!(4qS{!uIm@Qw~)-kfi(_7@^dTB9N2Jo~aEFM7MAx zq`A3Zvd=5Qbh^al=9TR9)tNIu19&oYiosL`Ac4-2^+2 zaZTn;j6IZAIaff%A_c{j!_;@3jO`9j!9hEo+ck8Pm|OHC7duV~9qL`qoiNOe`E=Pj zIeqOLS?=ve8WGSl8*ib-i3~F3uU2Zgcjsy>A48kYoWjmFgZ z2q3Tm)P>GwLRrv*To>c|(5WjAFeW*yxtL=+w&D#n6_$X6B+@jWdV`*SMAWD}*u=t~ z&K?fWk639;ub)?XoWX%KkY$lPG~zqGlZJBh`Mo*A8nLkMuA zcf*dY0I^jPp&xo;cDH~%{o=Ghnw(n?x%$LBB|PPRM1C|sy~UwCEBfsluXPPNtzloj zINlM_XRI|j=vwb!%VgEj*5ugdqw@&5c`g@b(bL*T#BKCyj}Y}359(XfAarB}Vb66{ zzNZMX>Y^vhOT@d$D|eDlvlTpwC=9@Uk{eGF{_AF`rtvM-p37!2Lc z^twT3u`RK$^UM>ucV;A-3TcB>%Izo^5j7Cqw5J7d# zlwfy-f?6OUhYIg>8P8A~FS z_1;elCH$su&ZXk^r?jaR?&l)SNOvYLm3ma_)CSexN=Gy_`r{+2Vr_Af8b!uv0w38! zmZx{?Vcjb?;|3kOYmOz#8(E;Y@&!|xC5n1LDBOYBvMBhM!RN%KDul5(>Mos4hmC)2 z?I39&NjIw~UXdzmb;hA+!16;ueeN!o`=vm8V$uMHp2l)AyMA->R2@4;Sfv}VZPDM( zyHb2Kz!UiKS;zBwyY_ayx7~j-+vO+ta>}qZ-_z6r`Ifk1pW|axD4UUTC#DvxUd@!= zy;FEG_j(QDeWB>6#Z6!gIZI`(zl%B1g&|<)REw<2t&o&>+S2h~js5tUp~K?QQv7cu zwYET?X%wmspz{%w4}|;8sTMU>LvpI=H;yBQ#E5AGPvRkXNDz$fP*~*d%WIVw55N=> zkBA8T+as(C;R56-W}!42^%6Q8=8j}l;Is-M<))M_t!k~z%yGYr5SBgOhe@P=T->)| zJ|CM6#3U}oUN9MC$a&xH)r=VZQtY7|C}CMdY?Lsv@c>d% zF7kx##-*k1R_|j;8d5Kr?TrJ^n3npMn3_YL=}S;CfzrD~c8W_FlzfS;D8*skVUadC zRwJ-J7FslsgTwcLQPQ{MP z8AM~uQ}-Gsy4HJWpG)`9UstkCMYQ@=)TZP_)MvGWKZ%>373U-HH9D7;;_chTS_VZk z%ansmmfPLt7$D`LAtxBAa(RIN2@G5y zb5}7!6s#L4!UbR-oKLji*gHQz2McqYvjH5vTrYS;ks@$Lk@}-1CXUx3S+vEt3%>8C zolgH7Pyy6fosLFx4ZN}Cx;!weauN&j&wSMNxGpsYF6%jQqmMB~Muar^(2sw-2zZVl z3=Dkxq-93zXytu=rSBSlH?q$Z2Y6>0ex7iCYHiimX+O68yqaJFE&1MGlu`;)>K2gP zCT!zzOf(l<%MFfFGndqS>V<<-`?NYt_=F4Smb*|FE$jH~zSe=r&)Px~ki8E$Lv;LP zzn;Sl{hm2+4%e$re!EVueJfAaXamSI=}Rod?Leo{{8-;DpXQsD zkjd%7B&al=WGw$ooz27~d@qv`yP^#@A)yW3K9oqA-8_oFRMooEeZv6QAfBa!Odv-l zz9II+(0ajMo|bE^UMH1qyxpOo!27>pVkZs8gEj}9s@(d7^(XU({`4Q?gu0}+27%~t zQJ`Z>nK|7jGgRhHghr@yni?9s3=K5m+CpL+YFTMu2whY=oudGj@^Hm(o7cv~HiUex zwY1lKGSM|C+=|@`|47=u0r`#tnsLTW9fz|n%7D;x_Gj4C=>mm?M;5N>dKx>r*gW6=HMIFutP;g3RrHu@+>ydmo2Aq7POy53 zu%cK2B`?u=Uz#H4B1d}o`#TuVo6uO{zEkf|0sODu`U8e8XPtqme;m@ONFJ zYn)2X_Ika=<*lt2lamql!`0NpoWCHT%~#DPsgXK$VjT-X>$2eTVDtF-z9h3EV3+|sH;}Gsng!fi^-gD`w z8^LIj4Z|GmD z0bUEpwU~L5B&xUCY+-35?Pm z_=drNi=;huf#~Fin&R=k9nPXrl|e#ew1@yg!>B7F!U$mXeM2wmITT9>Ur}u}{Wqn` zi&b<~$=`9loAvkiRNQt!A^tcn1;dJ0mea5X(GUK$iv9R%S#q8eDFBAVeV6gKb)TTs zCic+1G;3JB1bh`taOcD58dJZX! zNs{##=X`o7*LO1ucd+Z!*&zvTba|FQwUxXM^H0z#@h~$ua`jq`^pvKpNX)3v_w2&U zxp1T-AgsOz<+4hxtiH%Hv7jOuvNht}lqT+axivc@z2j%!zZF?$AUN zqWbwopLD`MaYFS4Nqnr^{%Y|2JQ&Z4IbsSA8j7<(D)b@HVZt*3!l*drRGHBX@&Lj3 zsYlu2zVKXx>D;rV+2E+LUj^mM^uzJbnB%sPg+A<9l{5Bk@b1p~*_DzX(i_`d47VD@ z3aiZZs={T2IeVq9g>E)k5+!@P@VOnE5>b$F-+Uf8-_qMQkD6hc4T~QCINjgD!+{=k z4C4N|K9bH?UC%849N;^7NPT=7ZdnvTFV`ADqUXe&)SPsPuk@D(d7|R0Yx%_OVy%Kf zLkJV7s@){j0ABH&0Rpc0XVY&b`qMxKS>J|bmHml{D*-dQ?5`E2wmX|GB%rCIuE>{;Sx5HXJlU+iT6DR zLvRJzj~5f_{{UM+q`zuQucnckC*RnVd@fEJeamM0_FB#fpBfyD#wDM`%dDWg`}*9v zz{)%%#Q#6;H{`J0CC$I1LbfMa;Qt5xX8p0*jKw8G7C^qz)ZSiI6In@+4d}SGU-3K0 z&&W~xJf9@f#gw2Imot|-r?Bcx)U+vxP-uHTBHbn#R4x+Cx==0nn}E@ph~A+lHKRfw z+BT{s+hd_~KFS2jJLd+*&{7Ijz}M;K=O4wo1?#YG{WjKZ29xz9N~8M{jbuYVa^Q%z zds%AtGV6U@@`K2PJL{BkP1FS0-nxZa6jZNQeGfvI6aAE@ll{|#D~%$;3O=4AXn2e} z`d4H_SIqjfW?d@4+WkMlesj@G0=GYo77~rb;-lKl2X3zHPA!9<^&EFU;1ha#iV=d5 zs};lqy>5we0m<#P04Y(Qc7eNu6KCS(v4Io^SQCDn*)=#=I>O<$59tdmgDoZnbMg@L zR_0;mS-Mxno^O;Qn?h&18Gr@oX~8k{)$GPUaoIFDlMvpm)n~TMq;%qoDFhL%a9_Wl$JiY+kdPR;!g|CPbz@dCf@>D`j2kLX zIFL{{t+4va%eMEKhR*tcmf|m6Ig${N5p!eA`}^8)tGuDJ!mnw(+E z@#4?T#$I(<11njOIoYQ*`e12u zSb;j(pR#e>ZR8lxMY>!3B4DITbEk7k(OG90B~Wwee41C;#RMC~tEgburxtY1Yj6mv zZKrks1kFn)3i_6B#OE=5t@?0bO{2Db*H3nBuQk>bhU+b#;mL54VNBEq^UL~6Yd3st z{kl^Bvix9u0>B%u^S@Gu_g%9OVE=HVU*aW0%JuZMPrq;x(d%W;H%-kST)lF`+?~5F z-LsSKsN1>c(p_&^wqfP!pkGgOE}yw-#oC!8>lQYyrw3WB-?*^u=9zUXRt9~VfCTh% zu50vyk&z3ozhE@X8D5_AmDcTAS1PS5C1R2xNRop&-bMb+KL3^KxhLs;R*$o2bn zZoQpqxo_XP^KW)^qC2jSWHl`l&4s%|ikUJ|??g)WMbj{Q197idazzI6xlDi5!x|7q zGd=+iU^UsyO5 z=+yzH$~1u{5(?t%PV`{MW0v+}+kXogRr`?Yf{+3hlM$+hNkH^6GvqhlAuew5cPuBf z+P2LubV6VSw=QFzp!bU+ZwS^0@BNF9#WHz*!TR`odie?YCwC3K8&y}Vy6#ErLG)l? zEb@^z-K;PE3HU97nE@>20p2f&qV;a{aSpToKmYQV<;P0aLKJ}7El5v7Q=0(v#Ya#bZs8GTMcFM{ z@0B1UYP9Wsj*Rh-1lcl1-SN#_g6n5HVP@JVDti!Le3b_yW^xm`+{8*6~s3zD0x5NhR-_M8_LT&ek)XSLys(K(-L@uPd}n$Wa(iYN_nV^NRj9nJ_zGyo%uum z*~UWn6{u>&jN@i||3Z5wet|!I0$0P?(?xUiqlVvpU>~92K)gJ;F)0W@#l2&)6!v%f z6_!Pg0-WWAkg5e)j`dglv7!F%c*euAEM_@QCM@UWAtPUP`*c`ySwri3Yk#x6HeFud zlmsC511owHbEScv;e40Z<4uK=)bq9nBgFEFZo};&g3A?;8u(6*UF6+vtDeE~U9>JR(sZFmP3j`9Xi{lV5mq;Zxk|`b)~RcOT*9ML?0P>^UyV z2w=(L1I`uQ@vO7no*^el58Z3U*$1JN@C33Q;wCUX-vH1Z=IL1|D#EX*+S5PMaxs+@ zKjxNQQRCP9#bh=q9Qc(HbxH0Ax>+?*6b~MhNFd{V;r;GhHi&zk)_s2M=`Iq?X5II_ zV5EZ`e~|CMcbm4)XOdwI`=C!jLe8Pb(bO?kXntKQv0C7GSJ_%5;CYv9lS71+{?C_2>wsK^$#IJL$86b?0jm7AWIons>rutN^S8*0BM|$Fkh&!CQ zewFHF18S?3EVv9awsV-{R3C5Z$^62ubZ^)IM#a`Qn+DeX^TVv_)7^gb^?j1G&+YRB zS-H>piyjK;i0hNtpvPxDU)p-f_A=fw(?1jUL_@1f?ud~q9K5W*H74Rf)Qg3LfBB}h zK!CmU&Hb6M;dceX>5FGs_%7m;+1OMh9p!xy1LMv-`T)z2-7teEnSJ&d*wo(BLB9c0 z#qAB&wx1YkpDA6V-DDr<&d`)ZWzNuEeFkavA zh8aa5>jfo~zG?AtZsmAuJtuP9(A@M@Z@w~>UN$U?+`5}rl9T^P=# zQ&&yT3=ZFZeVU^u{)Dc)cMJMhVo!DYstD#h9^zkUR=0&%4=WMh_UmV;D(>Jzoqjq& zj*=G4JQvJ4CMVQUO1HN|r%qe?=;4qg@D^(XAO4~0w~pcWF3zcbzly$%O#kPuyAH2d zJn8fNfDHRQC;vwE{T^T9@!9V_Mm_;}f$npqr#R>Gwz17toO8|*b+*ou%jr3{?T*l% z<2D$eu17q1kF_8IirOnml88PGQFI)lBi1d}F?0moym+A?C@=Y<{+AR{jVdp_%@D zQ>TvDdZi#x0IGR>eN8w$SrF>jw2yxScq#;h*SHA2T36JaoydLG9Cq865%rx@g+>8> zucx=Rn0%`Xzt8=AJh2ps&;r!Rso7`jogkwOJu^WDzDv)>P1*GxWQIWgn`TxsYiwKF zQpHYJk+k=$*3Wisw5nFGV^oL*R?Co9H z+xxB#R)+rrGi4YlGm+2x&w5ZuSJy3JS8Ek>fo|JS267c$kLvob6-9|EN~nb~LG6Ma zrprt1zyd}#&;X>;rUadvFWR`iT#2}m1*6+9BvUZeR?F)*UPP~4zVm|71t)3oz4#~X z`7a*`wwUD*RjT)3E4SqAWok`?8(kh$6}CUnUGqaU#22m(b~OA$JHedHH^gk>21Da5 zuTOtUlgglv(nSeegK1Lb=E1a>r@^+E(KqaTdtb*B33jY_+@e8qF7^hUk$nH87m|~O zG&jU8G)1%e$7y&n-u|9~XN`wS&>xrnDQisg^_G@$b{?oXIu3bdw~=p*)ar%Y8{1Rf zaA~l_b14$qu^ax~|0GaZJSPZf6GsU5hO0!GQ#1O1pfU90rv-s0{#!UG;At2e2+w4w z&_{koH0XI8aJiH4Y;OzQ6nZ;6UpYUDYUO;TZB-fw&}e5g1AxUs33)963-qBPRgp3a zfjQYEvh%e;l+E!i9AV&OTEN29jMp~Go(BVNjNtcfzBDv3 z4qv9)hZrUO|6tpIWc9l+GxWp;?E`HXrvvt&*BiA9?m+y|fqfH`lN0+6wC3I~kws)W zb6+xNG3awQktPC z73&82`Ucif^og0$Q1id7O1`_=jc=qU2Cq7D)gVn%J7e+fi_hq|YBSBf?!ew3?7etB zEpYQym%V(B1?jshq1L$dN3sL|KGYi;3Y`(!Mx_8EKMzJ~oO0_7j#ey31A#Hq#D`9b za{mXEk6J#QaiA*LTiX<%Nhp$??kmD2%zS!!5g%yDlG;!fl{2NaE4@LA}rUlL- z{9N;jzh1?e9O4zL=VP!_@d=gp!$1A$HN|lS2rVr3*ZV~r)>yg0BVCs-IXPcE0lN&$yi|76!U!z%BeTV7nr+RM23!0_)s}%q#?G0Uz>0$$yPc02 z#lErW6<5cptFQ}?^LE29bZ4*Q|OPU z{Nr}Q_K$bOdUM5P>!|Y*5ni^}_T)Aoj1X;Uo|S%e|*x>3@Pbu-Qw_-F8 zTtGdX8g4!xj&ZQZL*W?v7QaD0L)Jp8P;9l3ovBdTUJxm<&j#X*?Nm>q;0AF9=lcxW zxqt84#*(qM8%Hl(G5DbW+{16#7ayt(4ki!pxqnBZr&>JoTC&C*-L_z2U&6b5)%fLS zNIb&-@l_(!){nr{@}Zye;%KR7G|txM0{;{g@0DVk|gLAcmv@hd@n!&qah+FziPtPUcj+~yI^A8o4 zb>!pm{3eRgzbR&#<;9C*o0NpDZ0uNumTI=VDb7yDH^~V&$nV^_GLgt{R7i-6X%c@> z74(EEa0kP9l340tdi%q=jr=FDn=mlk`8YO{QS2r4C+1(DK0Wt+sU(yQ1=|Uz$Ku6h z(}a51NqJK;g?cR5#}`jmOcUw>DK_R4i8C+U3Ds_omCun^2?=#F^r^F%-!(RmJ6_wK ztR*Tf2cpZCQHx`?uIAnLykE-|MHPu8m(K*(oD6PCQq*uY10ljgbGls-+i=5h$cc91 zcRZ&^VNs^w0ZQ1K9b>=}a@Zp8+WD{Vf9}~qTqV!Uz6m(0FpQkf;5~>)svXNInrdo> ztRkuy7R#x6(oP(si>#2>Xf`NFg(!`1Jk2NF`L(-XzWxfryJ{4fKw(B(_|@jCHv^4z zLny~AbKBjDdZT1rYJzFEH`pY{05|L)L90I%8?9c((1egMysc2lT(z46A%&70pIpPH^% z7Gy7#O3|s!%d*?{Z_PfO2UcSF6l8`Ha=BfnBz-78Jr!TxTGtJ94Lq3lC~Dgkp)2XL zwVWpe#5&H65wqo9p$(h^gToji^PPoEqH6G#PuhD1);Pg3YuTO?k&dCv$vDQLJ&*m( zs#WiL?AgcORm|s$?|N*{oLh#;4e3-Wy#tnbaFT`M9=q9Q;CFuX)2 z-(NawL2pVI5aA>xk_q$>5@<2-S=D?#eq`0(JoZ&~i|yO~Y1{U9ts;-N-8f8cxazXY zt~_sYN%Ij=vLa5HLI_8!2)uMzHPwh_>y{EuITGMeKvClh(|;^h0YQ}i1q$02-{#+t|3acJK8+262Hh@EJL z*eQ)&eztXvo=#8FBYqB^#S@A!8zFEa5 zFHfCP@z>qW9%(-n)t!Fze|ul^>zRLp^WLBHzGmmwlRW!ISG0L=Oq+N94c?d^dc9|C z>)jq9Uxa5PRR7tb7;71a=}c6q;HiXa!J!an7t=H3GqbDFdpAW79K3wDy9F&iFZ!9M z_k3U=n~H8OujWD%g5@tge94tJq6b}ZVnTHN6`%P~ty)Ww~fNv{z!9;3_L(CAcIbF@)4ok3BM?-- z^k>x+9jR>^L9JXh^xU6cZ`wa!A;-vKMw@2^u?RJzx|VZNKqu<)0k}=zvZKMXC5e_U zDZzy$?*E9=@7<-v{uTZGE6!WlkNiJ6V`+BOpBZxz!Tl@GV@Ifx>Ac=4dDo?LeJjsf z+1IzSUzTrhJa#?qzD-qIW%Qlot=8b@LUKr>5>KEI0*6&1Dk2XE34#ty8UsefF#L6g z(8fc}FR!{Db8rq$4H*9V>(Tl{{u$3+-^P{Qf}d<*nJf&Q71{{1`CF;fCZ9RgiTLTz zK#h5TtMo(5(@TvS^JSOMo%#_L8IE-=Sff7;Wx0CVar-lDALAGOO?EPAqX!`L&j1pc zpa%&2Ha6)Q8`G=JcVZrI;xXo%5AYb>d~YOJK}=hm}lP{?&E@JxY*&H6jF|cOZh|<^sAn13@3gV}x)qOQ9zeE7nH{ z@ZtX^@~?)N#SIHzKi(c|pMkMfXXxy?T9w+8yTRCMpAI7AiA6zVfs?BhD2Pidpg_!x zV#8|%z^S?v!G#4(Ziqhi^PfwVu427j?5apJ)MIVEUfaCw;*-#< zZD`y2?w;;dwFz&cpI^S5?}y09Io&5Ooij4w?e03TWZBth-%z?(Kc`+yqkCylCuo@+ z$(_>+d%D+D<`+;|0~t4L9oo8~`}Hm@oZgx2X!qlP#6H7t%}@(8(agaxoilSV3DK2A zm=9poCKS7d0o0Ix%>Uef?@znYXSRHE=3bQXzlUy%9Q@nE+v0D&@!=dnKU}uVPv>sU zctxuFDbNLi*G6hir8 zo*J0dswtdf2+uj#sH2%YY~wI*^00@w(?MnQ@tgfc_$9ykDEx*#|M}0OXCY`FWD&IK z{=?y667mgA0qey5%~ zy`i?2%N)L6q2-ILCE#kS!FX-$6d_1P%VpbA_-Ma#7Ex|wP8A?{$$9S6yik#kyWE9*D~S?nRI|O?;I)grEDqe_HcxDVzk6)A4@_gnFwc2_Fhekcdm%<~-7-|xH_ zw>E6B;^;_F5)Jw(B=k>Tl*6xvG&v~qXO-^0J}bU`yT75Yl0zH1D?ZKiVBGT0tK={g zSjo}y&pWUAi9Wc3&x>2sS0%L7HAI5h)eJezqrw@$BVQ2O$?#dIen^A9?qXSFs&XET zZ-|=LQipx)8W0hIKtP~2Qv zov48l(FM`Wg&D`mWT+tf-FI}|ffnDCxoNT4H`HgoJM-@7f?ns2%pI;_xWnF}>4l|O zEY_Fl&t}cOQlHtEDVxbcv7R)_nRCl}vZ$BOZC*cw@Yc*$|CPVZf5zw^>Nm34-*o(U zv}ZvSAC5*dJ2TOR(Zv}mLVxbI%sc%nZ^_)Uldf;xmAT77Jqx3-cNdMj=yop_D=l2S z(Cdf$ZO<8&W%Oq%X0m=x(uCVp^g@STS?BL4m43J-v&H}3FFRhQX|g-ApDp}tbgT#2 zExX?Lk>mJ*7AklbP`?$bS;?P9$K-(vU@p5}gNQj7;VH8~-ZOi`ip4C_2VwI)cysgq z=kC9s9^~Tj119WZu>(K_zz+R0aL|2wVix`a&Cy&2bOE~9e-FACt){7SvH9Wk4?GZR z`}F=IS;Xk{I^!q*Y-$+QTi%nXxRMXR#7_#4QS;isryuj<8bq#n)A?I#qocL0=YRWx zE%ipDzU2b{4$h2mj@ZF_I$uJE4fIvz+d5e^=fi%^tNrXlknQ~MoFC*5B4}2N zaN)^Ai^4dn?!Eq|n^^A>9qHYoZntbJ=(-?`9h7fdz*gWlgsu+#4b1qA+G_+~yi;Rz zV6J5qM`_7AHKD8Jb7mFI^N-S?@6pbgjY`$@+&QhfM%!lv--2zXUkH=s2D@J=f zr!zzI-!i4rbg9&3dS1r!(9Hwg9kEECYM5SBbGVouOAIf{#QCs zn0GpimL4J1?>NNfsS)7OCjVDk$J2YGS1UGZB44$0p5uv5qlWR`lYp{cI~m<`_>z4S zQ&SWBE@`$S{=lz~AOAIqbnow;f(SX(TX^RdIz6@XeEotg?=1ArmL^%Q{o_+p!8PX$?tTs(TsnBpn!&w&ZP_IGSD1GVprgv6#n9V!P|e681jAt&hF8a>7JiLk zI*PWmAxdcOa+y6AO)x?eh;w{hkudFv0PSg{VbioCVZ&>1`TSHlrLWPpAw5;@oS2x9 z`xf>ozZy7mz_}(GeJeuI{xb&-9Joa0xa@+Z3o_;`Mww+--+J}3?2}zxT~DI)_}+ti z7jwxFm!nl!~Gq?Q-QHaBq#)6HSQ33_pXl-v4Cm+2(dp!Hi%mcEf$z&CTz`xBtj5!WJ zkohKDx}T6{_tB%XN00vC=utoW+8F-r82f2*b3)NH1wSck%^u1I;wK3iWj{iWoKJsi z=Y=i(!DIME<})H>xBNqFCsPB>82(TELUTR-Wb+8Rlg=Tp`arW4$qkTF35_%VI=e%c zLGQ_tYNP5^*;LI`sHuFOX{0b`$DQa6V|0ox2Fl!65OahYOC#hp>Ol8SF!%67s3B6Y zsG=uQ`&5rPCjZQ)E6+6FZml{|tu{N74{9Xcr>nfKauKn!7U6XTyKkYv@ zF>&;L??XTFo-z88#L##o>%3Wq0q{@6AmKmdpT6~Ffph93dBt@6@7^Y3^_~8{*zIbE zf?lymdbk@lYh|(!i__%Z}v&@V=@8MQkLnMtqonu>=#=wb@h|D z!lLWcYy8|oKsz$GG(hHA^R!SqPFnid%)SCKMrIC(9#sMbMo}O?8f%=tXPOQURT#pCiC53hu-RCGW77W9p^X3s)MV~TsJOt%8S;oTs>5U{1+Z8 z?yY-zv7md6Juu3qMutajzT@UE*0_Es=8Y19h_dVfo1olY)K|orD74elZU+nv{XZm2WQ4REK-1ZGCh)K+^OF)``fw2HsuuPCh@9$s5QkI-Ovtsh5^ z}a|-7d;tRURyZsdq;3u0C_(}gBC!Ov~r^yjW+}s}I#K&OYpBc;L#xk?t>89ot z-Glu&-%O_aIy?K)?EQZo>O0)>>*9pE16*Ba?l16UN6}XJz&|Ooo`iWEQE@dz7N9s# z8MFZ1;$O)&$^Shn3XK&F!9PJ{??w3=3S{`PX{`o%a4dZR5X7NlVFY7$$Rd>8wZ=Oq1ezez_m8KXRU(BFXn&HtePfz~*8EpFjau}Dyz_Rael zFT<3=3N&4-!X*|NM?o?5pg;=z<+f3{nD$@bEWFODf-{RDG3h7QHf-6+$@b z&_f!MI6KR$DScXtxRL-R6W5q13Pi<%kd#DDn$kMda#-)h91io^`iPMi$hkl|svHt3 zf;h~{f|R$tglkA538V0|AYx9!5ve2P8Uu=oOOn*eMJ2pG?7!_Kd{&)#ke)efaPTa2r{Td}NM~4E zDyNiikr%}(CPe2%`CQGk)%6NbP?!*@UnbBBX?=kbRt;z>q7l!S&cU-`5q=Vp6=hmY zMYEiWWopvMDbBcPm}zSY(`Vu^=7(gW4u_4fJ4Se&kE=LB90PG8(y^f=mAJTEfu`Vu zxNa!2sHxU6l^3;f-Q!fq)g>TkhVX(^Jmv5@4lh=*#>bNJ_=F(wC4$J1sj9qfoI^yO zJ5P3?hM3fVNEW0eY9j2ak_s<1{IU9$OK2-xvZe0dF?iNYt1a5=8J{IzCX=BK7@t;9 zq!+ew)N++|I-p1Hby5FXN}Z?C(77_c_psCH9;WW!4!fNWi`;i`|L*aLiSgb0f4hIr zqKSz`d-fl^xUEF@jcqd{jmF5#wgc#c^Rl^agcgK8GP!8?{@?8jvhDlb{@sfvXFo}k z&*fv0P^j(K>g^=Md=U>aE-lnBVeF#vmtZlomT8OSfl({ibV$xJRBBWl!i3pgP>P3H za~7##{9~~U9*#F3@v>PDk2jyn4i9ww;0I1;1rImBj-Hr0FqpgOrb}y@yy(2)vGaS< zo3FgEq{<^_r{ZT=J9k>E@Uqx@Kb%Ls+Tt9*-(c^$#dkqP#R`m>g#L1D#3nI`$q9+PPv1K+$rM-=!;K8HU8x@E_d=fE< zZm|IrRGnUI02y1X*K&{y;*8X#2J~W~n=&t=`B{lvWyX8+G79 zU1~C$tqBf1%}4|G5TgjMKt49aT+M}3qF2m{PMYE>7U6mhW@&g>cpfq9G^iOF%v?pM z-l$GOMMckn4_nAJ9I6;wYY2`QKovlnK@?7i^il+-9+!cH6H1gkYSc?uq;IaqaIdLKZ=(Vw6rkA=Z5N7iTV(eT>AP$|5jm(Ikjv2UP(Hnw z6WNP~G!DBr3rLp9pX$YOA;(7@W=NP7spr}eN=MKkPYCq98)9W78?Dk;Lq|jCaC9|c zxD2f#&RIm(+QOTvGk300cLnHz6AUD)-thjC#Qbm>s2Hk6G}4cXfrerr3mPf93;-C8 z>H0&~Vfsc{G1oG`jk?s;4vgmk6G4@usY7ca@PIr=&jpsX#XPG<4Mxdel>w6l%PNWx+)EHglfzXG;XVK8~ikGTPqfU6dg zVqq?+ItYnTpaO6g(z`|2aXcI#u}jdQ5Qm^Bbrj8;X1SY31(JuEI-Kr=y5un5!50aa z;bKT4mdf4Rwa%Wlf*8E`ijO23F*$zYGo1MO$tEKB01Yhx{+ZCbcH923<1YT zwj1FrK`{lg01cf&q6x1=!3zJ2HK_=(mRsTBVV#RE9+brhUDt#3f`AN6bD;`92(3$c z!x0`gfObJCfs>OG5tDpeR7Jv>5|${;D<^fx$kH4X33IxtSUex&@;VU&As$zdNgV8O zc80@RLth=C}J@x0q4(gDY%v(q!$xtPH0l1s0gJbqKF#Lb&{Wn zDkjt|E41w$BrNlsYJ64_6^Z8v&vCLWN~oWc`2k=G%&@_m8{2F2FrPNqV)V1hN-a`-PJJD#)= zv-h^bI4sHtg`H8{DIgT61OzkwCBZRW zLTTA<9yYz0MN~=DMS&Nv)zdw*%H}0e0vc142{PkqB!T@8pySXpf5b~z?be$&AfpR^ zu6e|O$L64Z65azfyig(>FGa$J)Ey-}QdKNAk3hpgUGd}11Q9ue3|qz)zRk3NQs>bC z<`pe}mgI8X{gSJ4B(LEJ7lSt+|DYJt`0qeB6*2Tq4n71vf;q+GmUF}~xU{Tr1jGE- z#Tyvq41_b#hl)7Tk0LxOOV{ZX8$~QeP#lQk58*hpi5Te{%cRtS383U%UJj$Un2#Gm zO3{Qcl%6yUAagy9EEB>BUJL6+Qc;p(7sgz=r0}kw4QWwP_3&zrILO3Ta)z3nKq*em zOFGWV8p1B;?uOn6?~CU#bQWHcfr$Zj zTZu+-u?kEKZ)lv&-wpf?^-2dMyXrtckoYh>1gCWgvIuMdpMy7~DVm5?4aQzUm13Gg z9oX_6SiwlWmeY}n#7MEj+)$IS(jSX%&%a4RI+28!pui}^CF1aoolFb{CmtA1i)c!1 ztt5EJ!ih-4HK+?s1Otj7Q^*?lUU)1>bWDQ53uAG_byQSc8ivn<4Aw4(PbeZ`WDq5a zcoTmX11lPdY2BvC^+b?#7i<=maK9|0BqCY@?dX(MuG7WK!<JcwW8ZlH;)MQmwOh0+0O>IvWlkmSL znzZd?)PmO_kSvDttgg>p$>uUK%7>>SaVgPm>Pj90{{u*q zMo==5@nkg&F=)$Jr>f+-hKL}i5aM{eNJ9P*)GHWaPJ&Mf8f_G22-TVtpq;`9$vidK z=WK&cO#Zh}3Rvqt>|etXq`(=`;YHp59!A}U!1MlB#1=31758Ymm=$N(?zIXGi6@6>z--A`gD ze~RwWPTJAmN3XYe{eJ*%X_ED?K8Dfr=l8G7e3M~}<~-rN+=k}AcK^(#ky>qJ)65H7 zHdSl2>ZUFG{Rg%l`~0zO+aTCVCMju)X+^^k8Rz0 z>`@x9I{!0ygfv2jL$`!(4c$fiMj7`pIZbY__YA@x0769W492l4!I8-$(P!6~H31pN&Co*@{aa%6~9+ zMj2h*b?(gCu0q$QO_@ON_8IbJGQ%t>TYb)L+x@nD*#yGomRDIS$IXni)_4Lz@FZ@H zgwd8;mqGxB)as|ypN5Bz$p`}}z^M{1aSj36la~d;#o=8PlM6>>JF9yl!n0Q*Bzbzq zRz??e6m^%_7^r3$ix$>Im;r%?fC%50u4EULtduNs82g2>c+HdL*lr3h||IZIbgQ1>p22aY>EHUM_;tTqDhiX&}}!lR(pObLX6h z>7)sqENSzzDY*#Y%S4oQ&2l=NdTgz$NR)99d6N(fR;g$nvvC*r#fN90BW0NmUNWWfDf4cKZdSC4jFPlL#hJxwQK2JnWW>z zy_gsEjIa#k3sH2N6!owOw1lKY^r)Bi7R6^`iXsA+DGEYRDUl;Uki$(?EfS4I?237|r2xaKZwQ;l01%uU6cu+Zl}E8u!m({LYJ@eF2ZmM- z&(SwekuyS_p<-w_G)8C6PVBil7Ioahd9McxnRNZG4OTG+YtfFN*=_e-w*sNbOYhw1 zRVP*rU%W@D7ah?YnZ{_@HTR)>cfC-kcl)mv8U^_G^K_RdOVP5c@7=cP18+S?Ch)oh zC4=Q?xX&7U|E6vC9bDm0B=h-tJ`WUV5i%r`P)4B;)cbL$H>JyBOrHGu^Cs1?qHB%$ zTE@YlYk@3+iEj74m)jAbD}L@rgROZd{!g;_l*=sga@M~&dv`Y5l3~C4A~{Yru=#o- zv?6rwUovCc4E`tE!n9>BeCvgLyA7SpTny?u=klgKnO}411=|{YB_tAdYuD1V`VxMgt)Y6*XZk~>09%l1ywPP+bh=jlsj8bfRD|gt zHIPWP5sM9vd};Oua{cVRWPJ81U`)HK)o$EfsT3H9hnvZ`&F4L2yT9~*=OIb*9`OG9 ze)s zk&;>)XZ9Z0s>U@z9eK;dW=OQuzrujp8Q(WN&v?|sUz}R9#_&Qd{m;wscbRoYI+UCDCPq*5 zGD4uL_WZ?Tr^>Wu;L{LK+w*w8e+9Mj!OJuYr9S_Jz%{=>5qQzHCz{PhV>exW*nQd_ zy@bDOX-x(XjK1^H=3(GEd3=Z$o+vhY6Bjjlle-!{iTy3VkG}z0cZAuZ>!{3g)IJq? ze4{8M=qBuoC{uk27;kfVF|bmoH*9N?LTQoj@mg5+r~M_ireolOi>6P){@E#p-6nGA z`6Gz&&v=CRSdfjh4v zoGsvlgIx3xnbSl)7-OCykCW+;18vLN^>tB6bLQ(Vz)}1D8dG3$at`vZX@7sep8KA! z+___P;lj}!JO8sCxzg%BaRUC^T9xe)VAsNNvTp%RdC~T<1q;TuUqrJkXkPLSn*JMe zI6U|vs(pl@F-2;kb9}J*eg6-G6rLC#8T3OaKHxvf0G9$k7$MTh{ED@Gg6LH1Dp;AR zS6Xnikv15&C@@=@ddnXmWoA)9XU6OW{MnxJ;P|!$gZ+0=(V%WR3%U(2q1tZJNoj@% zGi>BKQN*0m*_(}ca>4&$PlMFfHt-1kQKud*ruVI-i=z=w)l56p-;p!)h-Jl{Shlk- zEb;wDmzzpzwl*?xar0NGdTtGu*VS5j68}IRB8y=xDp60j_9IzcdxL*ud1{Z>m-{Y8C>(-Wr%jMyZ?@@%uHvV;?XTjKxi~jSX z9b*d+GKYq*+HQ3i`Q9D91q0o)d((!>$OvTLy=m217e}kTVy(Jv!-e~{Y`#jLUY&T$ z+V$HmyYPa>f(4BWF8pJcDS&TY4$-!#8`=ujkL#)hh%SN1v_J+d(p8E`%A z=&e@896duZ9hH5{zrp`OG&&FvfI>yj#{$*om4Ss&1e}#X=LUitF>7ZXW5dPtq ze;K-M%>VSfbo5*M1o;untKFe>p$n+a|DQ%)g!h%F_GlBB>1j*^ZqQ0hfrp`->bRxm z(FrBgsXAr7+F;&;sBg16EshGv1rh&O%z5H?tUloI`H$FPvnToQ+rvZkq44&9PxhE$ z`y+YYapV3gqVQG4H6`4Gm4`%LG?br5#NE8*TKsM?@^i(2a}OzSRWe=WtAhVEAWDId z;}r;d1**b%*8;4n93Cg)dUfyKFzGBOUb@$=R5D!VnOG_ndj=wvihb`(iE_mJH1}p6 zg>B`(BXBore4E4C30YO;6D(@maI?sND|Q(1Z|2YzQB^Pkk{?=3RZ!_$%^xL^jvSa#v#cyq)$k3*bJAjq|DX)_<~(Q=Gl*(lIbN{3_7$QEmaLe^&h(! zvPmD745asfwwG zxh?D0UYG6e&R(~6{UhtvUYCR4b!*pc-PaZtJ>QOe;RkEpg+|s)=CaqXUH8cPHP>fz z5M4uaL6j_`BBuY_mNl_R^UzB)%j(eo1B9R!Hvj;5oMT{QU|;~^&ob>M@%%Pl8Ms*( zK;ZGsBV{o9|KI<0tj5gEKrROZ6G#*QX=@Fr0001ZoMT{QU|??e-@p*Vy7K?u|9@GH z8Gs@v;0OSPUjA(pnVN%Ssp^+OvSea5Y{{P1z{tvetl`tnZ^NAJ1 z6%YUaqKZ-359s!(gTje==CiJ(ZWsdq%C{Cd0000000000dI1UnoB|#KW&+3qE(9n9 zcm%)&ECq}P7zT_6-Un0%x(EOWmI%-Z3<=f>FbakX1Pgu)77T6-+6_Jpj1CeGbPnJT zj1ROBIsvK&RrnB|5iAjG5xf!@5|R^K6Lb@d6ZjOc6%Z9r75Wx57FrgX7RDDW7sME> z8FCsp8l)Rk8=4#j98w&f9RwY49o`;(9>5`vICMD1ISM)MI%+!9J9InXJWM>gJoG&bJ)%A6 zK14o}KDa+{KlVT@Kz2aBL1sbBLSjQ6Lv};zM7l*HMXp9FMnFdVN2EvmNK#0UNS;Wp zN>EC?OCn2TQ5I2>QR-44QbtmsQ;JjoRFYMORpM42R-RV;S7KMZSQJ=lSb|vQSxQ-= zS+-fqT6kLCTNGPjTetuKc${NkWME)8!hDaxhXDkbfS3yi85sV9`3wL##sdfdc${sK z%}&Bl5QR?>FhXLY5_cwdp==E0XJy!uz{(8^_NClHN&j+tAvQjOPvb-Q1n%AX5Nygkwf3#MvNjubyMgGgpT_(k1{xkL;{pnE6pSH!q(~5y(ITRwz=nF~zcyvZlG?6j zPC8C$Gj&=(c${ri^_$!_5WRP6d+F|yGBbnQq)nNbnYmhfyjD+^ z97(>-rOeFC%*@Q`|JAX5m-L73_pLOtG^3gK-e_uis{IY7{{OcD)94^ThzMQu(8mBn z%wQICSb>$;44Y#MY>BO~HMYUF*bduc2keNQurqeSuGkH`V-M_!y|6d-!M@lJ`{Mu{ zh!_XqV64Jw9D+l!28ZEr9DyTo6pqF*I2Om@c$|O}aS~3(DL56U;dGpVGjSHq#yL0_ z=iz)@fD3UEF2*Ie6qn(0T!AZb6|TlLxE9ypdfb2;AuvLM6od?8Lv1FYd$rcmNOLAv}yn@F*U`<9Gs3;we0h zXYeeZ!}E9nFXAP8n18?Fjyp4D8F5biY_y8Z`BYccc@F_mS=lB9&;wyZO zZ}2U?!}s_BKjJ6+j9>68e#7th1ApQ#{EZFxXDW22(rIU8d_d`#0!1Q=GNV$m!*+^I zNje-$PZaT(SEF7kofs)fgTfdclC{QmU6mx{TyJef&P$^MWs><0Ez&IiW2qOUlkC$U ziDcfDBB8#QrHeDERN&bqO!#U$$a(P1*HFoE?!%&TG6}paXj)P?la?~GZd&;MNLA#G z@p+Ww))W*ruAO;W>dP}Dj!T_COg)-kP0Ey ztfjO{C{Cp1YAEJ90`gN?~cG_7SZsjrBodlpDIl z66rXrl$u+zEf;Dm^{wy}=R#$J#&U*Z1hv^uNU1V6nz{>Q6O+=AGnG1?kQ|v_Yp-29 zv-~m1h3{3IpB4r6O5xnZ*tE|e@l|h6*i@WFBDb1Ep}gA7MEF`6@{?u15;uY`>L;csnKbSD8H=oO?$#%z9`~2#cy-A7 z;jt9#888xy;Q~v?bXmA5gB32A8dX;kGh+Lh(cZ-=sX=SyzF0PEUCgwm^VaBbRB6Q& zcT1UYmE6U=nArqSJem>QO*&3ELvHML(dc2&+O-_IZNzG6mVp-|7qz_*TCTx_E*Bh~ zxCeP zT}y%Q5H`uXnU$nd7mm5Ma$u=ci_Lz&AYC=qivN&SXFs#VXtU^WeN3(M+>>0gqZONy zZVpVF`5-4%2KBSh@umzLj)R)rpjP#Y<)W4mO_XsoXvQ`ZGrzPoHT5siXMCdou?3K2 literal 0 HcmV?d00001 diff --git a/demoHtml/flex/layui/font/iconfont.woff2 b/demoHtml/flex/layui/font/iconfont.woff2 new file mode 100644 index 0000000000000000000000000000000000000000..a3d87744db163b958f29bba12eb25f309019b5c3 GIT binary patch literal 30004 zcmV(>K-j-`Pew8T0RR910Ch9~3jhEB0M$GI0CeC00RR9100000000000000000000 z0000SR0d!GnS2U@?r?&r9|1N3Bm;&J3xf&(1Rw>3e+Q378=bEQl-nl-=neqquNoCR z;l|K=9Ed&yM+Sn8L*RkzRQCUWPJ)s#_8V{;pdp!+Aw-Jo3N&UniHST8P36I9UW(3I zXyqw5e`BWIEv7R|67OH0)lN-bG&92nK*j}FS4|d)Afwcq^X$v$CQwRv# z5e@GiDj*xEjCgI+S&a`7BxGX)Vu6bxeh8`l_Pf|sUzBm1YCnw(i%ZIs_1j)|5E76V zhDgG`r1`n}^zYREb&`iiNxOIEfT6f+NaDgm+7#1e5TwaM!j~54F8D|Km46Qy0t>b! z+ig-v16T%0evktM`vdbF6zi(QlZQF887VHz7&e9EkU+3NStye~(pUN>_Cnhu=Ir{j>O=+&_^DE zZ_DzViUDt(8e^#;y;d50Qiag zNQyrmQlAL&10Xs@evXx6F7Fg?elq2Pks}Mu!rgB%iDgV3V&UNLgcF~*q zj~nL^E`Vi!PM&yHzt`DceTq;wXuJ=Xqg*zRW;f}IIq0f1iI5CJAtbgH&3Ke!URCW^ zQHig$sZ6~MOI-&6AZ-C4;{cRmL3EQ`DaC#v%;b^ zE#r-UU7MKPYQ!Ree=C9jrA&(^pZGfE9AmqD?zzoOig+^$L?cR< z@AX$2{@9g}F``h6kZkW$(d2uEfR5|Az&G*M%j@_D4N6qNTdb3F>@{}l#upFk*_W_; z>1f^g(6Ry%FkrmLy4k7hs7j(B@wo7pn&gV|KZ0%l`7;En=l37ioO3QqPe@No&q?n| z-%9_;^pEQw_soIJo3dP4o~%~Z*KDhWvPUmepT1v?yz!;i-ae}9_Y~&N9`-mVNBef! zVei7WW75U-9JYfSc{IlU0}$LGM#7QZ9NM{k%Qi*s-@9k`+8sN0ZTH`{W$UKR?i<}U ztY5cg^{SOCmIf^ITJGsEY4Vt%Q>IRvK4a#r*>mR3o4;V;qQy&k_8L2J{Dg6%2af6( zF>?4|Vc3vC?S1;@_3oD6(puNnsiCp7th}%&H#;*WBQ7;PKFv2Nsz-BdbaHq^WN27$ zNM}E9N2e~%Hn#TW76UA;6y};17?~vYU_gT!I#ko-o-tHX#QmB4Kf-(9XqOqusq<~3 zMvs2(H<*2wTc_6Pt}<1VeRVZimKo$3;;OsDDUqm!DB}%Z4p0&ZSN9@g*@>q(Xo=e@H2U11^M77^2LwDzz^hy@5mqDQUJc8KzvP1d_^pL zPHgN$LHL3=SVLTVNj$8k;8P?%@Ct?CRTAJi5@Iuj;x!7x>mNy&JMQt&jT;xS6Y!<3H4DFcsECLWpu~dUYsrKwM^FO}qedJ@b8rwf z;b3aUA=H8cs1*lN8}_4i>`xuInL4q7y0DhIv6ycz_mTHZ8#%T8cqhhPkvH(`g0Hrj?jNt1ylFv5E#TiB@Bj)?fmy#W=0Qcv_Fq z+JK8`5MwlivD%1X+JsAJGX`i6hU*JlN~1WM#&8*($4FhmdGs~Tr|+t53uD zC*cu_FocDn6myLbd?o_+6rptc4U(z4$G0#NMNCx$%{Whwxv+#HycDCMp^C3`Nau!T zQRYW^JZccV{00fv80jryAOponDPrhNiV`*?a2%*6NX2V5aJxZZV~tGMvu(uTM%$e{ zwr#nQnRg);TB42AA}vk?M^lMasw31+`&@`(WAaoi&L+kP_lPc-=bel7T!eW3NDl-- zl4Y)?H%lRCh`KJ>*{&uaRkto8YYIaE+Fqh(%9a*|)(j40vs&0%j-Me>GUfeYX93j8 z0NI*jp2*+F=DELqN?AjYP_2Wu}9Zgy%gyhm1b*G>%HWN zw^ho{9xzWe4^3FFZ+W7nr%U1E0yi6&%{Vo2tThJA5o=^46*ASiuRpa8AP9Z`DV#>W zB@YHc)hcyq?$(P*-QNyKN|m8t&}smkQ(A ze(+L)=E{Lz#2F}#^y3wg!RSh z!)T+zA-_>}5pkr0)Y+UlzRav$+TPmkGU{n78>7sMAL^l#t&>n|K^PPyDNTUF7V0Z+TFQQ!^xYPUUt||#3bS85dx3s{QD)Oc) z3gSA1ytO?i26PEgVvvXKDevcJty_yiwL)!ZWK10tJEkOxFkB*sDes8MB^;p?Fxi9{ zg^8@Q6QMy05o2_$(}0%M!NS11v1}OpT8VI7wOFgNVm7V6Xr(K0@#7b-+IxWj14$AQ zfVGR1>CAWuSTr?T6s)3oEK5fu;+R_E^P_j1tw`A-EtLeHT!95L3_~4A-%xqF&T+0R zbBz7HrIXCCq@96?BE3RBE{PJAYQ&eE2Mf&b>T}+Heq+3X1LibV&gRw?mq$t#Yf8g; zFi(_AjAmFB0s76cEserNu7JfL1@RG*>bj?5!O0_P-ouu-Zml^R_GY`Sk$pfqrw64+ zI$+Mv1Bh^NAth{TWDfY3FPl*G)wG*ORY^YcqXa_}!Yubql0VEOn)e6JdCzelck5G)TcZ#MrAFyX+a@4SBE%w%(V5ZA?==7TDe zsGmWsNSf1khOcn{aVb8tui9PiC@ViZ$<)iKg~X}th3G@(UON5OvhHo0KX`qpm=fiH z0dov0d-vW`2P!=-1-e5l6+#Hh6s${ZlY(I`JEh3I7#E$=wxgEfzy~ae390&3#7fGZ z8(n4_i+F`ZRZaYY(@Vv#zI=7fZ42?O$rluimnZvp%b2SV7B;85@brR5+kF!{Ev3?Td z6a#1o@XvIwRm(N(y5pI!s?(V(vCX)gDH5>&!$a2doH}@-NiyDw)XqjGBi=DDlFxgv z^CtjeNQB+j^@93)ekZ74l{Z5?difXpc(YNVz_8Lq5+=!J{o$D>^tVx=-CgvHeZjf= z#(VoS{Qcg4_sir0%`N0ZfJWG~N!HOkt20=)4ZABmXqNB3u^;lhS0?W+H~-Ty{{k5g zd~(}F*}x-xqF)x-&>RC{6~TBh(7Bj_{he6r_`&M}^~_I=2}fWf)0DY_RmMyWYi>7s zNl<|?y)CQ|qiDy?(kjGjJz~N=Jj1LmWHf;6X0xLxUfd7`QUt1oe)uS|2jB4H=1pK^wvXAqCq@BU73H7VaI&+UEm_?X4BSBd9v_T zKfu0OfcA+bJsSsV!N6rq-=RzO5H^?d;kZLcsvs(8@<#PsGvWF5`~rTB!yRfVp&R+B z+J&^6KI$ebwFqLYm+#ame{DG+`oCc=#OU(9#wMB|*zf+=rA667el*uD5hALHC2orP zdL!(x-;-a0^nS?E3jrxGroc*S;UKJ*L!Dby9sPk;(yDEbFMO_?YM_gqMYC(BQUn~4U9pe=PUN2FE`-o9$R!_r8gzY&g2A$wTxT<%_2 zctAep?~73uG{QizBby0xzr!r9+Udc{I;G>z#)f~{Li3c%h6C7#lG8sqmiuPL5K?li z-w9Ku-Nw<$c$VDyNUljo)N2@nt+B;!7A6grkC2>q2524qcEQ@jDy2Y>Tr0Rc1#k&3 zn*H9?Osx92F8$*Vdz1DF{*uYZ`=WisEiVgeTAG)p5Svk1ST`qyj4uLORNLAs#z0mAmp1u@W z?{U*I?NT?FOdnt>-v4Mocx+wg0LkZFK)4az_6w? z-1;iF2@=1Nkwy$RX3L^s@T}VDmJPe!w;orVYm}1k9>L5h@A@suQ^9KBv^sz5b7@$v zf2q5UL&;Q6fnA4$-n>$1hWg%OzyMYrQhJ%l+#?V7!TBbfs_h!^-N#K}=E7~8 z5by_&8pl&rkxFuz0YZ>LR;akN(HzgYKm)$*i%_JH36>eA)vDIZ(980^PzYxs#i4_` znOYeLifuDiKf6JX11zTQ4uv=FW*YIrojZd{!lREz+MKeNk1F*1uT>F;AC0O?^GO+i z(BnyS>-6IjqJi5#1hj38U6(?KL+8B&1pe_ed022!r>)UoO{cfOs-Aqg=8UMYD3WgL!Bl2D@ZgZ0*ljfntj`E+Ef6#U^XFXEidj5I2Q}aUR_%&$ z3J}JIm4L?LO^(LSHmaDS4J>NKy5=yXfZEIUD&RhwlN8tjs)}KcDDS0vA#GxO-^#H5 z_>2k%CKQ$_@J!i!Lh#O}3?r$W>hBvI>KhsA*IKpK^lTPlYFIp(sBh3=t-+=Du>!A9 z6O<^C{tl0#FVgdxX_#i5%$Bfp3Tu+nrQ=$i1IzvF%0H`JH1dRxf!&T_@tGNhjst<> zM5n{p=fWEy!hq;G_&!1F6IaHY_J~F^66oxOON~Lx=jtIFOwcjQ7;161KXPH_PUT5& zw43Q2Kom*bLV?CcS(z|$zS6B=eMDZUO`-|Z?yI<^Vn#|?Qy5nP++Rmo3;si$zx(0a ztB3Kq=4fU8_s^Y9kH{wM?($lZV)mZfIAdkANfAC3VWFrEez~`C#xc0iSySAxHO&_b zJ?m8jm?%o>URaM(RIV1OZUeL#m`QKx2z&LGC|C?~PFJ&P7h_#ihvy@hAA%4&B2iAI zs*J!TPCUne#WE&FrG+Ww=q2DxN;m`Xnf<`c>A0i-+M+kyT=LrNBb^K{ME3D$y5)$ZlLrnTe{T0ML(t_GtLiarSBD2gxLKmwkkiaF_uSd{ zhzsL+mqc8pIT%Mr+$Y}jME#Ao2e97;*e5K5>i&KV)&mwJ{e4)Y!V2BDzc2^<#@H4v zqrBf#ix<`v;nu!$n5Zp^DBaQm&LHd7o}UGN^Ttc&P9+rQ83}0W8uL26urVBEK>L{{ zW$wrv;MIgxm0bROu0FH?=4Brn5#&+G!Z-aSXIWOpw{Fd9?Q(tPAUVjvbCgab}!_&Dqwv*w-icUG>Pe(6ml>-cn{jGC&4~t4^zyZ95>big?eN zehut8skfG=jM|K)*F^DW4Md^{@61(xc`B3-AP9ObRP-Ay9Y%e#0b0Lf=r0)ad1aW3 z*Ji%0X~5p30D(EC6=S@r8_#NOx79UcSIqmI)!s5qMIE=YF{&g7= zbE~=K)05vD;J?JrsV}76cnSEfdf2hF&7d_c(MHHA86>ZlfjdDg zB(wE|qgna3CJb0OHrGkWhdR=9wWq1o$Ul?doht67x5@jciiAn{Z`r%Q7Y@<{3~MPD z0Z&Y6pM0wNXcOmfLB3yOd@f$vsZMUocX(f^N1}zj(VH_HUG>=X!1`OKBERhn{PTsm zA@D+4_Ry*5)OJmfDvDA-Jsinz(=oNczS0a?8=6^3^5n()XM|?;Xs}gzHo+1oHXSSO zFm3Q&vXWHjiJc{5rFZk_orG_d=ehTiBz`_Vm(j1eSyZl~#B^`H_w7KR*EBw@cNO>T zpe`ILtcOQ;6nEs{3Chq*y=TW2N)0USIm0oi%+|I}IkWa$?(|62c-b3$)|n+|<(z%K zv+%S3=oS8@#$p8*@(H$p${*325^kkZK&(teQEy-fK3|U+wje3Nkj56s$6}hAQW8Lu zGC~j|C<983wDTYumv%$U&`;zdzO&GtoCMa}u2yPM-Qt`mh-Y5FAMvSV1jE~%Soh8- zb6(>5U=(2vK8ZdoLkx*n1?px@Q31@z-N|bhK*9t7Gr*zgWSlxzG15V;W;b!XOKp7u$_+pkX@ST(7jh2{GGlmy+wJ zhAPQQT2eYfqXu6j!&Mm2Aj?}Ek2z#mQ)U?&k(EOJbw1LZ*pCWUl*CA0N3b(0&!}pP$`l5_Q=1r~S3Y#MRxW zW#?BSZ@k)HoJ|Rs<5)LBEmonT^0`P0eBPL0e54m9z4?Wh0Yj>K4oDv_-RazVZ5mHb zX^fn^1j{nDR`!r0hO`cH%6Tz*w*_j_oBL_G;OjITuKa;b$}QF zMmv8`79)$(^|+KVWkskjlRI_td7kkvvIUSfzy@qoLj!#MPW@{SMPD$itdcTnE-w2n z==Y#e4U&!KD|CV|wOZ@#HXaNH^#T>k!(m=5RJBpM!akb85TXkAA zJMvrg1dDAg39z;lt(L$myd*M_fn4EO9&*94yo%L> zqnUmpqfUaAJfW1<>(p`?+Q>8&Rt*{!#9}{FtuuN;ka}0hl__-wKhnzUpml8nGeB=| z$au7oo0cFN8_Y#gpVOBnozZ*l>)ce`mxT?#v=%q3&W7fXXC!^$O@_)HYue*JOO7nJH(k&5t+pBexCB9|YO+`{Sid{K&S+ zZB}$Dcp8(X_@6sx%=0I%WF)2g^4sn%bvDTxaT%MA&+Pp1%+gKAQc^i)+s01^(8CJc zrE^U@+6R}ZzyUQuaol72`Dl)?WsY0SvBo&d7q~jzPKzmt1ils^XM&U*#VU{WxEkqJ zy+=MDF4WdB%EK1w)A4GiXBuhKEH!d9tm~E9)Fjeqias!*bKZM&>^2?J3$Bgva#TgV z@5K0R90z0RYYvWK>5cLh6u}=@*b88eq2(7@%iTI7t)GR!_`?x@I>fUK!%B*)U7#Q6 zfwK?x78|1qsSqi>6QP}Jl1nWIjm?yVRAT_~i(o{()WFxK8%@IKY?x$%&pc1;t9Px0 zFtO%~#(u5uA@2E+(?LQVoYScMeamKH{*~NSSi{jB@JqR@2|I*1)g%=UGMcEjM=z{y z@sbBw7Gfz5GOM2|S7Vd3T8HCXcy-Byw>(*(sJ~Y=u&HQh@u2dOcruY&&88Dy&khTY z2C+T~JT&@(*dI1HEKT?QlNGT3@G>61W11n#bobS4wl4k{(NeYu{FUG1W>OV20jKdF z$05#0-%7Pg&TRk*ND*-}L(mo629@k$)hXvk){y~~kEB=)=qj#V%>`1Q$aqQRr4=jf zB#ze-5gF^9hU)Jqjz=Ph-ioeAZ#Qlm9RW#bLZBUbJx1NttjqY2ycn4hh}V4m7;rj5 zJ*Wl55)XMB;P!|sxVD`~cA1h&;0*JvH)0+Pf*89Un(UCC;8YB=IvXRcM3{PD$V6n5!|}{Q>MIDQ>_ZP5n!NcPsM8 zk$OtN8PrCZ29m^j7PQMLhoe(bwYZ}QhJPs3K4L^I?JVt}8TwJ6lufS(p3#HzoM8h5 zbnFFvTos&;-eK7!kJSf^zMljdgp9Yum9eJgznT7>2MAak*N*FW0*dOvWE3L9v~_U= zIzmY5A`ed4E{QK(V(k2$hKU!yL%jf6z}jF5`!?OX@pdRkuy;(b%JiW5xt-|q^?#?f ze;5rG1Kl=6GW%B-lk*1$Ad+BYU`hI)4H>CpZnK)L+M=K-n}v!@!zRYF{-vRK!@38p z2^yAhP?gcA{ih7zF8x9lv+c1%>VEQ{71X@eHUagq*5VWY-B=Y4o?YBuMlsRNi&KbG zfHGoV!en`cIZgXIq)tGct5TL0Z#^%n-BuNn3U!hXz23}JL5q_@)LTxD$#hJ3whvk5G2&Gx#gmaIPDyFV^XM(?9At-9h*|Raj)DfvbTYGb9zzC#IQco2% z1L}FG9?|n3Mf4#9yxfHa2>hC|e5{^UZ* z!`mzSiUjadJyOLHl6OtS>}+5;U;v6XiLqDVh|tvSUQ>P^Bhuj(2ZaHb(6@#jp2UJU~SW0TAC47jxWB7{pD;qx}K3LRibkxRnO zq&Za?)f%$4fAu#+U+K9>yLGulyGHYF{xT>Tk3aFVeshCI$ynO!v!d%4P4 z=mJM`ORgF=a@VG>I)0B)vSVf~kTLEm4iDCE3r_bQcVa_K5#G$wd?Ir?nhjZK)R@q} zG4-$8$iw1nhH>3O6SQPV7D?Dw{J1U!0_FjYK<~vIF&1%zrfGN*0GUa>J}1Dzf(4O1wfsOo0SJ1_X?R;~AubCa%reg-&H;p=q@c>ie9uAX@V&=VyFI@pb2C(bL=UgH0=Yk^C+d=CedpvnItIL&SU-k)Lw4wG3%N$xSMw z)X7m229om$VL$^DcLeiV3rW>GOhG}IYfNDcuGmpqsx~_K1p$c**mN&#hQXqy4BbSM zON%_*URi_KMKmeD*>k#j&Eqdw9R|2z1T;W5_Ukd@gx0+!XQj)=wUKjlaQ^;VN56M7 z`1VS>>ByWoer(M;UeO%H(|b$c<8xkw7#{nv_{S&ohtw?niT(}!1$UXF=3&JEd6EtL zgt=FF*7~)Wkwj*<)aIny=l<1JnGdq05yMu4{SXa31x-kIb{~+{GCC6sa+SBX+c2z< z->kH=t@y)i`wf_v_CTcIDS|XQP#eRj`|g|rhe+~Hmk*}J8Lr!F7rBBm2IbvR6>EFn z$vvv6IPtd|L-U8cj=W#RAWkfSWbP4Qcz3B|m#NIFZ_5{%O*JNYQYDJNlqAk&Zl{6L2HTyWw`y=kDK6l&6RoU%uQiEFeKec`wwgHJ8cr`!vyLCZFcAC~1%{=jYh4`gdK5P1P1Dm6BU1|6A?GhT{d|o{QAn zVGUE##-HaVdieCfJ|oIV8|%~{R@YxzT%I~LzcL-y3hPPjeO((jElWVFxQu|#XYTmi{7A=n8i734 zvhlAID8p*jEA*{=-*X(^i7gkZ`JE)}$4Fjb?!sOpSesOO2pF4$-|#iuc~X-aDb&B% zs^qf}pkUW#^XX~S+%X7tO=d9w1k<6L=Ve!5o0&r$dSnH4h?))lD^<^sU|^2E@uRuk z=0do&3CfdrN_P+AV|)3bDk8H0VRSQvNYQlTF4b0vpkxU%oHCc@(u7^;n3N%gR|!Rk zxbYh`#dMQM06&d_c1kCxyW2ygcRNT(_XQ8CE8DRXUaK zZ59*|JV7BM*JBVYnmq1eO_5P4)B*DfU8FWWSY*n6l_91q0*WB$#lbv!DdivqCv!cN z1X+d#@CP&p;Je6C-ubN~lAL)4q!jlJl~Q;!*JH`RyD+Yx2r&?!SCHk47zoncb&3PZ z5WNv0(w4)Wr>t9*uNB3hz432&G!~#p{doBVTKFY zG($wj;1XgOJg6&nnd8c8TvB+oL+7|bW2^&nHA6fU<&?TqkTP^YViyQfMoCPmq=1p< zqlF~BVvrbOsZ+ZFu7qX=gE1FFNAy$-QhR}2xd3Vls zEY(Q#fgQvmjo0*rlt4C!-00MBSPvCY%ATs?RK+D{g7(T^$SY4ssz(eD*?_=TG$_Yy z2#<54IFX6AC0FWUP_WMe~Y{mtu+w@NI>Op($+OhVG1^F5_2jkT}>;9<+E)TwCwVP0tdqOwi90Tv<*iSlfT?i!vNa-S?P&e7yaB+1G_*tW>lVYq$Uy()9C93G%ar8^3>XeCi zb5799!5u8$S3oS{t#UQ2^V&SFEuj}#0eA8W{Xn{yC%vFVT0~9Rpl;eFNM$mzL|zs} zD&q?%txg*x2h4zDNh0_C{OS%lU(W1R5zbmvOy26S)3PE6u+`u%9k>oOROa}S9~}Q_ zYFFg90>*`HdBn=F-4qp~ge0cINk&Rev2SjyU=O3?&NsuRMFst23=>XDGm9Kulu@Gx-OuHsDP_c1h zS4B1mwsJwGI zuE|cT?V8&rJ?8{9|LOrkP87nbnn_m^lcVK%E_vZ(N5^mUu~D_VJ~5^X(8njdM@@Jx z+y62c;a8pZOWjeB|-f-`XH`i_mxZ$xqft?i(=an@%)9cYc$h&*lve zef`>%=o-0*U2r13P0MZR<}^v#(@reFQVuN@ELkgDdSFX_H_CBoD1AY5S^CfoBMQri zW~h_X{I$tA5csZ$p<|H$yJL}f6m~(|C&EZ9xBnwU7&@J|nQR`}2G_wQ&}NWgv0Q_NvPxrV*3*|TChE*XtL>A(lwTZtx_`3QD)_FRN24PlPjaT)G} zSHaD26~ZiNP6UV_eOgh8SI=oA)&*zJs&>u)gw=pRbM`z* znL$Of#B7hAwI&!%MOfgo*75`y%oNY9QCG*uSF3B_0>g%$8U8G z`w#j*7TjYl9V^i&JxJ|K_EiU|YpkNcy_1WXi!t|sEv&(n&$DtDFXmc#`L1eViJ)j` zse=h!@5U`=ZCLP9joi^P9&F2qZtxcP(PI1FZh?&VjBkD07s~MycsE36*n+RL?oc7u z+XA7miKB6M;ByfHhm!VyWaidP@b$UpW2(1+0$lTYsDnAQR8S-=sdn-5xz@#tt=t0M z)Fkask|O5b z3gMG`#19sT_$&X>`KFjTE0X1RqHGa3xhGYWyUA7@o*kB%8Dv~J@wU@=XV&A%C)M|C5Rcet)EK=(Yh9wq@L3ReGeFx;meRE`HnO>&*B51p> z-gighfIu(k=M>m4I^E@Fih03RKYqbk{tN`RSe$V8(c`|vzQ>P8AJ>)xv@dLJeQig+ z^acqloBn=FG@EggShF_+lRMeYZ;`&!f&#{q`W_@n?k9^Mn5B>Ord((Iv^&;lc2b;e zXza45>-}Em3!GM38xp@Kxq#C}Bs$H&<+N@tc!EPeD`uJx9_;ge?cMAIhw*)nNV7Na z0=qe)=GmU{X?pgbzA_FhO7a`XyzWs3#tB&NWT>5-?$^ zwuOs(UshJ8%=})H4gLYs!6H}+1tjnCbf@2BdE2=F*ut zj$DB$BqpUTBx^@&;Ht#z;_UEDktj1f`zwY;S(#zTkK$5;Ff$}HMU+-ZVEeKOruhC{ zYt}^vM`Fs3RaEW|t6W%Jo_`=T>M0J_^uyr#n7;=0Ob+geY1_274ZCo+qV;=f>*~xH z={xEs@Sk!eQTwikGr!YR^3=(N3l}Y%Bv?FnNmvNNR-+ReRKNZT+ENqq)bY3yb-Bc} zAxVtOjym|(=wW<&FgvQT=jTXF>hhAf z_zfb|#~|x4CiwDs3ucU%BDB6;gWjo9TU+jJ$W0qgYIS{8ph8^gj&Z!Z>j#S*{B(u= zde_oU(>Z7d)H5jl?c%e+!s5Z{6Hhq1{HK>ZB}^a6IO`5gXQyVzn7}jc(2OYwr>B~h zD>kuw_H4!SO~4DV1<-!M#LsvU@nX!T(*J!3WWv<4!#4aBfefC+Jn;0LEid*>@exW~ zh1d>Xz5gRpaSlH_xM8_x-iyDL_tPGOK~XHT_*s07klxEfX|N<%L6{}9)S4BP!LILO z7#_CeNL*TTR$4>=RQrXerVH~kgrd~YJ&7)0isFfEIfX@D7|YIVnzDHLU~yBABKE0`3L)_eGf$zLd(i|`of#WAdl``lliQSXC!|g6w#FM^;W-hf zIkpr4m7EIV&q{!`c8Due;C>dd)6XWIT{Zb4w?H~|KXOofxM4G8MMM3Aj}v6pPbb&+ zLVec5?z*AZ*7M;+T+`2E4D!=5lB51%;|jq_DJ5VVX^=oF)tl)-q?20V7(#OHzl;Ul!gj$`uEmTOc`` z_{gJeEuM?E+^_tUv_oicMkf#M*42pZ5rv03Dv9fn^Rf=r(v0X@fAkED-6qw;=lF% zb(;DGnmP5WmyE5_z1q;t891U3^i~~I1tyHE{JnwE>o8|2wf}_%zb>yOd;jG_jwJj1 z8?!0=)ZDh*H8LgJ zNT>W!QXCEvn3*AqqN0jow#9JzqNw^vky{hYQ>%HI0*@cOjgfy2C$N2(xG&P(^@{lf zw)q8)>BA-<@F_WM-RY^w9jgan$EDewW@^KwfM2*rj-EJt^oVOr>1@?@j^Y0UJO*d} z+~+UxANpUb9rV}w4{9`8&0t~!Z&0J19`cuf$n$x~3hV7qF?w@p*=WzFik7RVwl}9;hW(iTZ_gxJ?xx?3I*D~&_dFN%kdDs*N0aqA zB6?0ks+l2$=oep%PrZ12`K2r%$+m;c_^ohAxyq-fA6j8v**XBH(*|1cwA;Iv=syySq3D6Yt)@p{3a21v5*u6+0G)E z0t-UZpKK>9D2VzMnkZvHPQb|kYiXm%NVbA(V695@N%q|WfaWTefvjL7>y{Oy)$kia z{z200;DS^Nq9s|#Mr~=3oAc1kE#nxqxzZ@ebE7JTPVToS5Fb{}6*q;~j~=dzXo{R` zu5}4ZLk0&!90FI}O><+6BiddZRjO#nEyxN>4+~8fWzL|?LF7bo5*-jo+53BVdhQ+< zuZO&cs|OHL4zY)*Bkc)ZEPoEsBqQx7?q8cTreEuSv=j|Nn*xrm)t}D+Gpc+OJ8QH= z*~Sy>QE;2HSf-$3AT1?7yShMb-6|073OvXvEs)*W7C4`lE?>U~jh&`VW4Q{%%#8b* zeS63&B0gL3k~siaqhe_@fhrHOAB(`pPd^u%qWXkl`anj03WMi|Wrn7ug=U7G$Xrp1 zp=mwm`3U%b@tF`RTyIEbq_(;l?Qn#ohA!y~7(9`8J+o+_Ym-<$xdI6iab0sM^jZ|*biO?)yQYN+Q@>GQKg7gQtX z*@fQ-OXedzT!}~0nvM=5N*{k)7`U+{JU&{>(73x2gKBX^FMu-?M}WW?mEHc;42UEb zu!*_=9g$lCzwX!0(N17B=QYPM+7nu#g&^@*;K80+FeMg9(py6#$N*uX@%<7c1o<`X zdF=#E+pWEw{^Z<3LXd}0qnV=t((?u3t)6x2h2;O5uRvO(NuQd}QS>x=cC?hM<1QqM zG(6kssrRh2Hnp6(khGoDdhKc`$xK>^-usEULcQD@G?T(LT&*>bqKSSJ9jNn=Jlbw) ztXs&7uwX3k;NC5pdkO_To451|5D8rEWG)L1S8mELt)_h$fPIBkR&Rgf zeijDZBRyF%1ElVRP)bOs4?Nec>QM!CGx(i>-kHhEpci@&ML?}bfn%saJ7xr+hfsL* zUUV&({N6>oPjf-XCoeZ5N9@@_e!=+@#6xLGsrs@e4AUt%eukNY-E9ewEe? zEC?kM+wJ0y-+=)nsQ-2aEK6OM=JF@K%r26iDszUSCy7_h-`%6^S{Zp0L|lCp{1ev4 zvx>(5hx!j6u-P#$3~J|{2`$^Zlt~3TeA3OFYu>7I>;cM36qnzi!kJ`ibdvS;%WgL3pCzWwpwui)Hv1>7U z1;JY0%iJ#a!UpKr*cJa!{#ij?`8Vb7mE!Xws6mfG6jT7x9k(erF|n$$u3?TSg5(8| zuhLAY%s`{JDtfgBx?LwVFpb{1c;qM<(U0yY)JHl(Eqd+e6jmY=cKxEqo)mSlZ*EWl zYR466r8HnzFL@W-~YMs1wS*)iZ4gFA%(;s2=47zJ|WN79F(lsJx(g)dv6%q zGiUpVTVM9SR_|W09QWxAxg7F6m>+oQ**}$={{6S|kL;b+kkvL}niJNsMdz0mcwn|b z4#^z_z5j@}_Ln_?ZE^9@+*iXP*LZquXXr0g_SDuUxC(g3% zZCc&nJ=3iK?_gsh4`rA^)&$v zHS)@*QvuOKGzNPIU~0RJTZZ@?zi?UYRf88*c>RoFA;2TAb=(uzKYFJ$GK(LOb^E{- zqHS}u?L-FW8JP$pk|%<8|N3?)E^o?f)vE0~4_tQzi2+PGf16o68#lc$B3_#`vjs((6`Nnb# z-NkINusyP4O6h@@rzRV<6qD`2 zCj1{T65v_NhnNUtA2PuN;g@<6M$AX&&?gXz*c-Rha0k z?v#{-8d*m1eW1k#63waaGnfWuUW;2tjU0H&IT+a zA#P8sUQQ3D@4QE0W|dK@&5KiqWpKT7z1&DX#i~$ioJ6BC!7QWg+Z5kGv$G77WzmOK zzIsMVXhHPy#58#Fin_UV9Uyi-0fLVu0K$Aci4cn?$3PxEk`n%rQ3BwxcMR#Zg$oaH zk?|UE@t^C$fZ`o29S3mHp^Hn$zs5)7UdwvVpU2POqm|Hk91zJwS?%L=98vPw9;2BV zc;KVu4Dcu+pf~=6_b$wd_@Fk5eDE9jhn=I&AwIsyJ6Y~iG!?SRh9Bzc z&g%802@aj^=lZ%IHd*;Y=e&z5<33cx7WjM`4B2E2IAWg)y({BkCeEvHoIkYDcC4=U zj9v#~>$Mz9UtbfYvJX8&$Ds!78wv1aa-!^7s`#yj^XE*IG08( zKmFj@aKaKRJNEQk#*Kc!M22sKNT5q3kiZuY&vk=sb+BS(QH+xL;c+y~QItiOlth;) z<}^5>isdndN;|Ah1+$9{ky(bYobZw|vuOKMh%}d#gqy;$vm&#_#W0|N2|Xx;UCOc_ z8k_WZtJYTUkQPhgZ1DxSTKxMRDm=z6%aUdog*jm*tc1h$ zwdIjN322}?`>@E^I{qy6Kq7hh7A&WfS~d7LdQKv4LsMfcZ&zs- znuggb_QB=cK%M?7nU~>lB9uxVYdgAnG#jTP`WquHQKtVM16vrA8hk(HI$^7^urji> zQKlo8v{VJg=w^R^T~C%PSH+jpgjLeoFz<)mUo0F7)^{cdtn z`&Q>IYi02?>yFDSewj}9-n|a17&$VXOfNHgNn4j;tGLCEib;0nrepo$9ir7M~ky9YPr23lc0_>xUUGlMbYm%9?WtLYQ5yD%X90w8)f2tH$J}sx7Yt> zqHD0}(b{)P^}p5FZ4vocZcJ$=Tx@1VoPHbrOSyTm;d#Wql?B6h9DLi?_C9k|*BA>U(@oiI1^CF?LbNBOMhrnyqAOPxQx=8GUP#f(a z+eutr+A%2h_Wd zB}`X|i^Y8P3F-LhUzdlITo5s^0KkTjT+B^y;7IGO`a5=>Tgcls34sG;&Sq}S>8#sO zCkcq5xqwV^k|^J*_I2_$D{}w>OaeJ5hU6&kl>X7G04cXN(8=8Ve(32?OeSO!0EL}U z=AARx+s#$tPBV4&8f|@_z;%66p&gg!%Vf4{0_&=oZQ%X^Q!F>;A1W?3J64G(_W4KV z89T3z8~slf%@i<{X!ZKX>fMf-Uc%qs@eYHuqa#bFRC%v8wl%>2bxUkZK#3j6Z*vWC zbFG^EkF22urQtDWOzE$+tkI55=Op{fKb)Kw6s`aan4|^aLd;@!%oUo?56;Ato!75B zDb7{uqLxrx1I$#O(yq!CTj40M_4l{6CVfpz3blRO4raQq-`#Lnkxho4-#Kr~LCObD z+{CKE!;5_=?++iFyN$NF;d&dI{QIqWr4IS(pRQJHwcJrU@4XKhwJt4IC!hb*6^g5) zfaXpbvo5ENK+?m{$`!*$BUf{I(bVPM1CgTv<^HE=naa&`{yifhN&c91QkZe_r!sb+ zlNmw~QOXRN+#hMwbCY?(WT6_FiAYnd-0}8o%cWa~LFY|m`|h)?6+8F>e(clRhcWX_ zvWlIjS}*-IPTsn7w&L`jvmG-tQg%U`f`v)p$xt)Y$W7y=bL^Cgn0U61I@X}569vix zs}!Sb9c8TS&AdNE1)_$TulomFLlj~zdD+<5*4He#B}JGV5|S)TIVA9qqajM(M?FrKbUUnU;jV-;q|8Tt9@n;{TgUF{!IER z<5yowYV0|eacj-v`JUpL3yKRM=$c7@)S#P$7f0*fCk~tm8AlzsOSGV~q_YlQ^Cdrx z>ESrDHf~gwhLWtWU(@GZJD0C@8PBE0QhXn0JfHEg1pa#H*t-Gts!iu#|M2wxzo;qQ ziVKRZrU-K0&%H;n3*rT+z+zQ=&kTJYSkiYP@j_MJ*xEH$D=TKL%isU!$e&f~W>r+K zy}H&Tb%4kD#PcF`0fEh+5EkTBfro*&BW_iV7_4>7SdC` znaZ5EBU&qKqK-#4Jsgl^bydcf$Htb&SAG(BNO^2!{3p#qmzv$qOV(ngdHKA>hfKaY zsa7hHO8b4KP-vyP^hsUR5941e<*R5DpPNF>J&fhGFmt@o>omO~AIx-mmG9#i0)+sov2gxv zC3~#-41vdzs~f%=0y4j`LC#*T zk-?ECk-_432^0TsIx3u6UCGp!qfUl$EaRUuv=FHoXk%~$&N+(g{8=`X^S5*3A1M|x z`Fnp3(bQOZ&T{|@)(ZwdibRx zdwOVR_#!F!vY(XFPLtq5iCiiFlM|JYCQXSk@DkJe3TDX)CAK_izWlbpqQur6oK=v% zn5U01NK+EhqBxIOx+Oup_*7|fR0db8@5-`^vcs}6M27G$vku9_23oUc={vdFs7z^c zd`fW8!(5R2Wcmg_Hm1~}nB&-N!!5EYr9%E}zOk1(Un|(DFJ=}9?8|ps6$KvP*VDbD z0YcTfnOEQ{D9!vvTNc#3ZKXDDE@$Baj)iOenrq|aE?k()v2nk)8p;=Pa=Es0E61{M z!P?i#Z9X;<`H{-_S8$X=8C z{}wS<&VD-jTP%jj;=DRNJ;s;U&?Bh#|DUZcL(A(WK(YTUlH{<|-A#MX zgK)@>k5Xxi580>BBiK8>Vxgf=f#!SfGxrZ=7-irnD~ zd(hpwpa}-uI*m+3WwK47C?~yOrG@%mr27_Q7P<+{)C3&V9*kub1GWVm(j1EI8KBZr zz^okqL4{wz&xSrjIz6*9V>T@B2x)&~)V6WzOYG^;0dq?9Cxj;yj-AH7lxz*YTbnSi zq=#Ly1%HQuF{6}@B%+J@@&SL+(2qrDd=9ll=S5;NC=)E_$_RS=oL5*_G+- z1xj`I#*O!b&jjDM=GkobgZJ})aDk?#wt8V6ADVGNnwtQSymp+nEf?CLkj=MooMA}y@RY{mE7g8CWR~XSxFf+BYbG38)+dLR2#c3I7_>qAdzx%rJ zv$ljc$EKpLdMdN8et7VnmxMJ^GO8}vDE%sghr|P3$jVL&I;z+p~_Yt?3?&-_%dsh?TEgBWoktb``q0e}nK||d2`$43AY;jZb z#pDL~RSzxk$L^3)#i>wGklEuB{dE;l3u27Rx4vqmG;W)2Sc$ohSqYEACo7St_@(n+ z*S!-08yeD8RUUt}$iqY8r}ZGb>O0{l)s~nEO8j{-i7J z-(MA=VYuW>4QAed25eAlP*TcdzuvDe8pink31s{g))hS2S0~Z!6wAH-44ZKn|1>QP z$6qS&DLCeHEZ-;pQg#vBL+lqw!m!iR8+)JniuQ_nU;c)S#b9WP0@ko<){m6sicLF! zgORyq9np2`V;oUM#Ze_OK%VI};{~Y3Atv_EKZz^R0cN^OqGSB%#8x?E#FNrTQIS_< z`mA2MhYtEYoL5uX6>E_4VCFR{q^2?N=if~i&1RSmwgfH#m%inq1Oj7o-~cEGEI_7; zch*oKoJ!nI`>&)o4hQMA?(J0}i2VuPV_}aK5)js7z{C29pP0WTA5%cS z#QGubum8)4A*uG=p6O!GbeBDXqp+al@Nl_t-8^BS$2ml)K>4YH|LPI-$$~ncuLOh_ zcaPp6`PKAv#d&R}$94YVkL{=VgXcKGVV}CSztEKDHgC!tBDaE42w=Dw8+|9cJ5PwF zU=awh#)LwJQLCi|Vr#B6Pj*dU6Jo2hpqd(nM4L2X1On&N6u(q^Hy$Cw6I(aON7^ zE!-OZyN2iW;`pv5_)`iTxlmYDvJNZ9t}CeuJ#J6=6g)?(t@|Ppj*XVZ8ig?>4GIUt z7@L2=@rAZd3lxy?Rd7?sN9RzV$}f3Jb#6t|s^60@d*%J|!B-D6u1q?Vg;e#hk~PEu zxdzdeW=*uA(hyBDP462_5182Mbcyhy7H11LY2>8-A^Ibgd%ozH=vXRVbR+C~wCEyJ$pb8qT$E?nHv?J9Y>r({i2 za5&$c;@t+;&K&tBHaMrPt#WOlwNhq^wEd9(;s-`?-2>f5w+Dp)i-?b(_$#J(qCNSc zDb7v2PBo3T6L<`Nj|CUU?PdY*R<(=(?;Ymp{Z8w=9Yxkzau+k$zJnG^Gf5p7kWo^z z#WLv2W^Bl{oYwnkg9$7~pT*Lb8c;$0<%t0jeHUADbq=2jC#U$7IOn=t%Leetg{~EU zw4MJLgux3`o6hlV%t!1Gwy}>;fQ_qU4}RFHis)}VR=$+A;*jgzJ?j4oC zVB0gWuJrpKHw;dJbCPjLnIyJWHqg`CaMZe#@(oaGjVR!mDeQS9lNTQzZQ|FQFWzj@+!$gUwv|HhNSEdPunzqd@3J}<|*c^ zBLZfGuapTo#C-wK_zEl`pHGLP@sRQHv02HxPR>Mr6~>?GHqKVWHC6q%ljr6K@jz9d z%J_4!=|ivgunX(C8Dg&j<#c$FMQO zR7k1NEP5RHcq6x;n{%MJZ%G{lGGQdpu}qfj$FmAL@M&;k+y+vrtd$v(8c~zBh6CJ?I0_JuVYlERu3y5lbu; zk{_W$e;Khw_SIB7m?KzXo`zZYcSl)x)5rEAEjw746e38@1z5^WmQ4vUX!u;+!a!k? zAWcZ3j*!)7hW7g6go31GK`#7BmQ*2#pujsjr)NTE$i#kNe`iOosk1ZYboyjR2e_fx zOWjB9ql{3`;0UGfrk*|t6GQqSV%T078?CZoxgd|am#iS~r8?@m5HcbUL5`ttDrEs| zn6`(4CGVvTXOOX!J!eCp$YCTDOGco12;sIL(uDvB7t#;m7C%P_uBmTRhrjB@qJUlH zFGVlA=*(bqra72N@3QW=swA8zE4U@F={#wHtSVj4(D+t40##0h`?@46Ju<8*&Lk*+ zCyA1lu1OHr6qg<;&ARTsF35rBrvTvcUAH>JjL5jHGa@A&GhRXH@idPX{kRUHY^ z{Q5GnBJufSPSEJ`{Ghu*w&go`tRNPsSdsjqE#ctSuKa@5xw8l66$52|?7s50uMJ0> z&SLl7WtY(PeJf$3*m9kKy~+2y>V{m`=@n!qslRSoW|cQ>%__=Kp9Q#A^l9L0*}Ho| z*M$h%W8381-c!9oM>=T<1d)Ti2TsB@*@F+nr1`h%_=oU+U_opo44;1D(^@jo;N7Z* z`bBXMnP?;2CjTdM7N^&LvvGktVE|erI5GEQP^AxSVHsVE|BwEDkkrYY<)kwaw z)uV?=WIv-WnTR!=T)Pgf{?RNk|B(g0kMUYyb+>YV8`yz%`8d4`qe>PniwWn2Ev?~u z3d0P3zhTqtZ_1yS!aR{Z+V#ML<;(JT;39Ojb{}Y^2Y1^A61s0PbPNjH1i)O*KD&vz zj1d3x6pGbepEFX$Xvv?G$2vct3Fn z00eA@x` z3ig7)>#;|s&v(^Um#Z_nDay3UE4#?3)u!2n@_d=p7FGDOz{Gr6q5P*JxlJas$p;X~ zY?BqqtN)AjXi#P%JI|z*Tu&9byE?k&SJeoLtaf?213t0{;xCk^@D!O~Uabu{^5gzA>+#th;$qK6s;h=Xur*iMx+)r$!zUvlj&NZI2CoI^HGR;$tUH{#sE)(H9(TEreh z66QZI4}jUOmwh6G!5*)EjiG3CSM+*(p$bVzR!y zIcd4TOvy=p6Pe({2k?I)9r9aeY=t|%9dui9{IDm69WzdZyD_Yoy_iYNd29$7 zr-(fdgV5VBHY@`whMk9rp?jlQ(RZWS(c=!@W0L>W-CNZAUtv)2c(U&s;$}ec^#iH{ z!tST*o`ML{rMw1RDq)d-#?2n_`ugfVdAfV#>nkD82Ob{KP3`rNK62j8c%+-!K#(vy zhV%Krm62~6PhK2e_Rl-BgtHd5)2gCD?y-hf?44NBx%}3;+bt`H82fzQzj+&<@a}D9 z_#0`mZS~=cUki@EQXBehx=iWR$+FLgiJ$}VC4X6?)8#3JLVIXk{!ZnwrQ5Bd*(D~f zf%BP|7Lh&@s>yZ;onD`XpG5>A;Xx=hdj%dmdiUvd_RvD1JS95aY8EGjsxm`U_(pte zW?R4#Wu^(A%+CxBQ;Czz?J!vqy7gm;Ta@RxT9SR$QSK6zWa%cNWs>3#Q455tB?com zRTe#A24NR^PKF!8fwu*GD4vJ_7AXZDPW&!75wtCtGEPa}#(l@(#9iQ=NzcV1r_;9b|!@z;o^EbmoW6H*{>5~{C|-k`NXF9^jqLUQL59{%i&u$1*De{kcs?AL z0d>I>VU2JPv-kV@mySA3nsiRzj5#S>)8>=5Ak{rIY9buQckVh;zU?eoerf)!fUNrZ zoWfK?wp3wgnk_UnH5BaF)ZI_LFJLv;-oy-AxPRBO9y}csdsf=~TReX#qk99ef z6>%TrIXb5kSN<`sLg{oVE8^R8s>+f`va_t2y&U83852|9K)0H@Ovn^_U- zeGaF1k;BPeaXxYE8Fp{rS>`W3zj)q{+#cZ*F-}uerG~b$yGxDpF*O=#%as+%G_xRl zeoUb{xH6zNFS!9-q7+r`>656_xPG-;eYWa!WQWH}1~KCG#4!6j_oiTXFtCXdRHB+N z)gt^VdeyaJuDiy+xyb)c)Bjw1tH!^@U;B^tSl0$Zp&CAz{+^aIyzaG8ck~hZe&V zAf$mB5)`(rh74H>h?J3J;-PjeRmNvI*l4B+zi=3g3P0Pw6+|M9oe4& zMa`BS_EVknfV=Q3hw={N#Wk%F=Dva%sm{Pcqq zIF##|{$+Y8Pl1f|%7oQ(NGkQ51~}|b9QhzK7XB{{9omV8LXzS5p1PZGIKtw5G{xSw zaw+s87D|I)F*G=BJsKu~wn59`KVjLwErD%7B}Jm4Q@=qgVdq{$uR#U?={}w$$HHJi zsZi({4=4nBlDUF%S=tMAO%CWgsE!E5Q=vOJ&>>tT5`%y-F;oZ@fzw4{c@}uS0ScSv z_YldK!?AB@#!~}I#rxntAfeEiOd3MG zL}qz>{enr(NtAkx{`2o`3AI?w37xgb{tAlnghnBJa}00uiLQ1~DdYG3XxfI-9b5J;kM^$3&*yVxNdw2!OAcR9}ysJ(Q-bq)I561cQESr+*6hFYHCgOE0_Uz2JL7Vx=31T81XT$S@HfOLE+1c8R3liD`-Z!%EI* zyUPO6WvbFTjW_m!_X4n1RX|f=hDjnGK(_4C_o#8MtqH9EoARuB1OJ%5JaV) z^grvG4G` z-j?4JZ|`BkAml{>BhP#(WyEt~t<8tu5g30^3*9EU(FuwD`1)9PPsm?H+;wyW3=)lP zh;~ysFkebZ{2Xp{V*8`Re>ckFAS^BPi|r&kgxBqd(5M9vSY(}D_&cl=hK&H=17|*z z?!j6C;SfD(M-fsK0+h_^wQUt~mz$Txm4EPDfF7xc`>T9eSFO;n0=%1i#4@W;Zj)9_ zi+dFR_d`pdJYt7A* zbCXX{;aULE02=k1q*HT$+gc;qQX>b_v8*BgA+XPXUuoH3z#tfGC6Ob%2o08%1s1?i zz))!^0H|z3ix==(RN|1_LXgaE_aY^!1u&@zZI`Wb%IbILR#skt*7<}v?}e=WP{WD0 zHV|#s#Unv%mEEw(TrJkHn2~JKiurj3`CGTA}Z)7Vmwx>q9^T1FQEh^$7JS^{=U;hY@wx*Dv1lIFl04wqa?!t>$smXk%E8 zNyx7jKUpWA9Dhkd!;YunS)${zLYC`_WHX|J6@G_t(YV9WoB)ouq-q%|Mp@a4_-WVr zMa`6zsTf+nwHiOQ0Wk_0nreoIkvg1{9FiEq*9(&O2@D&$uy45ZAyV?bH%YG#Y@xr) z3~JuALBDxJix0%7dBf(M4V#+vU|#bKE8E60%$SLEOKsQ#u=Vo-w6~6)7rm!Dr9+y^ zv!bD@B^FK;Zl0&(Zsq=cE%SJcJG0$Th|Xu3570rIXWzl`R<{hEsl03Ca=hgneV-RH z141QzTf<@#;Jq|2?;p!lA*yFI+KE@>iwjmp(}9UZ2(DiG^Cg<)HQ1_ ziD}m+2^c&Wh%rTQLr_q%p=Q-r_pmmO!(hq{{`d34Yx69G8nm9l2oFzQV~7bau0?{( z`W?9W!=3h#)N=!WtDC)nhq9pg7W>j*B_XOo_WH(dD?sWoiGBfMR?1F8Y(&XiZ_Azk z2?vth^PH_!ajp-?7Y+4!QrVmCGJ|iOt|G!hYB&FRTkd#V@l~HSq|>}{Rm~YT({8c~ z{P_roqAVgf76WG+YlpAAh;5V3_nz0B%m9HGbOm5|!$fljC;*oDjWtbcGjh=m&egE^ zS0%>9?9VGrtAIqSHb5+(KtJ5lHk`znU`XXTaFYUGMs5@`3!h(t{t)E2!Fs@iX>MX6 zuX*>9{qjX?5U&_wKV>&Efw}E|1eII6weK#0zTCTenN-_uYO#BMRPn=I9u`OCCq9fS zmgncoyRuALa?{J^PU#jojd$zDEV@r(n`M1lu2uBHgEuMrxPyNGebf}m0+g?FI=eb$ z*NWoe<9HrW4x2MM7DuL2xGTM0)1h87UQjyGVF&cE4kv|f{_{N=?L?vLoqI-{OV;h) zZPo#R3oqsEN|?ipw+?F?6pl(`nUv%rF$0Vw@QCDQ4%Ml5Bp0Z-zkJ6j?jkNx5B%hR za@Tkd!VFJ@n-N_ip>5(8loyr5I{8{(t+P}jMnM@4)}K$0DnQ)3I5pwu0`S$NvkybQ zzUleZ0IvY@IV)mf-H})0ysMa3p06`(4NV_8HD#`ZlWs}jQ-Y1xExow?ngm+_7D!k;BL8vO;<#`trq$X zd=XZ(UH$FFk0rA(IARCNjqpv_dUKiYOUE)(d=tafxi|q2!n5P2_8@f^OFY(4-bBaR(&U{q$mh>9_0siBI!UMir{)eCsD?aA* z?b4VoQkRHWMYNLmQ6h;vn+K47^TXJOEQhp*Lg`*FlX{k`y&+Myi>>B=iKeaFI6d=N85L>M>usoJW5d&^9K~O)OuZ2YxT_6wEH{N`}k2-R)4=l zl9f5+u=#td>irAi`!4>FZGQ;+Lw{nFHMqPzu^&upTn=21LM0u{NoI#SB>EA`QvI{2pW=c*>kVIThO`dKjCkS{Ys1cc;c9LJhdCFj z+@SJN-0yAMLnpYn8zioaDY`NJ{nAf>34nI6>^wiM?}J~rUsHK#o)CWpCxrkuJOy&u zA>OjVSEYS1^^!GdFUtH2FEC!t^pvak67o;l4Q@4fsdknyQ9 zLpDz~UcMQ`9)+K>Sz!(|x3PVCs#6^cFp1itKU~@gFyZpZVuzNTaH{(f zNO=&1#cs51_UacL+ZX!2y`eW=8VC(Om#BN&N;)XL_uALh1aG*cv!;EJ&(6|b-qraPKlko1m{kpXLe|HWg3Iu~usiWTFFE3((QbnMZxq+*8wvq# z6&@rLK!MW7Zg3vjYCUK}T3xUSLg|uxcC1oF$FW8!{Zgo#JT_9s^0A3h_Kq!OOxCu` zs58JIM6m=IG@&?FsJHD{rII^ruDYu@K%MN^NTc8Jg#AN4wv^Lwcdm@Vv_IcO&>Kb< zo~}UKNOoiY9A#QM^b6CNB9}v^y?-cLa0_>u*A4xjxS`Y)pnE!-kt1oeh1^_sm%Ag_oFmMBTOMbkP&(6UwNt0S@i^+k zmQCZfNqGvCuL2dSNZ~hbJ6LIDRHFV2*Y_Jhgb8I_NTrQ+KEx!=@}jKjrtSJ+oaSZS z_T#+n=l%Y-F#dl`(G1J+f+)#~s_BMl*^cY^K^VnJn&m}V)lJ*=!#K^$y6yId;3uu{s0KU2#VnZNzn|;@q#GHimK^`Y1xkJ`9T=PNt)$FS=CM3^}{&L%ew8y zdEL+Z{lEYG{r4aC093WtG6eO24mKstF3&i$oHLz~40e|s6u;x;~xN&&MInefMH*J`W@0N*0f}J=b2*{Q^r0)3e zBlB^3tiACTj4!+ujKqdrf8M;$K{{O3&jhFGg}9y9@Q>fo*J8^1_Wj@&LhX)_c=z$( zTJ*aOMO$J$w0k&s=RsPFcoECHp!5wH*fzmrMz!sb$^kRW}1_rY`bP)F5cChFQpwGs(V8nQA-<*Kc(Oh}@@Ej5}=8f|d2) znh)?(C)4`)|FPkN-A?jpG+3nzQ>WIx)ygc`4eiVq&-cHFp2qc+Maybey$w_{WA|CB ze(yprgfwh2Z0bmg%4*TcQ#i$;(wUBECoZIKgg1lShh{=S!cGoK)99d^P+f-vOK7*(IT5jPBSJwsJP0=i(dLOw9%NFCD-I>CMyBJ*NF zqRW2aH*BAuST{<^0;7tMjgjfnT9UxK)fG)X=5oY_cM6}p!<;vgaK3z2C-ZK-8@|GZ zA5Y^JrLvA~IT{_|kmFRP2IMe9JHxT~TI&>QrE&7{>^j*w;An*BOG2DIQ&rMhW7(x}4qHFn;-8^ZaN$HCcZ4i7JU z)C{N&TLI;Qx?I64bwtyK9aw_Vv!!BYu5Wj4Ak*F;t4w8sBOc_i5JxzMquvP}iX8~Z zrpP3EbbK_QkeRq5klGc91&bL|Jz$E=+%YLU>$Rjs-Ua@+vGbLqe%F0g|1HY=A;x^e zb)E73Q@gL5QG*~MwDWD;OATOK?o+)WIFuv>*>;X(j9OYurj_!7TYi1{xuW*#sh_VH zWUf7ui5C8Zf%OQ?%}0TN8b0?JJzK+DdxZ?S1Dxc8=^fL%vB20psFQuZpn5gq0Ha|U P$t;rXwVD4100000_UEKA literal 0 HcmV?d00001 diff --git a/demoHtml/flex/layui/layui.js b/demoHtml/flex/layui/layui.js new file mode 100644 index 0000000..c14a639 --- /dev/null +++ b/demoHtml/flex/layui/layui.js @@ -0,0 +1 @@ +/** v2.13.3 | MIT Licensed */;!function(h){"use strict";var e,d=h.document,v=h.location,m={timeout:10,debug:!1,version:!1},g={modules:{},status:{},event:{},callback:{}},r=function(){this.v="2.13.3"},t=h.LAYUI_GLOBAL||{},b=(e=d.currentScript&&"SCRIPT"===d.currentScript.tagName.toUpperCase()?d.currentScript.src:function(){for(var e,t=d.getElementsByTagName("script"),n=t.length-1,r=n;01e3*m.timeout/5?j(o+" is not a valid module","error"):void((i?layui[o]=h[a.api]:g.status[o])?u():setTimeout(t,5))}()},0===n.length||layui["layui.all"]&&w[o]?u():(p=i?a.src:a,y=(w[o]?y+"modules/":p?"":m.base)+(p=(p=p||o).replace(/\s/g,"").replace(/\.js[^/.]*$/,""))+".js",!g.modules[o]&&layui[o]&&(g.modules[o]=y),g.modules[o]?c():(l=d.getElementsByTagName("head")[0],(s=d.createElement("script"))["async"]=!0,s.charset="utf-8",s.src=y+((p=!0===m.version?m.v||(new Date).getTime():m.version||"")?"?v="+p:""),l.appendChild(s),E(s,function(){l.removeChild(s),c()},function(){l.removeChild(s)}),g.modules[o]=y))),f},r.prototype.modules=Object.assign({},w),r.prototype.extend=function(e){var t,n,r=m.base||"",o=/^\{\/\}/;for(t in e=e||{})this[t]||this.modules[t]?j("the "+t+" module already exists, extend failure"):("string"==typeof(n=e[t])&&(n=((r=o.test(n)?"":r)+n).replace(o,"")),this.modules[t]=n);return this},r.prototype.disuse=function(e){var n=this;return e=n.isArray(e)?e:[e],n.each(e,function(e,t){delete n[t],delete w[t],delete n.modules[t],delete g.status[t],delete g.modules[t]}),n},r.prototype.getStyle=function(e,t){e=e.currentStyle||h.getComputedStyle(e,null);return e.getPropertyValue?e.getPropertyValue(t):e.getAttribute(t.replace(/-(\w)/g,function(e,t){return t?t.toUpperCase():""}))},r.prototype.link=function(n,r,o){var a,i=this,e=d.getElementsByTagName("head")[0],t="function"==typeof r;if("string"==typeof r&&(o=r),"object"==typeof n)return a="array"===i.type(o),i.each(n,function(e,t){i.link(t,e===n.length-1&&r,a&&o[e])});o="layuicss-"+(o=o||n.replace(/^(#|(http(s?)):\/\/|\/\/)|\.|\/|\?.+/g,""));var u=d.getElementById(o);return u||((u=d.createElement("link")).href=n+(m.debug?"?v="+(new Date).getTime():""),u.rel="stylesheet",u.id=o,e.appendChild(u)),"complete"===u.__lay_readyState__?t&&r(u):E(u,function(){u.__lay_readyState__="complete",t&&r(u)},function(){j(n+" load error","error"),e.removeChild(u)}),i},r.prototype.addcss=function(e,t,n){return layui.link(m.dir+"css/"+e,t,n)},r.prototype.factory=function(e){if(layui[e])return"function"==typeof m.callback[e]?m.callback[e]:null},r.prototype.img=function(e,t,n){var r=new Image;if(r.src=e,r.complete)return t(r);r.onload=function(){r.onload=null,"function"==typeof t&&t(r)},r.onerror=function(e){r.onerror=null,"function"==typeof n&&n(e)}},r.prototype.router=r.prototype.hash=function(e){var n={path:[],pathname:[],search:{},hash:((e=e||v.hash).match(/[^#](#.*$)/)||[])[1]||"",href:""};return/^#/.test(e)&&(e=e.replace(/^#/,""),e=(n.href=e).replace(/([^#])(#.*$)/,"$1").split("/")||[],this.each(e,function(e,t){/^\w+=/.test(t)?(t=t.split("="),n.search[t[0]]=t[1]):n.path.push(t)}),n.pathname=n.path),n},r.prototype.url=function(e){var o,t,n=this;return{pathname:(e?((e.match(/\.[^.]+?\/.+/)||[])[0]||"").replace(/^[^/]+/,"").replace(/\?.+/,""):v.pathname).replace(/^\//,"").split("/"),search:(o={},t=(e?((e.match(/\?.+/)||[])[0]||"").replace(/#.+/,""):v.search).replace(/^\?+/,"").split("&"),n.each(t,function(e,t){var n=t.indexOf("="),r=n<0?t.substr(0,t.length):0!==n&&t.substr(0,n);r&&(o[r]=0(d.innerHeight||p.documentElement.clientHeight)},h.getStyleRules=function(e,n){if(e)return e=(e=e.sheet||e.styleSheet||{}).cssRules||e.rules,"function"==typeof n&&layui.each(e,function(e,t){if(n(t,e))return!0}),e},h.style=function(e){e=e||{};var t=h.elem("style"),n=e.text||"",r=e.target;if(n)return"styleSheet"in t?(t.setAttribute("type","text/css"),t.styleSheet.cssText=n):t.innerHTML=n,t.id="LAY-STYLE-"+(e.id||(n=h.style.index||0,h.style.index++,"DF-"+n)),r&&((e=h(r).find("#"+t.id))[0]&&e.remove(),h(r).append(t)),t},h.position=function(e,t,n){var r,i,o,c,a,u,s,l,f;t&&(n=n||{},e!==p&&e!==h("body")[0]||(n.clickType="right"),r="right"===n.clickType?{left:(r=n.e||d.event||{}).clientX,top:r.clientY,right:r.clientX,bottom:r.clientY}:e.getBoundingClientRect(),a=t.offsetWidth,u=t.offsetHeight,i=function(e){return p.body[e=e?"scrollLeft":"scrollTop"]|p.documentElement[e]},o=function(e){return p.documentElement[e?"clientWidth":"clientHeight"]},c="margin"in n?n.margin:5,f=r.left,"center"===n.align?f-=(a-e.offsetWidth)/2:"right"===n.align&&(f=f-a+e.offsetWidth),(f=f+a+c>o("width")?o("width")-a-c:f)o()&&(r.top>u+c&&r.top<=o()?a=r.top-u-2*c:n.allowBottomOut||(a=o()-u-2*c)<0&&(a=0)),(u=n.position)&&(t.style.position=u),s=n.offset?n.offset[0]:0,l=n.offset?n.offset[1]:0,t.style.left=f+("fixed"===u?0:i(1))+s+"px",t.style.top=a+("fixed"===u?0:i())+l+"px",h.hasScrollbar()||(f=t.getBoundingClientRect(),!n.SYSTEM_RELOAD&&f.bottom+c>o()&&(n.SYSTEM_RELOAD=!0,setTimeout(function(){h.position(e,t,n)},50))))},h.options=function(e,t){if(t="object"==typeof t?t:{attr:t},e===p)return{};var e=h(e),n=t.attr||"lay-options",e=e.attr(n);try{return new Function("return "+(e||"{}"))()}catch(r){return layui.hint().error(t.errorText||[n+'="'+e+'"',"\n parseerror: "+r].join("\n"),"error"),{}}},h.isTopElem=function(n){var e=[p,h("body")[0]],r=!1;return h.each(e,function(e,t){if(t===n)return r=!0}),r},h.clipboard={writeText:function(n){var r=String(n.text);function e(){var e=p.createElement("textarea");e.value=r,e.style.position="fixed",e.style.opacity="0",e.style.top="0px",e.style.left="0px",p.body.appendChild(e),e.select();try{p.execCommand("copy"),"function"==typeof n.done&&n.done()}catch(t){"function"==typeof n.error&&n.error(t)}finally{e.remove?e.remove():p.body.removeChild(e)}}navigator&&"clipboard"in navigator?navigator.clipboard.writeText(r).then(n.done,function(){e()}):e()}},h.passiveSupported=function(){var e=!1;try{var t=Object.defineProperty({},"passive",{get:function(){return e=!0}});d.addEventListener("test",null,t),d.removeEventListener("test",null,t)}catch(n){}return e}(),h.touchEventsSupported=function(){return"ontouchstart"in d},h.touchSwipe=function(e,t){var n,r,i,o,c=t,a=h(e)[0],u=!("preventDefault"in c)||c.preventDefault;a&&h.touchEventsSupported()&&(n={pointerStart:{x:0,y:0},pointerEnd:{x:0,y:0},distanceX:0,distanceY:0,direction:"none",timeStart:null},t=function(e){1===e.touches.length&&(a.addEventListener("touchmove",r,!!h.passiveSupported&&{passive:!1}),a.addEventListener("touchend",i),a.addEventListener("touchcancel",i),n.timeStart=Date.now(),n.pointerStart.x=n.pointerEnd.x=e.touches[0].clientX,n.pointerStart.y=n.pointerEnd.y=e.touches[0].clientY,n.distanceX=n.distanceY=0,n.direction="none",c.onTouchStart)&&c.onTouchStart(e,n)},r=function(e){u&&e.preventDefault(),n.pointerEnd.x=e.touches[0].clientX,n.pointerEnd.y=e.touches[0].clientY,n.distanceX=n.pointerStart.x-n.pointerEnd.x,n.distanceY=n.pointerStart.y-n.pointerEnd.y,Math.abs(n.distanceX)>Math.abs(n.distanceY)?n.direction=0]|&(?=#?[a-zA-Z0-9]+)/g.test(e+="")?e.replace(/&(?=#?[a-zA-Z0-9]+;?)/g,"&").replace(//g,">").replace(/'/g,"'").replace(/"/g,"""):e},h.unescape=function(e){return e===undefined||null===e?"":String(e).replace(/"/g,'"').replace(/'/g,"'").replace(/>/g,">").replace(/</g,"<").replace(/&/g,"&")},n=0,r=null,function(e){e=e||"id";var t=(new Date).getTime();return t===r?n++:(n=0,r=t),e+"-"+t+"-"+Math.floor(1e4*Math.random())+"-"+n});h.createSharedResizeObserver=function(r){var i,o,c;return"undefined"==typeof d.ResizeObserver?(d.console&&console.warn("ResizeObserver is not supported in this browser."),null):(i="lay-"+(r=r||"")+"-resizeobserver-key",o={},c=new ResizeObserver(function(e){for(var t=0;t]|&(?=#?[a-zA-Z0-9]+)/g;return e===undefined||null===e?"":r.test(e+="")?e.replace(r,function(e){return"&#"+e.charCodeAt(0)+";"}):e}},m=function(e,r){return new RegExp(e,r||"g")},g=function(e,r,t){r=r||{};var e="Laytpl "+((r=Object.assign({errorContext:""},r)).type||"")+"Error: "+e,n=r.errorContext;return delete r.errorContext,"object"==typeof console&&console.error(e,"\n",n,"\n",r),"function"==typeof t&&t(r),e},o={open:"{{",close:"}}",cache:!0,condense:!0,tagStyle:""},t=function(e,r){var t=this;r=t.config=Object.assign({template:e},o,r),t.vars=Object.assign({include:function(e,r){e=document.getElementById(e),e=e?e.innerHTML:"";return e?t.render(e,r):""}},n),t.compile(r.template)},r=(t.prototype.render=function(r,t){var n=this,o=n.config,c=r?n.compile(r):n.compilerCache||n.compile(o.template),e=function(){t=t||o.data||{};try{return c(t)}catch(e){return r=r||o.template,g(e,{errorContext:n.extractErrorContext(r,t),template:r,type:"Render"},o.error)}}();return o.cache&&!r&&(n.compilerCache=c),e},t.prototype.compile=function(e){var t=this,o=t.config,c=o.open,a=o.close,i=o.condense,u=m,l="\u2028";if("string"!=typeof e||!e)return function(){return""};var p=function(e,r){e=["(?:"+c+(e[0]||"")+"\\s*)","("+(e[1]||"[\\s\\S]")+"*?)","(?:\\s*"+(e[2]||"")+a+")"];return(r=r||{}).before&&e.unshift(r.before),r.after&&e.push(r.after),u(e.join(""))},r=i?["",""]:["(?:(?:\\n)*\\s*)","(?:\\s*?)"],f={before:r[0],after:r[1]},s=function(e,r){return e=(e=i?e:e.replace(u(l),r?"":"\n")).replace(/\\(\\|")/g,"$1")},n=t.parse=function(e){var n,r,t;return(e=e||"")&&(e=(e=(e=i?e.replace(/\t/g," ").replace(/\s+/g," "):e).replace(u("([}\\]])"+a),"$1 "+a).replace(/(?=\\|")/g,"\\").replace(/\r?\n/g,i?"":l)).replace(p(["!","","!"],f),function(e,r){return r=r.replace(u(c+"|"+a),function(e){return e.replace(/(?=.)/g,"\\")})}),n=function(e){return['";',e,'__laytpl__+="'].join("\n")},r=function(e,r,t){return t&&(r="-"===r?"":"_escape",t=s(t,!0))?n("__laytpl__+="+r+"("+t+");"):""},t=function(e,r){return r?(r=s(r),n(r)):""},e="modern"===o.tagStyle?(e=(e=e.replace(p(["#"],f),"")).replace(p(["(=|-)"]),r)).replace(p([],f),t):(e=e.replace(p(["#"],f),t)).replace(p(["(=|-)*"]),r),i||(e=e.replace(u(l),"\\n"))),e},r=t.createCompiler=function(e,r){return r=r||d(e),new Function("laytpl","return "+r)(t.vars)},d=t.createBuilder=function(e,r){return r=r||["function(d){",'"use strict";','var __laytpl__="",'+function(){var e,r=[];for(e in t.vars)r.push(("escape"===e?"_":"")+e+"=laytpl."+e);return r.join(",")}()+";",'__laytpl__="'+n(e)+'";',"return __laytpl__;","};"].join("\n")};try{return r(e)}catch(y){return delete t.compilerCache,function(){return g(y,{errorContext:t.extractErrorContext(e),template:e,type:"Compile"},o.error)}}},t.prototype.extractErrorContext=function(e,r){var t=1,o=e.split(/\r?\n/g),n=(e=e.replace(/(?=^)/gm,function(){return"/*LINE:"+t+++"*/"}),this.createBuilder(e)),c=n.split(/\r?\n/),a="laytpl.builder.map";try{n+="\n//# sourceURL="+a;var i=this.createCompiler(e,n);r&&i(r)}catch(l){var e=m(a.replace(/\./g,"\\.")+":(\\d+)","i"),n=(l.stack.match(e)||[])[1]||0,u=function(e,r){var r=r?/\/\*LINE:(\d+)\*\/[^*]*$/:/\/\*LINE:(\d+)\*\//;return!(r=(String(c[e-1]).match(r)||[])[1])&&0n.pages?n.curr=n.pages:n.curr<1&&(n.curr=1),l<0?l=1:l>n.pages&&(l=n.pages),n.prev="prev"in n?n.prev:p.$t("laypage.prev"),n.next="next"in n?n.next:p.$t("laypage.next"),n.pages>l?Math.ceil((n.curr+(1',n.prev,""].join(""):"",page:function(){var e=[];if(n.count<1)return"";1'+(n.first||1)+"");var a=Math.floor((l-1)/2),t=1n.pages?n.pages:a:l;for(i-t...');t<=i;t++)t===n.curr?e.push('"+t+""):e.push(''+t+"");return n.pages>l&&n.pages>i&&!1!==n.last&&(i+1...'),0!==l)&&e.push(''+(n.last||n.pages)+""),e.join("")}(),next:n.next?['',n.next,""].join(""):"",count:''+("object"==typeof n.countText?n.countText[0]+n.count+n.countText[1]:p.$t("laypage.total",{total:n.count}))+"",limit:(i=['"),refresh:['','',""].join(""),skip:[''+(e="object"==typeof n.skipText?n.skipText:[p.$t("laypage.goto"),p.$t("laypage.page"),p.$t("laypage.confirm")])[0],'',e[1]+'",""].join("")};return['

',(t=[],layui.each(n.layout,function(e,a){u[a]&&t.push(u[a])}),t.join("")),"
"].join("")},t.prototype.jump=function(e,a){if(e){var t=this,i=t.config,n=e.children,l=e[o]("button")[0],r=e[o]("input")[0],e=e[o]("select")[0],u=function(){var e=Number(r.value.replace(/\s|\D/g,""));e&&(i.curr=e,t.render())};if(a)return u();for(var p=0,s=n.length;pi.pages||(i.curr=e,t.render())});e&&c.on(e,"change",function(){var e=this.value;i.curr*e>i.count&&(i.curr=Math.ceil(i.count/e)),i.limit=e,t.render()}),l&&c.on(l,"click",function(){u()})}},t.prototype.skip=function(t){var i,e;t&&(i=this,e=t[o]("input")[0])&&c.on(e,"keyup",function(e){var a=this.value,e=e.keyCode;/^(37|38|39|40)$/.test(e)||(/\D/.test(a)&&(this.value=a.replace(/\D/,"")),13===e&&i.jump(t,!0))})},t.prototype.render=function(e){var a=this,t=a.config,i=a.type(),n=a.view(),i=(2===i?t.elem&&(t.elem.innerHTML=n):3===i?t.elem.html(n):l[r](t.elem)&&(l[r](t.elem).innerHTML=n),t.jump&&t.jump(t,e),l[r]("layui-laypage-"+t.index));a.jump(i),t.hash&&!e&&(location.hash="!"+t.hash+"="+t.curr),a.skip(i)},{render:function(e){return new t(e).index},index:layui.laypage?layui.laypage.index+1e4:0,on:function(a,e,t){return a.attachEvent?a.attachEvent("on"+e,function(e){e.target=e.srcElement,t.call(a,e)}):a.addEventListener(e,t,!1),this}});e("laypage",c)});layui.define(["lay","i18n"],function(e){"use strict";var M=layui.lay,a=layui.i18n,n="laydate",s="lay-"+n+"-id",r="zh-CN",o=["eu-ES","ja-JP","km-KH","ko-KR","pt-BR","si-LK","ms-MY","ug-CN","zh-CN","zh-HK","zh-TW"];function h(e){if("string"!=typeof e||e.length<=1)return e;for(var t="",a=0;a'+s.selectTime+""),(l.range||"datetime"!==l.type||l.fullPanel)&&p.push(''),M.each(l.btns,function(e,t){var a=s.tools[t]||"btn";l.range&&"now"===t||(d&&"clear"===t&&(a=s.tools.reset),n.push(''+a+""))}),p.push('"),p.join(""))),l.shortcuts&&(m.appendChild(t),M(t).html((i=[],M.each(l.shortcuts,function(e,t){i.push('
  • '+t.text+"
  • ")}),i.join(""))).find("li").on("click",function(e){var t=l.shortcuts[this.dataset.index]||{},t=("function"==typeof t.value?t.value():t.value)||[],n=(layui.isArray(t)||(t=[t]),l.type),t=(M.each(t,function(e,t){var a=[l.dateTime,o.endDate][e];"time"===n&&"date"!==layui.type(t)?o.EXP_IF.test(t)&&(t=(t.match(o.EXP_SPLIT)||[]).slice(1),M.extend(a,{hours:0|t[0],minutes:0|t[2],seconds:0|t[4]})):M.extend(a,o.systemDate("date"===layui.type(t)?t:new Date(t))),"time"!==n&&"datetime"!==n||(o[["startTime","endTime"][e]]={hours:a.hours,minutes:a.minutes,seconds:a.seconds}),0===e?o.startDate=M.extend({},a):o.endState=!0,"year"===n||"month"===n||"time"===n?o.listYM[e]=[a.year,a.month+1]:e&&o.autoCalendarModel.auto&&o.autoCalendarModel()}),o.checkDate("limit").calendar(null,null,"init"),M(o.footer).find("."+S).removeClass(C));t&&"date"===t.attr("lay-type")&&t[0].click(),o.done(null,"change"),M(this).addClass(k),"static"!==l.position&&o.setValue(o.parse()).done().remove()})),M.each(u,function(e,t){m.appendChild(t)}),l.showBottom&&m.appendChild(e),M.elem("style")),f=[],g=!0,t=(M.each(l.theme,function(e,t){g&&/^#/.test(t)?(g=!(r=!0),f.push(["#{{id}} .layui-laydate-header{background-color:{{theme}};}","#{{id}} li.layui-this,#{{id}} td.layui-this>div{background-color:{{theme}} !important;}",-1!==l.theme.indexOf("circle")?"":"#{{id}} .layui-this{background-color:{{theme}} !important;}","#{{id}} .laydate-day-now{color:{{theme}} !important;}","#{{id}} .laydate-day-now:after{border-color:{{theme}} !important;}"].join("").replace(/{{id}}/g,o.elemID).replace(/{{theme}}/g,t))):!g&&/^#/.test(t)&&f.push(["#{{id}} .laydate-selected>div{background-color:{{theme}} !important;}","#{{id}} .laydate-selected:hover>div{background-color:{{theme}} !important;}"].join("").replace(/{{id}}/g,o.elemID).replace(/{{theme}}/g,t))}),l.shortcuts&&l.range&&f.push("#{{id}}.layui-laydate-range{width: 628px;}".replace(/{{id}}/g,o.elemID)),f.length&&(f=f.join(""),"styleSheet"in p?(p.setAttribute("type","text/css"),p.styleSheet.cssText=f):p.innerHTML=f,r&&M(m).addClass("laydate-theme-molv"),m.appendChild(p)),o.remove(w.thisElemDate),D.thisId=l.id,d?l.elem.append(m):(document.body.appendChild(m),o.position()),l.shade?'
    ':"");m.insertAdjacentHTML("beforebegin",t),o.checkDate().calendar(null,0,"init"),o.changeEvent(),w.thisElemDate=o.elemID,o.renderAdditional(),"function"==typeof l.ready&&l.ready(M.extend({},l.dateTime,{month:l.dateTime.month+1})),o.preview()},w.prototype.remove=function(e){var t=this,a=t.config,n=M("#"+(e||t.elemID));return n[0]&&(n.hasClass(v)||t.checkDate(function(){n.remove(),delete t.startDate,delete t.endDate,delete t.endState,delete t.startTime,delete t.endTime,delete D.thisId,"function"==typeof a.close&&a.close(t)}),M("."+x).remove()),t},w.prototype.position=function(){var e=this.config;return M.position(e.elem[0],this.elem,{position:e.position}),this},w.prototype.hint=function(e){var t=this,a=M.elem("div",{"class":i});t.elem&&(a.innerHTML=(e="object"==typeof e?e||{}:{content:e}).content||"",M(t.elem).find("."+i).remove(),t.elem.appendChild(a),clearTimeout(t.hinTimer),t.hinTimer=setTimeout(function(){M(t.elem).find("."+i).remove()},"ms"in e?e.ms:3e3))},w.prototype.getAsYM=function(e,t,a){return a?t--:t++,t<0&&(t=11,e--),11p[1]&&(e.year=p[1],l=!0),11t)&&(e.date=t,l=!0)},c=function(n,i,r){var o=["startTime","endTime"];i=(i.match(s.EXP_SPLIT)||[]).slice(1),r=r||0,d.range&&(s[o[r]]=s[o[r]]||{}),M.each(s.format,function(e,t){var a=parseFloat(i[e]);i[e].lengths.getDateTime(d.max)?(o=d.dateTime=M.extend({},d.max),i=!0):s.getDateTime(o)s.getDateTime(d.max))&&(s.endDate=M.extend({},d.max),i=!0),s.startTime={hours:d.dateTime.hours,minutes:d.dateTime.minutes,seconds:d.dateTime.seconds},s.endTime={hours:s.endDate.hours,minutes:s.endDate.minutes,seconds:s.endDate.seconds},"month"===d.type)&&(d.dateTime.date=1,s.endDate.date=1),i&&u&&(s.setValue(s.parse()),s.hint("value "+r.invalidDatePrompt+r.autoResetPrompt)),s.startDate=s.startDate||u&&M.extend({},d.dateTime),s.autoCalendarModel.auto&&s.autoCalendarModel(),s.endState=!d.range||!s.rangeLinked||!(!s.startDate||!s.endDate),e&&e()),s},w.prototype.markRender=function(e,a,t){var n;"object"==typeof t?M.each(t||{},function(e,t){e=e.split("-");e[0]!=a[0]&&0!=e[0]||e[1]!=a[1]&&0!=e[1]||e[2]!=a[2]||(n=t||a[2])}):"string"==typeof t&&(n=t||a[2]),n&&e.find("div").html(''+n+"")},w.prototype.mark=function(t,a){var n=this,e=n.config,i=function(e){n.markRender(t,a,e)};return e.calendar&&e.lang===r&&i(n.markerOfChineseFestivals),"function"==typeof e.mark?e.mark({year:a[0],month:a[1],date:a[2]},i):"object"==typeof e.mark&&i(e.mark),n},w.prototype.holidaysRender=function(o,l,e){var s=["holidays","workdays"],d=function(e,t,a){e.find("div").html(["",a,""].join(""))};"array"===layui.type(e)?M.each(e,function(r,e){M.each(e,function(e,t){var a,n,i;t=t,a=o.attr("lay-ymd"),n=t.split("-"),i=a.split("-"),M.each(n,function(e,t){n[e]=parseInt(t,10)}),M.each(i,function(e,t){i[e]=parseInt(t,10)}),n.join("-")===i.join("-")&&d(o,s[r],l[2])})}):"string"==typeof e&&-1!==s.indexOf(e)&&d(o,e,l[2])},w.prototype.holidays=function(t,a){var n=this,e=n.config,i=function(e){n.holidaysRender(t,a,e)};return"function"==typeof e.holidays?e.holidays({year:a[0],month:a[1],date:a[2]},i):"array"===layui.type(e.holidays)&&i(e.holidays),n},w.prototype.cellRender=function(t,e,a){var n=this.config;return"function"==typeof n.cellRender&&n.cellRender(e,function(e){"string"==typeof e?M(t).html(e):"object"==typeof e&&M(t).html("").append(M(e)[0])},{originElem:t,type:a}),this},w.prototype.startOfYear=function(e){e=new Date(e);return e.setFullYear(e.getFullYear(),0,1),e.setHours(0,0,0,0),e},w.prototype.endOfYear=function(e){var e=new Date(e),t=e.getFullYear();return e.setFullYear(t+1,0,0),e.setHours(23,59,59,999),e},w.prototype.startOfMonth=function(e){e=new Date(e);return e.setDate(1),e.setHours(0,0,0,0),e},w.prototype.endOfMonth=function(e){var e=new Date(e),t=e.getMonth();return e.setFullYear(e.getFullYear(),t+1,0),e.setHours(23,59,59,999),e},w.prototype.addDays=function(e,t){e=new Date(e);return t&&e.setDate(e.getDate()+t),e},w.prototype.isDisabledYearOrMonth=function(e,t,a){for(var n=this,i=n.config,r="year"===t?n.startOfYear(e):n.startOfMonth(e),t="year"===t?n.endOfYear(e):n.endOfMonth(e),o=Math.floor((t.getTime()-r.getTime())/864e5)+1,l=0,s=0;s(t.time?0:41)?i.endDate:e.dateTime;return M.each({now:M.extend({},a,t.date||{}),min:e.min,max:e.max},function(e,a){var n;r[e]=i.newDate(M.extend({year:a.year,month:"year"===t.type?0:a.month,date:"year"===t.type||"month"===t.type?1:a.date},(n={},M.each(t.time,function(e,t){n[t]=a[t]}),n))).getTime()}),a=r.nowp[1]&&(d.year=p[1],s.hint(m.invalidDatePrompt)),s.firstDate||(s.firstDate=M.extend({},d)),n.setFullYear(d.year,d.month,1),r=(n.getDay()+(7-a.weekStart))%7,o=D.getEndDate(d.month||12,d.year),l=D.getEndDate(d.month+1,d.year),M.each(y,function(e,t){var a,n=[d.year,d.month];(t=M(t)).removeAttr("class"),e"+n[2]+"
    "),s.mark(t,n).holidays(t,n).limit({elem:t,date:{year:n[0],month:n[1]-1,date:n[2]},index:e,rangeType:i,disabledType:"date"}),s.cellRender(t,{year:n[0],month:n[1],date:n[2]},"date")}),M(c[0]).attr("lay-ym",d.year+"-"+(d.month+1)),M(c[1]).attr("lay-ym",d.year+"-"+(d.month+1)),s.panelYM||(s.panelYM={}),s.panelYM[i]={year:d.year,month:d.month},h(d.year+m.literal.year)),y=h(m.months[d.month]);return m.monthBeforeYear?(M(c[0]).attr("lay-type","month").html(y),M(c[1]).attr("lay-type","year").html(n)):(M(c[0]).attr("lay-type","year").html(n),M(c[1]).attr("lay-type","month").html(y)),u&&(a.range?!e&&"init"===t||(s.listYM=[[(s.startDate||a.dateTime).year,(s.startDate||a.dateTime).month+1],[s.endDate.year,s.endDate.month+1]],s.list(a.type,0).list(a.type,1),"time"===a.type?s.setBtnStatus(!0,M.extend({},s.systemDate(),s.startTime),M.extend({},s.systemDate(),s.endTime)):s.setBtnStatus(!0)):(s.listYM=[[d.year,d.month+1]],s.list(a.type,0))),a.range&&"init"===t&&(s.rangeLinked?(m=s.getAsYM(d.year,d.month,i?"sub":null),s.calendar(M.extend({},d,{year:m[0],month:m[1]}),1-i)):s.calendar(null,1-i)),a.range||(n=["hours","minutes","seconds"],s.limit({elem:M(s.footer).find(".laydate-btns-now"),date:s.systemDate(/^(datetime|time)$/.test(a.type)?new Date:null),index:0,time:n,disabledType:"datetime"}),s.limit({elem:M(s.footer).find(I),index:0,time:n,disabledType:"datetime"})),s.setBtnStatus(),M(s.shortcut).find("li."+k).removeClass(k),a.range&&!u&&"init"!==t&&s.stampRange(),s},w.prototype.list=function(n,i){var r,o,e,a,l,s,d=this,m=d.config,u=d.rangeLinked?m.dateTime:[m.dateTime,d.endDate][i],y=d.i18nMessages,c=m.range&&"date"!==m.type&&"datetime"!==m.type,h=M.elem("ul",{"class":b+" "+{year:"laydate-year-list",month:"laydate-month-list",time:"laydate-time-list"}[n]}),t=d.elemHeader[i],p=M(t[2]).find("span"),f=d.elemCont[i||0],g=M(f).find("."+b)[0],D=y.monthBeforeYear,v=y.literal.year,T=d.listYM[i]||{},x=["hours","minutes","seconds"],w=["startTime","endTime"][i];return T[0]<1&&(T[0]=1),"year"===n?(e=r=T[0]-7,r<1&&(e=r=1),M.each(new Array(15),function(e){var t=M.elem("li",{"lay-ym":r}),a={year:r,month:0,date:1};r==T[0]&&M(t).addClass(k),t.innerHTML=r+v,h.appendChild(t),d.limit({elem:M(t),date:a,index:i,type:n,rangeType:i,disabledType:"date"}),d.cellRender(t,{year:r,month:1,date:1},"year"),r++}),M(p[D?1:0]).attr("lay-ym",r-8+"-"+T[1]).html(e+v+" - "+(r-1+v))):"month"===n?(M.each(new Array(12),function(e){var t=M.elem("li",{"lay-ym":e}),a={year:T[0],month:e,date:1};e+1==T[1]&&M(t).addClass(k),t.innerHTML=y.months[e],h.appendChild(t),d.limit({elem:M(t),date:a,index:i,type:n,rangeType:i,disabledType:"date"}),d.cellRender(t,{year:T[0],month:e+1,date:1},"month")}),M(p[D?1:0]).attr("lay-ym",T[0]+"-"+T[1]).html(T[0]+v)):"time"===n&&(o=function(){M(h).find("ol").each(function(a,e){M(e).find("li").each(function(e,t){d.limit({elem:M(t),date:[{hours:e},{hours:d[w].hours,minutes:e},{hours:d[w].hours,minutes:d[w].minutes,seconds:e}][a],index:i,rangeType:i,disabledType:"time",time:[["hours"],["hours","minutes"],["hours","minutes","seconds"]][a]})})}),m.range||d.limit({elem:M(d.footer).find(I),date:d[w],index:0,time:["hours","minutes","seconds"],disabledType:"datetime"})},m.range?d[w]||(d[w]="startTime"===w?u:d.endDate):d[w]=u,M.each([24,60,60],function(t,e){var a=M.elem("li"),n=["

    "+y.time[t]+"

      "];M.each(new Array(e),function(e){n.push(""+M.digit(e,2)+"")}),a.innerHTML=n.join("")+"
    ",h.appendChild(a)}),o(),e=-1!==m.format.indexOf("H"),D=-1!==m.format.indexOf("m"),p=-1!==m.format.indexOf("s"),a=h.children,l=0,M.each([e,D,p],function(e,t){t||(a[e].className+=" layui-hide",l++)}),h.className+=" laydate-time-list-hide-"+l),g&&f.removeChild(g),f.appendChild(h),"year"===n||"month"===n?(M(d.elemMain[i]).addClass("laydate-ym-show"),M(h).find("li").on("click",function(){var e,t,a=0|M(this).attr("lay-ym");M(this).hasClass(C)||(d.rangeLinked?M.extend(u,{year:"year"===n?a:T[0],month:"year"===n?T[1]-1:a}):u[n]=a,e=-1!==["year","month"].indexOf(m.type),t="year"===n&&-1!==["date","datetime"].indexOf(m.type),e||t?(M(h).find("."+k).removeClass(k),M(this).addClass(k),("month"===m.type&&"year"===n||t)&&(d.listYM[i][0]=a,c&&((i?d.endDate:u).year=a),d.list("month",i))):(d.checkDate("limit").calendar(u,i,"init"),d.closeList()),m.range||d.limit({type:n,elem:M(d.footer).find(I),date:u,disabledType:"datetime"}),d.setBtnStatus(),!m.range&&m.autoConfirm&&("month"===m.type&&"month"===n||"year"===m.type&&"year"===n)&&d.setValue(d.parse()).done().remove(),d.autoCalendarModel.auto&&!d.rangeLinked?d.choose(M(f).find("td.layui-this"),i):d.endState&&d.done(null,"change"),M(d.footer).find("."+S).removeClass(C))})):(D=M.elem("span",{"class":E}),s=function(){M(h).find("ol").each(function(e){var a=this,t=M(a).find("li");a.scrollTop=30*(d[w][x[e]]-2),a.scrollTop<=0&&t.each(function(e,t){if(!M(this).hasClass(C))return a.scrollTop=30*(e-2),!0})})},p=M(t[2]).find("."+E),s(),D.innerHTML=m.range?[y.startTime,y.endTime][i]:y.selectTime,M(d.elemMain[i]).addClass("laydate-time-show"),p[0]&&p.remove(),t[2].appendChild(D),(g=M(h).find("ol")).each(function(t){var a=this;M(a).find("li").on("click",function(){var e=0|this.innerHTML;M(this).hasClass(C)||(m.range?d[w][x[t]]=e:u[x[t]]=e,M(a).find("."+k).removeClass(k),M(this).addClass(k),o(),s(),!d.endDate&&"time"!==m.type&&"datetime"!==m.type||d.done(null,"change"),d.setBtnStatus())})}),layui.device().mobile&&g.css({overflowY:"auto",touchAction:"pan-y"})),d},w.prototype.listYM=[],w.prototype.closeList=function(){var a=this;M.each(a.elemCont,function(e,t){M(this).find("."+b).remove(),M(a.elemMain[e]).removeClass("laydate-ym-show laydate-time-show")}),M(a.elem).find("."+E).remove()},w.prototype.setBtnStatus=function(e,t,a){var n=this,i=n.config,r=n.i18nMessages,o=M(n.footer).find(I),l="datetime"===i.type||"time"===i.type?["hours","minutes","seconds"]:undefined;i.range&&(t=t||(n.rangeLinked?n.startDate:i.dateTime),a=a||n.endDate,i=!n.endState||n.newDate(t).getTime()>n.newDate(a).getTime(),n.limit({date:t,disabledType:"datetime",time:l,rangeType:0})||n.limit({date:a,disabledType:"datetime",time:l,rangeType:1})?o.addClass(C):o[i?"addClass":"removeClass"](C),e)&&i&&n.hint(r.rangeOrderPrompt)},w.prototype.parse=function(e,t){var a=this,n=a.config,i=a.rangeLinked?a.startDate:n.dateTime,t=t||("end"==e?M.extend({},a.endDate,a.endTime):n.range?M.extend({},i||n.dateTime,a.startTime):n.dateTime),i=D.parse(t,a.format,1);return n.range&&e===undefined?i+" "+a.rangeStr+" "+a.parse("end"):i},w.prototype.newDate=function(e){return e=e||{},new Date(e.year||1,e.month||0,e.date||1,e.hours||0,e.minutes||0,e.seconds||0)},w.prototype.getDateTime=function(e){return this.newDate(e).getTime()},w.prototype.formatToDisplay=function(e,t){var a=this,n=Object.getOwnPropertyDescriptor(HTMLInputElement.prototype,"value");Object.defineProperty(e,"value",M.extend({},n,{get:function(){return this.getAttribute("lay-date")},set:function(e){n.set.call(this,t.call(a,e)),this.setAttribute("lay-date",e)}}))},w.prototype.setValue=function(e){var t,a=this,n=a.config,i=n.elem[0];return"static"!==n.position&&(e=e||"",a.isInput(i)?M(i).val(e):(t=a.rangeElem)?("array"!==layui.type(e)&&(e=e.split(" "+a.rangeStr+" ")),t[0].val(e[0]||""),t[1].val(e[1]||"")):(0===M(i).find("*").length&&(t="function"==typeof n.formatToDisplay?n.formatToDisplay(e):e,M(i).html(t)),M(i).attr("lay-date",e))),a},w.prototype.preview=function(){var e,t=this,a=t.config;a.isPreview&&(e=M(t.elem).find("."+T),t=!a.range||(t.rangeLinked?t.endState:t.endDate)?t.parse():"",e.html(t),e.html())&&(t="array"===layui.type(a.theme)?a.theme[0]:a.theme,e.css({color:/^#/.test(String(t))?t:"#16b777"}),setTimeout(function(){e.css({color:"#777"})},300))},w.prototype.renderAdditional=function(){this.config.fullPanel&&this.list("time",0)},w.prototype.stampRange=function(){var n,i=this,r=i.config,o=i.rangeLinked?i.startDate:r.dateTime,e=M(i.elem).find("td");r.range&&!i.endState&&M(i.footer).find(I).addClass(C),o=o&&i.newDate({year:o.year,month:o.month,date:o.date}).getTime(),n=i.endState&&i.endDate&&i.newDate({year:i.endDate.year,month:i.endDate.month,date:i.endDate.date}).getTime(),M.each(e,function(e,t){var a=M(t).attr("lay-ymd").split("-"),a=i.newDate({year:a[0],month:a[1]-1,date:a[2]}).getTime();r.rangeLinked&&!i.startDate&&a===i.newDate(i.systemDate()).getTime()&&M(t).addClass(M(t).hasClass(y)||M(t).hasClass(c)?"":"laydate-day-now"),M(t).removeClass(u+" "+k),a!==o&&a!==n||(i.rangeLinked||!i.rangeLinked&&(e<42?a===o:a===n))&&M(t).addClass(M(t).hasClass(y)||M(t).hasClass(c)?u:k),on.getDateTime(i.max)&&(n[t]={hours:i.max.hours,minutes:i.max.minutes,seconds:i.max.seconds},M.extend(r,n[t])))}),a||(n.startDate=M.extend({},r)),n.endState&&!n.limit({date:n.rangeLinked?n.startDate:n.thisDateTime(1-a),disabledType:"date"})&&(((o=n.endState&&n.autoCalendarModel.auto?n.autoCalendarModel():o)||n.rangeLinked&&n.endState)&&n.newDate(n.startDate)>n.newDate(n.endDate)&&(n.startDate.year===n.endDate.year&&n.startDate.month===n.endDate.month&&n.startDate.date===n.endDate.date&&(l=n.startTime,n.startTime=n.endTime,n.endTime=l),l=n.startDate,n.startDate=M.extend({},n.endDate,n.startTime),i.dateTime=M.extend({},n.startDate),n.endDate=M.extend({},l,n.endTime)),o)&&(i.dateTime=M.extend({},n.startDate)),n.rangeLinked?(e=n.checkPanelDate(r,t),l=M.extend({},r),s=o||e&&e.needFullRender?"init":null,e=e?e.index:t,n.calendar(l,e,s)):n.calendar(null,a,o?"init":null),n.endState&&n.done(null,"change")):"static"===i.position?n.calendar().done().done(null,"change"):"date"===i.type?i.autoConfirm?n.setValue(n.parse()).done().remove():n.calendar().done(null,"change"):"datetime"===i.type&&n.calendar().done(null,"change"))},w.prototype.tool=function(t,e){var a=this,n=a.config,i=a.i18nMessages,r=n.dateTime,o="static"===n.position,l={datetime:function(){M(t).hasClass(C)||(a.list("time",0),n.range&&a.list("time",1),M(t).attr("lay-type","date").html(a.i18nMessages.selectDate))},date:function(){a.closeList(),M(t).attr("lay-type","datetime").html(a.i18nMessages.selectTime)},clear:function(){o&&(M.extend(r,a.firstDate),a.calendar()),n.range&&(delete n.dateTime,delete a.endDate,delete a.startTime,delete a.endTime),a.setValue(""),a.done(null,"onClear").done(["",{},{}]).remove()},now:function(){var e=new Date;if(M(t).hasClass(C))return a.hint(i.tools.now+", "+i.invalidDatePrompt);M.extend(r,a.systemDate(),{hours:e.getHours(),minutes:e.getMinutes(),seconds:e.getSeconds()}),a.setValue(a.parse()),o&&a.calendar(),a.done(null,"onNow").done().remove()},confirm:function(){var e;if(n.range){if(M(t).hasClass(C))return e="time"===n.type?a.startTime&&a.endTime&&a.newDate(a.startTime)>a.newDate(a.endTime):a.startDate&&a.endDate&&a.newDate(M.extend({},a.startDate,a.startTime||{}))>a.newDate(M.extend({},a.endDate,a.endTime||{})),a.hint(e?i.rangeOrderPrompt:i.invalidDatePrompt)}else if(M(t).hasClass(C))return a.hint(i.invalidDatePrompt);a.setValue(a.parse()),a.done(null,"onConfirm").done().remove()}};l[e]&&l[e]()},w.prototype.change=function(n){var i=this,r=i.config,o=i.thisDateTime(n),l=r.range&&("year"===r.type||"month"===r.type),s=i.elemCont[n||0],d=i.listYM[n],e=function(e){var t=M(s).find(".laydate-year-list")[0],a=M(s).find(".laydate-month-list")[0];return t&&(d[0]=e?d[0]-15:d[0]+15,i.list("year",n)),a&&(e?d[0]--:d[0]++,i.list("month",n)),(t||a)&&(M.extend(o,{year:d[0]}),l&&(o.year=d[0]),r.range||i.done(null,"change"),r.range||i.limit({elem:M(i.footer).find(I),date:{year:d[0],month:t?0:d[1]-1},disabledType:"datetime"})),i.setBtnStatus(),t||a};return{prevYear:function(){e("sub")||(i.rangeLinked?(r.dateTime.year--,i.checkDate("limit").calendar(null,null,"init")):(o.year--,i.checkDate("limit").calendar(null,n),i.autoCalendarModel.auto?i.choose(M(s).find("td.layui-this"),n):i.done(null,"change")))},prevMonth:function(){var e,t;i.rangeLinked?(e=i.panelYM[0],e=i.getAsYM(e.year,e.month,"sub"),t=M.extend({},r.dateTime,i.panelYM[0],{year:e[0],month:e[1]}),i.checkDate("limit").calendar(t,null,"init")):(e=i.getAsYM(o.year,o.month,"sub"),M.extend(o,{year:e[0],month:e[1]}),i.checkDate("limit").calendar(null,null,"init"),i.autoCalendarModel.auto?i.choose(M(s).find("td.layui-this"),n):i.done(null,"change"))},nextMonth:function(){var e,t;i.rangeLinked?(e=i.panelYM[0],e=i.getAsYM(e.year,e.month),t=M.extend({},r.dateTime,i.panelYM[0],{year:e[0],month:e[1]}),i.checkDate("limit").calendar(t,null,"init")):(e=i.getAsYM(o.year,o.month),M.extend(o,{year:e[0],month:e[1]}),i.checkDate("limit").calendar(null,null,"init"),i.autoCalendarModel.auto?i.choose(M(s).find("td.layui-this"),n):i.done(null,"change"))},nextYear:function(){e()||(i.rangeLinked?(r.dateTime.year++,i.checkDate("limit").calendar(null,0,"init")):(o.year++,i.checkDate("limit").calendar(null,n),i.autoCalendarModel.auto?i.choose(M(s).find("td.layui-this"),n):i.done(null,"change")))}}},w.prototype.changeEvent=function(){var i=this;M(i.elem).on("click",function(e){M.stope(e)}).on("mousedown",function(e){M.stope(e)}),M.each(i.elemHeader,function(n,e){M(e[0]).on("click",function(e){i.change(n).prevYear()}),M(e[1]).on("click",function(e){i.change(n).prevMonth()}),M(e[2]).find("span").on("click",function(e){var t=M(this),a=t.attr("lay-ym"),t=t.attr("lay-type");a&&(a=a.split("-"),i.listYM[n]=[0|a[0],0|a[1]],i.list(t,n),M(i.footer).find("."+S).addClass(C))}),M(e[3]).on("click",function(e){i.change(n).nextMonth()}),M(e[4]).on("click",function(e){i.change(n).nextYear()})}),M.each(i.table,function(e,t){M(t).find("td").on("click",function(){i.choose(M(this),e)})}),M(i.footer).find("span").on("click",function(){var e=M(this).attr("lay-type");i.tool(this,e)})},w.prototype.isInput=function(e){return/input|textarea/.test(e.tagName.toLocaleLowerCase())||/INPUT|TEXTAREA/.test(e.tagName)},w.prototype.events=function(){var e,t=this,a=t.config;a.elem[0]&&!a.elem[0].eventHandler&&(a.elem.on(a.trigger,e=function(){D.thisId!==a.id&&t.render()}),a.elem[0].eventHandler=!0,a.eventElem.on(a.trigger,e),t.unbind=function(){t.remove(),a.elem.off(a.trigger,e),a.elem.removeAttr("lay-key"),a.elem.removeAttr(s),a.elem[0].eventHandler=!1,a.eventElem.off(a.trigger,e),a.eventElem.removeAttr("lay-key"),delete m.that[a.id]})},M(document).on("mousedown",function(e){var t,a;D.thisId&&(t=m.getThis(D.thisId))&&(a=t.config,e.target===a.elem[0]||e.target===a.eventElem[0]||e.target===M(a.closeStop)[0]||a.elem[0]&&a.elem[0].contains(e.target)||t.remove())}).on("keydown",function(e){var t;D.thisId&&(t=m.getThis(D.thisId))&&"static"!==t.config.position&&13===e.keyCode&&M("#"+t.elemID)[0]&&t.elemID===w.thisElemDate&&(e.preventDefault(),M(t.footer).find(I)[0].click())}),M(window).on("resize",function(){if(D.thisId){var e=m.getThis(D.thisId);if(e)return!(!e.elem||!M(".layui-laydate")[0])&&void e.position()}}),m.that={},m.getThis=function(e){var t=m.that[e];return t||layui.hint().error(e?n+" instance with ID '"+e+"' not found":"ID argument required"),t},D.render=function(e){e=new w(e);return m.call(e)},D.reload=function(e,t){e=m.getThis(e);if(e)return e.reload(t)},D.getInst=function(e){e=m.getThis(e);if(e)return e.inst},D.hint=function(e,t){e=m.getThis(e);if(e)return e.hint(t)},D.unbind=function(e){e=m.getThis(e);if(e)return e.unbind()},D.close=function(e){e=m.getThis(e||D.thisId);if(e)return e.remove()},D.parse=function(a,n,i){return a=a||{},n=((n="string"==typeof n?m.formatArr(n):n)||[]).concat(),M.each(n,function(e,t){/yyyy|y/.test(t)?n[e]=M.digit(a.year,t.length):/MM|M/.test(t)?n[e]=M.digit(a.month+(i||0),t.length):/dd|d/.test(t)?n[e]=M.digit(a.date,t.length):/HH|H/.test(t)?n[e]=M.digit(a.hours,t.length):/mm|m/.test(t)?n[e]=M.digit(a.minutes,t.length):/ss|s/.test(t)&&(n[e]=M.digit(a.seconds,t.length))}),n.join("")},D.getEndDate=function(e,t){var a=new Date;return a.setFullYear(t||a.getFullYear(),e||a.getMonth()+1,1),new Date(a.getTime()-864e5).getDate()},e(n,D)});!function(e,t){"use strict";"object"==typeof module&&"object"==typeof module.exports?module.exports=e.document?t(e):function(e){if(e.document)return t(e);throw new Error("jQuery requires a window with a document")}:t(e)}("undefined"!=typeof window?window:this,function(T,M){"use strict";var t=[],R=Object.getPrototypeOf,a=t.slice,I=t.flat?function(e){return t.flat.call(e)}:function(e){return t.concat.apply([],e)},W=t.push,b=t.indexOf,F={},$=F.toString,B=F.hasOwnProperty,_=B.toString,z=_.call(Object),g={},v=function v(e){return"function"==typeof e&&"number"!=typeof e.nodeType&&"function"!=typeof e.item},X=function X(e){return null!=e&&e===e.window},C=T.document,U={type:!0,src:!0,nonce:!0,noModule:!0};function V(e,t,n){var r,i,o=(n=n||C).createElement("script");if(o.text=e,t)for(r in U)(i=t[r]||t.getAttribute&&t.getAttribute(r))&&o.setAttribute(r,i);n.head.appendChild(o).parentNode.removeChild(o)}function G(e){return null==e?e+"":"object"==typeof e||"function"==typeof e?F[$.call(e)]||"object":typeof e}var e="3.7.1",Y=/HTML$/i,S=function(e,t){return new S.fn.init(e,t)};function J(e){var t=!!e&&"length"in e&&e.length,n=G(e);return!v(e)&&!X(e)&&("array"===n||0===t||"number"==typeof t&&0+~]|"+n+")"+n+"*"),xe=new RegExp(n+"|>"),be=new RegExp(s),we=new RegExp("^"+e+"$"),Te={ID:new RegExp("^#("+e+")"),CLASS:new RegExp("^\\.("+e+")"),TAG:new RegExp("^("+e+"|[*])"),ATTR:new RegExp("^"+o),PSEUDO:new RegExp("^"+s),CHILD:new RegExp("^:(only|first|last|nth|nth-last)-(child|of-type)(?:\\("+n+"*(even|odd|(([+-]|)(\\d*)n|)"+n+"*(?:([+-]|)"+n+"*(\\d+)|))"+n+"*\\)|)","i"),bool:new RegExp("^(?:"+ge+")$","i"),needsContext:new RegExp("^"+n+"*[>+~]|:(even|odd|eq|gt|lt|nth|first|last)(?:\\("+n+"*((?:-\\d)?\\d*)"+n+"*\\)|)(?=[^-]|$)","i")},Ce=/^(?:input|select|textarea|button)$/i,Se=/^h\d$/i,Ee=/^(?:#([\w-]+)|(\w+)|\.([\w-]+))$/,ke=/[+~]/,f=new RegExp("\\\\[\\da-fA-F]{1,6}"+n+"?|\\\\([^\\r\\n\\f])","g"),d=function(e,t){e="0x"+e.slice(1)-65536;return t||(e<0?String.fromCharCode(65536+e):String.fromCharCode(e>>10|55296,1023&e|56320))},je=function(){Oe()},Ae=Ie(function(e){return!0===e.disabled&&x(e,"fieldset")},{dir:"parentNode",next:"legend"});try{j.apply(t=a.call(i.childNodes),i.childNodes),t[i.childNodes.length].nodeType}catch(sr){j={apply:function(e,t){ue.apply(e,a.call(t))},call:function(e){ue.apply(e,a.call(arguments,1))}}}function N(e,t,n,r){var i,o,s,a,u,l,c=t&&t.ownerDocument,f=t?t.nodeType:9;if(n=n||[],"string"!=typeof e||!e||1!==f&&9!==f&&11!==f)return n;if(!r&&(Oe(t),t=t||E,k)){if(11!==f&&(a=Ee.exec(e)))if(i=a[1]){if(9===f){if(!(l=t.getElementById(i)))return n;if(l.id===i)return j.call(n,l),n}else if(c&&(l=c.getElementById(i))&&N.contains(t,l)&&l.id===i)return j.call(n,l),n}else{if(a[2])return j.apply(n,t.getElementsByTagName(e)),n;if((i=a[3])&&t.getElementsByClassName)return j.apply(n,t.getElementsByClassName(i)),n}if(!(pe[e+" "]||p&&p.test(e))){if(l=e,c=t,1===f&&(xe.test(e)||ve.test(e))){for((c=ke.test(e)&&He(t.parentNode)||t)==t&&g.scope||((s=t.getAttribute("id"))?s=S.escapeSelector(s):t.setAttribute("id",s=A)),o=(u=Me(e)).length;o--;)u[o]=(s?"#"+s:":scope")+" "+Re(u[o]);l=u.join(",")}try{return j.apply(n,c.querySelectorAll(l)),n}catch(d){pe(e,!0)}finally{s===A&&t.removeAttribute("id")}}}return _e(e.replace(ee,"$1"),t,n,r)}function De(){var n=[];function r(e,t){return n.push(e+" ")>w.cacheLength&&delete r[n.shift()],r[e+" "]=t}return r}function u(e){return e[A]=!0,e}function Ne(e){var t=E.createElement("fieldset");try{return!!e(t)}catch(sr){return!1}finally{t.parentNode&&t.parentNode.removeChild(t)}}function qe(t){return function(e){return"form"in e?e.parentNode&&!1===e.disabled?"label"in e?"label"in e.parentNode?e.parentNode.disabled===t:e.disabled===t:e.isDisabled===t||e.isDisabled!==!t&&Ae(e)===t:e.disabled===t:"label"in e&&e.disabled===t}}function Le(s){return u(function(o){return o=+o,u(function(e,t){for(var n,r=s([],e.length,o),i=r.length;i--;)e[n=r[i]]&&(e[n]=!(t[n]=e[n]))})})}function He(e){return e&&"undefined"!=typeof e.getElementsByTagName&&e}function Oe(e){var e=e?e.ownerDocument||e:i;return e!=E&&9===e.nodeType&&e.documentElement&&(r=(E=e).documentElement,k=!S.isXMLDoc(E),ae=r.matches||r.webkitMatchesSelector||r.msMatchesSelector,r.msMatchesSelector&&i!=E&&(e=E.defaultView)&&e.top!==e&&e.addEventListener("unload",je),g.getById=Ne(function(e){return r.appendChild(e).id=S.expando,!E.getElementsByName||!E.getElementsByName(S.expando).length}),g.disconnectedMatch=Ne(function(e){return ae.call(e,"*")}),g.scope=Ne(function(){return E.querySelectorAll(":scope")}),g.cssHas=Ne(function(){try{E.querySelector(":has(*,:jqfake)")}catch(sr){return 1}}),g.getById?(w.filter.ID=function(e){var t=e.replace(f,d);return function(e){return e.getAttribute("id")===t}},w.find.ID=function(e,t){if("undefined"!=typeof t.getElementById&&k)return(e=t.getElementById(e))?[e]:[]}):(w.filter.ID=function(e){var t=e.replace(f,d);return function(e){e="undefined"!=typeof e.getAttributeNode&&e.getAttributeNode("id");return e&&e.value===t}},w.find.ID=function(e,t){if("undefined"!=typeof t.getElementById&&k){var n,r,i,o=t.getElementById(e);if(o){if((n=o.getAttributeNode("id"))&&n.value===e)return[o];for(i=t.getElementsByName(e),r=0;o=i[r++];)if((n=o.getAttributeNode("id"))&&n.value===e)return[o]}return[]}}),w.find.TAG=function(e,t){return"undefined"!=typeof t.getElementsByTagName?t.getElementsByTagName(e):t.querySelectorAll(e)},w.find.CLASS=function(e,t){if("undefined"!=typeof t.getElementsByClassName&&k)return t.getElementsByClassName(e)},p=[],Ne(function(e){var t;r.appendChild(e).innerHTML="",e.querySelectorAll("[selected]").length||p.push("\\["+n+"*(?:value|"+ge+")"),e.querySelectorAll("[id~="+A+"-]").length||p.push("~="),e.querySelectorAll("a#"+A+"+*").length||p.push(".#.+[+~]"),e.querySelectorAll(":checked").length||p.push(":checked"),(t=E.createElement("input")).setAttribute("type","hidden"),e.appendChild(t).setAttribute("name","D"),r.appendChild(e).disabled=!0,2!==e.querySelectorAll(":disabled").length&&p.push(":enabled",":disabled"),(t=E.createElement("input")).setAttribute("name",""),e.appendChild(t),e.querySelectorAll("[name='']").length||p.push("\\["+n+"*name"+n+"*="+n+"*(?:''|\"\")")}),g.cssHas||p.push(":has"),p=p.length&&new RegExp(p.join("|")),he=function(e,t){var n;return e===t?(se=!0,0):(n=!e.compareDocumentPosition-!t.compareDocumentPosition)||(1&(n=(e.ownerDocument||e)==(t.ownerDocument||t)?e.compareDocumentPosition(t):1)||!g.sortDetached&&t.compareDocumentPosition(e)===n?e===E||e.ownerDocument==i&&N.contains(i,e)?-1:t===E||t.ownerDocument==i&&N.contains(i,t)?1:oe?b.call(oe,e)-b.call(oe,t):0:4&n?-1:1)}),E}for(re in N.matches=function(e,t){return N(e,null,null,t)},N.matchesSelector=function(e,t){if(Oe(e),k&&!pe[t+" "]&&(!p||!p.test(t)))try{var n=ae.call(e,t);if(n||g.disconnectedMatch||e.document&&11!==e.document.nodeType)return n}catch(sr){pe(t,!0)}return 0":{dir:"parentNode",first:!0}," ":{dir:"parentNode"},"+":{dir:"previousSibling",first:!0},"~":{dir:"previousSibling"}},preFilter:{ATTR:function(e){return e[1]=e[1].replace(f,d),e[3]=(e[3]||e[4]||e[5]||"").replace(f,d),"~="===e[2]&&(e[3]=" "+e[3]+" "),e.slice(0,4)},CHILD:function(e){return e[1]=e[1].toLowerCase(),"nth"===e[1].slice(0,3)?(e[3]||N.error(e[0]),e[4]=+(e[4]?e[5]+(e[6]||1):2*("even"===e[3]||"odd"===e[3])),e[5]=+(e[7]+e[8]||"odd"===e[3])):e[3]&&N.error(e[0]),e},PSEUDO:function(e){var t,n=!e[6]&&e[2];return Te.CHILD.test(e[0])?null:(e[3]?e[2]=e[4]||e[5]||"":n&&be.test(n)&&(t=(t=Me(n,!0))&&n.indexOf(")",n.length-t)-n.length)&&(e[0]=e[0].slice(0,t),e[2]=n.slice(0,t)),e.slice(0,3))}},filter:{TAG:function(e){var t=e.replace(f,d).toLowerCase();return"*"===e?function(){return!0}:function(e){return x(e,t)}},CLASS:function(e){var t=ce[e+" "];return t||(t=new RegExp("(^|"+n+")"+e+"("+n+"|$)"))&&ce(e,function(e){return t.test("string"==typeof e.className&&e.className||"undefined"!=typeof e.getAttribute&&e.getAttribute("class")||"")})},ATTR:function(t,n,r){return function(e){e=N.attr(e,t);return null==e?"!="===n:!n||(e+="","="===n?e===r:"!="===n?e!==r:"^="===n?r&&0===e.indexOf(r):"*="===n?r&&-1:\x20\t\r\n\f]*)[\x20\t\r\n\f]*\/?>(?:<\/\1>|)$/i;function Ge(e,n,r){return v(n)?S.grep(e,function(e,t){return!!n.call(e,t,e)!==r}):n.nodeType?S.grep(e,function(e){return e===n!==r}):"string"!=typeof n?S.grep(e,function(e){return-1)[^>]*|#([\w-]+))$/,Ke=((S.fn.init=function(e,t,n){if(e){if(n=n||Ye,"string"!=typeof e)return e.nodeType?(this[0]=e,this.length=1,this):v(e)?n.ready!==undefined?n.ready(e):e(S):S.makeArray(e,this);if(!(r="<"===e[0]&&">"===e[e.length-1]&&3<=e.length?[null,e,null]:Je.exec(e))||!r[1]&&t)return(!t||t.jquery?t||n:this.constructor(t)).find(e);if(r[1]){if(t=t instanceof S?t[0]:t,S.merge(this,S.parseHTML(r[1],t&&t.nodeType?t.ownerDocument||t:C,!0)),Ve.test(r[1])&&S.isPlainObject(t))for(var r in t)v(this[r])?this[r](t[r]):this.attr(r,t[r])}else(n=C.getElementById(r[2]))&&(this[0]=n,this.length=1)}return this}).prototype=S.fn,Ye=S(C),/^(?:parents|prev(?:Until|All))/),Qe={children:!0,contents:!0,next:!0,prev:!0};function Ze(e,t){for(;(e=e[t])&&1!==e.nodeType;);return e}S.fn.extend({has:function(e){var t=S(e,this),n=t.length;return this.filter(function(){for(var e=0;e\x20\t\r\n\f]*)/i,Et=/^$|^module$|\/(?:java|ecma)script/i,h=(o=C.createDocumentFragment().appendChild(C.createElement("div")),(s=C.createElement("input")).setAttribute("type","radio"),s.setAttribute("checked","checked"),s.setAttribute("name","t"),o.appendChild(s),g.checkClone=o.cloneNode(!0).cloneNode(!0).lastChild.checked,o.innerHTML="",g.noCloneChecked=!!o.cloneNode(!0).lastChild.defaultValue,o.innerHTML="",g.option=!!o.lastChild,{thead:[1,"","
    "],col:[2,"","
    "],tr:[2,"","
    "],td:[3,"","
    "],_default:[0,"",""]});function y(e,t){var n="undefined"!=typeof e.getElementsByTagName?e.getElementsByTagName(t||"*"):"undefined"!=typeof e.querySelectorAll?e.querySelectorAll(t||"*"):[];return t===undefined||t&&x(e,t)?S.merge([e],n):n}function kt(e,t){for(var n=0,r=e.length;n",""]);var jt=/<|&#?\w+;/;function At(e,t,n,r,i){for(var o,s,a,u,l,c=t.createDocumentFragment(),f=[],d=0,p=e.length;d\s*$/g;function Rt(e,t){return x(e,"table")&&x(11!==t.nodeType?t:t.firstChild,"tr")&&S(e).children("tbody")[0]||e}function It(e){return e.type=(null!==e.getAttribute("type"))+"/"+e.type,e}function Wt(e){return"true/"===(e.type||"").slice(0,5)?e.type=e.type.slice(5):e.removeAttribute("type"),e}function Ft(e,t){var n,r,i,o;if(1===t.nodeType){if(m.hasData(e)&&(o=m.get(e).events))for(i in m.remove(t,"handle events"),o)for(n=0,r=o[i].length;n").attr(n.scriptAttrs||{}).prop({charset:n.scriptCharset,src:n.url}).on("load error",i=function(e){r.remove(),i=null,e&&t("error"===e.type?404:200,e.type)}),C.head.appendChild(r[0])},abort:function(){i&&i()}}}),[]),ir=/(=)\?(?=&|$)|\?\?/,or=(S.ajaxSetup({jsonp:"callback",jsonpCallback:function(){var e=rr.pop()||S.expando+"_"+Hn.guid++;return this[e]=!0,e}}),S.ajaxPrefilter("json jsonp",function(e,t,n){var r,i,o,s=!1!==e.jsonp&&(ir.test(e.url)?"url":"string"==typeof e.data&&0===(e.contentType||"").indexOf("application/x-www-form-urlencoded")&&ir.test(e.data)&&"data");if(s||"jsonp"===e.dataTypes[0])return r=e.jsonpCallback=v(e.jsonpCallback)?e.jsonpCallback():e.jsonpCallback,s?e[s]=e[s].replace(ir,"$1"+r):!1!==e.jsonp&&(e.url+=(On.test(e.url)?"&":"?")+e.jsonp+"="+r),e.converters["script json"]=function(){return o||S.error(r+" was not called"),o[0]},e.dataTypes[0]="json",i=T[r],T[r]=function(){o=arguments},n.always(function(){i===undefined?S(T).removeProp(r):T[r]=i,e[r]&&(e.jsonpCallback=t.jsonpCallback,rr.push(r)),o&&v(i)&&i(o[0]),o=i=undefined}),"script"}),g.createHTMLDocument=((e=C.implementation.createHTMLDocument("").body).innerHTML="
    ",2===e.childNodes.length),S.parseHTML=function(e,t,n){var r;return"string"!=typeof e?[]:("boolean"==typeof t&&(n=t,t=!1),t||(g.createHTMLDocument?((r=(t=C.implementation.createHTMLDocument("")).createElement("base")).href=C.location.href,t.head.appendChild(r)):t=C),r=!n&&[],(n=Ve.exec(e))?[t.createElement(n[1])]:(n=At([e],t,r),r&&r.length&&S(r).remove(),S.merge([],n.childNodes)))},S.fn.load=function(e,t,n){var r,i,o,s=this,a=e.indexOf(" ");return-1").append(S.parseHTML(e)).find(r):e)}).always(n&&function(e,t){s.each(function(){n.apply(this,o||[e.responseText,t,e])})}),this},S.expr.pseudos.animated=function(t){return S.grep(S.timers,function(e){return t===e.elem}).length},S.offset={setOffset:function(e,t,n){var r,i,o,s,a=S.css(e,"position"),u=S(e),l={};"static"===a&&(e.style.position="relative"),o=u.offset(),r=S.css(e,"top"),s=S.css(e,"left"),a=("absolute"===a||"fixed"===a)&&-1<(r+s).indexOf("auto")?(i=(a=u.position()).top,a.left):(i=parseFloat(r)||0,parseFloat(s)||0),null!=(t=v(t)?t.call(e,n,S.extend({},o)):t).top&&(l.top=t.top-o.top+i),null!=t.left&&(l.left=t.left-o.left+a),"using"in t?t.using.call(e,l):u.css(l)}},S.fn.extend({offset:function(t){var e,n;return arguments.length?t===undefined?this:this.each(function(e){S.offset.setOffset(this,t,e)}):(n=this[0])?n.getClientRects().length?(e=n.getBoundingClientRect(),n=n.ownerDocument.defaultView,{top:e.top+n.pageYOffset,left:e.left+n.pageXOffset}):{top:0,left:0}:void 0},position:function(){if(this[0]){var e,t,n,r=this[0],i={top:0,left:0};if("fixed"===S.css(r,"position"))t=r.getBoundingClientRect();else{for(t=this.offset(),n=r.ownerDocument,e=r.offsetParent||n.documentElement;e&&(e===n.body||e===n.documentElement)&&"static"===S.css(e,"position");)e=e.parentNode;e&&e!==r&&1===e.nodeType&&((i=S(e).offset()).top+=S.css(e,"borderTopWidth",!0),i.left+=S.css(e,"borderLeftWidth",!0))}return{top:t.top-i.top-S.css(r,"marginTop",!0),left:t.left-i.left-S.css(r,"marginLeft",!0)}}},offsetParent:function(){return this.map(function(){for(var e=this.offsetParent;e&&"static"===S.css(e,"position");)e=e.offsetParent;return e||yt})}}),S.each({scrollLeft:"pageXOffset",scrollTop:"pageYOffset"},function(t,i){var o="pageYOffset"===i;S.fn[t]=function(e){return c(this,function(e,t,n){var r;if(X(e)?r=e:9===e.nodeType&&(r=e.defaultView),n===undefined)return r?r[i]:e[t];r?r.scrollTo(o?r.pageXOffset:n,o?n:r.pageYOffset):e[t]=n},t,e,arguments.length)}}),S.each(["top","left"],function(e,n){S.cssHooks[n]=on(g.pixelPosition,function(e,t){if(t)return t=rn(e,n),Jt.test(t)?S(e).position()[n]+"px":t})}),S.each({Height:"height",Width:"width"},function(s,a){S.each({padding:"inner"+s,content:a,"":"outer"+s},function(r,o){S.fn[o]=function(e,t){var n=arguments.length&&(r||"boolean"!=typeof e),i=r||(!0===e||!0===t?"margin":"border");return c(this,function(e,t,n){var r;return X(e)?0===o.indexOf("outer")?e["inner"+s]:e.document.documentElement["client"+s]:9===e.nodeType?(r=e.documentElement,Math.max(e.body["scroll"+s],r["scroll"+s],e.body["offset"+s],r["offset"+s],r["client"+s])):n===undefined?S.css(e,t,i):S.style(e,t,n,i)},a,n?e:undefined,n)}})}),S.each(["ajaxStart","ajaxStop","ajaxComplete","ajaxError","ajaxSuccess","ajaxSend"],function(e,t){S.fn[t]=function(e){return this.on(t,e)}}),S.fn.extend({bind:function(e,t,n){return this.on(e,null,t,n)},unbind:function(e,t){return this.off(e,null,t)},delegate:function(e,t,n,r){return this.on(t,e,n,r)},undelegate:function(e,t,n){return 1===arguments.length?this.off(e,"**"):this.off(t,e||"**",n)},hover:function(e,t){return this.on("mouseenter",e).on("mouseleave",t||e)}}),S.each("blur focus focusin focusout resize scroll click dblclick mousedown mouseup mousemove mouseover mouseout mouseenter mouseleave change select submit keydown keypress keyup contextmenu".split(" "),function(e,n){S.fn[n]=function(e,t){return 0'+(s?a.title[0]:a.title)+"
    ":"";return a.zIndex=o,t([a.shade?'
    ':"",'
    '+(e&&2!=a.type?"":s)+"'+(n=["layui-icon-tips","layui-icon-success","layui-icon-error","layui-icon-question","layui-icon-lock","layui-icon-face-cry","layui-icon-face-smile"],o="layui-anim layui-anim-rotate layui-anim-loop",0==a.type&&-1!==a.icon?'':3==a.type?(i=["layui-icon-loading","layui-icon-loading-1"],2==a.icon?'
    ':''):"")+((1!=a.type||!e)&&a.content||"")+'
    '+(n=[],r&&(n.push(''),n.push('')),a.closeBtn&&n.push(''),n.join(""))+"
    "+(a.btn?function(){var e="";"string"==typeof a.btn&&(a.btn=[a.btn]);for(var t,i=0,n=a.btn.length;i'+a.btn[i]+"";return'
    '+e+"
    "}():"")+(a.resize?'':"")+""],s,m('
    ')),this},i.pt.creat=function(){var e,t,i,n,a=this,o=a.config,s=a.index,r=o.content,l="object"==typeof r,c=m("body"),f=function(e){var t;o.shift&&(o.anim=o.shift),u.anim[o.anim]&&(t="layer-anim "+u.anim[o.anim],e.addClass(t).one("webkitAnimationEnd mozAnimationEnd MSAnimationEnd oanimationend animationend",function(){m(this).removeClass(t)}))};if(o.id&&m("."+u[0]).find("#"+o.id)[0])e=m("#"+o.id).closest("."+u[0]),t=e.attr("times"),i=e.data("config"),n=m("#"+u.SHADE+t),"min"===(e.data("maxminStatus")||{})?x.restore(t):i.hideOnClose&&(n.show(),e.show(),f(e),setTimeout(function(){n.css({opacity:n.data(y)})},10));else{switch(o.removeFocus&&document.activeElement&&document.activeElement.blur(),"string"==typeof o.area&&(o.area="auto"===o.area?["",""]:[o.area,""]),6==x.ie&&(o.fixed=!1),o.type){case 0:o.btn="btn"in o?o.btn:v.$t("layer.confirm"),x.closeAll("dialog");break;case 2:r=o.content=l?o.content:[o.content||"","auto"],o.content='';break;case 3:delete o.title,delete o.closeBtn,-1===o.icon&&o.icon,x.closeAll("loading");break;case 4:l||(o.content=[o.content,"body"]),o.follow=o.content[1],o.content=o.content[0]+'',delete o.title,o.tips="object"==typeof o.tips?o.tips:[o.tips,!0],o.tipsMore||x.closeAll("tips")}a.vessel(l,function(e,t,i){c.append(e[0]),l?2==o.type||4==o.type?m("body").append(e[1]):r.parents("."+u[0])[0]||(r.data("display",r.css("display")).show().addClass("layui-layer-wrap").wrap(e[1]),m("#"+u[0]+s).find("."+u[5]).before(t)):c.append(e[1]),m("#"+u.MOVE)[0]||c.append(d.moveElem=i),a.layero=m("#"+u[0]+s),a.shadeo=m("#"+u.SHADE+s),o.scrollbar||d.setScrollbar(s)}).auto(s),a.shadeo.css({"background-color":o.shade[1]||"#000",opacity:o.shade[0]||o.shade,transition:o.shade[2]||""}),a.shadeo.data(y,o.shade[0]||o.shade),2==o.type&&6==x.ie&&a.layero.find("iframe").attr("src",r[0]),4==o.type?a.tips():(a.offset(),parseInt(d.getStyle(document.getElementById(u.MOVE),"z-index"))||(a.layero.css("visibility","hidden"),x.ready(function(){a.offset(),a.layero.css("visibility","visible")}))),!o.fixed||d.events.resize[a.index]||(d.events.resize[a.index]=function(){a.resize()},h.on("resize",d.events.resize[a.index])),a.layero.data("config",o),o.time<=0||setTimeout(function(){x.close(a.index)},o.time),a.move().callback(),f(a.layero)}},i.pt.resize=function(){var e=this,t=e.config;e.offset(),(/^\d+%$/.test(t.area[0])||/^\d+%$/.test(t.area[1]))&&e.auto(e.index),4==t.type&&e.tips()},i.pt.auto=function(e){var t=this.config,i=m("#"+u[0]+e),n=((""===t.area[0]||"auto"===t.area[0])&&0t.maxWidth)&&i.width(t.maxWidth),[i.innerWidth(),i.innerHeight()]),a=i.find(u[1]).outerHeight()||0,o=i.find("."+u[6]).outerHeight()||0,e=function(e){(e=i.find(e)).height(n[1]-a-o-2*(0|parseFloat(e.css("padding-top"))))};return 2===t.type?e("iframe"):""===t.area[1]||"auto"===t.area[1]?0t.maxHeight?(n[1]=t.maxHeight,e("."+u[5])):t.fixed&&n[1]>=h.height()&&(n[1]=h.height(),e("."+u[5])):e("."+u[5]),this},i.pt.offset=function(){var e=this.config,t=this.layero,t=d.updatePosition(t,e);this.offsetTop=t.offsetTop,this.offsetLeft=t.offsetLeft},i.pt.tips=function(){var e=this.config,t=this.layero,i=[t.outerWidth(),t.outerHeight()],n=m(e.follow),a={width:(n=n[0]?n:m("body")).outerWidth(),height:n.outerHeight(),top:n.offset().top,left:n.offset().left},o=t.find(".layui-layer-TipsG"),n=e.tips[0];e.tips[1]||o.remove(),a.autoLeft=function(){0
    '):e.removeClass("layui-layer-btn-is-loading").removeAttr("disabled").find(".layui-layer-btn-loading-icon").remove()},i.pt.callback=function(){var n=this,a=n.layero,o=n.config;n.openLayer(),o.success&&(2==o.type?a.find("iframe").on("load",function(){o.success(a,n.index,n)}):o.success(a,n.index,n)),6==x.ie&&n.IE6(a),a.find("."+u[6]).children("a").on("click",function(){var e,t=m(this),i=t.index();t.attr("disabled")||(o.btnAsync?(e=0===i?o.yes||o.btn1:o["btn"+(i+1)],n.loading=function(e){n.btnLoading(t,e)},e?d.promiseLikeResolve(e.call(o,n.index,a,n)).then(function(e){!1!==e&&x.close(n.index)},function(e){e!==undefined&&p.console&&p.console.error("layer error hint: "+e)}):x.close(n.index)):0===i?o.yes?o.yes(n.index,a,n):o.btn1?o.btn1(n.index,a,n):x.close(n.index):!1!==(o["btn"+(i+1)]&&o["btn"+(i+1)](n.index,a,n))&&x.close(n.index))}),a.find("."+u[7]).on("click",function(){!1!==(o.cancel&&o.cancel(n.index,a,n))&&x.close(n.index)}),o.shadeClose&&n.shadeo.on("click",function(){x.close(n.index)}),a.find(".layui-layer-min").on("click",function(){!1!==(o.min&&o.min(a,n.index,n))&&x.min(n.index,o)}),a.find(".layui-layer-max").on("click",function(){m(this).hasClass("layui-layer-maxmin")?(x.restore(n.index),o.restore&&o.restore(a,n.index,n)):(x.full(n.index,o),setTimeout(function(){o.full&&o.full(a,n.index,n)},100))}),o.end&&(d.end[n.index]=o.end),o.beforeEnd&&(d.beforeEnd[n.index]=m.proxy(o.beforeEnd,o,a,n.index,n))},d.reselect=function(){m.each(m("select"),function(e,t){var i=m(this);i.parents("."+u[0])[0]||1==i.attr("layer")&&m("."+u[0]).length<1&&i.removeAttr("layer").show()})},i.pt.IE6=function(e){m("select").each(function(e,t){var i=m(this);i.parents("."+u[0])[0]||"none"!==i.css("display")&&i.attr({layer:"1"}).hide()})},i.pt.openLayer=function(){x.zIndex=this.config.zIndex,x.setTop=function(e){return x.zIndex=parseInt(e[0].style.zIndex),e.on("mousedown",function(){x.zIndex++,e.css("z-index",x.zIndex+1)}),x.zIndex}},d.record=function(e){if(!e[0])return p.console&&console.error("index error");var t=e.attr("type"),i=e.find(".layui-layer-content"),t=t===d.type[2]?i.children("iframe"):i,n=[e[0].style.width||d.getStyle(e[0],"width"),e[0].style.height||d.getStyle(e[0],"height"),e.position().top,e.position().left+parseFloat(e.css("margin-left"))];e.find(".layui-layer-max").addClass("layui-layer-maxmin"),e.attr({area:n}),i.data(l,d.getStyle(t[0],"height"))},d.setScrollbar=function(e){u.html.css("overflow","hidden")},d.restScrollbar=function(t){u.html.css("overflow")&&0===m("."+u[0]).filter(function(){var e=m(this);return!1===(e.data("config")||{}).scrollbar&&"min"!==e.data("maxminStatus")&&e.attr("times")!==String(t)}).length&&u.html.css("overflow","")},d.promiseLikeResolve=function(e){var t=m.Deferred();return e&&"function"==typeof e.then?e.then(t.resolve,t.reject):t.resolve(e),t.promise()},d.updatePosition=function(e,t){var i=[e.outerWidth(),e.outerHeight()],n={offsetTop:(h.height()-i[1])/2,offsetLeft:(h.width()-i[0])/2};return"object"==typeof t.offset?(n.offsetTop=t.offset[0],n.offsetLeft=t.offset[1]||n.offsetLeft):"auto"!==t.offset&&("t"===t.offset?n.offsetTop=0:"r"===t.offset?n.offsetLeft=h.width()-i[0]:"b"===t.offset?n.offsetTop=h.height()-i[1]:"l"===t.offset?n.offsetLeft=0:"lt"===t.offset?(n.offsetTop=0,n.offsetLeft=0):"lb"===t.offset?(n.offsetTop=h.height()-i[1],n.offsetLeft=0):"rt"===t.offset?(n.offsetTop=0,n.offsetLeft=h.width()-i[0]):"rb"===t.offset?(n.offsetTop=h.height()-i[1],n.offsetLeft=h.width()-i[0]):n.offsetTop=t.offset),t.fixed||(n.offsetTop=/%$/.test(n.offsetTop)?h.height()*parseFloat(n.offsetTop)/100:parseFloat(n.offsetTop),n.offsetLeft=/%$/.test(n.offsetLeft)?h.width()*parseFloat(n.offsetLeft)/100:parseFloat(n.offsetLeft),n.offsetTop+=h.scrollTop(),n.offsetLeft+=h.scrollLeft()),"min"===e.data("maxminStatus")&&(n.offsetTop=h.height()-(e.find(u[1]).outerHeight()||0),n.offsetLeft=e.css("left")),e.css({top:n.offsetTop,left:n.offsetLeft}),n},(p.layer=x).getChildFrame=function(e,t){return t=t||m("."+u[4]).attr("times"),m("#"+u[0]+t).find("iframe").contents().find(e)},x.getFrameIndex=function(e){if(e)return m("#"+e).parents("."+u[4]).attr("times")},x.iframeAuto=function(e){var t,i,n,a,o;e&&(i=(t=m("#"+u[0]+e)).data("config"),e=x.getChildFrame("html",e).outerHeight(),n=t.find(u[1]).outerHeight()||0,a=t.find("."+u[6]).outerHeight()||0,(o="maxHeight"in i?i.maxHeight:h.height())&&(e=Math.min(e,o-n-a)),t.css({height:e+n+a}),t.find("iframe").css({height:e}),d.updatePosition(t,i))},x.iframeSrc=function(e,t){m("#"+u[0]+e).find("iframe").attr("src",t)},x.style=function(e,t,i){var e=m("#"+u[0]+e),n=e.find(".layui-layer-content"),a=e.attr("type"),o=e.find(u[1]).outerHeight()||0,s=e.find("."+u[6]).outerHeight()||0;a!==d.type[3]&&a!==d.type[4]&&(i||(parseFloat(t.width)<=260&&(t.width=260),parseFloat(t.height)-o-s<=64&&(t.height=64+o+s)),e.css(t),s=e.find("."+u[6]).outerHeight()||0,a===d.type[2]?e.find("iframe").css({height:("number"==typeof t.height?t.height:e.height())-o-s}):n.css({height:("number"==typeof t.height?t.height:e.height())-o-s-parseFloat(n.css("padding-top"))-parseFloat(n.css("padding-bottom"))}))},x.min=function(e,t){var i,n,a,o,s,r,l=m("#"+u[0]+e),c=l.data("maxminStatus");"min"!==c&&("max"===c&&x.restore(e),l.data("maxminStatus","min"),t=t||l.data("config")||{},c=m("#"+u.SHADE+e),i=l.find(".layui-layer-min"),n=l.find(u[1]).outerHeight()||0,o=(a="string"==typeof(o=l.attr("minLeft")))?o:181*d.minStackIndex+"px",s=l.css("position"),r={width:180,height:n,position:"fixed",overflow:"hidden"},d.record(l),0h.width()&&(o=h.width()-180-(d.minStackArr.edgeIndex=d.minStackArr.edgeIndex||0,d.minStackArr.edgeIndex+=3))<0&&(o=0),t.minStack&&(r.left=o,r.top=h.height()-n,a||d.minStackIndex++,l.attr("minLeft",o)),l.attr("position",s),x.style(e,r,!0),i.hide(),"page"===l.attr("type")&&l.find(u[4]).hide(),d.restScrollbar(e),c.hide())},x.restore=function(e){var t=m("#"+u[0]+e),i=m("#"+u.SHADE+e),n=t.find(".layui-layer-content"),a=t.attr("area").split(","),o=t.attr("type"),s=t.data("config")||{},r=n.data(l);t.removeData("maxminStatus"),x.style(e,{width:a[0],height:a[1],top:parseFloat(a[2]),left:parseFloat(a[3]),position:t.attr("position"),overflow:"visible"},!0),t.find(".layui-layer-max").removeClass("layui-layer-maxmin"),t.find(".layui-layer-min").show(),"page"===o&&t.find(u[4]).show(),s.scrollbar?d.restScrollbar(e):d.setScrollbar(e),r!==undefined&&(n.removeData(l),(o===d.type[2]?n.children("iframe"):n).css({height:r})),i.show()},x.full=function(t){var i=m("#"+u[0]+t),e=i.data("maxminStatus");"max"!==e&&("min"===e&&x.restore(t),i.data("maxminStatus","max"),d.record(i),d.setScrollbar(t),setTimeout(function(){var e="fixed"===i.css("position");x.style(t,{top:e?0:h.scrollTop(),left:e?0:h.scrollLeft(),width:"100%",height:"100%"},!0),i.find(".layui-layer-min").hide()},100))},x.title=function(e,t){m("#"+u[0]+(t||x.index)).find(u[1]).html(e)},x.close=function(s,r){var e,t,l=(e=m("."+u[0]).children("#"+s).closest("."+u[0]))[0]?(s=e.attr("times"),e):m("#"+u[0]+s),c=l.attr("type"),i=l.data("config")||{},f=i.id&&i.hideOnClose;l[0]&&(t=function(){var o={slideDown:"layer-anim-slide-down-out",slideLeft:"layer-anim-slide-left-out",slideUp:"layer-anim-slide-up-out",slideRight:"layer-anim-slide-right-out"}[i.anim]||"layer-anim-close",e=function(){var e="layui-layer-wrap";if(f)return l.removeClass("layer-anim "+o),l.hide();if(c===d.type[1]&&"object"===l.attr("conType")){l.children(":not(."+u[5]+")").remove();for(var t=l.find("."+e),i=0;i<2;i++)t.unwrap();t.css("display",t.data("display")).removeClass(e)}else{if(c===d.type[2])try{var n=m("#"+u[4]+s)[0];n.contentWindow.document.write(""),n.contentWindow.close(),l.find("."+u[5])[0].removeChild(n)}catch(a){}l[0].innerHTML="",l.remove()}"function"==typeof d.end[s]&&d.end[s](),delete d.end[s],"function"==typeof r&&r(),d.events.resize[s]&&(h.off("resize",d.events.resize[s]),delete d.events.resize[s])},t=m("#"+u.SHADE+s);x.ie&&x.ie<10||!i.isOutAnim?t[f?"hide":"remove"]():(t.css({opacity:0}),setTimeout(function(){t[f?"hide":"remove"]()},350)),i.isOutAnim&&l.addClass("layer-anim "+o),6==x.ie&&d.reselect(),d.restScrollbar(s),"string"==typeof l.attr("minLeft")&&(d.minStackIndex--,d.minStackArr.push(l.attr("minLeft"))),x.ie&&x.ie<10||!i.isOutAnim?e():setTimeout(function(){e()},200)},f||"function"!=typeof d.beforeEnd[s]?(delete d.beforeEnd[s],t()):d.promiseLikeResolve(d.beforeEnd[s]()).then(function(e){!1!==e&&(delete d.beforeEnd[s],t())},function(e){e!==undefined&&p.console&&p.console.error("layer error hint: "+e)}))},x.closeAll=function(n,a){"function"==typeof n&&(a=n,n=null);var o=m("."+u[0]);m.each(o,function(e){var t=m(this),i=n?t.attr("type")===n:1;i&&x.close(t.attr("times"),e===o.length-1?a:null)}),0===o.length&&"function"==typeof a&&a()},x.closeLast=function(i,e){var t,n=[],a=m.isArray(i);m("string"==typeof i?".layui-layer-"+i:".layui-layer").each(function(e,t){t=m(t);if(a&&-1===i.indexOf(t.attr("type"))||"none"===t.css("display"))return!0;n.push(Number(t.attr("times")))}),0":'"),s=i.success;return delete i.success,x.open(m.extend({type:1,btn:[v.$t("layer.confirm"),v.$t("layer.cancel")],content:o,skin:"layui-layer-prompt"+b("prompt"),maxWidth:h.width(),success:function(e){(a=e.find(".layui-layer-input")).val(i.value||"").focus(),"function"==typeof s&&s(e)},resize:!1,yes:function(e){var t=a.val();t.length>(i.maxlength||500)?x.tips(v.$t("layer.prompt.InputLengthPrompt",{length:i.maxlength||500}),a,{tips:1}):n&&n(t,e,a)}},i))},x.tab=function(n){var a=(n=n||{}).tab||{},o="layui-this",s=n.success;return delete n.success,x.open(m.extend({type:1,skin:"layui-layer-tab"+b("tab"),resize:!1,title:function(){var e=a.length,t=1,i="";if(0'+a[0].title+"";t"+a[t].title+"";return i}(),content:'
      '+function(){var e=a.length,t=1,i="";if(0'+(a[0].content||"no content")+"";t'+(a[t].content||"no content")+"";return i}()+"
    ",success:function(e){var t=e.find(".layui-layer-title").children(),i=e.find(".layui-layer-tabmain").children();t.on("mousedown",function(e){e.stopPropagation?e.stopPropagation():e.cancelBubble=!0;var e=m(this),t=e.index();e.addClass(o).siblings().removeClass(o),i.eq(t).show().siblings().hide(),"function"==typeof n.change&&n.change(t)}),"function"==typeof s&&s(e)}},n))},x.photos=function(n,e,a){var s={};if((n=m.extend(!0,{toolbar:!0,footer:!0},n)).photos){var t=!("string"==typeof n.photos||n.photos instanceof m),i=t?n.photos:{},o=i.data||[],r=i.start||0,l=n.success;if(s.imgIndex=1+(0|r),n.img=n.img||"img",delete n.success,t){if(0===o.length)return x.msg(v.$t("layer.photos.noData"))}else{var c=m(n.photos),f=function(){o=[],c.find(n.img).each(function(e){var t=m(this);t.attr("layer-index",e),o.push({alt:t.attr("alt"),pid:t.attr("layer-pid"),src:t.attr("lay-src")||t.attr("layer-src")||t.attr("src"),thumb:t.attr("src")})})};if(f(),e||c.on("click",n.img,function(){f();var e=m(this).attr("layer-index");x.photos(m.extend(n,{photos:{start:e,data:o,tab:n.tab},full:n.full}),!0)}),!e)return}s.imgprev=function(e){s.imgIndex--,s.imgIndex<1&&(s.imgIndex=o.length),s.tabimg(e)},s.imgnext=function(e,t){s.imgIndex++,s.imgIndex>o.length&&(s.imgIndex=1,t)||s.tabimg(e)},s.keyup=function(e){var t;s.end||(t=e.keyCode,e.preventDefault(),37===t?s.imgprev(!0):39===t?s.imgnext(!0):27===t&&x.close(s.index))},s.tabimg=function(e){if(!(o.length<=1))return i.start=s.imgIndex-1,x.close(s.index),x.photos(n,!0,e)},s.isNumber=function(e){return"number"==typeof e&&!isNaN(e)},s.image={},s.getTransform=function(e){var t=[],i=e.rotate,n=e.scaleX,e=e.scale;return s.isNumber(i)&&0!==i&&t.push("rotate("+i+"deg)"),s.isNumber(n)&&1!==n&&t.push("scaleX("+n+")"),s.isNumber(e)&&t.push("scale("+e+")"),t.length?t.join(" "):"none"},s.event=function(e,i,n){var a,o;s.main.find(".layui-layer-photos-prev").on("click",function(e){e.preventDefault(),s.imgprev(!0)}),s.main.find(".layui-layer-photos-next").on("click",function(e){e.preventDefault(),s.imgnext(!0)}),m(document).on("keyup",s.keyup),e.off("click").on("click","*[toolbar-event]",function(){var e=m(this);switch(e.attr("toolbar-event")){case"rotate":s.image.rotate=((s.image.rotate||0)+Number(e.attr("data-option")))%360,s.imgElem.css({transform:s.getTransform(s.image)});break;case"scalex":s.image.scaleX=-1===s.image.scaleX?1:-1,s.imgElem.css({transform:s.getTransform(s.image)});break;case"zoom":var t=Number(e.attr("data-option"));s.image.scale=(s.image.scale||1)+t,t<0&&s.image.scale<0-t&&(s.image.scale=0-t),s.imgElem.css({transform:s.getTransform(s.image)});break;case"reset":s.image.scaleX=1,s.image.scale=1,s.image.rotate=0,s.imgElem.css({transform:"none"});break;case"close":x.close(i)}n.offset(),n.auto(i)}),s.main.on("mousewheel DOMMouseScroll",function(e){var t=e.originalEvent.wheelDelta||-e.originalEvent.detail,i=s.main.find('[toolbar-event="zoom"]');(0n)&&("left"===t.direction?s.imgnext(!0):"right"===t.direction&&s.imgprev(!0))},m.each([n.shadeo,s.main],function(e,t){a.touchSwipe(t,{onTouchEnd:o})}))},s.loadi=x.load(1,{shade:!("shade"in n)&&[.9,undefined,"unset"],scrollbar:!1});var t=o[r].src,d=function(e){x.close(s.loadi);var t,i=o[r].alt||"";a&&(n.anim=-1),s.index=x.open(m.extend({type:1,id:"layui-layer-photos",area:(e=[e.width,e.height],t=[m(p).width()-100,m(p).height()-100],!n.full&&(t[0]'+i+''+(t=['
    '],1','','',"
    "].join("")),n.toolbar&&t.push(['
    ','','','','','','',"
    "].join("")),n.footer&&t.push(['"].join("")),t.push(""),t.join(""))+"",success:function(e,t,i){s.main=e.find(".layer-layer-photos-main"),s.footer=e.find(".layui-layer-photos-footer"),s.imgElem=s.main.children("img"),s.event(e,t,i),n.tab&&n.tab(o[r],e),"function"==typeof l&&l(e)},end:function(){s.end=!0,m(document).off("keyup",s.keyup)}},n))},u=function(){x.close(s.loadi),x.msg(''+v.$t("layer.photos.urlError.prompt")+"",{time:3e4,btn:[v.$t("layer.photos.urlError.confirm"),v.$t("layer.photos.urlError.cancel")],yes:function(){1").addClass(r));layui.each(i.bars,function(t,e){var n=s('
  • ');n.addClass(e.icon).attr({"lay-type":e.type,style:e.style||(i.bgcolor?"background-color: "+i.bgcolor:"")}).html(e.content),n.on("click",function(){var t=s(this).attr("lay-type");"top"===t&&("body"===i.target?s("html,body"):c).animate({scrollTop:0},i.duration),"function"==typeof i.click&&i.click.call(this,t)}),"object"===layui.type(i.on)&&layui.each(i.on,function(t,e){n.on(t,function(){var t=s(this).attr("lay-type");"function"==typeof e&&e.call(this,t)})}),"top"===e.type&&(n.addClass("layui-fixbar-top"),o=n),l.append(n)}),u.find("."+r).remove(),"object"==typeof i.css&&l.css(i.css),u.append(l),o&&(e=function e(){return c.scrollTop()>=i.margin?t||(o.show(),t=1):t&&(o.hide(),t=0),e}()),c.on("scroll",function(){e&&(clearTimeout(n),n=setTimeout(function(){e()},100))})},countdown:function(i){i=s.extend(!0,{date:new Date,now:new Date},i);var o=arguments,r=(1r-t.margin||u."+w,O=function(e){var i=this;i.index=++a.index,i.config=c.extend({},i.config,a.config,e),i.stopClickOutsideEvent=c.noop,i.stopResizeEvent=c.noop,i.init()};O.prototype.config={trigger:"click",content:"",className:"",style:"",show:!1,isAllowSpread:!0,isSpreadItem:!0,data:[],delay:[200,300],shade:0,accordion:!1,closeOnClick:!0},O.prototype.reload=function(e,i){var t=this;t.config=c.extend({},t.config,e),t.init(!0,i)},O.prototype.init=function(e,i){var t=this,n=t.config,o=c(n.elem);return 1",(t="href"in i?''+a+"":a,n?'
    '+t+("parent"===l?'':"group"===l&&s.isAllowSpread?'':"")+"
    ":'
    '+t+"
    "),"
  • "].join(""))).data("item",i),n&&(o=c('
    '),t=c("
      "),"parent"===l?(o.append(u(t,i[d.children])),a.append(o)):a.append(u(t,i[d.children]))),r.append(a))}),r},t=['
      ',"
      "].join(""),n=s.content||(n=c('
        '),0'+r.$t("dropdown.noData")+""),n),o=v.findMainElem(s.id);"reloadData"===e&&o.length?(i=a.mainElem=o).html(n):((i=a.mainElem=c(t)).append(n),i.addClass(s.className),i.attr("style",s.style),a.remove(s.id),s.target.append(i),s.elem.data(y,!0),e=s.shade?'
        ':"",o=c(e),"touchstart"==f&&o.on(f,function(e){e.preventDefault()}),i.before(o),"mouseenter"===s.trigger&&i.on("mouseenter",function(){clearTimeout(a.timer)}).on("mouseleave",function(){a.delayRemove()})),a.position(),i.find(".layui-menu").on(f,function(e){layui.stope(e)}),i.find(".layui-menu li").on("click",function(e){var i=c(this),t=i.data("item")||{},n=t[d.children]&&0n.width()&&(t.addClass(b),(i=t[0].getBoundingClientRect()).left<0)&&t.removeClass(b),i.bottom>n.height())&&t.eq(0).css("margin-top",-(i.bottom-n.height()+5))}).on("mouseleave",t,function(e){var i=c(this).children("."+o);i.removeClass(b),i.css("margin-top",0)}),a.close=function(e){e=v.getThis(e);return e?(e.remove(),v.call(e)):this},a.open=function(e){e=v.getThis(e);return e?(e.render(),v.call(e)):this},a.reload=function(e,i,t){e=v.getThis(e);return e?(e.reload(i,t),v.call(e)):this},a.reloadData=function(){var t=c.extend([],arguments),n=(t[2]="reloadData",new RegExp("^("+["data","templet","content"].join("|")+")$"));return layui.each(t[1],function(e,i){n.test(e)||delete t[1][e]}),a.reload.apply(null,t)},a.render=function(e){e=new O(e);return v.call(e)},e(s,a)});layui.define("component",function(e){"use strict";var E=layui.$,I=layui.lay,t=layui.component({name:"slider",config:{type:"default",min:0,max:100,value:0,step:1,showstep:!1,tips:!0,tipsAlways:!1,input:!1,range:!1,height:200,disabled:!1,theme:"#16baaa"},CONST:{ELEM_VIEW:"layui-slider",SLIDER_BAR:"layui-slider-bar",SLIDER_WRAP:"layui-slider-wrap",SLIDER_WRAP_BTN:"layui-slider-wrap-btn",SLIDER_TIPS:"layui-slider-tips",SLIDER_INPUT:"layui-slider-input",SLIDER_INPUT_TXT:"layui-slider-input-txt",SLIDER_INPUT_BTN:"layui-slider-input-btn",ELEM_HOVER:"layui-slider-hover"},render:function(e){var t,a=this,n=a.config,i=(n.step<=0&&(n.step=1),n.maxn.max&&(n.value=n.max),s=(n.value-n.min)/(n.max-n.min)*100+"%"),n.disabled?"#c2c2c2":n.theme),l='
        '+(n.tips?'
        ":"")+'
        '+(n.range?'
        ':"")+"
        ",s=E(n.elem),o=s.next("."+S.ELEM_VIEW);if(o[0]&&o.remove(),a.elemTemp=E(l),n.range?(a.elemTemp.find("."+S.SLIDER_WRAP).eq(0).data("value",n.value[0]),a.elemTemp.find("."+S.SLIDER_WRAP).eq(1).data("value",n.value[1])):a.elemTemp.find("."+S.SLIDER_WRAP).data("value",n.value),s.html(a.elemTemp),"vertical"===n.type&&a.elemTemp.height(n.height+"px"),n.showstep){for(var r=(n.max-n.min)/n.step,u="",c=1;c<1+r;c++){var d=100*c/r;d<100&&(u+='
        ')}a.elemTemp.append(u)}function p(e){e=e.parent().data("value"),e=n.setTips?n.setTips(e):e;a.elemTemp.find("."+S.SLIDER_TIPS).html(e)}function m(e){var t="vertical"===n.type?n.height:a.elemTemp[0].offsetWidth,i=a.elemTemp.find("."+S.SLIDER_WRAP);return("vertical"===n.type?t-e.parent()[0].offsetTop-i.height():e.parent()[0].offsetLeft)/t*100}function v(e){"vertical"===n.type?a.elemTemp.find("."+S.SLIDER_TIPS).css({bottom:e+"%","margin-bottom":"20px",display:"inline-block"}):a.elemTemp.find("."+S.SLIDER_TIPS).css({left:e+"%",display:"inline-block"})}n.input&&!n.range&&(i=E('
        '),s.css("position","relative"),s.append(i),s.find("."+S.SLIDER_INPUT_TXT).children("input").val(n.value),"vertical"===n.type?i.css({left:0,top:-48}):a.elemTemp.css("margin-right",i.outerWidth()+15)),n.disabled?(a.elemTemp.addClass(S.CLASS_DISABLED),a.elemTemp.find("."+S.SLIDER_WRAP_BTN).addClass(S.CLASS_DISABLED)):a.slide(),n.tips&&(n.tipsAlways?(p(o=a.elemTemp.find("."+S.SLIDER_WRAP_BTN)),v(m(o))):a.elemTemp.find("."+S.SLIDER_WRAP_BTN).on("mouseover",function(){p(E(this));var e=m(E(this));clearTimeout(t),t=setTimeout(function(){v(e)},300)}).on("mouseout",function(){clearTimeout(t),n.tipsAlways||a.elemTemp.find("."+S.SLIDER_TIPS).css("display","none")}))},extendsInstance:function(){var i=this,a=i.config;return{setValue:function(e,t){return e=(e=e>a.max?a.max:e)a[1]&&a.reverse(),u.value=c.range?a:l,c.change&&c.change(u.value),"done"===i&&c.done&&c.done(u.value)},y=function(e){var t=e/p()*100/v,i=Math.round(t)*v;return i=e==p()?Math.ceil(t)*v:i},T=E(['
        p()?p():t)/p()*100/v;h(t,o),r.addClass(S.ELEM_HOVER),d.find("."+S.SLIDER_TIPS).show(),e.preventDefault()},a=function(e){r.removeClass(S.ELEM_HOVER),c.tipsAlways||setTimeout(function(){d.find("."+S.SLIDER_TIPS).hide()},e)},n=function(){a&&a(I.touchEventsSupported()?1e3:0),T.remove(),c.done&&c.done(u.value),I.touchEventsSupported()&&(t[0].removeEventListener("touchmove",i,!!I.passiveSupported&&{passive:!1}),t[0].removeEventListener("touchend",n),t[0].removeEventListener("touchcancel",n))},E("#LAY-slider-moving")[0]||E("body").append(T),T.on("mousemove",i),T.on("mouseup",n).on("mouseleave",n),I.touchEventsSupported()&&(t[0].addEventListener("touchmove",i,!!I.passiveSupported&&{passive:!1}),t[0].addEventListener("touchend",n),t[0].addEventListener("touchcancel",n))})}),d.on("click",function(e){var t=E("."+S.SLIDER_WRAP_BTN),i=E(this);!t.is(e.target)&&0===t.has(e.target).length&&t.length&&(i=(t=(t=(t="vertical"===c.type?p()-e.clientY+i.offset().top-E(window).scrollTop():e.clientX-i.offset().left-E(window).scrollLeft())<0?0:t)>p()?p():t)/p()*100/v,t=c.range?"vertical"===c.type?Math.abs(t-parseInt(E(m[0]).css("bottom")))>Math.abs(t-parseInt(E(m[1]).css("bottom")))?1:0:Math.abs(t-m[0].offsetLeft)>Math.abs(t-m[1].offsetLeft)?1:0:0,h(i,t,"done"),e.preventDefault())}),o.children("."+S.SLIDER_INPUT_BTN).children("i").each(function(t){E(this).on("click",function(){r=o.children("."+S.SLIDER_INPUT_TXT).children("input").val();var e=((r=1==t?r-c.stepc.max?c.max:Number(r)+c.step)-c.min)/(c.max-c.min)*100/v;h(e,0,"done")})});var a=function(){var e=this.value,e=(e=(e=(e=isNaN(e)?0:e)c.max?c.max:e,((this.value=e)-c.min)/(c.max-c.min)*100/v);h(e,0,"done")};o.children("."+S.SLIDER_INPUT_TXT).children("input").on("keydown",function(e){13===e.keyCode&&(e.preventDefault(),a.call(this))}).on("change",a)},e(S.MOD_NAME,t)});layui.define(["i18n","component"],function(e){"use strict";var P=layui.$,I=layui.lay,t=layui.i18n,i=layui.device().mobile?"click":"mousedown",o=layui.component({name:"colorpicker",config:{color:"",size:null,alpha:!1,format:"hex",predefine:!1,colors:["#16baaa","#16b777","#1E9FFF","#FF5722","#FFB800","#01AAED","#999","#c00","#ff8c00","#ffd700","#90ee90","#00ced1","#1e90ff","#c71585","#393D49","rgb(0, 186, 189)","rgb(255, 120, 0)","rgb(250, 212, 0)","rgba(0,0,0,.5)","rgba(255, 69, 0, 0.68)","rgba(144, 240, 144, 0.5)","rgba(31, 147, 255, 0.73)"]},CONST:{ELEM:"layui-colorpicker",ELEM_MAIN:".layui-colorpicker-main",ICON_PICKER_DOWN:"layui-icon-down",ICON_PICKER_CLOSE:"layui-icon-close",PICKER_TRIG_SPAN:"layui-colorpicker-trigger-span",PICKER_TRIG_I:"layui-colorpicker-trigger-i",PICKER_SIDE:"layui-colorpicker-side",PICKER_SIDE_SLIDER:"layui-colorpicker-side-slider",PICKER_BASIS:"layui-colorpicker-basis",PICKER_ALPHA_BG:"layui-colorpicker-alpha-bgcolor",PICKER_ALPHA_SLIDER:"layui-colorpicker-alpha-slider",PICKER_BASIS_CUR:"layui-colorpicker-basis-cursor",PICKER_INPUT:"layui-colorpicker-main-input"},beforeInit:function(){this.stopClickOutsideEvent=P.noop,this.stopResizeEvent=P.noop,S.PICKER_OPENED=S.MOD_ID+"-opened"},beforeRender:function(){this.config.target=P("body")},render:function(){var e=this,i=e.config,o=P(e.buildColorBoxTemplate(i)),t=i.elem;i.size&&o.addClass("layui-colorpicker-"+i.size),t.addClass("layui-inline").html(e.elemColorBox=o),e.color=e.elemColorBox.find("."+S.PICKER_TRIG_SPAN)[0].style.background}}),k=function(e){var i={h:0,s:0,b:0},o=Math.min(e.r,e.g,e.b),t=Math.max(e.r,e.g,e.b),r=t-o;return i.b=t,i.s=0!==t?255*r/t:0,0!==i.s?e.r==t?i.h=(e.g-e.b)/r:e.g==t?i.h=2+(e.b-e.r)/r:i.h=4+(e.r-e.g)/r:i.h=-1,t===o&&(i.h=0),i.h*=60,i.h<0&&(i.h+=360),i.s*=100/255,i.b*=100/255,i},E=function(e){var i,o={},t=e.h,r=255*e.s/100,e=255*e.b/100;return 0==r?o.r=o.g=o.b=e:(e=t%60*((i=e)-(r=(255-r)*e/255))/60,(t=360===t?0:t)<60?(o.r=i,o.b=r,o.g=r+e):t<120?(o.g=i,o.b=r,o.r=i-e):t<180?(o.g=i,o.r=r,o.b=r+e):t<240?(o.b=i,o.r=r,o.g=i-e):t<300?(o.b=i,o.g=r,o.r=r+e):t<360?(o.r=i,o.g=r,o.b=i-e):(o.r=0,o.g=0,o.b=0)),{r:Math.round(o.r),g:Math.round(o.g),b:Math.round(o.b)}},_=function(e){var e=E(e),o=[e.r.toString(16),e.g.toString(16),e.b.toString(16)];return P.each(o,function(e,i){1===i.length&&(o[e]="0"+i)}),o.join("")},R=function(e){e=e.match(/[0-9]{1,3}/g)||[];return{r:e[0],g:e[1],b:e[2]}},K=P(window),S=o.CONST,r=o.Class;r.prototype.buildColorBoxTemplate=function(e){var i;return['
        '," ",' ',' '," "," ","
        "].join("")},r.prototype.buildColorPickerTemplate=function(e,i){var o;return['
        ','
        ','
        ','
        ','
        ','
        ',"
        ",'
        ','
        ',"
        ","
        ",'
        ','
        ','
        ',"
        ","
        ",e.predefine?(o=['
        '],layui.each(e.colors,function(e,i){o.push(['
        ','
        ',"
        "].join(""))}),o.push("
        "),o.join("")):"",'
        ','
        ',' ',"
        ",'
        ',' ",' ","
        ","
        ","
        "].join("")},r.prototype.renderPicker=function(){var e=this,i=e.config,o=e.elemPicker=P(e.buildColorPickerTemplate(i,e));e.removePicker(i.id),i.target.append(o),i.elem.data(S.PICKER_OPENED,!0),e.position(),e.pickerEvents(),e.onClickOutside(),e.autoUpdatePosition()},r.prototype.removePicker=function(e){var i=this,o=i.config,e=P("#layui-colorpicker"+(e||i.index));return i.stopClickOutsideEvent(),i.stopResizeEvent(),e[0]&&(e.remove(),o.elem.removeData(S.PICKER_OPENED),"function"==typeof o.close)&&o.close(i.color),i},r.prototype.position=function(){var e=this,i=e.config;return I.position(e.bindElem||e.elemColorBox[0],e.elemPicker[0],{position:i.position,align:"center"}),e},r.prototype.val=function(){var e,i=this,o=i.elemColorBox.find("."+S.PICKER_TRIG_SPAN),t=i.elemPicker.find("."+S.PICKER_INPUT),r=o[0].style.backgroundColor;r?(e=k(R(r)),o=o.attr("lay-type"),i.select(e.h,e.s,e.b),"torgb"===o?t.find("input").val(r):"rgba"===o?(o=R(r),3===(r.match(/[0-9]{1,3}/g)||[]).length?(t.find("input").val("rgba("+o.r+", "+o.g+", "+o.b+", 1)"),i.elemPicker.find("."+S.PICKER_ALPHA_SLIDER).css("left",280)):(t.find("input").val(r),r=280*r.slice(r.lastIndexOf(",")+1,r.length-1),i.elemPicker.find("."+S.PICKER_ALPHA_SLIDER).css("left",r)),i.elemPicker.find("."+S.PICKER_ALPHA_BG)[0].style.background="linear-gradient(to right, rgba("+o.r+", "+o.g+", "+o.b+", 0), rgb("+o.r+", "+o.g+", "+o.b+"))"):t.find("input").val("#"+_(e))):(i.select(0,100,100),t.find("input").val(""),i.elemPicker.find("."+S.PICKER_ALPHA_BG)[0].style.background="",i.elemPicker.find("."+S.PICKER_ALPHA_SLIDER).css("left",280))},r.prototype.side=function(){var n=this,l=n.config,c=n.elemColorBox.find("."+S.PICKER_TRIG_SPAN),a=c.attr("lay-type"),s=n.elemPicker.find("."+S.PICKER_SIDE),o=n.elemPicker.find("."+S.PICKER_SIDE_SLIDER),u=n.elemPicker.find("."+S.PICKER_BASIS),t=n.elemPicker.find("."+S.PICKER_BASIS_CUR),d=n.elemPicker.find("."+S.PICKER_ALPHA_BG),f=n.elemPicker.find("."+S.PICKER_ALPHA_SLIDER),p=o[0].offsetTop/180*360,g=100-t[0].offsetTop/180*100,v=t[0].offsetLeft/260*100,h=Math.round(f[0].offsetLeft/280*100)/100,m=n.elemColorBox.find("."+S.PICKER_TRIG_I),e=n.elemPicker.find(".layui-colorpicker-pre").children("div"),b=function(e,i,o,t){n.select(e,i,o);var r=E({h:e,s:i,b:o}),e=_({h:e,s:i,b:o}),i=n.elemPicker.find("."+S.PICKER_INPUT).find("input");m.addClass(S.ICON_PICKER_DOWN).removeClass(S.ICON_PICKER_CLOSE),c[0].style.background="rgb("+r.r+", "+r.g+", "+r.b+")","torgb"===a?i.val("rgb("+r.r+", "+r.g+", "+r.b+")"):"rgba"===a?(f.css("left",280*t),i.val("rgba("+r.r+", "+r.g+", "+r.b+", "+t+")"),c[0].style.background="rgba("+r.r+", "+r.g+", "+r.b+", "+t+")",d[0].style.background="linear-gradient(to right, rgba("+r.r+", "+r.g+", "+r.b+", 0), rgb("+r.r+", "+r.g+", "+r.b+"))"):i.val("#"+e),l.change&&l.change(P.trim(n.elemPicker.find("."+S.PICKER_INPUT).find("input").val()))},i=P('
        '),y=function(e){P("#LAY-colorpicker-moving")[0]||P("body").append(i),i.on("mousemove",e),i.on("mouseup",function(){i.remove()}).on("mouseleave",function(){i.remove()})},r=!0,C=!0;o.on("mousedown",function(e,i){var t=this.offsetTop,r=(e.clientY===undefined?i:e).clientY;C&&layui.stope(e),y(function(e){var i=t+(e.clientY-r),o=s[0].offsetHeight,o=(i=o<(i=i<0?0:i)?o:i)/180*360;b(p=o,v,g,h),e.preventDefault()}),e.preventDefault()}),s.on("mousedown",function(e){var i=e.clientY-P(this).offset().top+K.scrollTop(),i=(i=(i=i<0?0:i)>this.offsetHeight?this.offsetHeight:i)/180*360;b(p=i,v,g,h),e.preventDefault(),r&&o.trigger("mousedown",e)}),t.on("mousedown",function(e,i){var n=this.offsetTop,l=this.offsetLeft,c=(e.clientY===undefined?i:e).clientY,a=(e.clientX===undefined?i:e).clientX;C&&layui.stope(e),y(function(e){var i=n+(e.clientY-c),o=l+(e.clientX-a),t=u[0].offsetHeight,r=u[0].offsetWidth,r=(o=r<(o=o<0?0:o)?r:o)/260*100,o=100-(i=t<(i=i<0?0:i)?t:i)/180*100;b(p,v=r,g=o,h),e.preventDefault()}),e.preventDefault()}),u.on("mousedown",function(e){var i=e.clientY-P(this).offset().top+K.scrollTop(),o=e.clientX-P(this).offset().left+K.scrollLeft(),o=((i=i<0?0:i)>this.offsetHeight&&(i=this.offsetHeight),(o=(o=o<0?0:o)>this.offsetWidth?this.offsetWidth:o)/260*100),i=100-i/180*100;b(p,v=o,g=i,h),layui.stope(e),e.preventDefault(),r&&t.trigger("mousedown",e)}),f.on("mousedown",function(e,i){var t=this.offsetLeft,r=(e.clientX===undefined?i:e).clientX;C&&layui.stope(e),y(function(e){var i=t+(e.clientX-r),o=d[0].offsetWidth,o=(o<(i=i<0?0:i)&&(i=o),Math.round(i/280*100)/100);b(p,v,g,h=o),e.preventDefault()}),e.preventDefault()}),d.on("mousedown",function(e){var i=e.clientX-P(this).offset().left,i=((i=i<0?0:i)>this.offsetWidth&&(i=this.offsetWidth),Math.round(i/280*100)/100);b(p,v,g,h=i),e.preventDefault(),r&&f.trigger("mousedown",e)}),e.each(function(){P(this).on("click",function(){P(this).parent(".layui-colorpicker-pre").addClass("selected").siblings().removeClass("selected");var e=this.style.backgroundColor,i=k(R(e)),o=e.slice(e.lastIndexOf(",")+1,e.length-1);p=i.h,v=i.s,g=i.b,3===(e.match(/[0-9]{1,3}/g)||[]).length&&(o=1),h=o,b(i.h,i.s,i.b,o)})}),I.touchEventsSupported()&&layui.each([{elem:s,eventType:"mousedown"},{elem:d,eventType:"mousedown"},{elem:u,eventType:"mousedown"}],function(e,t){I.touchSwipe(t.elem,{onTouchStart:function(){C=r=!1},onTouchMove:function(e){var i,o;e=e,i=t.eventType,e=e.touches[0],(o=document.createEvent("MouseEvent")).initMouseEvent(i,!0,!0,window,1,e.screenX,e.screenY,e.clientX,e.clientY,!1,!1,!1,!1,0,null),e.target.dispatchEvent(o)},onTouchEnd:function(){i.remove(),C=r=!0}})})},r.prototype.select=function(e,i,o,t){var r=_({h:e,s:100,b:100}),e=e/360*180,o=180-o/100*180,i=i/100*260,n=this.elemPicker.find("."+S.PICKER_BASIS)[0];this.elemPicker.find("."+S.PICKER_SIDE_SLIDER).css("top",e),n.style.background="#"+r,this.elemPicker.find("."+S.PICKER_BASIS_CUR).css({top:o/n.offsetHeight*100+"%",left:i/n.offsetWidth*100+"%"})},r.prototype.pickerEvents=function(){var c=this,a=c.config,s=c.elemColorBox.find("."+S.PICKER_TRIG_SPAN),u=c.elemPicker.find("."+S.PICKER_INPUT+" input"),o={clear:function(e){s[0].style.background="",c.elemColorBox.find("."+S.PICKER_TRIG_I).removeClass(S.ICON_PICKER_DOWN).addClass(S.ICON_PICKER_CLOSE),c.color="",a.done&&a.done(""),c.removePicker()},confirm:function(e,i){var o,t,r,n,l=P.trim(u.val());-1>16,g:(65280&r)>>8,b:255&r},t=k(n),s[0].style.background=o="#"+_(t),c.elemColorBox.find("."+S.PICKER_TRIG_I).removeClass(S.ICON_PICKER_CLOSE).addClass(S.ICON_PICKER_DOWN)),"change"===i?(c.select(t.h,t.s,t.b,i),a.change&&a.change(o)):(c.color=l,a.done&&a.done(l),c.removePicker())}};c.elemPicker.on("click","*[colorpicker-events]",function(){var e=P(this),i=e.attr("colorpicker-events");o[i]&&o[i].call(this,e)}),u.on("keyup",function(e){var i=P(this);o.confirm.call(this,i,13===e.keyCode?null:"change")})},r.prototype.events=function(){var e=this,i=e.config;e.elemColorBox.on("click",function(){i.elem.data(S.PICKER_OPENED)?e.removePicker():(e.renderPicker(),e.val(),e.side())})},r.prototype.onClickOutside=function(){var t=this,r=t.config,e=(t.stopClickOutsideEvent(),I.onClickOutside(t.elemPicker[0],function(e){var i,o=t.elemColorBox.find("."+S.PICKER_TRIG_SPAN);t.color?(i=k(R(t.color)),t.select(i.h,i.s,i.b)):t.elemColorBox.find("."+S.PICKER_TRIG_I).removeClass(S.ICON_PICKER_DOWN).addClass(S.ICON_PICKER_CLOSE),o[0].style.background=t.color||"","function"==typeof r.cancel&&r.cancel(t.color),t.removePicker()},{ignore:[r.elem[0]],event:i,capture:!1}));t.stopClickOutsideEvent=function(){e(),t.stopClickOutsideEvent=P.noop}},r.prototype.autoUpdatePosition=function(){var e=this,i="resize.lay_colorpicker_resize",o=(e.stopResizeEvent(),function(){e.position()});K.on(i,o),e.stopResizeEvent=function(){K.off(i,o),e.stopResizeEvent=P.noop}},e(S.MOD_NAME,o)});layui.define("component",function(e){"use strict";var d=layui.$,s="element",t=layui.component({name:"tab",config:{elem:".layui-tab"},CONST:{ELEM:"layui-tab",HEADER:"layui-tab-title",CLOSE:"layui-tab-close",MORE:"layui-tab-more",BAR:"layui-tab-bar"},render:function(){var e=this.config;o.tabAuto(null,e.elem)}}),u=t.CONST,a=d(window),i=d(document),o={tabClick:function(e){var t=(e=e||{}).options||{},a=e.liElem||d(this),i=t.headerElem?a.parent():a.parents(".layui-tab").eq(0),t=t.bodyElem?d(t.bodyElem):i.children(".layui-tab-content").children(".layui-tab-item"),l=a.find("a"),l="javascript:;"!==l.attr("href")&&"_blank"===l.attr("target"),n="string"==typeof a.attr("lay-unselect"),r=i.attr("lay-filter"),c=a.attr("lay-id"),o="index"in e?e.index:a.parent().children("li").index(a);if(!e.force){var e=a.siblings("."+u.CLASS_THIS);if(!1===layui.event.call(this,s,"tabBeforeChange("+r+")",{elem:i,from:{index:a.parent().children("li").index(e),id:e.attr("lay-id")},to:{index:o,id:c}}))return}l||n||(a.addClass(u.CLASS_THIS).siblings().removeClass(u.CLASS_THIS),(c?e=(e=t.filter('[lay-id="'+c+'"]')).length?e:t.eq(o):t.eq(o)).addClass(u.CLASS_SHOW).siblings().removeClass(u.CLASS_SHOW)),layui.event.call(this,s,"tab("+r+")",{elem:i,index:o,id:c})},tabDelete:function(e){var t=(e=e||{}).liElem||d(this).parent(),a=t.parent().children("li").index(t),i=t.closest(".layui-tab"),l=i.children(".layui-tab-content").children(".layui-tab-item"),n=i.attr("lay-filter"),r=t.attr("lay-id");if(!e.force&&!1===layui.event.call(t[0],s,"tabBeforeDelete("+n+")",{elem:i,index:a,id:r}))return;t.hasClass(u.CLASS_THIS)&&(t.next()[0]&&t.next().is("li")?o.tabClick.call(t.next()[0],{index:a+1}):t.prev()[0]&&t.prev().is("li")&&o.tabClick.call(t.prev()[0],null,a-1)),t.remove(),(r?e=(e=l.filter('[lay-id="'+r+'"]')).length?e:l.eq(a):l.eq(a)).remove(),setTimeout(function(){o.tabAuto(null,i)},50),layui.event.call(this,s,"tabDelete("+n+")",{elem:i,index:a,id:r})},tabAuto:function(l,e){(e||d(".layui-tab")).each(function(){var e=d(this),a=e.children("."+u.HEADER),t='lay-stope="tabmore"',t=d(''),i=e.attr("lay-allowclose");i&&"false"!==i&&a.find("li").each(function(){var e,t=d(this);t.find("."+u.CLOSE)[0]||"false"===t.attr("lay-allowclose")||((e=d('')).on("click",function(e){o.tabDelete.call(this,{e:e})}),t.append(e))}),"string"!=typeof e.attr("lay-unauto")&&(a.prop("scrollWidth")>a.outerWidth()+1||a.find("li").length&&a.height()>(i=a.find("li").eq(0).height())+i/2?("change"===l&&a.data("LAY_TAB_CHANGE")&&a.addClass(u.MORE),a.find("."+u.BAR)[0]||(a.append(t),e.attr("overflow",""),t.on("click",function(e){var t=a.hasClass(u.MORE);a[t?"removeClass":"addClass"](u.MORE)}))):(a.find("."+u.BAR).remove(),e.removeAttr("overflow")))})},hideTabMore:function(e){var t=d("."+u.HEADER);!0!==e&&"tabmore"===d(e.target).attr("lay-stope")||(t.removeClass(u.MORE),t.find("."+u.BAR).attr("title",""))}};d.extend(t,{tabAdd:function(e,t){var a,i=d(".layui-tab[lay-filter="+e+"]"),l=i.children("."+u.HEADER),n=l.children("."+u.BAR),r=i.children(".layui-tab-content"),c=""+(t.title||"unnaming")+"";return n[0]?n.before(c):l.append(c),r.append('
        "+(t.content||"")+"
        "),t.change&&this.tabChange(e,t.id),l.data("LAY_TAB_CHANGE",t.change),o.tabAuto(t.change?"change":null,i),this},tabDelete:function(e,t,a){e=d(".layui-tab[lay-filter="+e+"]").children("."+u.HEADER).find('>li[lay-id="'+t+'"]');return o.tabDelete.call(e[0],{liElem:e,force:a}),this},tabChange:function(e,t,a){e=d(".layui-tab[lay-filter="+e+"]").children("."+u.HEADER).find('>li[lay-id="'+t+'"]');return o.tabClick.call(e[0],{liElem:e,force:a}),this},tab:function(a){a=a||{},i.on("click",a.headerElem,function(e){var t=d(a.headerElem).index(d(this));o.tabClick.call(this,{index:t,options:a})})}}),i.on("click","."+u.HEADER+" li",o.tabClick),a.on("resize.lay_tab_auto_resize",o.tabAuto),e(u.MOD_NAME,t)});layui.define("component",function(i){"use strict";var _=layui.$,f=layui.device(),a=layui.component({name:"nav",config:{elem:".layui-nav"},CONST:{NAV_ELEM:".layui-nav",NAV_ITEM:"layui-nav-item",NAV_BAR:"layui-nav-bar",NAV_TREE:"layui-nav-tree",NAV_CHILD:"layui-nav-child",NAV_CHILD_C:"layui-nav-child-c",NAV_MORE:"layui-nav-more",NAV_DOWN:"layui-icon-down",NAV_ANIM:"layui-anim layui-anim-upbit"},render:function(){var i=this.config,l={},o={},c={};i.elem.each(function(i){var a=_(this),s=_(''),e=a.find("."+r.NAV_ITEM),t=a.find("."+r.NAV_BAR);t[0]&&t.remove(),a.append(s),(a.hasClass(r.NAV_TREE)?e.find("dd,>."+r.NAV_TITLE):e).off("mouseenter.lay_nav").on("mouseenter.lay_nav",function(){!function(i,a,s){var e,t=_(this),n=t.find("."+r.NAV_CHILD);a.hasClass(r.NAV_TREE)?n[0]||(e=t.children(".layui-nav-title"),i.css({top:t.offset().top-a.offset().top+a.scrollTop(),height:(e[0]?e:t).outerHeight(),opacity:1})):(n.addClass(r.NAV_ANIM),n.hasClass(r.NAV_CHILD_C)&&n.css({left:-(n.outerWidth()-t.width())/2}),n[0]?i.css({left:i.position().left+i.width()/2,width:0,opacity:0}):i.css({left:t.position().left+parseFloat(t.css("marginLeft")),top:t.position().top+t.height()-i.height()}),l[s]=setTimeout(function(){i.css({width:n[0]?0:t.width(),opacity:n[0]?0:1})},f.ie&&f.ie<10?0:200),clearTimeout(c[s]),"block"===n.css("display")&&clearTimeout(o[s]),o[s]=setTimeout(function(){n.addClass(r.CLASS_SHOW),t.find("."+r.NAV_MORE).addClass(r.NAV_MORE+"d")},300))}.call(this,s,a,i)}).off("mouseleave.lay_nav").on("mouseleave.lay_nav",function(){a.hasClass(r.NAV_TREE)?s.css({height:0,opacity:0}):(clearTimeout(o[i]),o[i]=setTimeout(function(){a.find("."+r.NAV_CHILD).removeClass(r.CLASS_SHOW),a.find("."+r.NAV_MORE).removeClass(r.NAV_MORE+"d")},300))}),a.off("mouseleave.lay_nav").on("mouseleave.lay_nav",function(){clearTimeout(l[i]),c[i]=setTimeout(function(){a.hasClass(r.NAV_TREE)||s.css({width:0,left:s.position().left+s.width()/2,opacity:0})},200)}),e.find("a").each(function(){var i=_(this),a="click.lay_nav_click";i.siblings("."+r.NAV_CHILD)[0]&&!i.children("."+r.NAV_MORE)[0]&&i.append(''),i.off(a,n.clickThis).on(a,n.clickThis)})})}}),n={clickThis:function(){var i=_(this),a=i.closest(r.NAV_ELEM),s=a.attr("lay-filter"),e=i.parent(),t=i.siblings("."+r.NAV_CHILD),n="string"==typeof e.attr("lay-unselect");if("javascript:;"!==i.attr("href")&&"_blank"===i.attr("target")||n||t[0]||(a.find("."+r.CLASS_THIS).removeClass(r.CLASS_THIS),e.addClass(r.CLASS_THIS)),a.hasClass(r.NAV_TREE)){var n=r.NAV_ITEM+"ed",l=!e.hasClass(n),o=function(){_(this).css({display:""}),a.children("."+r.NAV_BAR).css({opacity:0})};if(t.is(":animated"))return;t.removeClass(r.NAV_ANIM),t[0]&&(l?(t.slideDown(200,o),e.addClass(n)):(e.removeClass(n),t.show().slideUp(200,o)),"string"!=typeof a.attr("lay-accordion")&&"all"!==a.attr("lay-shrink")||((l=e.siblings("."+n)).removeClass(n),l.children("."+r.NAV_CHILD).show().stop().slideUp(200,o)))}layui.event.call(this,"element","nav("+s+")",i)}},r=a.CONST;i(r.MOD_NAME,a)});layui.define("component",function(n){"use strict";var t=layui.$,i=layui.component({name:"breadcrumb",config:{elem:".layui-breadcrumb"},render:function(){this.config.elem.each(function(){var n=t(this),i="lay-separator",e=n.attr(i)||"/",a=n.find("a");a.next("span["+i+"]")[0]||(a.each(function(n){n!==a.length-1&&t(this).after(""+e+"")}),n.css("visibility","visible"))})}});n(i.CONST.MOD_NAME,i)});layui.define("component",function(t){"use strict";var r=layui.$,e=layui.component({name:"progress",config:{elem:".layui-progress"},CONST:{ELEM:"layui-progress"},render:function(){this.config.elem.each(function(){var t=r(this),e=t.find(".layui-progress-bar"),n=e.attr("lay-percent");e.css("width",function(){return/^.+\/.+$/.test(n)?100*new Function("return "+n)()+"%":n}),t.attr("lay-showpercent")&&setTimeout(function(){e.html(''+n+"")},350)})}}),i=e.CONST;r.extend(e,{setValue:function(t,e){var n="layui-progress",t=r("."+n+"[lay-filter="+t+"]").find("."+n+"-bar"),n=t.find("."+n+"-text");return t.css("width",function(){return/^.+\/.+$/.test(e)?100*new Function("return "+e)()+"%":e}).attr("lay-percent",e),n.text(e),this}}),t(i.MOD_NAME,e)});layui.define("component",function(l){"use strict";var t=layui.$,i=layui.component({name:"collapse",config:{elem:".layui-collapse"},render:function(){this.config.elem.each(function(){t(this).find(".layui-colla-item").each(function(){var l=t(this),i=l.find(".layui-colla-title"),a=l.find(".layui-colla-content"),e="none"===a.css("display"),s="click.lay_collapse_click";i.find(".layui-colla-icon").remove(),i.append(''),l[e?"removeClass":"addClass"](u.CLASS_SHOW),a.hasClass(u.CLASS_SHOW)&&a.removeClass(u.CLASS_SHOW),i.off(s,n.titleClick).on(s,n.titleClick)})})}}),n={titleClick:function(){var l=t(this),i=l.closest(".layui-collapse"),a=i.attr("lay-filter"),e=".layui-colla-content",s=l.parent(".layui-colla-item"),n=l.siblings(e),c="none"===n.css("display"),i="string"==typeof i.attr("lay-accordion"),o=function(){t(this).css("display","")};n.is(":animated")||(c?(n.slideDown(200,o),s.addClass(u.CLASS_SHOW)):(s.removeClass(u.CLASS_SHOW),n.show().slideUp(200,o)),i&&((i=s.siblings("."+u.CLASS_SHOW)).removeClass(u.CLASS_SHOW),i.children(e).show().slideUp(200,o)),layui.event.call(this,"element","collapse("+a+")",{title:l,content:n,show:c}))}},u=i.CONST;l(u.MOD_NAME,i)});layui.define(["component","tab","nav","breadcrumb","progress","collapse"],function(e){"use strict";var n=layui.$,a=layui.tab,r=layui.progress,t=layui.component({name:"element",CONST:{MOD_NAME:"element"}}),l=t.CONST;n.extend(t,{render:function(e,a){var r="string"==typeof a&&a?'[lay-filter="'+a+'"]':"",t={tab:".layui-tab"+r,nav:".layui-nav"+r,breadcrumb:".layui-breadcrumb"+r,progress:".layui-progress"+r,collapse:".layui-collapse"+r};if(!e||t[e])return e&&"object"==typeof a&&a instanceof n?layui[e].render({elem:a}):t[e]?layui[e].render({elem:t[e]}):layui.each(t,function(e){layui[e].render({elem:t[e]})})},tabAdd:a.tabAdd,tabDelete:a.tabDelete,tabChange:a.tabChange,tab:a.tab,progress:r.setValue}),t.init=t.render,n(function(){t.render()}),e(l.MOD_NAME,t)});layui.define(["lay","i18n","layer"],function(e){"use strict";var F=layui.$,a=layui.lay,i=layui.layer,R=layui.i18n,T=layui.device(),w=layui.hint(),t="upload",f="layui_"+t+"_index",L={config:{},index:layui[t]?layui[t].index+1e4:0,set:function(e){var i=this;return i.config=F.extend({},i.config,e),i},on:function(e,i){return layui.onevent.call(this,t,e,i)}},o=function(){var i=this,e=i.config.id;return{upload:function(e){i.upload.call(i,e)},reload:function(e){i.reload.call(i,e)},config:(o.that[e]=i).config}},l="layui-upload-file",r="layui-upload-form",E="layui-upload-iframe",O="layui-upload-choose",D="UPLOADING",M=function(e){var i=this;i.index=++L.index,i.config=F.extend({},i.config,L.config,e),i.render()};M.prototype.config={accept:"images",exts:"",auto:!0,bindAction:"",url:"",force:"",field:"file",acceptMime:"",method:"post",data:{},drag:!0,size:0,number:0,multiple:!1,text:{"cross-domain":"Cross-domain requests are not supported","data-format-error":"Please return JSON data format","check-error":"",error:"","limit-number":null,"limit-size":null}},M.prototype.reload=function(e){var i=this;i.config=F.extend({},i.config,e),i.render(!0)},M.prototype.render=function(e){var i=this,t=i.config,n=F(t.elem);return 1"].join("")),n=i.elem.next();(n.hasClass(l)||n.hasClass(r))&&n.remove(),T.ie&&T.ie<10&&i.elem.wrap('
        '),e.isFile()?(e.elemFile=i.elem,i.field=i.elem[0].name):i.elem.after(t),T.ie&&T.ie<10&&e.initIE()},M.prototype.initIE=function(){var t,e=this.config,i=F(''),n=F(['
        ',"
        "].join(""));F("#"+E)[0]||F("body").append(i),e.elem.next().hasClass(r)||(this.elemFile.wrap(n),e.elem.next("."+r).append((t=[],layui.each(e.data,function(e,i){i="function"==typeof i?i():i,t.push('')}),t.join(""))))},M.prototype.msg=function(e){return i.msg(e,{icon:2,shift:6})},M.prototype.isFile=function(){var e=this.config.elem[0];if(e)return"input"===e.tagName.toLocaleLowerCase()&&"file"===e.type},M.prototype.preview=function(n){window.FileReader&&layui.each(this.chooseFiles,function(e,i){var t=new FileReader;t.readAsDataURL(i),t.onload=function(){n&&n(e,i,this.result)}})},M.prototype.upload=function(e,i){var t,n,a,o,l,u=this,s=u.config,f=s.text||{},r=u.elemFile[0],c=function(){return e||u.files||u.chooseFiles||r.files},d=function(){var a=0,o=0,l=c(),r=function(){s.multiple&&a+o===u.fileLength&&"function"==typeof s.allDone&&s.allDone({total:u.fileLength,successful:a,failed:o})},t=function(t){var n=new FormData,i=function(e){t.unified?layui.each(l,function(e,i){delete i[D]}):delete e[D]};if(layui.each(s.data,function(e,i){i="function"==typeof i?t.unified?i():i(t.index,t.file):i,n.append(e,i)}),t.unified)layui.each(l,function(e,i){i[D]||(i[D]=!0,n.append(s.field,i))});else{if(t.file[D])return;n.append(s.field,t.file),t.file[D]=!0}var e={url:s.url,type:"post",data:n,dataType:s.dataType||"json",contentType:!1,processData:!1,headers:s.headers||{},success:function(e){s.unified?a+=u.fileLength:a++,m(t.index,e),r(t.index),i(t.file)},error:function(e){s.unified?o+=u.fileLength:o++,u.msg(f.error||["Upload failed, please try again.","status: "+(e.status||"")+" - "+(e.statusText||"error")].join("
        ")),g(t.index,e.responseText,e),r(t.index),i(t.file)}};"function"==typeof s.progress&&(e.xhr=function(){var e=F.ajaxSettings.xhr();return e.upload.addEventListener("progress",function(e){var i;e.lengthComputable&&(i=Math.floor(e.loaded/e.total*100),s.progress(i,(s.item||s.elem)[0],e,t.index))}),e}),F.ajax(e)};s.unified?t({unified:!0,index:0}):layui.each(l,function(e,i){t({index:e,file:i})})},p=function(){var n=F("#"+E);u.elemFile.parent().submit(),clearInterval(M.timer),M.timer=setInterval(function(){var e,i=n.contents().find("body");try{e=i.text()}catch(t){u.msg(f["cross-domain"]),clearInterval(M.timer),g()}e&&(clearInterval(M.timer),i.html(""),m(0,e))},30)},h=function(e){if("json"===s.force&&"object"!=typeof e)try{return{status:"CONVERTED",data:JSON.parse(e)}}catch(i){return u.msg(f["data-format-error"]),{status:"FORMAT_ERROR",data:{}}}return{status:"DO_NOTHING",data:{}}},m=function(e,i){u.elemFile.next("."+O).remove(),r.value="";var t=h(i);switch(t.status){case"CONVERTED":i=t.data;break;case"FORMAT_ERROR":return}"function"==typeof s.done&&s.done(i,e||0,function(e){u.upload(e)})},g=function(e,i,t){s.auto&&(r.value="");var n=h(i);switch(n.status){case"CONVERTED":i=n.data;break;case"FORMAT_ERROR":return}"function"==typeof s.error&&s.error(e||0,function(e){u.upload(e)},i,t)},v=s.exts,y=(n=[],layui.each(e||u.chooseFiles,function(e,i){n.push(i.name)}),n),x={preview:function(e){u.preview(e)},upload:function(e,i){var t={};t[e]=i,u.upload(t)},pushFile:function(){return u.files=u.files||{},layui.each(u.chooseFiles,function(e,i){u.files[e]=i}),u.files},resetFile:function(e,i,t){i=new File([i],t);u.files=u.files||{},u.files[e]=i},getChooseFiles:function(){return u.chooseFiles}},b={file:R.$t("upload.fileType.file"),images:R.$t("upload.fileType.image"),video:R.$t("upload.fileType.video"),audio:R.$t("upload.fileType.audio")}[s.accept]||R.$t("upload.fileType.file"),y=0===y.length?r.value.match(/[^/\\]+\..+/g)||[]:y;if(0!==y.length){switch(s.accept){case"file":layui.each(y,function(e,i){if(v&&!RegExp(".\\.("+v+")$","i").test(escape(i)))return t=!0});break;case"video":layui.each(y,function(e,i){if(!RegExp(".\\.("+(v||"avi|mp4|wma|rmvb|rm|flash|3gp|flv")+")$","i").test(escape(i)))return t=!0});break;case"audio":layui.each(y,function(e,i){if(!RegExp(".\\.("+(v||"mp3|wav|mid")+")$","i").test(escape(i)))return t=!0});break;default:layui.each(y,function(e,i){if(!RegExp(".\\.("+(v||"jpg|png|gif|bmp|jpeg|svg|webp")+")$","i").test(escape(i)))return t=!0})}if(t)return u.msg(f["check-error"]||R.$t("upload.validateMessages.fileExtensionError",{fileType:b})),r.value="";if("choose"!==i&&!s.auto||(s.choose&&s.choose(x),"choose"!==i)){if(u.fileLength=(a=0,b=c(),layui.each(b,function(){a++}),a),s.number&&u.fileLength>s.number)return u.msg("function"==typeof f["limit-number"]?f["limit-number"](s,u.fileLength):R.$t("upload.validateMessages.filesOverLengthLimit",{length:s.number})+"
        "+R.$t("upload.validateMessages.currentFilesLength",{length:u.fileLength}));if(01024*s.size&&(i=1<=(i=s.size/1024)?i.toFixed(2)+"MB":s.size+"KB",r.value="",o=i)}),o)return u.msg("function"==typeof f["limit-size"]?f["limit-size"](s,o):R.$t("upload.validateMessages.fileOverSizeLimit",{size:o}));l=function(){if(T.ie)return(9'+e+"")},r=function(t){var n=!0;return layui.each(a.files,function(e,i){if(!(n=!(i.name===t.name)))return!0}),n},u=function(e){var t=function(e){e.ext=e.name.substr(e.name.lastIndexOf(".")+1).toLowerCase(),e.sizes=L.util.parseSize(e.size)};return e instanceof FileList?layui.each(e,function(e,i){t(i)}):t(e),e},s=function(e){var t;return(e=e||[]).length?a.files?(t=[],layui.each(e,function(e,i){r(i)&&t.push(u(i))}),t):u(e):[]};n.elem.off("upload.start").on("upload.start",function(){var e=F(this);a.config.item=e,a.elemFile[0].click()}),T.ie&&T.ie<10||n.elem.off("upload.over").on("upload.over",function(){F(this).attr("lay-over","")}).off("upload.leave").on("upload.leave",function(){F(this).removeAttr("lay-over")}).off("upload.drop").on("upload.drop",function(e,i){var t=F(this),i=s(i.originalEvent.dataTransfer.files);t.removeAttr("lay-over"),o(i),n.auto?a.upload():l(i)}),a.elemFile.on("change",function(){var e=s(this.files);0!==e.length&&(o(e),n.auto?a.upload():l(e))}),n.bindAction.off("upload.action").on("upload.action",function(){a.upload()}),n.elem.data(f)||(n.elem.on("click",function(){a.isFile()||F(this).trigger("upload.start")}),n.drag&&n.elem.on("dragover",function(e){e.preventDefault(),F(this).trigger("upload.over")}).on("dragleave",function(e){F(this).trigger("upload.leave")}).on("drop",function(e){e.preventDefault(),F(this).trigger("upload.drop",e)}),n.bindAction.on("click",function(){F(this).trigger("upload.action")}),n.elem.data(f,n.id))},L.util={parseSize:function(e,i){var t,n;return i=i||2,null!=e&&e?(t="string"==typeof e?parseFloat(e):e,n=Math.floor(Math.log(t)/Math.log(1024)),(e=(e=t/Math.pow(1024,n))%1==0?e:parseFloat(e.toFixed(i)))+["Bytes","Kb","Mb","Gb","Tb","Pb","Eb","Zb","Yb"][n]):"0"},promiseLikeResolve:function(e){var i=F.Deferred();return e&&"function"==typeof e.then?e.then(i.resolve,i.reject):i.resolve(e),i.promise()}},o.that={},o.getThis=function(e){var i=o.that[e];return i||w.error(e?t+" instance with ID '"+e+"' not found":"ID argument required"),i},L.render=function(e){e=new M(e);return o.call(e)},e(t,L)});layui.define(["lay","i18n","layer","util"],function(e){"use strict";var _=layui.$,h=layui.layer,p=layui.util,O=layui.lay,l=layui.hint(),$=layui.i18n,T="form",f=".layui-form",M="layui-this",E="layui-hide",A="layui-disabled",y="layui-input-number-invalid",I=O.createSharedResizeObserver(T),v=O.ie&&8===parseFloat(O.ie)||void 0===Object.getOwnPropertyDescriptor(HTMLInputElement.prototype,"checked"),t=function(){this.config={verify:{required:function(e){if(!/[\S]+/.test(e)||e===undefined||null===e)return $.$t("form.validateMessages.required")},phone:function(e){if(e&&!/^1\d{10}$/.test(e))return $.$t("form.validateMessages.phone")},email:function(e){if(e&&!/^([a-zA-Z0-9_.-])+@(([a-zA-Z0-9-])+\.)+([a-zA-Z0-9]{2,4})+$/.test(e))return $.$t("form.validateMessages.email")},url:function(e){if(e&&!/^(#|(http(s?)):\/\/|\/\/)[^\s]+\.[^\s]+$/.test(e))return $.$t("form.validateMessages.url")},number:function(e){if(e&&isNaN(e))return $.$t("form.validateMessages.number")},date:function(e){if(e&&!/^(\d{4})[-/](\d{1}|0\d{1}|1[0-2])([-/](\d{1}|0\d{1}|[1-2][0-9]|3[0-1]))*$/.test(e))return $.$t("form.validateMessages.date")},identity:function(e){if(e&&!/(^\d{15}$)|(^\d{17}(x|X|\d)$)/.test(e))return $.$t("form.validateMessages.identity")}},autocomplete:null}},i=(t.prototype.set=function(e){return _.extend(!0,this.config,e),this},t.prototype.verify=function(e){return _.extend(!0,this.config.verify,e),this},t.prototype.getFormElem=function(e){return _(f+(e?'[lay-filter="'+e+'"]':""))},t.prototype.on=function(e,t){return layui.onevent.call(this,T,e,t)},t.prototype.val=function(e,o){return this.getFormElem(e).each(function(e,t){var i,a,n,l,r=_(this);for(i in o)O.hasOwn(o,i)&&(n=o[i],(l=r.find('[name="'+i+'"]'))[0])&&("checkbox"===(a=l[0].type)?l[0].checked=n:"radio"===a?l.each(function(){this.checked=this.value==n+""}):l.val(n))}),r.render(null,e),this.getValue(e)},t.prototype.getValue=function(e,t){t=t||this.getFormElem(e);var n={},l={},e=t.find("input,select,textarea");return layui.each(e,function(e,t){var i,a=_(this);t.name=(t.name||"").replace(/^\s*|\s*&/,""),t.name&&(/^.*\[\]$/.test(t.name)&&(i=t.name.match(/^(.*)\[\]$/g)[0],n[i]=0|n[i],i=t.name.replace(/^(.*)\[\]$/,"$1["+n[i]+++"]")),/^(checkbox|radio)$/.test(t.type)&&!t.checked||(l[i||t.name]="SELECT"===this.tagName&&"string"==typeof this.getAttribute("multiple")?a.val()||[]:this.value))}),l},t.prototype.render=function(e,t){var d=this,i=d.config,a=_(f+(t?'[lay-filter="'+t+'"]':"")),n={input:function(e){var e=e||a.find("input,textarea"),h=(i.autocomplete&&e.attr("autocomplete",i.autocomplete),function(e,t){var i=e.val(),a=Number(i),n=Number(e.attr("step"))||1,l=Number(e.attr("min")),r=Number(e.attr("max")),o=Number(e.attr("lay-precision")),s="click"!==t&&""===i,c="init"===t,u=isNaN(a),d="string"==typeof e.attr("lay-step-strictly");if(e.toggleClass(y,u),!u){if("click"===t){if("text"===e[0].type&&"string"==typeof e.attr("readonly"))return;a=!!_(this).index()?a-n:a+n}u=function(e){return((e.toString().match(/\.(\d+$)/)||[])[1]||"").length},o=0<=o?o:Math.max(u(n),u(i));s||(c||r<=(a=(a=d?Math.round(a/n)*n:a)<=l?l:a)&&(a=r),0===o?a=parseInt(a):0'),e=layui.isArray(i.value)?i.value:[i.value],e=_((a=[],layui.each(e,function(e,t){a.push('')}),a.join(""))),n=(t.append(e),i.split&&t.addClass("layui-input-split"),i.className&&t.addClass(i.className),r.next("."+u)),l=(n[0]&&n.remove(),r.parent().hasClass(s)||r.wrap('
        '),r.next("."+c));l[0]?((n=l.find("."+u))[0]&&n.remove(),l.prepend(t),r.css("padding-right",function(){return(r.closest(".layui-input-group")[0]?0:l.outerWidth())+t.outerWidth()})):(t.addClass(c),r.after(t)),"auto"===i.show&&d(t,r.val()),"function"==typeof i.init&&i.init.call(this,r,i),r.on("input propertychange",function(){var e=this.value;"auto"===i.show&&d(t,e)}),r.on("blur",function(){"function"==typeof i.blur&&i.blur.call(this,r,i)}),e.on("click",function(){var e=r.attr("lay-filter");_(this).hasClass(A)||("function"==typeof i.click&&i.click.call(this,r,i),layui.event.call(this,T,"input-affix("+e+")",{elem:r[0],affix:o,options:i}))})},p={eye:{value:"eye-invisible",click:function(e,t){var i="LAY_FORM_INPUT_AFFIX_SHOW",a=e.data(i);e.attr("type",a?"password":"text").data(i,!a),n({value:a?"eye-invisible":"eye"})}},clear:{value:"clear",click:function(e){e.val("").focus(),d(_(this).parent(),null)},show:"auto",disabled:e},number:{value:["up","down"],split:!0,className:"layui-input-number",disabled:r.is("[disabled]"),init:function(a){var e,n,l,t,i,r;"text"!==a.attr("type")&&"text"!==a[0].type||(l=n=!(e=".lay_input_number"),t="string"==typeof a.attr("readonly"),i="string"==typeof a.attr("lay-wheel"),r=a.next(".layui-input-number").children("i"),a.attr("lay-input-mirror",a.val()),a.off(e),a.on("keydown"+e,function(e){n=!1,8!==e.keyCode&&46!==e.keyCode||(n=!0),t||2!==r.length||38!==e.keyCode&&40!==e.keyCode||(e.preventDefault(),r.eq(38===e.keyCode?0:1).click())}),a.on("input"+e+" propertychange"+e,function(e){var t,i;l||"propertychange"===e.type&&"value"!==e.originalEvent.propertyName||(n||""===(e=this.value)||"00"!==e.slice(0,2)&&!e.match(/\s/g)&&!((t=e.match(/\./g))&&1=Math.abs(e.deltaY)?e.deltaX:e.deltaY):"mousewheel"===e.type?t=-e.originalEvent.wheelDelta:"DOMMouseScroll"===e.type&&(t=e.originalEvent.detail),r.eq(0S.height()&&t<=e&&l.addClass(x+"up"),h(),s&&g.off("mousedown.lay_select_ieph").on("mousedown.lay_select_ieph",function(){m[0].__ieph=!0,setTimeout(function(){m[0].__ieph=!1},60)}),n=O.onClickOutside((a?l:g)[0],function(){p(),k&&m.val(k)},{ignore:v,detectIframe:!0,capture:!1})},p=function(e){v.parent().removeClass(x+"ed "+x+"up"),m.blur(),u&&g.children("."+N).remove(),"function"==typeof n&&(n(),n=null),a&&(l.detach(),_(window).off("resize.lay_select_resize"),I)&&I.unobserve(l[0]),e||f(m.val(),function(e){var t=y[0].selectedIndex;e&&(k=_(y[0].options[t]).prop("text"),0===t&&k===m.attr("placeholder")&&(k=""),m.val(k||""))})},h=function(){var e,t,i=g.children("dd."+M);i[0]&&(e=i.position().top,t=g.height(),i=i.height(),t").addClass(N).attr("lay-value",n).text(n),a=(i=g.children().eq(0)).hasClass("layui-select-tips"),i[a?"after":"before"](t)):e?g.find("."+w)[0]||g.append('

        '+$.$t("form.select.noMatch")+"

        "):g.find("."+w).remove()},"keyup"),""===n&&(y.val(""),g.find("."+M).removeClass(M),(y[0].options[0]||{}).value||g.children("dd:eq(0)").addClass(M),g.find("."+w).remove(),u)&&g.children("."+N).remove(),void h()))},50)).on("blur",function(e){var t=y[0].selectedIndex;k=_(y[0].options[t]).prop("text"),0===t&&k===m.attr("placeholder")&&(k=""),setTimeout(function(){f(m.val(),function(e){k||m.val("")},"blur")},200)}),g.on("click","dd",function(){var e,t,i=_(this),a=i.attr("lay-value"),n=y.attr("lay-filter");return i.hasClass(A)||(u&&i.hasClass(N)&&(t=(e=_("
        "].join(""));i.after(l),function(i,a){var n=_(this),e=n.attr("lay-skin")||"primary",t="switch"===e,e="primary"===e;n.off(u).on(u,function(e){var t=n.attr("lay-filter");n[0].disabled||(n[0].indeterminate=!!n[0].indeterminate,n[0].checked=!!n[0].checked,layui.event.call(n[0],T,a[2]+"("+t+")",{elem:n[0],value:n[0].value,othis:i}))}),i.on("click",function(){n.closest("label").length||n.trigger("click")}),d.syncAppearanceOnPropChanged(this,"checked",function(){var e;t&&(e=(i.next("*[lay-checkbox]")[0]?i.next().html():n.attr("title")||"").split("|"),i.children("div").html(!this.checked&&e[1]||e[0])),i.toggleClass(a[1],this.checked)}),e&&d.syncAppearanceOnPropChanged(this,"indeterminate",function(){this.indeterminate?i.children("."+c.ICON).removeClass(c.ICON_OK).addClass(c.SUBTRA):i.children("."+c.ICON).removeClass(c.SUBTRA).addClass(c.ICON_OK)})}.call(this,l,r)})},radio:function(e){var s="layui-form-radio",c=["layui-icon-radio","layui-icon-circle"],e=e||a.find("input[type=radio]"),u="click.lay_radio_click";e.each(function(e,t){var i=_(this),a=i.next("."+s),n=this.disabled,l=i.attr("lay-skin");if(i.closest("[lay-ignore]").length)return i.show();v&&m.call(t,"lay-form-sync-checked",t.checked),a[0]&&a.remove();var a=p.escape(t.title||""),r=[],o=(i.next("[lay-radio]")[0]&&(a=(o=i.next()).html()||"",1",'',"
        "+a+"
        ",""].join("")));i.after(o),function(i){var a=_(this),n="layui-anim-scaleSpring";a.off(u).on(u,function(){var e=a.attr("lay-filter");a[0].disabled||(a[0].checked=!0,layui.event.call(a[0],T,"radio("+e+")",{elem:a[0],value:a[0].value,othis:i}))}),i.on("click",function(){a.closest("label").length||a.trigger("click")}),d.syncAppearanceOnPropChanged(this,"checked",function(){var e,t=this;t.checked?(i.addClass(s+"ed"),i.children(".layui-icon").addClass(n+" "+c[0]),e=a.parents(f).find("input[name="+t.name.replace(/(\.|#|\[|\])/g,"\\$1")+"]"),layui.each(e,function(){t!==this&&(this.checked=!1)})):(i.removeClass(s+"ed"),i.children(".layui-icon").removeClass(n+" "+c[0]).addClass(c[1]))})}.call(this,o)})}},t=function(){layui.each(n,function(e,t){t()})};return"object"===layui.type(e)?_(e).is(f)?(a=_(e),t()):e.each(function(e,t){var i=_(t);i.closest(f).length&&("SELECT"===t.tagName?n.select(i):"INPUT"===t.tagName&&("checkbox"===(t=t.type)||"radio"===t?n[t](i):n.input(i)))}):e?n[e]?n[e]():l.error('[form] "'+e+'" is an unsupported form element type'):t(),d},t.prototype.syncAppearanceOnPropChanged=v?function(e,t,i){var a=Object.getOwnPropertyDescriptor(HTMLInputElement.prototype,t);Object.defineProperty(e,t,O.extend({},a,{get:function(){return"string"==typeof this.getAttribute("lay-form-sync-"+t)},set:function(e){m.call(this,"lay-form-sync-"+t,e),i.call(this)}}))}:function(e,t,i){var a=Object.getOwnPropertyDescriptor(HTMLInputElement.prototype,t);Object.defineProperty(e,t,O.extend({},a,{get:function(){return a.get.call(this)},set:function(e){a.set.call(this,e),i.call(this)}}))},t.prototype.validate=function(e){var u,d=this.config.verify,p="layui-form-danger";return!(e=_(e))[0]||(e.attr("lay-verify")!==undefined||!1!==this.validate(e.find("*[lay-verify]")))&&(layui.each(e,function(e,r){var o=_(this),t=(o.attr("lay-verify")||"").split("|"),s=o.attr("lay-vertype"),c="string"==typeof(c=o.val())?_.trim(c):c;if(o.removeClass(p),layui.each(t,function(e,t){var i="",a=d[t];if(a){var n="function"==typeof a?i=a(c,r):!a[0].test(c),l="select"===r.tagName.toLowerCase()||/^(checkbox|radio)$/.test(r.type),i=i||a[1];if("required"===t&&(i=o.attr("lay-reqtext")||i),n)return"tips"===s?h.tips(i,!o.closest("[lay-ignore]").length&&l?o.next():o,{tips:1}):"alert"===s?h.alert(i,{title:$.$t("form.verifyErrorPromptTitle"),shadeClose:!0}):/\b(string|number)\b/.test(typeof i)&&h.msg(i,{icon:5,shift:6}),setTimeout(function(){(l?o.next().find("input"):r).focus()},7),o.addClass(p),u=!0}}),u)return u}),!u)},t.prototype.submit=function(e,t){var i={},a=_(this),e="string"==typeof e?e:a.attr("lay-filter"),n=this.getFormElem?this.getFormElem(e):a.parents(f).eq(0),l=n.find("*[lay-verify]");return!!r.validate(l)&&(i=r.getValue(null,n),l={elem:this.getFormElem?window.event&&window.event.target:this,form:(this.getFormElem?n:a.parents("form"))[0],field:i},"function"==typeof t&&t(l),layui.event.call(this,T,"submit("+e+")",l))});function m(e,t){var i=!!t,t=2===arguments.length&&!t;return null!==this.getAttribute(e)?i||(this.removeAttribute(e),!1):!t&&(this.setAttribute(e,""),!0)}var g=["-",".","e","E","+"];var r=new t,t=_(document),S=_(window);_(function(){r.render()}),t.on("reset",f,function(){var e=_(this).attr("lay-filter");setTimeout(function(){r.render(null,e)},50)}),t.on("submit",f,i).on("click","*[lay-submit]",i),e(T,r)});layui.define(["lay","i18n","laytpl","laypage","form","util"],function(c){"use strict";var f=layui.$,d=layui.lay,m=layui.laytpl,p=layui.laypage,g=layui.layer,i=layui.form,v=layui.util,b=layui.hint(),x=layui.device(),s=layui.i18n,w={config:{checkName:"LAY_CHECKED",indexName:"LAY_INDEX",initIndexName:"LAY_INDEX_INIT",numbersName:"LAY_NUM",disabledName:"LAY_DISABLED"},cache:{},index:layui.table?layui.table.index+1e4:0,set:function(e){return this.config=f.extend({},this.config,e),this},on:function(e,t){return layui.onevent.call(this,R,e,t)}},k=function(){var a=this,e=a.config,i=e.id||e.index;return{config:e,reload:function(e,t){a.reload.call(a,e,t)},reloadData:function(e,t){w.reloadData(i,e,t)},setColsWidth:function(){a.setColsWidth.call(a)},resize:function(){a.resize.call(a)}}},C=function(e){var t=k.that[e];return t||b.error(e?"The table instance with ID '"+e+"' not found":"ID argument required"),t||null},l=function(e){var t=k.config[e];return t||b.error(e?"The table instance with ID '"+e+"' not found":"ID argument required"),t||null},T=function(e){var t=this.config||{},a=(e=e||{}).item3,i=e.content;"numbers"===a.type&&(i=e.tplData[w.config.numbersName]);("escape"in a?a:t).escape&&(i=v.escape(i));t=e.text&&a.exportTemplet||a.templet||a.toolbar;return t&&(i="function"==typeof t?t.call(a,e.tplData,e.obj):m(function(e){try{return d(e).html()}catch(t){return e}}(t)||String(i)).render(f.extend({LAY_COL:a},e.tplData))),e.text?f("
        "+i+"
        ").text():i},R="table",_="lay-"+R+"-id",u=".layui-table",N="layui-hide",h="layui-hide-v",y="layui-none",F="layui-table-view",P=".layui-table-header",W=".layui-table-body",I=".layui-table-fixed",O=".layui-table-fixed-r",B=".layui-table-pageview",D=".layui-table-sort",S="layui-table-checked",H="layui-table-edit",E="layui-table-hover",K="laytable-cell-group",L="layui-table-col-special",M="layui-table-tool-panel",A="layui-table-expanded",G="layui-table-disabled-transition",r="layui-table-fixed-height-patch",z="LAY_TABLE_MOVE_DICT",n=d.createSharedResizeObserver(R),e=function(e){var t=["{{# var colspan = layui.type(item2.colspan2) === 'number' ? item2.colspan2 : item2.colspan; }}",'{{# if(colspan){ }} colspan="{{=colspan}}"{{# } }}','{{# if(item2.rowspan){ }} rowspan="{{=item2.rowspan}}"{{# } }}'].join("");return['"," "," {{# layui.each(d.data.cols, function(i1, item1){ }}"," "," {{# layui.each(item1, function(i2, item2){ }}",' {{# if(item2.fixed && item2.fixed !== "right"){ left = true; } }}',' {{# if(item2.fixed === "right"){ right = true; } }}',(e=e||{}).fixed&&"right"!==e.fixed?'{{# if(item2.fixed && item2.fixed !== "right"){ }}':"right"===e.fixed?'{{# if(item2.fixed === "right"){ }}':""," {{# var isSort = !(item2.colGroup) && item2.sort; }}",' ",e.fixed?" {{# } }}":""," {{# }); }}"," "," {{# }); }}"," ","
        ' + item2.title + '').text() }}\"{{# } }}>",'
        ',' {{# if(item2.type === "checkbox"){ }}',' "," {{# } else { }}",' {{- item2.title || "" }}'," {{# if(isSort){ }}",' ',' ',' '," "," {{# } }}"," {{# } }}","
        ","
        "].join("\n")},t=['"," ","
        "].join("\n"),Y=["{{# if(d.data.toolbar){ }}",'
        ','
        ','
        ',"
        ","{{# } }}","",'
        '," {{# if(d.data.loading){ }}",'
        ','
        ',' {{# if(typeof d.data.loading === "string"){ }}'," {{- d.data.loading }}"," {{# } else { }}",' '," {{# } }}","
        ","
        "," {{# } }}",""," {{# var left, right; }}",""," \x3c!-- \u8868\u5934\u533a\u57df --\x3e",'
        ',e(),"
        ",""," \x3c!-- \u8868\u4f53\u533a\u57df --\x3e",'
        ',t,"
        ",""," {{# if(left){ }}"," \x3c!-- \u5de6\u56fa\u5b9a\u5217 --\x3e",'
        ','
        ',e({fixed:!0}),"
        ",'
        ',t,"
        ","
        "," {{# } }}",""," {{# if(right){ }}"," \x3c!-- \u53f3\u56fa\u5b9a\u5217 --\x3e",'
        ','
        ',e({fixed:"right"}),'
        ',"
        ",'
        ',t,"
        ","
        "," {{# } }}","","
        ","","{{# if(d.data.totalRow){ }}",'
        ',' "," "," "," "," "," ","
        ",' ',"
        ","
        ","{{# } }}","",'
        ','
        ',"
        "].join("\n"),o=f(window),j=f(document),a=function(e){var t=this;t.index=++w.index,t.config=f.extend({},t.config,w.config,e),t.unobserveResize=f.noop,t.render()},$=(a.prototype.config={limit:10,loading:!0,escape:!0,cellMinWidth:60,cellMaxWidth:Number.MAX_VALUE,editTrigger:"click",defaultToolbar:["filter","exports","print"],defaultContextmenu:!0,autoSort:!0,cols:[]},a.prototype.render=function(e){var t=this,a=t.config,i=(a.elem=f(a.elem),a.where=a.where||{},a.id="id"in a?a.id:a.elem.attr("id")||t.index);if(k.that[i]&&k.that[i]!==t&&k.that[i].dispose(),k.that[i]=t,(k.config[i]=a).request=f.extend({pageName:"page",limitName:"limit"},a.request),a.response=f.extend({statusName:"code",statusCode:0,msgName:"msg",dataName:"data",totalRowName:"totalRow",countName:"count"},a.response),null!==a.page&&"object"==typeof a.page&&(a.limit=a.page.limit||a.limit,a.limits=a.page.limits||a.limits,t.page=a.page.curr=a.page.curr||1,delete a.page.elem,delete a.page.jump),a.text=f.extend(!0,{none:s.$t("table.noData")},a.text),!a.elem[0])return t;if(a.elem.attr("lay-filter")||a.elem.attr("lay-filter",a.id),"reloadData"===e)return t.pullData(t.page,{type:"reloadData"});a.index=t.index,t.key=a.id||a.index,t.setInit(),a.height&&/^full-.+$/.test(a.height)?(t.fullHeightGap=a.height.split("-")[1],a.height=o.height()-(parseFloat(t.fullHeightGap)||0)):a.height&&/^#\w+\S*-.+$/.test(a.height)?(i=a.height.split("-"),t.parentHeightGap=i.pop(),t.parentDiv=i.join("-"),a.height=f(t.parentDiv).height()-(parseFloat(t.parentHeightGap)||0)):"function"==typeof a.height&&(t.customHeightFunc=a.height,a.height=t.customHeightFunc());var l,e=a.elem,i=e.next("."+F),n=t.elem=f("
        ");n.addClass((l=[F,F+"-"+t.index,"layui-form","layui-border-box"],a.className&&l.push(a.className),l.join(" "))).attr(((l={"lay-filter":"LAY-TABLE-FORM-DF-"+t.index,style:(l=[],a.width&&l.push("width:"+a.width+"px;"),l.join(""))})[_]=a.id,l)).html(m(Y,{open:"{{",close:"}}",tagStyle:"legacy"}).render({data:a,index:t.index,i18nMessages:{table_sort_asc:s.$t("table.sort.asc"),table_sort_desc:s.$t("table.sort.desc")}})),t.renderStyle(),i[0]&&i.remove(),e.after(n),t.layTool=n.find(".layui-table-tool"),t.layBox=n.find(".layui-table-box"),t.layHeader=n.find(P),t.layMain=n.find(".layui-table-main"),t.layBody=n.find(W),t.layFixed=n.find(I),t.layFixLeft=n.find(".layui-table-fixed-l"),t.layFixRight=n.find(O),t.layTotal=n.find(".layui-table-total"),t.layPage=n.find(".layui-table-page"),t.renderToolbar(),t.renderPagebar(),t.fullSize(),t.setColsWidth({isInit:!0}),t.pullData(t.page,{done:function(){t.observeResize()}}),t.events()},a.prototype.initOpts=function(e){e.checkbox&&(e.type="checkbox"),e.space&&(e.type="space"),e.type||(e.type="normal"),"normal"!==e.type&&(e.unresize=!0,e.width=e.width||{checkbox:50,radio:50,space:30,numbers:60}[e.type])},a.prototype.setInit=function(e){var n,a,r=this,d=r.config;if(d.clientWidth=d.width||(n=function(e){var t,a;e=e||d.elem.parent(),t=r.getContentWidth(e);try{a="none"===e.css("display")}catch(l){}var i=e.parent();return e[0]&&i&&i[0]&&(!t||a)?n(i):t})(),"width"===e)return d.clientWidth;d.height=d.maxHeight||d.height,d.css&&-1===d.css.indexOf(F)&&(a=d.css.split("}"),layui.each(a,function(e,t){t&&(a[e]="."+F+"-"+r.index+" "+t)}),d.css=a.join("}"));var c=function(a,e,i,l){var n,o;l?(l.key=[d.index,a,i].join("-"),l.colspan=l.colspan||0,l.rowspan=l.rowspan||0,r.initOpts(l),(n=a+(parseInt(l.rowspan)||1)) td:hover > .layui-table-cell{overflow: auto;}"].concat(x.ie?[".layui-table-edit{height: "+i+";}","td[data-edit]:hover:after{height: "+i+";}"]:[]),function(e,t){t&&o.push(a+" "+t)})),l.css&&o.push(l.css),o.push("."+r+"{height:auto;}"),d.style({target:this.elem[0],text:o.join(""),id:"DF-table-"+n})},a.prototype.renderToolbar=function(){var l,o=this,e=o.config,r=e.elem.attr("lay-filter"),t=['
        ','
        ','
        '].join(""),a=o.layTool.find(".layui-table-tool-temp"),n=("default"===e.toolbar?a.html(t):"string"==typeof e.toolbar&&(t=f(e.toolbar).html()||"")&&a.html(m(t).render(e)),{filter:{title:s.$t("table.tools.filter.title"),layEvent:"LAYTABLE_COLS",icon:"layui-icon-cols",onClick:function(e){var a,n=e.config;(0,e.openPanel)({list:(a=[],o.eachCols(function(e,t){t.field&&"normal"==t.type&&a.push('
      • "+(t.fieldTitle||t.title||t.field)+"").text())+'" lay-filter="LAY_TABLE_TOOL_COLS">
      • ')}),a.join("")),done:function(){i.on("checkbox(LAY_TABLE_TOOL_COLS)",function(e){var e=f(e.elem),t=this.checked,a=e.data("key"),i=o.col(a),l=i.hide,e=e.data("parentkey");i.key&&(i.hide=!t,o.elem.find('*[data-key="'+a+'"]')[t?"removeClass":"addClass"](N),l!=i.hide&&o.setParentCol(!t,e),o.resize(),layui.event.call(this,R,"colToggled("+r+")",{col:i,config:n}))})}})}},exports:{title:s.$t("table.tools.export.title"),layEvent:"LAYTABLE_EXPORT",icon:"layui-icon-export",onClick:function(e){var t=e.data,a=e.config,i=e.openPanel,e=e.elem;if(!t.length)return g.tips(s.$t("table.tools.export.noDataPrompt"),e,{tips:3});x.ie?g.tips(s.$t("table.tools.export.compatPrompt"),e,{tips:3}):i({list:['
      • '+s.$t("table.tools.export.csvText")+"
      • "].join(""),done:function(e,t){t.on("click",function(){var e=f(this).data("type");w.exportFile.call(o,a.id,null,e)})}})}},print:{title:s.$t("table.tools.print.title"),layEvent:"LAYTABLE_PRINT",icon:"layui-icon-print",onClick:function(e){var t=e.data,e=e.elem;if(!t.length)return g.tips(s.$t("table.tools.print.noDataPrompt"),e,{tips:3});var t=window.open("about:blank","_blank"),e=[""].join(""),a=f(o.layHeader.html());a.append(o.layMain.find("table").html()),a.append(o.layTotal.find("table").html()),a.find("th.layui-table-patch").remove(),a.find("thead>tr>th."+L).filter(function(e,t){return!f(t).children("."+K).length}).remove(),a.find("tbody>tr>td."+L).remove(),t.document.write(e+a.prop("outerHTML")),t.document.close(),layui.device("edg").edg?(t.onafterprint=t.close,t.print()):(t.print(),t.close())}}});"object"==typeof e.defaultToolbar&&(l=[],e.defaultToolbar=f.map(e.defaultToolbar,function(e,t){var a="string"==typeof e,i=a?n[e]:e;return i&&(!(i=i.name&&n[i.name]?f.extend({},n[i.name],i):i).name&&a&&(i.name=e),l.push('
        ')),i}),o.layTool.find(".layui-table-tool-self").html(l.join("")))},a.prototype.renderPagebar=function(){var e,t=this.config,a=this.layPagebar=f('
        ');t.pagebar&&((e=f(t.pagebar).html()||"")&&a.append(m(e).render(t)),this.layPage.append(a))},a.prototype.setParentCol=function(e,t){var a=this.config,i=this.layHeader.find('th[data-key="'+t+'"]'),l=parseInt(i.attr("colspan"))||0;i[0]&&(t=t.split("-"),t=a.cols[t[1]][t[2]],e?l--:l++,i.attr("colspan",l),i[l?"removeClass":"addClass"](N),t.colspan2=l,t.hide=l<1,a=i.data("parentkey"))&&this.setParentCol(e,a)},a.prototype.setColsPatch=function(){var a=this,e=a.config;layui.each(e.cols,function(e,t){layui.each(t,function(e,t){t.hide&&a.setParentCol(t.hide,t.parentKey)})})},a.prototype.setGroupWidth=function(i){var e,l=this;l.config.cols.length<=1||((e=l.layHeader.find((i?"th[data-key="+i.data("parentkey")+"]>":"")+"."+K)).css("width",0),layui.each(e.get().reverse(),function(){var e=f(this),t=e.parent().data("key"),a=0;l.layHeader.eq(0).find("th[data-parentkey="+t+"]").width(function(e,t){f(this).hasClass(N)||0o.layMain.prop("clientHeight")&&(e.style.width=parseFloat(e.style.width)-i+"px")}),!p&&y?h.width(o.getContentWidth(l)):h.width("auto"),o.setGroupWidth()},a.prototype.resize=function(e){var t=this;if(e){if(e.target._lay_lastSize&&Math.abs(e.target._lay_lastSize.height-e.contentRect.height)<2&&Math.abs(e.target._lay_lastSize.width-e.contentRect.width)<2)return;e.target._lay_lastSize={height:e.contentRect.height,width:e.contentRect.width}}t.layMain&&("isConnected"in t.layMain[0]?t.layMain[0].isConnected:f.contains(document.body,t.layMain[0]))&&(t.fullSize(),t.setColsWidth(),t.scrollPatch())},a.prototype.reload=function(e,t,a){var i=this;e=e||{},delete i.haveInit,layui.each(e,function(e,t){"array"===layui.type(t)&&delete i.config[e]}),i.config=f.extend(t,{},i.config,e),"reloadData"!==a&&(layui.each(i.config.cols,function(e,t){layui.each(t,function(e,t){delete t.colspan2})}),delete i.config.HAS_SET_COLS_PATCH),i.render(a)},a.prototype.errorView=function(e){var t=this,a=t.layMain.find("."+y),e=f('
        '+(e||"Error")+"
        ");a[0]&&(t.layNone.remove(),a.remove()),t.layFixed.addClass(N),t.layMain.find("tbody").html(""),t.layMain.append(t.layNone=e),t.layTotal.addClass(h),t.layPage.find(B).addClass(h),w.cache[t.key]=[],t.syncCheckAll(),t.renderForm(),t.setColsWidth(),t.loading(!1)},a.prototype.page=1,a.prototype.pullData=function(i,l){var e,t,n=this,o=n.config,a=(o.HAS_SET_COLS_PATCH||n.setColsPatch(),o.HAS_SET_COLS_PATCH=!0,o.request),r=o.response,d=function(){"object"==typeof o.initSort&&n.sort({field:o.initSort.field,type:o.initSort.type,reloadType:l.type})},c=function(e,t){n.setColsWidth(),n.loading(!1),"function"==typeof o.done&&o.done(e,i,e[r.countName],t),"function"==typeof l.done&&l.done()};l=l||{},"function"==typeof o.before&&o.before(o),n.startTime=(new Date).getTime(),l.renderData?((e={})[r.dataName]=w.cache[n.key],e[r.countName]=o.url?"object"===layui.type(o.page)?o.page.count:e[r.dataName].length:o.data.length,"object"==typeof o.totalRow&&(e[r.totalRowName]=f.extend({},n.totalRow)),n.renderData({res:e,curr:i,count:e[r.countName],type:l.type,sort:!0}),c(e,"renderData")):o.url?(t={},o.page&&(t[a.pageName]=i,t[a.limitName]=o.limit),a=f.extend(t,o.where),o.contentType&&0==o.contentType.indexOf("application/json")&&(a=JSON.stringify(a)),n.loading(!0),t={type:o.method||"get",url:o.url,contentType:o.contentType,data:a,dataType:o.dataType||"json",jsonpCallback:o.jsonpCallback,headers:o.headers||{},complete:"function"==typeof o.complete?o.complete:undefined,success:function(e){var t,a;(e="function"==typeof o.parseData?o.parseData(e)||e:e)[r.statusName]!=r.statusCode?n.errorView(e[r.msgName]||s.$t("table.dataFormatError",{statusName:r.statusName,statusCode:r.statusCode})):(t=e[r.countName],(a=Math.ceil(t/o.limit)||1)','
        "+function(){var e,t=f.extend(!0,{LAY_COL:l},o),a=w.config.checkName,i=w.config.disabledName;switch(l.type){case"checkbox":return'';case"radio":return'';case"numbers":return c}return l.toolbar?m(f(l.toolbar).html()||"").render(t):T.call(s,{item3:l,content:n,tplData:t})}(),"
        "].join(""),i.push(e),l.fixed&&"right"!==l.fixed&&r.push(e),"right"===l.fixed&&d.push(e))}),e=['data-index="'+e+'"'],o[w.config.checkName]&&e.push('class="'+S+'"'),e=e.join(" "),h.push(""+i.join("")+""),y.push(""+r.join("")+""),p.push(""+d.join("")+""))}),{trs:h,trs_fixed:y,trs_fixed_r:p}},w.getTrHtml=function(e,t){e=C(e);return e.getTrHtml(t,null,e.page)},a.prototype.renderData=function(e){var a=this,i=a.config,t=e.res,l=e.curr,n=a.count=e.count,o=e.sort,r=t[i.response.dataName]||[],t=t[i.response.totalRowName],d=[],c=[],s=[],u=function(){if(!o&&a.sortKey)return a.sort({field:a.sortKey.field,type:a.sortKey.sort,pull:!0,reloadType:e.type});a.getTrHtml(r,o,l,{trs:d,trs_fixed:c,trs_fixed_r:s}),"fixed"===i.scrollPos&&"reloadData"===e.type||a.layBody.scrollTop(0),"reset"===i.scrollPos&&a.layBody.scrollLeft(0),a.layMain.find("."+y).remove(),a.layMain.find("tbody").html(d.join("")),a.layFixLeft.find("tbody").html(c.join("")),a.layFixRight.find("tbody").html(s.join("")),a.syncCheckAll(),a.renderForm(),a.fullSize(),a.haveInit?a.scrollPatch():setTimeout(function(){a.scrollPatch()},50),a.haveInit=!0,a.needSyncFixedRowHeight&&a.calcFixedRowHeight(),g.close(a.tipsIndex)};return w.cache[a.key]=r,a.layTotal[0==r.length?"addClass":"removeClass"](h),a.layPage[i.page||i.pagebar?"removeClass":"addClass"](N),a.layPage.find(B)[!i.page||0==n||0===r.length&&1==l?"addClass":"removeClass"](h),0===r.length?a.errorView(i.text.none):(a.layFixLeft.removeClass(N),o?u():(u(),a.renderTotal(r,t),a.layTotal&&a.layTotal.removeClass(N),void(i.page&&(i.page=f.extend({elem:"layui-table-page"+i.index,count:n,limit:i.limit,limits:i.limits||[10,20,30,40,50,60,70,80,90],groups:3,layout:["prev","page","next","skip","count","limit"],prev:'',next:'',jump:function(e,t){t||(a.page=e.curr,i.limit=e.limit,a.pullData(e.curr))}},i.page),i.page.count=n,p.render(i.page)))))},w.renderData=function(e){e=C(e);e&&e.pullData(e.page,{renderData:!0,type:"reloadData"})},a.prototype.renderTotal=function(e,o){var r,d=this,c=d.config,s={};c.totalRow&&(layui.each(e,function(e,i){"array"===layui.type(i)&&0===i.length||d.eachCols(function(e,t){var e=t.field||e,a=i[e];t.totalRow&&(s[e]=(s[e]||0)+(parseFloat(a)||0))})}),d.dataTotal=[],r=[],d.eachCols(function(e,t){var e=t.field||e,a=o&&o[t.field],i="totalRowDecimals"in t?t.totalRowDecimals:2,i=s[e]?parseFloat(s[e]||0).toFixed(i):"",i=(n=t.totalRowText||"",(l={LAY_COL:t})[e]=i,l=t.totalRow&&T.call(d,{item3:t,content:i,tplData:l})||n,a||l),l="string"==typeof(n=t.totalRow||c.totalRow)?m(n).render(f.extend({TOTAL_NUMS:a||s[e],TOTAL_ROW:o||{},LAY_COL:t},t)):i,n=(t.field&&d.dataTotal.push({field:t.field,total:f("
        "+l+"
        ").text()}),['','
        "+l,"
        "].join(""));r.push(n)}),e=d.layTotal.find(".layui-table-patch"),d.layTotal.find("tbody").html(""+r.join("")+(e.length?e.get(0).outerHTML:"")+""))},a.prototype.getColElem=function(e,t){return e.eq(0).find(".laytable-cell-"+t+":eq(0)")},a.prototype.renderForm=function(e){var t=this.elem.attr("lay-filter");i.render(e,t)},a.prototype.renderFormByElem=function(a){layui.each(["input","select"],function(e,t){i.render(a.find(t))})},a.prototype.syncCheckAll=function(){var a,e=this,i=e.config,t=e.layHeader.find('input[name="layTableCheckbox"]'),l=w.checkStatus(e.key);t[0]&&(a=l.isAll,e.eachCols(function(e,t){"checkbox"===t.type&&(t[i.checkName]=a)}),t.prop({checked:l.isAll,indeterminate:!l.isAll&&l.data.length}))},a.prototype.setRowActive=function(e,t,a){e=this.layBody.find('tr[data-index="'+e+'"]');if(t=t||"layui-table-click",a)return e.removeClass(t);e.addClass(t),e.siblings("tr").removeClass(t)},a.prototype.setRowChecked=function(i){var a,e,l,t,n,o,r,d=this,c=d.config,s="all"===i.index,u="array"===layui.type(i.index),h=s||u;c.tree&&c.tree.view||h&&(d.layBox.addClass(G),"radio"===i.type)||(u&&(a={},layui.each(i.index,function(e,t){a[t]=!0}),i.index=a),e=d.layBody.children(".layui-table").children("tbody"),r=h?"tr":'tr[data-index="'+i.index+'"]',r=e.children(r),e=s?r:r.filter(u?function(){var e=f(this).data("index");return i.index[e]}:'[data-index="'+i.index+'"]'),i=f.extend({type:"checkbox"},i),l=w.cache[d.key],t="checked"in i,n=function(e){return"radio"===i.type||(t?i.checked:!e)},e.each(function(){var e=f(this),t=e.attr("data-index"),a=l[t];t&&"array"!==layui.type(a)&&!a[c.disabledName]&&(a=a[c.checkName]=n(e.hasClass(S)),e.toggleClass(S,!!a),"radio"===i.type)&&(o=t,e.siblings().removeClass(S))}),o&&layui.each(l,function(e,t){Number(o)!==Number(e)&&delete t[c.checkName]}),r=(u=(s=e.children("td").children(".layui-table-cell").children('input[lay-type="'+({radio:"layTableRadio",checkbox:"layTableCheckbox"}[i.type]||"checkbox")+'"]:not(:disabled)')).last()).closest(O),("radio"===i.type&&r.hasClass(N)?s.first():s).prop("checked",n(u.prop("checked"))),d.syncCheckAll(),h&&setTimeout(function(){d.layBox.removeClass(G)},100))},a.prototype.sort=function(l){var e,t=this,a={},i=t.config,n=i.elem.attr("lay-filter"),o=w.cache[t.key];"string"==typeof(l=l||{}).field&&(r=l.field,t.layHeader.find("th").each(function(e,t){var a=f(this),i=a.data("field");if(i===l.field)return l.field=a,r=i,!1}));try{var r=r||l.field.data("field"),d=l.field.data("key");if(t.sortKey&&!l.pull&&r===t.sortKey.field&&l.type===t.sortKey.sort)return;var c=t.layHeader.find("th .laytable-cell-"+d).find(D);t.layHeader.find("th").find(D).removeAttr("lay-sort"),c.attr("lay-sort",l.type||null),t.layFixed.find("th")}catch(s){b.error("Table modules: sort field '"+r+"' not matched")}t.sortKey={field:r,sort:l.type},i.autoSort&&("asc"===l.type?e=layui.sort(o,r,null,!0):"desc"===l.type?e=layui.sort(o,r,!0,!0):(e=layui.sort(o,w.config.initIndexName,null,!0),delete t.sortKey,delete i.initSort)),a[i.response.dataName]=e||o,t.renderData({res:a,curr:t.page,count:t.count,sort:!0,type:l.reloadType}),l.fromEvent&&(i.initSort={field:r,type:l.type},layui.event.call(l.field,R,"sort("+n+")",f.extend({config:i},i.initSort)))},a.prototype.loading=function(e){this.config.loading&&this.layBox.find(".layui-table-init").toggleClass(N,!e)},a.prototype.cssRules=function(t,a){var e=this.elem.children("style")[0];d.getStyleRules(e,function(e){if(e.selectorText===".laytable-cell-"+t)return a(e),!0})},a.prototype.fullSize=function(){var e,a,i=this,t=i.config,l=t.height;i.fullHeightGap?(l=o.height()-i.fullHeightGap)<135&&(l=135):i.parentDiv&&i.parentHeightGap?(l=f(i.parentDiv).height()-i.parentHeightGap)<135&&(l=135):i.customHeightFunc&&(l=i.customHeightFunc())<135&&(l=135),1
        ')).find("div").css({width:a}),e.find("tr").append(t)):e.find(".layui-table-patch").remove()};n(e.layHeader),n(e.layTotal);n=e.layMain.height()-i;e.layFixed.find(W).css("height",t.height()>=n?n:"auto").scrollTop(e.layMain.scrollTop()),e.layFixRight[w.cache[e.key]&&w.cache[e.key].length&&0');a.html(t),s.height&&a.css("max-height",s.height-(c.layTool.outerHeight()||50)),i.find("."+M)[0]||i.append(a),c.renderForm(),a.on("click",function(e){layui.stope(e)}),e.done&&e.done(a,t)};layui.stope(e),j.trigger("table.tool.panel.remove"),g.close(c.tipsIndex),layui.each(s.defaultToolbar,function(e,t){if(t.layEvent===a)return"function"==typeof t.onClick&&t.onClick({data:l,config:s,openPanel:n,elem:i}),!0}),layui.event.call(this,R,"toolbar("+o+")",f.extend({event:a,config:s},{}))}),c.layHeader.on("click","*[lay-event]",function(e){var t=f(this),a=t.attr("lay-event"),t=t.closest("th").data("key"),t=c.col(t);layui.event.call(this,R,"colTool("+o+")",f.extend({event:a,config:s,col:t},{}))}),c.layPagebar.on("click","*[lay-event]",function(e){var t=f(this).attr("lay-event");layui.event.call(this,R,"pagebar("+o+")",f.extend({event:t,config:s},{}))}),e.on("mousemove",function(e){var t=f(this),a=t.offset().left,e=e.clientX-a;t.data("unresize")||k.eventMoveElem||(d.allowResize=t.width()-e<=10,r.css("cursor",d.allowResize?"col-resize":""))}).on("mouseleave",function(){k.eventMoveElem||(d.allowResize=!1,r.css("cursor",""))}).on("mousedown",function(e){var t,a=f(this);d.allowResize&&(t=a.data("key"),e.preventDefault(),d.offset=[e.clientX,e.clientY],c.cssRules(t,function(e){var t=e.style.width||a.outerWidth();d.rule=e,d.ruleWidth=parseFloat(t),d.minWidth=a.data("minwidth")||s.cellMinWidth,d.maxWidth=a.data("maxwidth")||s.cellMaxWidth}),a.data(z,d),k.eventMoveElem=a)}),k.docEvent||j.on("mousemove",function(e){var t,a;k.eventMoveElem&&(t=k.eventMoveElem.data(z)||{},k.eventMoveElem.data("resizing",1),e.preventDefault(),t.rule)&&(e=t.ruleWidth+e.clientX-t.offset[0],a=k.eventMoveElem.closest("."+F).attr(_),a=C(a))&&((e=et.maxWidth&&(e=t.maxWidth),t.rule.style.width=e+"px",a.setGroupWidth(k.eventMoveElem),g.close(c.tipsIndex))}).on("mouseup",function(e){var t,a,i,l,n;k.eventMoveElem&&(i=(t=k.eventMoveElem).closest("."+F).attr(_),a=C(i))&&(i=t.data("key"),l=a.col(i),n=a.config.elem.attr("lay-filter"),d={},r.css("cursor",""),a.scrollPatch(),t.removeData(z),delete k.eventMoveElem,a.cssRules(i,function(e){l.width=parseFloat(e.style.width),layui.event.call(t[0],R,"colResized("+n+")",{col:l,config:a.config})}))}),k.docEvent=!0,e.on("click",function(e){var t=f(this),a=t.find(D),i=a.attr("lay-sort");if(!f(e.target).closest("[lay-event]")[0]){if(!a[0]||1===t.data("resizing"))return t.removeData("resizing");c.sort({field:t,type:"asc"===i?"desc":"desc"===i?null:"asc",fromEvent:!0})}}).find(D+" .layui-edge ").on("click",function(e){var t=f(this),a=t.index(),t=t.parents("th").eq(0).data("field");layui.stope(e),0===a?c.sort({field:t,type:"asc",fromEvent:!0}):c.sort({field:t,type:"desc",fromEvent:!0})}),c.commonMember=function(e){var a=f(this).parents("tr").eq(0).data("index"),t=c.layBody.find('tr[data-index="'+a+'"]'),i=(w.cache[c.key]||[])[a]||{},l={tr:t,config:s,data:w.clearCacheKey(i),dataCache:i,index:a,del:function(){w.cache[c.key][a]=[],t.remove(),c.scrollPatch()},update:function(e,t){c.updateRow({index:a,data:e=e||{},related:t},function(e,t){l.data[e]=t})},setRowChecked:function(e){c.setRowChecked(f.extend({index:a},e))}};return f.extend(l,e)}),t=(c.elem.on("click",'input[name="layTableCheckbox"]+',function(e){var t=f(this),a=t.closest("td"),t=t.prev(),i=t.parents("tr").eq(0).data("index"),l=t[0].checked,n="layTableAllChoose"===t.attr("lay-filter");t[0].disabled||(n?c.setRowChecked({index:"all",checked:l}):c.setRowChecked({index:i,checked:l}),layui.stope(e),layui.event.call(t[0],R,"checkbox("+o+")",h.call(t[0],{checked:l,type:n?"all":"one",getCol:function(){return c.col(a.data("key"))}})))}),c.elem.on("click",'input[lay-type="layTableRadio"]+',function(e){var t=f(this),a=t.closest("td"),t=t.prev(),i=t[0].checked,l=t.parents("tr").eq(0).data("index");if(layui.stope(e),t[0].disabled)return!1;c.setRowChecked({type:"radio",index:l}),layui.event.call(t[0],R,"radio("+o+")",h.call(t[0],{checked:i,getCol:function(){return c.col(a.data("key"))}}))}),c.layBody.on("mouseenter","tr",function(){var e=f(this),t=e.index();e.data("off")||((e=c.layBody.find("tr:eq("+t+")")).addClass(E),c.needSyncFixedRowHeight&&c.fixedRowHeightPatchOnHover(this,e,!0))}).on("mouseleave","tr",function(){var e=f(this),t=e.index();e.data("off")||((e=c.layBody.find("tr:eq("+t+")")).removeClass(E),c.needSyncFixedRowHeight&&c.fixedRowHeightPatchOnHover(this,e,!1))}).on("click","tr",function(e){t.call(this,"row",e)}).on("dblclick","tr",function(e){t.call(this,"rowDouble",e)}).on("contextmenu","tr",function(e){s.defaultContextmenu||e.preventDefault(),t.call(this,"rowContextmenu",e)}),function(e,t){var a=f(this);if(!a.data("off")){if("rowContextmenu"!==e){var i=[".layui-form-checkbox",".layui-form-switch",".layui-form-radio","[lay-unrow]",'[lay-type="layTableCheckbox"]','[lay-type="layTableRadio"]'].join(",");if(f(t.target).is(i)||f(t.target).closest(i)[0])return}layui.event.call(this,R,e+"("+o+")",h.call(a.children("td")[0],{e:t}))}}),n=function(e,t){var a,i,l;(e=f(e)).data("off")||(l=e.data("field"),i=e.data("key"),i=c.col(i),a=e.closest("tr").data("index"),a=w.cache[c.key][a],(i="function"==typeof i.edit?i.edit(a):i.edit)&&((i=f("textarea"===i?'':''))[0].value=(l=e.data("content")||a[l])===undefined||null===l?"":l,e.find("."+H)[0]||e.append(i),i.focus(),t)&&layui.stope(t))},i=(c.layBody.on("change","."+H,function(){var e=f(this),t=e.parent(),a=this.value,i=e.parent().data("field"),e=e.closest("tr").data("index"),e=w.cache[c.key][e],l=h.call(t[0],{value:a,field:i,oldValue:e[i],td:t,reedit:function(){setTimeout(function(){n(l.td);var e={};e[i]=l.oldValue,l.update(e)})},getCol:function(){return c.col(t.data("key"))}}),e={};e[i]=a,l.update(e),layui.event.call(t[0],R,"edit("+o+")",l)}).on("blur","."+H,function(){f(this).remove()}),c.layBody.on(s.editTrigger,"td",function(e){n(this,e)}).on("mouseenter","td",function(){a.call(this)}).on("mouseleave","td",function(){a.call(this,"hide")}),c.layTotal.on("mouseenter","td",function(){a.call(this)}).on("mouseleave","td",function(){a.call(this,"hide")}),"layui-table-grid-down"),a=function(e){var t=f(this),a=t.children(u);t.data("off")||t.parent().hasClass(A)||(e?t.find(".layui-table-grid-down").remove():!(a.prop("scrollWidth")>a.prop("clientWidth")||0'))},l=function(e,t){var a=f(this),i=a.parent(),l=i.data("key"),n=c.col(l),o=i.parent().data("index"),r=i.children(u),i="layui-table-cell-c",d=f('');"tips"===(t=t||n.expandedMode||s.cellExpandedMode)?c.tipsIndex=g.tips(['
        ',r.html(),"
        ",''].join(""),r[0],{tips:[3,""],time:-1,anim:-1,maxWidth:x.ios||x.android?300:c.elem.width()/2,isOutAnim:!1,skin:"layui-table-tips",success:function(e,t){e.find(".layui-table-tips-c").on("click",function(){g.close(t)})}}):(c.elem.find("."+i).trigger("click"),c.cssRules(l,function(e){var t=e.style.width,a=n.expandedWidth||s.cellExpandedWidth;a.layui-table-body>table>tbody>tr"),i=e.layFixRight.find(">.layui-table-body>table>tbody>tr"),t=t.find(">tbody>tr"),l=[];t.each(function(){l.push(e.getElementSize(this).height)}),a.length&&a.each(function(e){l[e]&&(this.style.height=l[e]+"px")}),i.length&&i.each(function(e){l[e]&&(this.style.height=l[e]+"px")})},a.prototype.fixedRowHeightPatchOnHover=function(t,e,a){var i,l=this,n=l.elem.children("style")[0],o="."+r;e.toggleClass(r,a),a?d.getStyleRules(n,function(e){e.selectorText===o&&e.style.setProperty("height",l.getElementSize(t).height+"px","important")}):(d.getStyleRules(n,function(e){e.selectorText===o&&e.style.setProperty("height","auto")}),(e=e.filter(function(){var e=f(this),t=0tr").each(function(i){n.cols[i]=[],f(this).children().each(function(e){var t=f(this),a=t.attr("lay-data"),a=d.options(this,{attr:a?"lay-data":null,errorText:r+(a||t.attr("lay-options"))}),t=f.extend({title:t.text(),colspan:parseInt(t.attr("colspan"))||1,rowspan:parseInt(t.attr("rowspan"))||1},a);n.cols[i].push(t)})}),e.find("tbody>tr")),t=w.render(n);!a.length||o.data||t.config.url||(l=0,w.eachCols(t.config.id,function(e,i){a.each(function(e){n.data[e]=n.data[e]||{};var t=f(this),a=i.field;n.data[e][a]=t.children("td").eq(l).html()}),l++}),t.reloadData({data:n.data}))}),this},k.that={},k.config={},function(a,i,e,l){var n,o;l.colGroup&&(n=0,a++,l.CHILD_COLS=[],o=e+(parseInt(l.rowspan)||1),layui.each(i[o],function(e,t){t.parentKey?t.parentKey===l.key&&(t.PARENT_COL_INDEX=a,l.CHILD_COLS.push(t),$(a,i,o,t)):t.PARENT_COL_INDEX||1<=n&&n==(l.colspan||1)||(t.PARENT_COL_INDEX=a,l.CHILD_COLS.push(t),n+=parseInt(1td').filter('[data-field="'+e+'"]')}}})).replace(/"/g,'""'),n.push(a='"'+a+'"')):t.field&&"normal"!==t.type&&0==i&&(u[t.field]=!0)}),c.push(n.join(","))}),o&&layui.each(o.dataTotal,function(e,t){u[t.field]||s.push('"'+(t.total||"")+'"')}),d.join(",")+"\r\n"+c.join("\r\n")+"\r\n"+s.join(","))),r.download=(a.title||l.title||"table_"+(l.index||""))+"."+i,document.body.appendChild(r),r.click(),document.body.removeChild(r)},w.getOptions=l,w.hideCol=function(e,l){var n=C(e);n&&("boolean"===layui.type(l)?n.eachCols(function(e,t){var a=t.key,i=n.col(a),t=t.parentKey;i.hide!=l&&(i=i.hide=l,n.elem.find('*[data-key="'+a+'"]')[i?"addClass":"removeClass"](N),n.setParentCol(i,t))}):(l=layui.isArray(l)?l:[l],layui.each(l,function(e,l){n.eachCols(function(e,t){var a,i;l.field===t.field&&(a=t.key,i=n.col(a),t=t.parentKey,"hide"in l)&&i.hide!=l.hide&&(i=i.hide=!!l.hide,n.elem.find('*[data-key="'+a+'"]')[i?"addClass":"removeClass"](N),n.setParentCol(i,t))})})),f("."+M).remove(),n.resize())},w.reload=function(e,t,a,i){if(l(e))return(e=C(e)).reload(t,a,i),k.call(e)},w.reloadData=function(){var a=f.extend([],arguments),i=(a[3]="reloadData",new RegExp("^("+["elem","id","cols","width","height","maxHeight","toolbar","defaultToolbar","className","css","pagebar"].join("|")+")$"));return layui.each(a[1],function(e,t){i.test(e)&&delete a[1][e]}),w.reload.apply(null,a)},w.render=function(e){e=new a(e);return k.call(e)},w.clearCacheKey=function(e){return delete(e=f.extend({},e))[w.config.checkName],delete e[w.config.indexName],delete e[w.config.initIndexName],delete e[w.config.numbersName],delete e[w.config.disabledName],e},f(function(){w.init()}),c(R,w)});layui.define(["table"],function(e){"use strict";var P=layui.$,h=layui.form,B=layui.table,y=layui.hint(),j={config:{},on:B.on,eachCols:B.eachCols,index:B.index,set:function(e){var t=this;return t.config=P.extend({},t.config,e),t},resize:B.resize,getOptions:B.getOptions,hideCol:B.hideCol,renderData:B.renderData},i=function(){var a=this,e=a.config,n=e.id||e.index;return{config:e,reload:function(e,t){a.reload.call(a,e,t)},reloadData:function(e,t){j.reloadData(n,e,t)}}},F=function(e){var t=i.that[e];return t||y.error(e?"The treeTable instance with ID '"+e+"' not found":"ID argument required"),t||null},L="lay-table-id",q="layui-hide",s=".layui-table-body",R=".layui-table-main",Y=".layui-table-fixed-l",z=".layui-table-fixed-r",n="layui-table-checked",m="layui-table-tree",H="LAY_DATA_INDEX",b="LAY_DATA_INDEX_HISTORY",f="LAY_PARENT_INDEX",g="LAY_CHECKBOX_HALF",X="LAY_EXPAND",V="LAY_HAS_EXPANDED",U="LAY_ASYNC_STATUS",l=["all","parent","children","none"],t=/<[^>]+?>/,p=["flexIconClose","flexIconOpen","iconClose","iconOpen","iconLeaf","icon"],a=function(e){var t=this;t.index=++j.index,t.config=P.extend(!0,{},t.config,j.config,e),t.init(),t.render()},x=function(n,i,e){var l=B.cache[n];layui.each(e||l,function(e,t){var a=t[H]||"";-1!==a.indexOf("-")&&(l[a]=t),t[i]&&x(n,i,t[i])})},d=function(d,a,e){var r=F(d),o=("reloadData"!==e&&(r.status={expand:{}}),P.extend(!0,{},r.getOptions(),a)),n=o.tree,c=n.customName.children,i=n.customName.id,l=(delete a.hasNumberCol,delete a.hasChecboxCol,delete a.hasRadioCol,B.eachCols(null,function(e,t){"numbers"===t.type?a.hasNumberCol=!0:"checkbox"===t.type?a.hasChecboxCol=!0:"radio"===t.type&&(a.hasRadioCol=!0)},o.cols),a.parseData),u=a.done;"reloadData"===e&&"fixed"===o.scrollPos&&(r.scrollTopCache=r.config.elem.next().find(s).scrollTop()),o.url?e&&(!l||l.mod)||(a.parseData=function(){var e=this,t=arguments,a=t[0],t=("function"===layui.type(l)&&(a=l.apply(e,t)||t[0]),e.response.dataName);return n.data.isSimpleData&&!n["async"].enable&&(a[t]=r.flatToTree(a[t])),N(a[t],function(e){e[X]=X in e?e[X]:e[i]!==undefined&&r.status.expand[e[i]]},c),e.autoSort&&e.initSort&&e.initSort.type&&layui.sort(a[t],e.initSort.field,"desc"===e.initSort.type,!0),r.initData(a[t]),a},a.parseData.mod=!0):a.data!==undefined&&(a.data=a.data||[],n.data.isSimpleData&&(a.data=r.flatToTree(a.data)),r.initData(a.data)),e&&(!u||u.mod)||(a.done=function(){var e,t=arguments,a=t[3],n="renderData"===a,i=(n||delete r.isExpandAll,this.elem.next()),l=(r.updateStatus(null,{LAY_HAS_EXPANDED:!1}),x(d,c),i.find('[name="layTableCheckbox"][lay-filter="layTableAllChoose"]'));if(l.length&&(e=j.checkStatus(d),l.prop({checked:e.isAll&&e.data.length,indeterminate:!e.isAll&&e.data.length})),!n&&o.autoSort&&o.initSort&&o.initSort.type&&j.sort(d),r.renderTreeTable(i),"reloadData"===a&&"fixed"===this.scrollPos&&i.find(s).scrollTop(r.scrollTopCache),"function"===layui.type(u))return u.apply(this,t)},a.done.mod=!0),a&&a.tree&&a.tree.view&&layui.each(p,function(e,t){a.tree.view[t]!==undefined&&(a.tree.view[t]=r.normalizedIcon(a.tree.view[t]))})};a.prototype.init=function(){var e=this.config,t=e.tree.data.cascade,t=(-1===l.indexOf(t)&&(e.tree.data.cascade="all"),B.render(P.extend({},e,{data:[],url:"",done:null}))),a=t.config.id;(i.that[a]=this).tableIns=t,d(a,e)},a.prototype.config={tree:{customName:{children:"children",isParent:"isParent",name:"name",id:"id",pid:"parentId",icon:"icon"},view:{indent:14,flexIconClose:'',flexIconOpen:'',showIcon:!0,icon:"",iconClose:'',iconOpen:'',iconLeaf:'',showFlexIconIfNotParent:!1,dblClickExpand:!0,expandAllDefault:!1},data:{isSimpleData:!1,rootPid:null,cascade:"all"},"async":{enable:!1,url:"",type:null,contentType:null,headers:null,where:null,autoParam:[]},callback:{beforeExpand:null,onExpand:null}}},a.prototype.normalizedIcon=function(e){return e?t.test(e)?e:'':""},a.prototype.getOptions=function(){return this.tableIns?B.getOptions(this.tableIns.config.id):this.config},a.prototype.flatToTree=function(e){var n,i,l,d,r,o,c,u,t=this.getOptions(),a=t.tree,s=a.customName;return e=e||B.cache[t.id],t=e,n=s.id,i=s.pid,l=s.children,d=a.data.rootPid,n=n||"id",i=i||"parentId",l=l||"children",c={},u=[],layui.each(t,function(e,t){r=n+t[n],o=n+t[i],c[r]||(c[r]={},c[r][l]=[]);var a={};a[l]=c[r][l],c[r]=P.extend({},t,a),((d?c[r][i]===d:!c[r][i])?u:(c[o]||(c[o]={},c[o][l]=[]),c[o][l])).push(c[r])}),u},a.prototype.treeToFlat=function(e,n,i){var l=this,d=l.getOptions().tree.customName,r=d.children,o=d.pid,c=[];return layui.each(e,function(e,t){var e=(i?i+"-":"")+e,a=P.extend({},t);a[o]="undefined"!=typeof t[o]?t[o]:n,c.push(a),c=c.concat(l.treeToFlat(t[r],t[d.id],e))}),c},a.prototype.getTreeNode=function(e){var t=this;return e?{data:e,dataIndex:e[H],getParentNode:function(){return t.getNodeByIndex(e[f])}}:y.error("Node data not found")},a.prototype.getNodeByIndex=function(t){var a,e,n=this,i=n.getNodeDataByIndex(t);return i?(a=n.getOptions().id,(e={data:i,dataIndex:i[H],getParentNode:function(){return n.getNodeByIndex(i[f])},update:function(e){return j.updateNode(a,t,e)},remove:function(){return j.removeNode(a,t)},expand:function(e){return j.expandNode(a,P.extend({},e,{index:t}))},setChecked:function(e){return j.setRowChecked(a,P.extend({},e,{index:t}))}}).dataIndex=t,e):y.error("Node data not found by index: "+t)},a.prototype.getNodeById=function(a){var e=this.getOptions(),n=e.tree.customName.id,i="",e=j.getData(e.id,!0);if(layui.each(e,function(e,t){if(t[n]===a)return i=t[H],!0}),i)return this.getNodeByIndex(i)},a.prototype.getNodeDataByIndex=function(e,t,a){var n=this.getOptions(),i=n.tree,n=B.cache[n.id],l=n[e];if("delete"!==a&&l)return P.extend(l,a),t?P.extend({},l):l;for(var d=n,r=String(e).split("-"),o=0,c=i.customName.children;o
        '),I=function(e){p[U]="success",p[f.children]=e,u.initData(p[f.children],p[H]),K(t,!0,!x&&n,i,l,d)},D=b.format,"function"===layui.type(D)?D(p,c,I):(C=P.extend({},b.where||c.where),D=b.autoParam,layui.each(D,function(e,t){t=t.split("=");C[t[0].trim()]=p[(t[1]||t[0]).trim()]}),(D=b.contentType||c.contentType)&&0==D.indexOf("application/json")&&(C=JSON.stringify(C)),S=b.method||c.method,T=b.dataType||c.dataType,_=b.jsonpCallback||c.jsonpCallback,k=b.headers||c.headers,w=b.parseData||c.parseData,O=b.response||c.response,b={type:S||"get",url:g,contentType:D,data:C,dataType:T||"json",jsonpCallback:_,headers:k||{},success:function(e){(e="function"==typeof w?w.call(c,e)||e:e)[O.statusName]!=O.statusCode?(p[U]="error",p[X]=!1,v.html('')):I(e[O.dataName])},error:function(e,t){p[U]="error",p[X]=!1,"function"==typeof c.error&&c.error(e,t)}},c.ajax?c.ajax(b,"treeNodes"):P.ajax(b)),m;p[V]=!0,N.length&&(!c.initSort||c.url&&!c.autoSort||((S=c.initSort).type?layui.sort(N,S.field,"desc"===S.type,!0):layui.sort(N,B.config.indexName,null,!0)),u.initData(p[f.children],p[H]),g=B.getTrHtml(o,N,null,null,e),E={trs:P(g.trs.join("")),trs_fixed:P(g.trs_fixed.join("")),trs_fixed_r:P(g.trs_fixed_r.join(""))},A=(e.split("-").length-1||0)+1,layui.each(N,function(e,t){E.trs.eq(e).attr({"data-index":t[H],"lay-data-index":t[H],"data-level":A}).data("index",t[H]),E.trs_fixed.eq(e).attr({"data-index":t[H],"lay-data-index":t[H],"data-level":A}).data("index",t[H]),E.trs_fixed_r.eq(e).attr({"data-index":t[H],"lay-data-index":t[H],"data-level":A}).data("index",t[H])}),r.find(R).find('tbody tr[lay-data-index="'+e+'"]').after(E.trs),r.find(Y).find('tbody tr[lay-data-index="'+e+'"]').after(E.trs_fixed),r.find(z).find('tbody tr[lay-data-index="'+e+'"]').after(E.trs_fixed_r),u.renderTreeTable(E.trs,A),n)&&!x&&layui.each(N,function(e,t){K({dataIndex:t[H],trElem:r.find('tr[lay-data-index="'+t[H]+'"]').first(),tableViewElem:r,tableId:o,options:c},a,n,i,l,d)})}else u.isExpandAll=!1,(n&&!x?(layui.each(N,function(e,t){K({dataIndex:t[H],trElem:r.find('tr[lay-data-index="'+t[H]+'"]').first(),tableViewElem:r,tableId:o,options:c},a,n,i,l,d)}),r.find(N.map(function(e,t,a){return'tr[lay-data-index="'+e[H]+'"]'}).join(","))):(D=u.treeToFlat(N,p[f.id],e),r.find(D.map(function(e,t,a){return'tr[lay-data-index="'+e[H]+'"]'}).join(",")))).addClass(q);J("resize-"+o,function(){j.resize(o)},0)(),l&&"loading"!==p[U]&&(T=s.callback.onExpand,"function"===layui.type(T))&&T(o,p,h),"function"===layui.type(d)&&"loading"!==p[U]&&d(o,p,h)}return m},v=(j.expandNode=function(e,t){var a,n,i,l,e=F(e);if(e)return a=(t=t||{}).index,n=t.expandFlag,i=t.inherit,l=t.callbackFlag,e=e.getOptions().elem.next(),K({trElem:e.find('tr[lay-data-index="'+a+'"]').first()},n,i,null,l,t.done)},j.expandAll=function(a,e){if("boolean"!==layui.type(e))return y.error('treeTable.expandAll param "expandFlag" must be a boolean value.');var t=F(a);if(t){t.isExpandAll=e;var n=t.getOptions(),i=n.tree,l=n.elem.next(),d=i.customName.isParent,r=i.customName.id,o=i.view.showFlexIconIfNotParent;if(e){e=j.getData(a,!0);if(i["async"].enable){var c=!0;if(layui.each(e,function(e,t){if(t[d]&&!t[U])return!(c=!1)}),!c)return void layui.each(j.getData(a),function(e,t){j.expandNode(a,{index:t[H],expandFlag:!0,inherit:!0})})}var u=!0;if(layui.each(e,function(e,t){if(t[d]&&!t[V])return!(u=!1)}),u)t.updateStatus(null,function(e){(e[d]||o)&&(e[X]=!0,e[r]!==undefined)&&(t.status.expand[e[r]]=!0)}),l.find('tbody tr[data-level!="0"]').removeClass(q),l.find(".layui-table-tree-flexIcon").html(i.view.flexIconOpen),i.view.showIcon&&l.find(".layui-table-tree-nodeIcon:not(.layui-table-tree-iconCustom,.layui-table-tree-iconLeaf)").html(i.view.iconOpen);else{if(t.updateStatus(null,function(e){(e[d]||o)&&(e[X]=!0,e[V]=!0,e[r]!==undefined)&&(t.status.expand[e[r]]=!0)}),n.initSort&&n.initSort.type&&n.autoSort)return j.sort(a);var s,n=B.getTrHtml(a,e),f={trs:P(n.trs.join("")),trs_fixed:P(n.trs_fixed.join("")),trs_fixed_r:P(n.trs_fixed_r.join(""))};layui.each(e,function(e,t){var a=t[H].split("-").length-1;s={"data-index":t[H],"lay-data-index":t[H],"data-level":a},f.trs.eq(e).attr(s).data("index",t[H]),f.trs_fixed.eq(e).attr(s).data("index",t[H]),f.trs_fixed_r.eq(e).attr(s).data("index",t[H])}),layui.each(["main","fixed-l","fixed-r"],function(e,t){l.find(".layui-table-"+t+" tbody").html(f[["trs","trs_fixed","trs_fixed_r"][e]])}),t.renderTreeTable(l,0,!1)}}else t.updateStatus(null,function(e){(e[d]||o)&&(e[X]=!1,e[r]!==undefined)&&(t.status.expand[e[r]]=!1)}),l.find('.layui-table-box tbody tr[data-level!="0"]').addClass(q),l.find(".layui-table-tree-flexIcon").html(i.view.flexIconClose),i.view.showIcon&&l.find(".layui-table-tree-nodeIcon:not(.layui-table-tree-iconCustom,.layui-table-tree-iconLeaf)").html(i.view.iconClose);j.resize(a)}},a.prototype.updateNodeIcon=function(e){var t=this.getOptions().tree||{},a=e.scopeEl,n=e.isExpand,e=e.isParent;a.find(".layui-table-tree-flexIcon").css("visibility",e||t.view.showFlexIconIfNotParent?"visible":"hidden").html(n?t.view.flexIconOpen:t.view.flexIconClose),t.view.showIcon&&(a=a.find(".layui-table-tree-nodeIcon:not(.layui-table-tree-iconCustom)"),n=e?n?t.view.iconOpen:t.view.iconClose:t.view.iconLeaf,a.toggleClass("layui-table-tree-iconLeaf",!e).html(n))},a.prototype.renderTreeTable=function(e,t,a){var l=this,n=l.getOptions(),d=n.elem.next(),i=(d.hasClass(m)||d.addClass(m),n.id),r=n.tree||{},o=r.view||{},c=r.customName||{},u=c.isParent,s=l,f=n.data.length,y=((t=t||0)||(d.find(".layui-table-body tr:not([data-level])").attr("data-level",t),layui.each(B.cache[i],function(e,t){f&&(t[H]=String(e));t=t[H];d.find('.layui-table-main tbody tr[data-level="0"]:eq('+e+")").attr("lay-data-index",t),d.find('.layui-table-fixed-l tbody tr[data-level="0"]:eq('+e+")").attr("lay-data-index",t),d.find('.layui-table-fixed-r tbody tr[data-level="0"]:eq('+e+")").attr("lay-data-index",t)})),null),p=c.name,x=o.indent||14;if(layui.each(e.find('td[data-field="'+p+'"]'),function(e,t){var a,n,i=(t=P(t)).closest("tr"),t=t.children(".layui-table-cell");t.hasClass("layui-table-tree-item")||(n=i.attr("lay-data-index"))&&(i=d.find('tr[lay-data-index="'+n+'"]'),(a=s.getNodeDataByIndex(n))[X]&&a[u]&&((y=y||{})[n]=!0),a[g]&&i.find('input[type="checkbox"][name="layTableCheckbox"]').prop("indeterminate",!0),n=t.html(),(t=i.find('td[data-field="'+p+'"]>div.layui-table-cell')).addClass("layui-table-tree-item"),t.html(['
        ',a[X]?o.flexIconOpen:o.flexIconClose,"
        ",o.showIcon?'
        '+(l.normalizedIcon(a[c.icon])||o.icon||(a[u]?a[X]?o.iconOpen:o.iconClose:o.iconLeaf)||"")+"
        ":"",n].join("")).find(".layui-table-tree-flexIcon").on("click",function(e){layui.stope(e),K({trElem:i},null,null,null,!0)}))}),!t&&r.view.expandAllDefault&&l.isExpandAll===undefined)return j.expandAll(i,!0);(!1!==a&&y?(layui.each(y,function(e,t){e=d.find('tr[lay-data-index="'+e+'"]');e.find(".layui-table-tree-flexIcon").html(o.flexIconOpen),K({trElem:e.first()},!0)}),J("renderTreeTable2-"+i,function(){h.render(P(".layui-table-tree["+L+'="'+i+'"]'))},0)):J("renderTreeTable-"+i,function(){n.hasNumberCol&&v(l),h.render(P(".layui-table-tree["+L+'="'+i+'"]'))},0))()},function(a){var e=a.getOptions(),t=e.elem.next(),n=0,i=t.find(".layui-table-main tbody tr"),l=t.find(".layui-table-fixed-l tbody tr"),d=t.find(".layui-table-fixed-r tbody tr");layui.each(a.treeToFlat(B.cache[e.id]),function(e,t){t.LAY_HIDE||(a.getNodeDataByIndex(t[H]).LAY_NUM=++n,i.eq(e).find(".laytable-cell-numbers").html(n),l.eq(e).find(".laytable-cell-numbers").html(n),d.eq(e).find(".laytable-cell-numbers").html(n))})}),N=(a.prototype.render=function(e){var t=this;t.tableIns=B["reloadData"===e?"reloadData":"reload"](t.tableIns.config.id,P.extend(!0,{},t.config)),t.config=t.tableIns.config},a.prototype.reload=function(e,t,a){var n=this;e=e||{},delete n.haveInit,layui.each(e,function(e,t){"array"===layui.type(t)&&delete n.config[e]}),d(n.getOptions().id,e,a||!0),n.config=P.extend(t,{},n.config,e),n.render(a)},j.reloadData=function(){var e=P.extend(!0,[],arguments);return e[3]="reloadData",j.reload.apply(null,e)},function(e,a,n,i){var l=[];return layui.each(e,function(e,t){"function"===layui.type(a)?a(t):P.extend(t,a),l.push(P.extend({},t)),i||(l=l.concat(N(t[n],a,n,i)))}),l}),o=(a.prototype.updateStatus=function(e,t,a){var n=this.getOptions(),i=n.tree;return e=e||B.cache[n.id],N(e,t,i.customName.children,a)},a.prototype.getTableData=function(){var e=this.getOptions();return B.cache[e.id]},j.updateStatus=function(e,t,a){var e=F(e),n=e.getOptions();return a=a||(n.url?B.cache[n.id]:n.data),e.updateStatus(a,t)},j.sort=function(e){var t,a,i,l,n,d=F(e);d&&(n=(t=d.getOptions()).tree,a=j.getData(e),i=n.customName.children,l=function(e,a,n){layui.sort(e,a,n,!0),layui.each(e,function(e,t){l(t[i]||[],a,n)})},t.autoSort)&&((n=t.initSort).type?l(a,n.field,"desc"===n.type):l(a,B.config.indexName,null),B.cache[e]=a,d.initData(a),j.renderData(e))},function(n){var t=n.config.id,i=F(t),a=n.data=j.getNodeDataByIndex(t,n.index),l=a[H],d=(n.dataIndex=l,n.update);n.update=function(){var e=arguments,t=(P.extend(i.getNodeDataByIndex(l),e[0]),d.apply(this,e)),a=n.config.tree.customName.name;return a in e[0]&&n.tr.find('td[data-field="'+a+'"]').children("div.layui-table-cell").removeClass("layui-table-tree-item"),i.renderTreeTable(n.tr,n.tr.attr("data-level"),!1),t},n.del=function(){j.removeNode(t,a)},n.setRowChecked=function(e){j.setRowChecked(t,{index:a,checked:e})}}),u=(j.updateNode=function(e,a,t){var n,i,l,d,r,o=F(e);o&&(d=(n=o.getOptions().elem.next()).find('tr[lay-data-index="'+a+'"]'),i=d.attr("data-index"),l=d.attr("data-level"),t)&&(d=o.getNodeDataByIndex(a,!1,t),r=B.getTrHtml(e,[d]),layui.each(["main","fixed-l","fixed-r"],function(e,t){n.find(".layui-table-"+t+' tbody tr[lay-data-index="'+a+'"]').replaceWith(P(r[["trs","trs_fixed","trs_fixed_r"][e]].join("")).attr({"data-index":i,"lay-data-index":a,"data-level":l}).data("index",i))}),o.renderTreeTable(n.find('tr[lay-data-index="'+a+'"]'),l))},j.removeNode=function(e,t,a){var n,i,l,d,r,o,c,u,s=F(e);s&&(i=(u=(n=s.getOptions()).tree).customName.isParent,l=u.customName.children,d=n.elem.next(),r=[],o=B.cache[e],t=s.getNodeDataByIndex("string"===layui.type(t)?t:t[H],!1,"delete"),c=s.getNodeDataByIndex(t[f]),s.updateCheckStatus(c),u=s.treeToFlat([t],t[u.customName.pid],t[f]),layui.each(u,function(e,t){t=t[H];r.push('tr[lay-data-index="'+t+'"]'),-1!==t.indexOf("-")&&delete o[t]}),d.find(r.join(",")).remove(),t=s.initData(),function(){for(var e in o)-1!==e.indexOf("-")&&e!==o[e][H]&&delete o[e]}(),layui.each(s.treeToFlat(t),function(e,t){t[b]&&t[b]!==t[H]&&d.find('tr[lay-data-index="'+t[b]+'"]').attr({"data-index":t[H],"lay-data-index":t[H]}).data("index",t[H])}),layui.each(o,function(e,t){d.find('tr[data-level="0"][lay-data-index="'+t[H]+'"]').attr("data-index",e).data("index",e)}),n.hasNumberCol&&v(s),c&&(u=d.find('tr[lay-data-index="'+c[H]+'"]'),a||(c[i]=!(!c[l]||!c[l].length)),s.updateNodeIcon({scopeEl:u,isExpand:c[X],isParent:c[i]})),j.resize(e))},j.addNodes=function(e,t){var a=F(e);if(a){var n=a.getOptions(),i=n.tree,l=n.elem.next(),d=B.config.checkName,r=(t=t||{}).parentIndex,o=t.index,c=t.data,t=t.focus,u=(r="number"===layui.type(r)?r.toString():r)?a.getNodeDataByIndex(r):null,o="number"===layui.type(o)?o:-1,c=P.extend(!0,[],layui.isArray(c)?c:[c]);if(layui.each(c,function(e,t){d in t||!u||(t[d]=u[d])}),u){var s=i.customName.isParent,f=i.customName.children;u[s]=!0;var y=(y=u[f])?(p=y.splice(-1===o?y.length:o),u[f]=y.concat(c,p)):u[f]=c,f=(a.updateStatus(y,function(e){(e[s]||i.view.showFlexIconIfNotParent)&&(e[V]=!1)}),a.treeToFlat(y));l.find(f.map(function(e){return'tr[lay-data-index="'+e[H]+'"]'}).join(",")).remove(),u[V]=!1,u[U]="local",K({trElem:l.find('tr[lay-data-index="'+r+'"]')},!0)}else{var p=B.cache[e].splice(-1===o?B.cache[e].length:o);if(B.cache[e]=B.cache[e].concat(c,p),n.url||(n.page?(y=n.page,n.data.splice.apply(n.data,[y.limit*(y.curr-1),y.limit].concat(B.cache[e]))):n.data=B.cache[e]),l.find(".layui-none").length)return B.renderData(e),c;var x,f=B.getTrHtml(e,c),h={trs:P(f.trs.join("")),trs_fixed:P(f.trs_fixed.join("")),trs_fixed_r:P(f.trs_fixed_r.join(""))},r=(layui.each(c,function(e,t){x={"data-index":t[H],"lay-data-index":t[H],"data-level":"0"},h.trs.eq(e).attr(x).data("index",t[H]),h.trs_fixed.eq(e).attr(x).data("index",t[H]),h.trs_fixed_r.eq(e).attr(x).data("index",t[H])}),parseInt(c[0][H])-1),y=l.find(R),n=l.find(Y),f=l.find(z);-1==r?y.find('tr[data-level="0"][data-index="0"]')[0]?(y.find('tr[data-level="0"][data-index="0"]').before(h.trs),n.find('tr[data-level="0"][data-index="0"]').before(h.trs_fixed),f.find('tr[data-level="0"][data-index="0"]').before(h.trs_fixed_r)):(y.find("tbody").prepend(h.trs),n.find("tbody").prepend(h.trs_fixed),f.find("tbody").prepend(h.trs_fixed_r)):-1===o?(y.find("tbody").append(h.trs),n.find("tbody").append(h.trs_fixed),f.find("tbody").append(h.trs_fixed_r)):(r=p[0][b],y.find('tr[data-level="0"][data-index="'+r+'"]').before(h.trs),n.find('tr[data-level="0"][data-index="'+r+'"]').before(h.trs_fixed),f.find('tr[data-level="0"][data-index="'+r+'"]').before(h.trs_fixed_r)),layui.each(B.cache[e],function(e,t){l.find('tr[data-level="0"][lay-data-index="'+t[H]+'"]').attr("data-index",e).data("index",e)}),a.renderTreeTable(l.find(c.map(function(e,t,a){return'tr[lay-data-index="'+e[H]+'"]'}).join(",")))}return a.updateCheckStatus(u),u&&(o=l.find('tr[lay-data-index="'+u[H]+'"]'),a.updateNodeIcon({scopeEl:o,isExpand:u[X],isParent:u[s]})),j.resize(e),t&&l.find(R).find('tr[lay-data-index="'+c[0][H]+'"]').get(0).scrollIntoViewIfNeeded(),c}},j.checkStatus=function(e,n){var i,t,a,l=F(e);if(l)return l=l.getOptions().tree,i=B.config.checkName,t=j.getData(e,!0).filter(function(e,t,a){return e[i]||n&&e[g]}),a=!0,layui.each("all"===l.data.cascade?B.cache[e]:j.getData(e,!0),function(e,t){if(!t[i])return!(a=!1)}),{data:t,isAll:a}},j.on("sort",function(e){var e=e.config,t=e.elem.next(),e=e.id;t.hasClass(m)&&j.sort(e)}),j.on("row",function(e){e.config.elem.next().hasClass(m)&&o(e)}),j.on("rowDouble",function(e){var t=e.config;t.elem.next().hasClass(m)&&(o(e),(t.tree||{}).view.dblClickExpand)&&K({trElem:e.tr.first()},null,null,null,!0)}),j.on("rowContextmenu",function(e){e.config.elem.next().hasClass(m)&&o(e)}),j.on("tool",function(e){e.config.elem.next().hasClass(m)&&o(e)}),j.on("edit",function(e){var t=e.config;t.elem.next().hasClass(m)&&(o(e),e.field===t.tree.customName.name)&&((t={})[e.field]=e.value,e.update(t))}),j.on("radio",function(e){var t=e.config,a=t.elem.next(),t=t.id;a.hasClass(m)&&(a=F(t),o(e),u.call(a,e.tr,e.checked))}),a.prototype.setRowCheckedClass=function(e,t){var a=this.getOptions().elem.next();e[t?"addClass":"removeClass"](n),e.each(function(){var e=P(this).data("index");a.find('.layui-table-fixed-r tbody tr[data-index="'+e+'"]')[t?"addClass":"removeClass"](n)})},a.prototype.updateCheckStatus=function(e,t){var a,n,i,l,d,r,o,c=this,u=c.getOptions();return!!u.hasChecboxCol&&(a=u.tree,n=u.id,i=u.elem.next(),l=B.config.checkName,"all"!==(d=a.data.cascade)&&"parent"!==d||!e||(d=c.updateParentCheckStatus(e,"boolean"===layui.type(t)?t:null),layui.each(d,function(e,t){var a=i.find('tr[lay-data-index="'+t[H]+'"] input[name="layTableCheckbox"]:not(:disabled)'),n=t[l];c.setRowCheckedClass(a.closest("tr"),n),a.prop({checked:n,indeterminate:t[g]})})),o=!(r=!0),0<(e=(e="all"===a.data.cascade?B.cache[n]:j.getData(n,!0)).filter(function(e){return!e[u.disabledName]})).length?layui.each(e,function(e,t){if((t[l]||t[g])&&(o=!0),t[l]||(r=!1),o&&!r)return!0}):r=!1,o=o&&!r,i.find('input[name="layTableCheckbox"][lay-filter="layTableAllChoose"]').prop({checked:r,indeterminate:o}),r)},a.prototype.updateParentCheckStatus=function(a,n){var i,e=this.getOptions(),t=e.tree,e=e.id,l=B.config.checkName,t=t.customName.children,d=[];return!(a[g]=!1)===n?a[t].length?layui.each(a[t],function(e,t){if(!t[l])return n=!1,a[g]=!0}):n=!1:!1===n?layui.each(a[t],function(e,t){if(t[l]||t[g])return a[g]=!0}):(n=!1,i=0,layui.each(a[t],function(e,t){t[l]&&i++}),n=a[t].length?a[t].length===i:a[l],a[g]=!n&&0li"],n.bodyElem=["."+C.CONST.BODY+":eq(0)",">."+C.CONST.ITEM],n.getContainer=function(){var e=n.documentElem||t.elem;return{header:{elem:e.find(n.headerElem[0]),items:e.find(n.headerElem.join(""))},body:{elem:e.find(n.bodyElem[0]),items:e.find(n.bodyElem.join(""))}}},"array"===layui.type(t.header)?"string"==typeof t.header[0]?(n.headerElem=t.header.concat(),n.documentElem=p(document)):(n.elemView=p('
        '),t.className&&n.elemView.addClass(t.className),a=p('
          '),i=p('
          '),layui.each(t.header,function(e,t){t=n.renderHeaderItem(t);a.append(t)}),layui.each(t.body,function(e,t){t=n.renderBodyItem(t);i.append(t)}),n.elemView.append(a).append(i),t.elem.html(n.elemView)):n.renderClose(),"array"===layui.type(t.body)&&"string"==typeof t.body[0]&&(n.documentElem=p(document),n.bodyElem=t.body.concat()),n.data());"index"in t&&e.index!=t.index?n.change(n.findHeaderItem(t.index),!0):-1===e.index&&n.change(n.findHeaderItem(0),!0),n.roll("auto"),t.elem.hasClass(C.CONST.CLASS_HIDEV)&&t.elem.removeClass(C.CONST.CLASS_HIDEV),"function"==typeof t.afterRender&&t.afterRender(e),layui.event.call(t.elem[0],C.CONST.MOD_NAME,"afterRender("+t.id+")",e)},events:function(){var e,t=this,a=t.config,i=t.getContainer(),n=C.CONST.MOD_NAME,i=(t.documentElem?i.header:a).elem,a=a.trigger+(".lay_"+n+"_trigger"),n=t.documentElem?t.headerElem[1]:t.headerElem.join("");i.off(a).on(a,n,function(){t.change(p(this))}),r.onresize||(p(window).on("resize",function(){clearTimeout(e),e=setTimeout(function(){layui.each(C.cache.id,function(e){e=C.getInst(e);e&&e.roll("init")})},50)}),r.onresize=!0)}}),r={},t=C.Class;t.prototype.add=function(e){var t,a,i=this,n=i.getContainer(),r=i.renderHeaderItem(e),d=i.renderBodyItem(e),l=i.data();e=p.extend({active:!0},e),/(before|after)/.test(e.mode)?(a=(t=Object.prototype.hasOwnProperty.call(e,"index"))?i.findHeaderItem(e.index):l.thisHeaderItem,t=t?i.findBodyItem(e.index):l.thisHeaderItem,a[e.mode](r),t[e.mode](d)):(a={prepend:"prepend",append:"append"}[e.mode||"append"]||"append",n.header.elem[a](r),n.body.elem[a](d)),e.active?i.change(r,!0):i.roll("auto"),"function"==typeof e.done&&e.done(p.extend(l,{headerItem:r,bodyItem:d}))},t.prototype.close=function(e,t){if(e&&e[0]){var a=this,i=a.config,n=e.attr("lay-id"),r=e.index();if("false"!==e.attr("lay-closable")){var d=a.data();if(!t)if(!1===layui.event.call(e[0],C.CONST.MOD_NAME,"beforeClose("+i.id+")",p.extend(d,{index:r})))return;e.hasClass(C.CONST.CLASS_THIS)&&(e.next()[0]?a.change(e.next(),!0):e.prev()[0]&&a.change(e.prev(),!0)),a.findBodyItem(n||r).remove(),e.remove(),a.roll("auto",r),d=a.data(),layui.event.call(d.thisHeaderItem[0],C.CONST.MOD_NAME,"afterClose("+i.id+")",d)}}},t.prototype.closeMult=function(i,e){var n=this,t=n.config,a=n.getContainer(),r=n.data(),a=a.header.items,d='[lay-closable="false"]',l=(e=e===undefined?r.index:e,n.findHeaderItem(e)),o=l.index();"false"!==r.thisHeaderItem.attr("lay-closable")&&("all"!==i&&i?e!==r.index&&n.change(l,!0):(e=a.filter(":gt("+r.index+")"+d).eq(0),l=p(a.filter(":lt("+r.index+")"+d).get().reverse()).eq(0),e[0]?n.change(e,!0):l[0]&&n.change(l,!0))),a.each(function(e){var t=p(this),a=t.attr("lay-id"),a=n.findBodyItem(a||e);"false"!==t.attr("lay-closable")&&("other"===i&&e!==o||"right"===i&&o");return t.html(e.title||"New Tab").attr("lay-id",e.id),this.appendClose(t,e),t},t.prototype.renderBodyItem=function(e){var t=this.config,t=p(e.bodyItem||t.bodyItem||'
          ');return t.html(e.content||"").attr("lay-id",e.id),t},t.prototype.appendClose=function(e,t){var a=this;a.config.closable&&(0==(t=t||{}).closable&&e.attr("lay-closable","false"),"false"===e.attr("lay-closable")||e.find("."+C.CONST.CLOSE)[0]||((t=p('')).on("click",function(){return a.close(p(this).parent()),!1}),e.append(t)))},t.prototype.renderClose=function(){var t=this,a=t.config;t.getContainer().header.items.each(function(){var e=p(this);a.closable?t.appendClose(e):e.find("."+C.CONST.CLOSE).remove()})},t.prototype.roll=function(e,i){var n=this,t=n.config,a=n.getContainer(),r=a.header.elem,d=a.header.items,a=r.prop("scrollWidth"),l=Math.ceil(r.outerWidth()),o=r.data("left")||0,s="scroll"===t.headerMode,c="layui-tabs-scroll",f="layui-tabs-bar",u=["layui-icon-prev","layui-icon-next"],m={elem:p('
          '),bar:p(['
          ','','',"
          "].join(""))};if("normal"!==t.headerMode){var h,y=r.parent("."+c);if(s||!s&&l=l-o)return r.css("left",-a).data("left",-a),!1}),o=r.data("left")||0,y.find("."+u[0])[o<0?"removeClass":"addClass"](C.CONST.CLASS_DISABLED),y.find("."+u[1])[0')),n=(e.tree(a),i.elem);if(n[0]){if(e.elem=a,e.elemNone=L('
          '+i.text.none+"
          "),n.html(e.elem),0==e.elem.find("."+C.ELEM_SET).length)return e.elem.append(e.elemNone);i.showCheckbox&&e.renderForm("checkbox"),e.elem.find("."+C.ELEM_SET).each(function(){var e=L(this);e.parent(".layui-tree-pack")[0]||e.addClass("layui-tree-setHide"),!e.next()[0]&&e.parents(".layui-tree-pack").eq(1).hasClass("layui-tree-lineExtend")&&e.addClass(C.ELEM_LINE_SHORT),e.next()[0]||e.parents("."+C.ELEM_SET).eq(0).next()[0]||e.addClass(C.ELEM_LINE_SHORT)})}},extendsInstance:function(){var i=this;return{getChecked:function(){return i.getChecked.call(i)},setChecked:function(e){return i.setChecked.call(i,e)}}}}),C=a.CONST,n=a.Class;n.prototype.reload=function(e,i){var a=this;layui.each(e,function(e,i){"array"===layui.type(i)&&delete a.config[e]}),a.config=L.extend(!0,{},a.config,e),a.init(!0,i)},n.prototype.renderForm=function(e){i.render(e,"LAY-tree-"+this.index)},n.prototype.tree=function(d,e){var r=this,E=r.config,s=E.customName,e=e||E.data;layui.each(e,function(e,i){var a,n,t=i[s.children]&&0"),c=L(['
          ','
          ','
          ',E.showLine?t?'':'':'',E.showCheckbox?'':"",E.isJump&&i.href?''+(i[s.title]||i.label||E.text.defaultNodeName)+"":''+(i[s.title]||i.label||E.text.defaultNodeName)+"","
          ",E.edit?(a={add:'',update:'',del:''},n=['
          '],!0===E.edit&&(E.edit=["update","del"]),"object"==typeof E.edit?(layui.each(E.edit,function(e,i){n.push(a[i]||"")}),n.join("")+"
          "):void 0):"","
          ","
          "].join(""));t&&(c.append(l),r.tree(l,i[s.children])),d.append(c),c.prev("."+C.ELEM_SET)[0]&&c.prev().children(".layui-tree-pack").addClass("layui-tree-showLine"),t||c.parent(".layui-tree-pack").addClass("layui-tree-lineExtend"),r.spread(c,i),E.showCheckbox&&(i.checked&&r.checkids.push(i[s.id]),r.checkClick(c,i)),E.edit&&r.operate(c,i)})},n.prototype.spread=function(n,t){var l=this,c=l.config,e=n.children("."+C.ELEM_ENTRY),i=e.children("."+C.ELEM_MAIN),a=i.find('input[same="layuiTreeCheck"]'),d=e.find("."+C.ICON_CLICK),e=e.find("."+C.ELEM_TEXT),r=c.onlyIconControl?d:i,E="";r.on("click",function(e){var i=n.children("."+C.ELEM_PACK),a=(r.children(".layui-icon")[0]?r:r.find(".layui-tree-icon")).children(".layui-icon");i[0]?n.hasClass(C.ELEM_SPREAD)?(n.removeClass(C.ELEM_SPREAD),i.slideUp(200),a.removeClass(C.ICON_SUB).addClass(C.ICON_ADD),l.updateFieldValue(t,"spread",!1)):(n.addClass(C.ELEM_SPREAD),i.slideDown(200),a.addClass(C.ICON_SUB).removeClass(C.ICON_ADD),l.updateFieldValue(t,"spread",!0),c.accordion&&((i=n.siblings("."+C.ELEM_SET)).removeClass(C.ELEM_SPREAD),i.children("."+C.ELEM_PACK).slideUp(200),i.find(".layui-tree-icon").children(".layui-icon").removeClass(C.ICON_SUB).addClass(C.ICON_ADD))):E="normal"}),e.on("click",function(){L(this).hasClass(C.CLASS_DISABLED)||(E=n.hasClass(C.ELEM_SPREAD)?c.onlyIconControl?"open":"close":c.onlyIconControl?"close":"open",a[0]&&l.updateFieldValue(t,"checked",a.prop("checked")),c.click&&c.click({elem:n,state:E,data:t}))})},n.prototype.updateFieldValue=function(e,i,a){i in e&&(e[i]=a)},n.prototype.syncCheckedState=function(e,i,l){var c,t,d=this,r=d.config.customName,E=e.prop("checked"),a=e.closest("."+C.ELEM_SET);e.prop("disabled")||(t=function(e){var i,a,n;e.parents("."+C.ELEM_SET)[0]&&(a=(e=e.parent("."+C.ELEM_PACK)).parent(),(n=e.prev().find('input[same="layuiTreeCheck"]')).prop("disabled")||(E?n.prop("checked",E):(e.find('input[same="layuiTreeCheck"]').each(function(){this.checked&&(i=!0)}),i||n.prop("checked",!1)),t(a)))},(c=function(e,i){var n,t=i[r.children];t&&0!==t.length&&(n=e.children("."+C.ELEM_PACK).children("."+C.ELEM_SET)).children("."+C.ELEM_ENTRY).find('input[same="layuiTreeCheck"]').each(function(e){var i,a;this.disabled||(i=t[e],a=!l&&"checked"in i?i.checked:E,this.checked=a,d.updateFieldValue(i,"checked",a),i[r.children]&&c(n.eq(e),i))})})(a,i),t(a),d.renderForm("checkbox"))},n.prototype.checkClick=function(a,n){var t=this,l=t.config,e=a.children("."+C.ELEM_ENTRY).children("."+C.ELEM_MAIN);e.on("click",'input[same="layuiTreeCheck"]',layui.stope),e.on("click",'input[same="layuiTreeCheck"]+',function(e){layui.stope(e);var e=L(this).prev(),i=e.prop("checked");e.prop("disabled")||(t.syncCheckedState(e,n,"manual"),t.updateFieldValue(n,"checked",i),l.oncheck&&l.oncheck({elem:a,checked:i,data:n}))})},n.prototype.operate=function(r,l){var E=this,s=E.config,o=s.customName,e=r.children("."+C.ELEM_ENTRY),h=e.children("."+C.ELEM_MAIN);e.children(".layui-tree-btnGroup").on("click",".layui-icon",function(e){layui.stope(e);var a,i,n,t,e=L(this).data("type"),c=r.children("."+C.ELEM_PACK),d={data:l,type:e,elem:r};"add"==e?(c[0]||(s.showLine?(h.find("."+C.ICON_CLICK).addClass("layui-tree-icon"),h.find("."+C.ICON_CLICK).children(".layui-icon").addClass(C.ICON_ADD).removeClass("layui-icon-leaf")):h.find(".layui-tree-iconArrow").removeClass(C.CLASS_HIDE),r.append('
          ')),i=s.operate&&s.operate(d),(t={})[o.title]=s.text.defaultNodeName,t[o.id]=i,E.tree(r.children("."+C.ELEM_PACK),[t]),s.showLine&&(c[0]?(c.hasClass(C.ELEM_EXTEND)||c.addClass(C.ELEM_EXTEND),r.find("."+C.ELEM_PACK).each(function(){L(this).children("."+C.ELEM_SET).last().addClass(C.ELEM_LINE_SHORT)}),(c.children("."+C.ELEM_SET).last().prev().hasClass(C.ELEM_LINE_SHORT)?c.children("."+C.ELEM_SET).last().prev():c.children("."+C.ELEM_SET).last()).removeClass(C.ELEM_LINE_SHORT),!r.parent("."+C.ELEM_PACK)[0]&&r.next()[0]&&c.children("."+C.ELEM_SET).last().removeClass(C.ELEM_LINE_SHORT)):(i=r.siblings("."+C.ELEM_SET),a=1,t=r.parent("."+C.ELEM_PACK),layui.each(i,function(e,i){L(i).children("."+C.ELEM_PACK)[0]||(a=0)}),(1==a?(i.children("."+C.ELEM_PACK).addClass(C.ELEM_SHOW),i.children("."+C.ELEM_PACK).children("."+C.ELEM_SET).removeClass(C.ELEM_LINE_SHORT),r.children("."+C.ELEM_PACK).addClass(C.ELEM_SHOW),t.removeClass(C.ELEM_EXTEND),t.children("."+C.ELEM_SET).last().children("."+C.ELEM_PACK).children("."+C.ELEM_SET).last()):r.children("."+C.ELEM_PACK).children("."+C.ELEM_SET)).addClass(C.ELEM_LINE_SHORT))),s.showCheckbox&&(h.find('input[same="layuiTreeCheck"]')[0].checked&&(r.children("."+C.ELEM_PACK).children("."+C.ELEM_SET).last().find('input[same="layuiTreeCheck"]')[0].checked=!0),E.renderForm("checkbox"))):"update"==e?(i=h.children("."+C.ELEM_TEXT).html(),h.children("."+C.ELEM_TEXT).html(""),h.append(''),h.children(".layui-tree-editInput").val(u.unescape(i)).focus(),n=function(e){var i=u.escape(e.val().trim())||s.text.defaultNodeName;e.remove(),h.children("."+C.ELEM_TEXT).html(i),d.data[o.title]=i,s.operate&&s.operate(d)},h.children(".layui-tree-editInput").blur(function(){n(L(this))}),h.children(".layui-tree-editInput").on("keydown",function(e){13===e.keyCode&&(e.preventDefault(),n(L(this)))})):(t=p.$t("tree.deleteNodePrompt",{name:l[o.title]||""}),_.confirm(t,function(e){var l,a,i;s.operate&&s.operate(d),d.status="remove",_.close(e),r.prev("."+C.ELEM_SET)[0]||r.next("."+C.ELEM_SET)[0]||r.parent("."+C.ELEM_PACK)[0]?(r.siblings("."+C.ELEM_SET).children("."+C.ELEM_ENTRY)[0]?(s.showCheckbox&&(l=function(e){var i,a,n,t;e.parents("."+C.ELEM_SET)[0]&&(i=e.siblings("."+C.ELEM_SET).children("."+C.ELEM_ENTRY),a=(e=e.parent("."+C.ELEM_PACK).prev()).find('input[same="layuiTreeCheck"]')[0],n=1,(t=0)==a.checked)&&(i.each(function(e,i){i=L(i).find('input[same="layuiTreeCheck"]')[0];0!=i.checked||i.disabled||(n=0),i.disabled||(t=1)}),1==n)&&1==t&&(a.checked=!0,E.renderForm("checkbox"),l(e.parent("."+C.ELEM_SET)))})(r),s.showLine&&(e=r.siblings("."+C.ELEM_SET),a=1,i=r.parent("."+C.ELEM_PACK),layui.each(e,function(e,i){L(i).children("."+C.ELEM_PACK)[0]||(a=0)}),1==a?(c[0]||(i.removeClass(C.ELEM_EXTEND),e.children("."+C.ELEM_PACK).addClass(C.ELEM_SHOW),e.children("."+C.ELEM_PACK).children("."+C.ELEM_SET).removeClass(C.ELEM_LINE_SHORT)),(r.next()[0]?i.children("."+C.ELEM_SET).last():r.prev()).children("."+C.ELEM_PACK).children("."+C.ELEM_SET).last().addClass(C.ELEM_LINE_SHORT),r.next()[0]||r.parents("."+C.ELEM_SET)[1]||r.parents("."+C.ELEM_SET).eq(0).next()[0]||r.prev("."+C.ELEM_SET).addClass(C.ELEM_LINE_SHORT)):!r.next()[0]&&r.hasClass(C.ELEM_LINE_SHORT)&&r.prev().addClass(C.ELEM_LINE_SHORT))):(e=r.parent("."+C.ELEM_PACK).prev(),s.showLine?(e.find("."+C.ICON_CLICK).removeClass("layui-tree-icon"),e.find("."+C.ICON_CLICK).children(".layui-icon").removeClass(C.ICON_SUB).addClass("layui-icon-leaf"),(i=e.parents("."+C.ELEM_PACK).eq(0)).addClass(C.ELEM_EXTEND),i.children("."+C.ELEM_SET).each(function(){L(this).children("."+C.ELEM_PACK).children("."+C.ELEM_SET).last().addClass(C.ELEM_LINE_SHORT)})):e.find(".layui-tree-iconArrow").addClass(C.CLASS_HIDE),r.parents("."+C.ELEM_SET).eq(0).removeClass(C.ELEM_SPREAD),r.parent("."+C.ELEM_PACK).remove()),r.remove()):(r.remove(),E.elem.append(E.elemNone))}))})},n.prototype.events=function(){var i=this,t=i.config;i.setChecked(i.checkids),i.elem.find(".layui-tree-search").on("keyup",function(){var e=L(this),a=e.val(),e=e.nextAll(),n=[];e.find("."+C.ELEM_TEXT).each(function(){var i,e=L(this).parents("."+C.ELEM_ENTRY);-1!=L(this).html().indexOf(a)&&(n.push(L(this).parent()),(i=function(e){e.addClass("layui-tree-searchShow"),e.parent("."+C.ELEM_PACK)[0]&&i(e.parent("."+C.ELEM_PACK).parent("."+C.ELEM_SET))})(e.parent("."+C.ELEM_SET)))}),e.find("."+C.ELEM_ENTRY).each(function(){var e=L(this).parent("."+C.ELEM_SET);e.hasClass("layui-tree-searchShow")||e.addClass(C.CLASS_HIDE)}),0==e.find(".layui-tree-searchShow").length&&i.elem.append(i.elemNone),t.onsearch&&t.onsearch({elem:n})}),i.elem.find(".layui-tree-search").on("keydown",function(){L(this).nextAll().find("."+C.ELEM_ENTRY).each(function(){L(this).parent("."+C.ELEM_SET).removeClass("layui-tree-searchShow "+C.CLASS_HIDE)}),L(".layui-tree-emptyText")[0]&&L(".layui-tree-emptyText").remove()})},n.prototype.getChecked=function(){var t=this,e=t.config,l=e.customName,i=[],a=[],c=(t.elem.find(".layui-form-checked").each(function(){i.push(L(this).prev()[0].value)}),function(e,n){layui.each(e,function(e,a){layui.each(i,function(e,i){if(a[l.id]==i)return t.updateFieldValue(a,"checked",!0),delete(i=L.extend({},a))[l.children],n.push(i),a[l.children]&&(i[l.children]=[],c(a[l.children],i[l.children])),!0})})});return c(L.extend({},e.data),a),a},n.prototype.setChecked=function(e){var c=this,d=c.config.flatData;"object"!=typeof e&&(e=[e]),c.elem.find("."+C.ELEM_SET).each(function(a){var n=L(this).data("id"),t=L(this).children("."+C.ELEM_ENTRY).find('input[same="layuiTreeCheck"]'),l=t.prop("checked");layui.each(e,function(e,i){return n!=i||t.prop("disabled")||l?void 0:(t.prop("checked",!0),c.syncCheckedState(t,d[a]),!0)})})},L.extend(a,{getChecked:function(e){e=a.getInst(e);if(e)return e.getChecked()},setChecked:function(e,i){e=a.getInst(e);if(e)return e.setChecked(i)}}),e(C.MOD_NAME,a)});layui.define(["i18n","laytpl","component","form"],function(e){"use strict";var i=layui.i18n,l=layui.laytpl,o=layui.$,a=layui.form,t=layui.component({name:"transfer",config:{width:200,height:360,data:[],value:[],showSearch:!1,id:""},CONST:{ELEM:"layui-transfer",ELEM_BOX:"layui-transfer-box",ELEM_HEADER:"layui-transfer-header",ELEM_SEARCH:"layui-transfer-search",ELEM_ACTIVE:"layui-transfer-active",ELEM_DATA:"layui-transfer-data",BTN_DISABLED:"layui-btn-disabled"},beforeRender:function(e){this.config=o.extend({title:i.$t("transfer.title"),text:{none:i.$t("transfer.noData"),searchNone:i.$t("transfer.noMatch")}},this.config,e)},render:function(){var e=this,a=e.config,t=function(e){return['
          ','
          ',' ","
          ",""," {{ if(d.data.showSearch){ }}",' "," {{ } }}","",'
            ',"","
            "].join("\n")},t=['
            ',""," \x3c!-- \u5de6\u4fa7\u7a7f\u68ad\u6846 --\x3e",t({index:0,checkAllName:"layTransferLeftCheckAll"}),""," \x3c!-- \u4e2d\u95f4\u64cd\u4f5c\u6309\u94ae --\x3e",'
            '," \x3c!-- \u5411\u53f3\u7a7f\u68ad\u6309\u94ae --\x3e",' ",""," \x3c!-- \u5411\u5de6\u7a7f\u68ad\u6309\u94ae --\x3e",' ","
            ",""," \x3c!-- \u53f3\u4fa7\u7a7f\u68ad\u6846 --\x3e",t({index:1,checkAllName:"layTransferRightCheckAll"}),"","
            "].join("\n"),t=e.elem=o(l(t,{open:"{{",close:"}}",tagStyle:"modern"}).render({data:a,index:e.index})),n=a.elem;n[0]&&(a.data=a.data||[],a.value=a.value||[],n.html(e.elem),e.layBox=e.elem.find("."+d.ELEM_BOX),e.layHeader=e.elem.find("."+d.ELEM_HEADER),e.laySearch=e.elem.find("."+d.ELEM_SEARCH),e.layData=t.find("."+d.ELEM_DATA),e.layBtn=t.find("."+d.ELEM_ACTIVE+" .layui-btn"),e.layBox.css({width:a.width,height:a.height}),e.layData.css({height:(n=a.height-e.layHeader.outerHeight(),a.showSearch&&(n-=e.laySearch.outerHeight()),n-2)}),e.renderData(),e.events())},extendsInstance:function(){var e=this;return{getData:function(){return e.getData.call(e)}}}}),d=t.CONST,n=t.Class;n.prototype.renderData=function(){var e=this,a=e.config,l=[{checkName:"layTransferLeftCheck",views:[]},{checkName:"layTransferRightCheck",views:[]}];e.parseData(function(t){var n=t.selected?1:0,i=["
          • ",'',"
          • "].join("");n?layui.each(a.value,function(e,a){a==t.value&&t.selected&&(l[n].views[e]=i)}):l[n].views.push(i),delete t.selected}),e.layData.eq(0).html(l[0].views.join("")),e.layData.eq(1).html(l[1].views.join("")),e.renderCheckBtn()},n.prototype.renderForm=function(e){a.render(e,"LAY-transfer-"+this.index)},n.prototype.renderCheckBtn=function(c){var r=this,s=r.config;c=c||{},r.layBox.each(function(e){var a=o(this),t=a.find("."+d.ELEM_DATA),a=a.find("."+d.ELEM_HEADER).find('input[type="checkbox"]'),n=t.find('input[type="checkbox"]'),i=0,l=!1;n.each(function(){var e=o(this).data("hide");(this.checked||this.disabled||e)&&i++,this.checked&&!e&&(l=!0)}),a.prop("checked",l&&i===n.length),r.layBtn.eq(e)[l?"removeClass":"addClass"](d.BTN_DISABLED),c.stopNone||(n=t.children("li:not(."+d.CLASS_HIDE+")").length,r.noneView(t,n?"":s.text.none))}),r.renderForm("checkbox")},n.prototype.noneView=function(e,a){var t=o('

            '+(a||"")+"

            ");e.find("."+d.CLASS_NONE)[0]&&e.find("."+d.CLASS_NONE).remove(),a.replace(/\s/g,"")&&e.append(t)},n.prototype.setValue=function(){var e=this,a=e.config,t=[];return e.layBox.eq(1).find("."+d.ELEM_DATA+' input[type="checkbox"]').each(function(){o(this).data("hide")||t.push(this.value)}),a.value=t,e},n.prototype.parseData=function(a){var n=this.config,i=[];return layui.each(n.data,function(e,t){t=("function"==typeof n.parseData?n.parseData(t):t)||t,i.push(t=o.extend({},t)),layui.each(n.value,function(e,a){a==t.value&&(t.selected=!0)}),a&&a(t)}),n.data=i,this},n.prototype.getData=function(e){var a=this.config,n=[];return this.setValue(),layui.each(e||a.value,function(e,t){layui.each(a.data,function(e,a){delete a.selected,t==a.value&&n.push(a)})}),n},n.prototype.transfer=function(e,a){var t,n=this,i=n.config,l=n.layBox.eq(e),c=[],a=(a?((t=(a=a).find('input[type="checkbox"]'))[0].checked=!1,l.siblings("."+d.ELEM_BOX).find("."+d.ELEM_DATA).append(a.clone()),a.remove(),c.push(t[0].value),n.setValue()):l.each(function(e){o(this).find("."+d.ELEM_DATA).children("li").each(function(){var e=o(this),a=e.find('input[type="checkbox"]'),t=a.data("hide");a[0].checked&&!t&&(a[0].checked=!1,l.siblings("."+d.ELEM_BOX).find("."+d.ELEM_DATA).append(e.clone()),e.remove(),c.push(a[0].value)),n.setValue()})}),n.renderCheckBtn(),l.siblings("."+d.ELEM_BOX).find("."+d.ELEM_SEARCH+" input"));""!==a.val()&&a.trigger("keyup"),i.onchange&&i.onchange(n.getData(c),e)},n.prototype.events=function(){var i=this,l=i.config;i.elem.on("click",'input[lay-filter="layTransferCheckbox"]+',function(){var e=o(this).prev(),a=e[0].checked,t=e.parents("."+d.ELEM_BOX).eq(0).find("."+d.ELEM_DATA);e[0].disabled||("all"===e.attr("lay-type")&&t.find('input[type="checkbox"]').each(function(){this.disabled||(this.checked=a)}),setTimeout(function(){i.renderCheckBtn({stopNone:!0})},0))}),i.elem.on("dblclick","."+d.ELEM_DATA+">li",function(e){var a=o(this),t=a.children('input[type="checkbox"]'),n=a.parent().parent().data("index");t[0].disabled||!1!==("function"==typeof l.dblclick?l.dblclick({elem:a,data:i.getData([t[0].value])[0],index:n}):null)&&i.transfer(n,a)}),i.layBtn.on("click",function(){var e=o(this),a=e.data("index");e.hasClass(d.BTN_DISABLED)||i.transfer(a)}),i.laySearch.find("input").on("keyup",function(){var n=this.value,e=o(this).parents("."+d.ELEM_SEARCH).eq(0).siblings("."+d.ELEM_DATA),a=e.children("li"),a=(a.each(function(){var e=o(this),a=e.find('input[type="checkbox"]'),t=a[0].title,t=("cs"!==l.showSearch&&(t=t.toLowerCase(),n=n.toLowerCase()),-1!==t.indexOf(n));e[t?"removeClass":"addClass"](d.CLASS_HIDE),a.data("hide",!t)}),i.renderCheckBtn(),a.length===e.children("li."+d.CLASS_HIDE).length);i.noneView(e,a?l.text.searchNone:"")})},o.extend(t,{getData:function(e){e=t.getInst(e);if(e)return e.getData()}}),e(d.MOD_NAME,t)});layui.define("component",function(e){"use strict";var o=layui.$,i=layui.lay,t=layui.component({name:"carousel",config:{width:"600px",height:"280px",full:!1,arrow:"hover",indicator:"inside",autoplay:!0,interval:3e3,anim:"",trigger:"click",index:0},CONST:{ELEM:"layui-carousel",ELEM_ITEM:">*[carousel-item]>*",ELEM_LEFT:"layui-carousel-left",ELEM_RIGHT:"layui-carousel-right",ELEM_PREV:"layui-carousel-prev",ELEM_NEXT:"layui-carousel-next",ELEM_ARROW:"layui-carousel-arrow",ELEM_IND:"layui-carousel-ind"},render:function(){var e=this,i=e.config;e.elemItem=i.elem.find(s.ELEM_ITEM),i.index<0&&(i.index=0),i.index>=e.elemItem.length&&(i.index=e.elemItem.length-1),i.interval<800&&(i.interval=800),i.full?i.elem.css({position:"fixed",width:"100%",height:"100%",zIndex:9999}):i.elem.css({width:i.width,height:i.height}),i.elem.attr("lay-anim",i.anim),e.elemItem.eq(i.index).addClass(s.CLASS_THIS),e.indicator(),e.arrow(),e.autoplay()},extendsInstance:function(){var i=this;return{elemInd:i.elemInd,elemItem:i.elemItem,timer:i.timer,"goto":function(e){i["goto"](e)}}}}),s=t.CONST,n=t.Class;n.prototype.prevIndex=function(){var e=this.config.index-1;return e=e<0?this.elemItem.length-1:e},n.prototype.nextIndex=function(){var e=this.config.index+1;return e=e>=this.elemItem.length?0:e},n.prototype.addIndex=function(e){var i=this.config;i.index=i.index+(e=e||1),i.index>=this.elemItem.length&&(i.index=0)},n.prototype.subIndex=function(e){var i=this.config;i.index=i.index-(e=e||1),i.index<0&&(i.index=this.elemItem.length-1)},n.prototype.autoplay=function(){var e=this,i=e.config,t=e.elemItem.length;i.autoplay&&(clearInterval(e.timer),1',''].join(""));e.elem.attr("lay-arrow",e.arrow),e.elem.find("."+s.ELEM_ARROW)[0]&&e.elem.find("."+s.ELEM_ARROW).remove(),1t.index?i.slide("add",e-t.index):e
              ',(i=[],layui.each(e.elemItem,function(e){i.push("")}),i.join("")),"
            "].join(""));t.elem.attr("lay-indicator",t.indicator),t.elem.find("."+s.ELEM_IND)[0]&&t.elem.find("."+s.ELEM_IND).remove(),1n[a?"height":"width"]()/3)&&o.slide(0"),i=1;i<=a.length;i++){var n='
          • ";a.half&&parseInt(a.value)!==a.value&&i==Math.ceil(a.value)?t=t+'
          • ":t+=n}t+="",a.text&&(t+=''+a.value+"");var s=a.elem,o=s.next("."+c.ELEM);o[0]&&o.remove(),e.elemTemplate=u(t),a.span=e.elemTemplate.next("span"),a.setText&&a.setText(a.value),s.html(e.elemTemplate),s.addClass("layui-inline"),a.readonly||e.action()},extendsInstance:function(){var a=this,l=a.config;return{setvalue:function(e){l.value=e,a.render()}}}}),c=l.CONST;l.Class.prototype.action=function(){var n=this.config,t=this.elemTemplate,i=t.find("i").width(),l=t.children("li");l.each(function(e){var a=e+1,l=u(this);l.on("click",function(e){n.value=a,n.half&&e.pageX-u(this).offset().left<=i/2&&(n.value=n.value-.5),n.text&&t.next("span").text(n.value),n.choose&&n.choose(n.value),n.setText&&n.setText(n.value)}),l.on("mousemove",function(e){t.find("i").each(function(){u(this).addClass(c.ICON_RATE).removeClass(c.ICON_SOLID_HALF)}),t.find("i:lt("+a+")").each(function(){u(this).addClass(c.ICON_RATE_SOLID).removeClass(c.ICON_HALF_RATE)}),n.half&&e.pageX-u(this).offset().left<=i/2&&l.children("i").addClass(c.ICON_RATE_HALF).removeClass(c.ICON_RATE_SOLID)}),l.on("mouseleave",function(){t.find("i").each(function(){u(this).addClass(c.ICON_RATE).removeClass(c.ICON_SOLID_HALF)}),t.find("i:lt("+Math.floor(n.value)+")").each(function(){u(this).addClass(c.ICON_RATE_SOLID).removeClass(c.ICON_HALF_RATE)}),n.half&&parseInt(n.value)!==n.value&&t.children("li:eq("+Math.floor(n.value)+")").children("i").addClass(c.ICON_RATE_HALF).removeClass(c.ICON_SOLID_RATE)})}),a.touchSwipe(t,{onTouchMove:function(e,a){var i;Date.now()-a.timeStart<=200||(a=e.touches[0].pageX,e=t.width()/n.length,a=(a-t.offset().left)/e,(i=(i=(e=a%1)<=.5&&n.half?.5+(a-e):Math.ceil(a))>n.length?n.length:i)<0&&(i=0),l.each(function(e){var a=u(this).children("i"),l=Math.ceil(i)-e==1,t=Math.ceil(i)>e,e=i-e==.5;t?(a.addClass(c.ICON_RATE_SOLID).removeClass(c.ICON_HALF_RATE),n.half&&e&&a.addClass(c.ICON_RATE_HALF).removeClass(c.ICON_RATE_SOLID)):a.addClass(c.ICON_RATE).removeClass(c.ICON_SOLID_HALF),a.toggleClass("layui-rate-hover",l)}),n.value=i,n.text&&t.next("span").text(n.value),n.setText&&n.setText(n.value))},onTouchEnd:function(e,a){Date.now()-a.timeStart<=200||(t.find("i").removeClass("layui-rate-hover"),n.choose&&n.choose(n.value),n.setText&&n.setText(n.value))}})},e(c.MOD_NAME,l)});layui.define(["i18n","component"],function(o){"use strict";var L=layui.$,g=layui.i18n,v=layui.component({name:"flow",CONST:{ELEM_LOAD:'',ELEM_MORE:"layui-flow-more",FLOW_SCROLL_EVENTS:"scroll.lay_flow_scroll",LAZYIMG_SCROLL_EVENTS:"scroll.lay_flow_lazyimg_scroll"},render:function(){var i,n,r=this.config,c=0,o=r.elem;if(o[0]){var e,a=L(r.scrollElem||document),m="mb"in r?r.mb:50,l=!("isAuto"in r)||r.isAuto,t=r.moreText||g.$t("flow.loadMore"),f=r.end||g.$t("flow.noMore"),s="top"===(r.direction||"bottom"),u=r.scrollElem&&r.scrollElem!==document,d=""+t+"",E=L('"),p=(o.find("."+T.ELEM_MORE).remove(),o[s?"prepend":"append"](E),function(o,e){var l=u?a.prop("scrollHeight"):document.documentElement.scrollHeight,t=a.scrollTop();E[s?"after":"before"](o),(e=0==e||null)?E.html(f):y.html(d),n=e,i=null,r.isLazyimg&&v.lazyimg({elem:r.elem.find("img[lay-src]"),scrollElem:r.scrollElem,direction:r.direction,id:r.id}),s&&(o=u?a.prop("scrollHeight"):document.documentElement.scrollHeight,1===c?a.scrollTop(o):1=i&&o<=n&&e.attr("lay-src")&&(l=e.attr("lay-src"),layui.img(l,function(){var o=t.eq(u);e.attr("src",l).removeAttr("lay-src"),o[0]&&E(o),u++},function(){e.removeAttr("lay-src")}))};if(o)l(o);else for(var r=0;r"),preview:"Preview"},wordWrap:!0,lang:"text",highlighter:!1,langMarker:!1,highlightLine:{focus:{range:"",comment:!1,classActiveLine:"layui-code-line-has-focus",classActivePre:"layui-code-has-focused-lines"},hl:{comment:!1,classActiveLine:"layui-code-line-highlighted"},"++":{comment:!1,classActiveLine:"layui-code-line-diff-add"},"--":{comment:!1,classActiveLine:"layui-code-line-diff-remove"}}},O=layui.code?layui.code.index+1e4:0,P=function(e){return String(e).replace(/\s+$/,"").replace(/^\n|\n$/,"")},R=function(e){return"string"!=typeof e?[]:A.map(e.split(","),function(e){var e=e.split("-"),i=parseInt(e[0],10),e=parseInt(e[1],10);return i&&e?A.map(new Array(e-i+1),function(e,t){return i+t}):i||undefined})},H=/(?:\/\/|\/\*{1,2}||-->)?/;e("code",function(r,e){var u,a,t,i,l,n,o,c,s,d,y,p,E,h,f,v,m,L,g,M,_,C={config:r=A.extend(!0,{},j,r),reload:function(e){layui.code(this.updateOptions(e))},updateOptions:function(e){return delete(e=e||{}).elem,A.extend(!0,r,e)},reloadCode:function(e){layui.code(this.updateOptions(e),"reloadCode")}},w=A(r.elem);return 1',r.ln?['
            ',x.digit(t+1)+".","
            "].join(""):"",'
            ',(d.needParseComment?e.replace(H,""):e)||" ","
            ",""].join("")}),d.preClass&&u.addClass(d.preClass),{lines:s,html:e}},i=r.code,l=function(e){return"function"==typeof r.codeParse?r.codeParse(e,r):e},"reloadCode"===e?u.children(".layui-code-wrap").html(w(l(i)).html):(n=layui.code.index=++O,u.attr("lay-code-index",n),(M=T.CDDE_DATA_CLASS in u.data())&&u.attr("class",u.data(T.CDDE_DATA_CLASS)||""),M||u.data(T.CDDE_DATA_CLASS,u.attr("class")),o={copy:{className:"file-b",title:[W.$t("code.copy")],event:function(e){var t=x.unescape(l(r.code)),i="function"==typeof r.onCopy;lay.clipboard.writeText({text:t,done:function(){if(i&&!1===r.onCopy(t,!0))return;N.msg(W.$t("code.copied"),{icon:1})},error:function(){if(i&&!1===r.onCopy(t,!1))return;N.msg(W.$t("code.copyError"),{icon:2})}})}}},function b(){var e=u.parent("."+T.ELEM_PREVIEW),t=e.children("."+T.ELEM_TAB),i=e.children("."+T.ELEM_ITEM+"-preview");return t.remove(),i.remove(),e[0]&&u.unwrap(),b}(),r.preview&&(M="LAY-CODE-DF-"+n,h=r.layout||["code","preview"],c="iframe"===r.preview,E=A('
            '),_=A('
            '),s=A('
            '),g=A('
            '),d=A('
            '),r.id&&E.attr("id",r.id),E.addClass(r.className),_.attr("lay-filter",M),layui.each(h,function(e,t){var i=A('
          • ');0===e&&i.addClass("layui-this"),i.html(r.text[t]),s.append(i)}),A.extend(o,{full:{className:"screen-full",title:[W.$t("code.maximize"),W.$t("code.restore")],event:function(e){var e=e.elem,t=e.closest("."+T.ELEM_PREVIEW),i="layui-icon-"+this.className,a="layui-icon-screen-restore",l=this.title,n=A("html,body"),o="layui-scrollbar-hide";e.hasClass(i)?(t.addClass(T.ELEM_FULL),e.removeClass(i).addClass(a),e.attr("title",l[1]),n.addClass(o)):(t.removeClass(T.ELEM_FULL),e.removeClass(a).addClass(i),e.attr("title",l[0]),n.removeClass(o))}},window:{className:"release",title:[W.$t("code.preview")],event:function(e){x.openWin({content:l(r.code)})}}}),r.copy&&("array"===layui.type(r.tools)?-1===r.tools.indexOf("copy")&&r.tools.unshift("copy"):r.tools=["copy"]),d.on("click",">i",function(){var e=A(this),t=e.data("type"),e={elem:e,type:t,options:r,rawCode:r.code,finalCode:x.unescape(l(r.code))};o[t]&&"function"==typeof o[t].event&&o[t].event(e),"function"==typeof r.toolsEvent&&r.toolsEvent(e)}),r.addTools&&r.tools&&(r.tools=[].concat(r.tools,r.addTools)),layui.each(r.tools,function(e,t){var i="object"==typeof t,a=i?t:o[t]||{className:t,title:[t]},l=a.className||a.type,n=a.title||[""],i=i?a.type||l:t;i&&(o[i]||((t={})[i]=a,A.extend(o,t)),d.append(''))}),u.addClass(T.ELEM_ITEM).wrap(E),_.append(s),r.tools&&_.append(d),u.before(_),c&&g.html(''),y=function(e){var t=e.children("iframe")[0];c&&t?t.srcdoc=l(r.code):e.html(r.code),setTimeout(function(){"function"==typeof r.done&&r.done({container:e,options:r,render:function(){S.render(e.find(".layui-form")),I.render(),D.render({elem:["."+T.ELEM_PREVIEW,".layui-tabs"].join(" ")})}})},3)},"preview"===h[0]?(g.addClass(T.ELEM_SHOW),u.before(g),y(g)):u.addClass(T.ELEM_SHOW).after(g),r.previewStyle=[r.style,r.previewStyle].join(""),g.attr("style",r.previewStyle),I.on("tab("+M+")",function(e){var t=A(this),i=A(e.elem).closest("."+T.ELEM_PREVIEW).find("."+T.ELEM_ITEM),e=i.eq(e.index);i.removeClass(T.ELEM_SHOW),e.addClass(T.ELEM_SHOW),"preview"===t.attr("lay-id")&&y(e),L()})),p=A(''),u.addClass((E=["layui-code-view layui-border-box"],r.wordWrap||E.push("layui-code-nowrap"),E.join(" "))),(_=r.theme||r.skin)&&(u.removeClass("layui-code-theme-dark layui-code-theme-light"),u.addClass("layui-code-theme-"+_)),r.highlighter&&u.addClass([r.highlighter,"language-"+r.lang,"layui-code-hl"].join(" ")),h=w(r.encode?x.escape(l(i)):i),f=h.lines,u.html(p.html(h.html)),r.ln&&u.append('
            '),r.height&&p.css("max-height",r.height),r.codeStyle=[r.style,r.codeStyle].join(""),r.codeStyle&&p.attr("style",function(e,t){return(t||"")+r.codeStyle}),v=[{selector:">.layui-code-wrap>.layui-code-line{}",setValue:function(e,t){e.style["padding-left"]=t+"px"}},{selector:">.layui-code-wrap>.layui-code-line>.layui-code-line-number{}",setValue:function(e,t){e.style.width=t+"px"}},{selector:">.layui-code-ln-side{}",setValue:function(e,t){e.style.width=t+"px"}}],m=lay.style({target:u[0],id:"DF-code-"+n,text:A.map(A.map(v,function(e){return e.selector}),function(e,t){return['.layui-code-view[lay-code-index="'+n+'"]',e].join(" ")}).join("")}),L=function b(){var e,a;return r.ln&&(e=Math.floor(f.length/100),a=p.children("."+T.ELEM_LINE).last().children("."+T.ELEM_LINE_NUM).outerWidth(),u.addClass(T.ELEM_LN_MODE),e)&&a>T.LINE_RAW_WIDTH&&lay.getStyleRules(m,function(e,t){try{v[t].setValue(e,a)}catch(i){}}),b}(),r.header&&((g=A('
            ')).html(r.title||r.text.code),u.prepend(g)),M=A('
            '),r.copy&&!r.preview&&((_=A(['','',""].join(""))).on("click",function(){o.copy.event()}),M.append(_)),r.langMarker&&M.append(''+r.lang+""),r.about&&M.append(r.about),u.append(M),r.preview||setTimeout(function(){"function"==typeof r.done&&r.done({})},3),r.elem.length===1+n&&"function"==typeof r.allDone&&r.allDone())),C})}),layui["layui.all"]||layui.addcss("modules/code.css?v=6","skincodecss"); \ No newline at end of file