Compare commits

4 Commits

Author SHA1 Message Date
b23c21d05b Merge pull request 'fix/lang' (#4) from fix/lang into main
Reviewed-on: #4
2026-02-04 09:12:58 +00:00
65a24f25bb fix(lang): 提取getCurrentLocale为独立函数并优化代码格式
将getCurrentLocale方法提取为独立函数以避免重复代码
移除多余的空格并保持代码风格一致
2026-02-04 17:10:12 +08:00
2a0935b581 Merge pull request 'docs: 更新readme文档结构和内容' (#2) from dev/1.0 into main
Reviewed-on: #2
2026-01-24 09:41:36 +00:00
b31197a8b4 Merge pull request 'dev/1.0' (#1) from dev/1.0 into main
Reviewed-on: #1
2026-01-24 09:24:05 +00:00
15 changed files with 2117 additions and 2194 deletions

View File

@@ -42,6 +42,6 @@ const localDevConfig = ({
uniacid: 2, uniacid: 2,
domain: 'http://localhost:8050/', domain: 'http://localhost:8050/',
}, },
})['1']; // 选择要使用的环境配置 })['2811']; // 选择要使用的环境配置
export default localDevConfig; export default localDevConfig;

View File

@@ -60,107 +60,55 @@ export default {
/** /**
* 流式消息入口(自动适配平台) * 流式消息入口(自动适配平台)
*/ */
async sendStreamMessage(message, onChunk, onComplete) { async sendStreamMessage(message, onChunk, onComplete) {
// #ifdef MP-WEIXIN // #ifdef MP-WEIXIN
return new Promise((resolve, reject) => { // 微信小程序:降级为普通请求 + 前端打字模拟
const socketTask = wx.connectSocket({ try {
url: 'wss://dev.aigc-quickapp.com/ws/aikefu', const result = await this.sendMessage(message);
header: {} const content = result.content || '';
}); const conversationId = result.conversationId || '';
let content = ''; // 保存会话ID确保连续对话
let conversationId = ''; if (conversationId) {
let isAuthenticated = false; this.setConversationId(conversationId);
}
socketTask.onOpen(() => { // 模拟打字效果
console.log('WebSocket 连接成功,开始认证...'); let index = 0;
socketTask.send({ const chunkSize = 2; // 每次显示2个字符
data: JSON.stringify({ return new Promise((resolve) => {
action: 'auth', const timer = setInterval(() => {
uniacid: store.state.uniacid || '1', if (index < content.length) {
token: store.state.token || 'test_token', const chunk = content.substring(index, index + chunkSize);
user_id: store.state.memberInfo?.id || 'anonymous' index += chunkSize;
}) if (onChunk) onChunk(chunk);
}); } else {
}); clearInterval(timer);
if (onComplete) {
socketTask.onMessage((res) => { onComplete({
try { content: content,
const data = JSON.parse(res.data); conversation_id: conversationId
console.log('收到 WebSocket 消息:', data); });
}
if (data.type === 'auth_success') { resolve({ content, conversation_id: conversationId });
console.log('认证成功,发送聊天消息...'); }
isAuthenticated = true; }, 80); // 打字速度80ms/次
socketTask.send({ });
data: JSON.stringify({ } catch (error) {
action: 'chat', console.error('小程序流式消息降级失败:', error);
uniacid: store.state.uniacid || '1', if (onComplete) {
query: message, onComplete({ error: error.message || '发送失败' });
user_id: store.state.memberInfo?.id || 'anonymous', }
conversation_id: this.getConversationId() || '' throw error;
}) }
});
} else if (data.type === 'auth_failed') {
const errorMsg = '认证失败,请重新登录';
console.error(errorMsg, data);
reject(new Error(errorMsg));
if (onComplete) onComplete({ error: errorMsg });
socketTask.close();
}
// 处理流式消息块
else if (data.type === 'message' || data.event === 'message') {
const text = data.answer || data.content || data.text || '';
content += text;
if (onChunk) onChunk(text);
}
// 处理流结束
else if (data.event === 'message_end' || data.type === 'message_end') {
conversationId = data.conversation_id || '';
if (conversationId) {
this.setConversationId(conversationId);
}
if (onComplete) {
onComplete({ content, conversation_id: conversationId });
}
resolve({ content, conversation_id: conversationId });
socketTask.close();
}
// 可选:处理 done
else if (data.type === 'done') {
console.log('对话完成:', data);
}
} catch (e) {
console.error('WebSocket 消息解析失败:', e, '原始数据:', res.data);
}
});
socketTask.onError((err) => {
const errorMsg = 'WebSocket 连接失败';
console.error(errorMsg, err);
reject(new Error(errorMsg));
if (onComplete) onComplete({ error: errorMsg });
});
socketTask.onClose(() => {
console.log('WebSocket 连接已关闭');
});
const timeout = setTimeout(() => {
if (!isAuthenticated || content === '') {
console.warn('WebSocket 超时,强制关闭');
socketTask.close();
reject(new Error('AI服务响应超时'));
if (onComplete) onComplete({ error: 'AI服务响应超时' });
}
}, 10000);
});
// #endif // #endif
},
// #ifdef H5
// H5使用真实流式EventSource / Fetch
return this.sendHttpStream(message, onChunk, onComplete);
// #endif
},
/** /**
* HTTP 流式请求(仅 H5 使用) * HTTP 流式请求(仅 H5 使用)
*/ */
@@ -184,8 +132,11 @@ export default {
}) })
}); });
if (!response.ok || !response.body) { if (!response.ok) {
throw new Error('无效响应'); throw new Error(`HTTP ${response.status}`);
}
if (!response.body) {
throw new Error('响应体不可用');
} }
const reader = response.body.getReader(); const reader = response.body.getReader();
@@ -194,64 +145,50 @@ export default {
let content = ''; let content = '';
let conversationId = ''; let conversationId = '';
while (true) { function processBuffer(buf, callback) {
const { done, value } = await reader.read(); const lines = buf.split('\n');
if (done) break; buf = lines.pop() || '';
buffer += decoder.decode(value, { stream: true });
// 按行分割,保留不完整的最后一行
const lines = buffer.split('\n');
buffer = lines.pop() || ''; // 未完成的行留到下次
for (const line of lines) { for (const line of lines) {
const trimmed = line.trim(); const trimmed = line.trim();
if (trimmed.startsWith('data:')) { if (trimmed.startsWith('data:')) {
try { const jsonStr = trimmed.slice(5).trim();
const jsonStr = trimmed.slice(5).trim(); if (jsonStr) {
if (jsonStr && jsonStr !== '[DONE]') { try {
const data = JSON.parse(jsonStr); const data = JSON.parse(jsonStr);
if (data.event === 'message') { if (data.event === 'message') {
const text = data.answer || data.text || ''; const text = data.answer || data.text || '';
content += text; content += text;
if (onChunk) onChunk(text); callback(text);
} }
if (data.conversation_id) { if (data.conversation_id) {
conversationId = data.conversation_id; conversationId = data.conversation_id;
} }
if (data.event === 'message_end') { if (data.event === 'message_end') {
// 可提前结束 // 可选:提前完成
} }
} catch (e) {
console.warn('解析流数据失败:', e);
} }
} catch (e) {
console.warn('解析失败:', e, line);
} }
} }
} }
return buf;
} }
// 处理最后残留的 buffer如果有 while (true) {
if (buffer.trim().startsWith('data:')) { const { done, value } = await reader.read();
try { if (done) break;
const jsonStr = buffer.trim().slice(5); buffer += decoder.decode(value, { stream: true });
if (jsonStr) { buffer = processBuffer(buffer, (chunk) => {
const data = JSON.parse(jsonStr); if (onChunk) onChunk(chunk);
if (data.event === 'message') { });
const text = data.answer || '';
content += text;
if (onChunk) onChunk(text);
}
if (data.conversation_id) {
conversationId = data.conversation_id;
}
}
} catch (e) {
console.warn('最后 buffer 解析失败:', e);
}
} }
if (onComplete) { if (onComplete) {
onComplete({ content, conversation_id: conversationId }); onComplete({
content,
conversation_id: conversationId
});
} }
return { content, conversation_id: conversationId }; return { content, conversation_id: conversationId };
} catch (error) { } catch (error) {
@@ -259,6 +196,11 @@ export default {
throw error; throw error;
} }
// #endif // #endif
// #ifdef MP-WEIXIN
// 理论上不会执行到这里,但防止 fallback
return this.sendStreamMessage(message, onChunk, onComplete);
// #endif
}, },
/** /**

View File

@@ -2,13 +2,68 @@
* 客服统一处理服务 * 客服统一处理服务
* 整合各种客服方式,提供统一的调用接口 * 整合各种客服方式,提供统一的调用接口
*/ */
export class CustomerService { class CustomerService {
constructor(vueInstance, externalConfig = null) { constructor(vueInstance, externalConfig = {}) {
if (!vueInstance.$lang) {
throw new Error('CustomerService 必须在 Vue 实例中初始化');
}
this.vm = vueInstance; this.vm = vueInstance;
this.externalConfig = externalConfig; // 外部传入的最新配置(优先级最高) this.externalConfig = externalConfig; // 外部传入的最新配置(优先级最高)
this.latestPlatformConfig = null; this.latestPlatformConfig = null;
} }
getSupoortKeFuList() {
if (!this.vm) return [];
const vm = this.vm;
return [
{
id: 'weixin-official',
name: vm.$lang('customer.weChatKefu'),
isOfficial: true,
type: 'weapp'
},
{
id: 'custom-kefu',
name: vm.$lang('customer.systemKefu'),
isOfficial: false
},
{
id: 'qyweixin-kefu',
name: vm.$lang('customer.weChatWorkKefu'),
isOfficial: false
},
]
}
/**
* 打开客服选择弹窗
*/
openCustomerSelectPopupDialog() {
const kefu_list = this.getSupoortKeFuList();
const kefuNames = kefu_list.map(item => item.name);
uni.showActionSheet({
itemList: kefuNames,
success: (res) => {
const kefu = kefu_list[res.tapIndex];
this.externalConfig = kefu ?? this.externalConfig ?? {};
if (kefu.isOfficial) {
uni.openCustomerServiceConversation({
sessionFrom: 'weapp',
showMessageCard: true
});
} else if (kefu.id === 'custom-kefu') {
this.handleCustomerClick();
} else if (kefu.id === 'qyweixin-kefu') {
this.handleQyWeixinKefuClick();
}
}
});
}
/** /**
* 强制刷新配置(支持传入外部配置) * 强制刷新配置(支持传入外部配置)
* @param {Object} externalConfig 外部最新配置 * @param {Object} externalConfig 外部最新配置
@@ -28,29 +83,28 @@ export class CustomerService {
return this.latestPlatformConfig; return this.latestPlatformConfig;
} }
// 优先级:外部传入 > vuex store > 空对象 // 优先级:外部传入的最新配置 > vuex配置 > 空对象
const servicerConfig = this.externalConfig || this.vm.$store.state.servicerConfig || {}; const servicerConfig = this.externalConfig || this.vm.$store.state.servicerConfig || {};
console.log(`【实时客服配置】`, servicerConfig); console.log(`【实时客服配置】`, servicerConfig);
let platformConfig = null; let platformConfig = null;
// #ifdef H5 // #ifdef H5
platformConfig = servicerConfig.h5 && typeof servicerConfig.h5 === 'object' ? servicerConfig.h5 : null; platformConfig = servicerConfig.h5 ? (typeof servicerConfig.h5 === 'object' ? servicerConfig.h5 : null) : null;
// #endif // #endif
// #ifdef MP-WEIXIN // #ifdef MP-WEIXIN
platformConfig = servicerConfig.weapp && typeof servicerConfig.weapp === 'object' ? servicerConfig.weapp : null; platformConfig = servicerConfig.weapp ? (typeof servicerConfig.weapp === 'object' ? servicerConfig.weapp : null) : null;
// #endif // #endif
// #ifdef MP-ALIPAY // #ifdef MP-ALIPAY
platformConfig = servicerConfig.aliapp && typeof servicerConfig.aliapp === 'object' ? servicerConfig.aliapp : null; platformConfig = servicerConfig.aliapp ? (typeof servicerConfig.aliapp === 'object' ? servicerConfig.aliapp : null) : null;
// #endif // #endif
// #ifdef PC // #ifdef PC
platformConfig = servicerConfig.pc && typeof servicerConfig.pc === 'object' ? servicerConfig.pc : null; platformConfig = servicerConfig.pc ? (typeof servicerConfig.pc === 'object' ? servicerConfig.pc : null) : null;
// #endif // #endif
// 防止空数组被当作有效配置 // 处理空数组情况你的配置中pc/aliapp是空数组转为null
if (Array.isArray(platformConfig)) { if (Array.isArray(platformConfig)) {
platformConfig = null; platformConfig = null;
} }
@@ -90,18 +144,32 @@ export class CustomerService {
warnings: [] warnings: []
}; };
if (!config || !config.type) { if (!config) {
result.isValid = false; result.isValid = false;
result.errors.push('客服类型未配置'); result.errors.push('客服配置不存在');
return result; return result;
} }
if (config.type === 'aikefu') {
return result;
}
if (!config.type) {
result.isValid = false;
result.errors.push('客服类型未配置');
}
if (config.type === 'wxwork') { if (config.type === 'wxwork') {
if (!wxworkConfig || !wxworkConfig.enable) { if (!wxworkConfig) {
result.warnings.push('企业微信未启用'); result.isValid = false;
} result.errors.push('企业微信配置不存在');
if (!wxworkConfig.contact_url) { } else {
result.warnings.push('企业微信活码链接未配置'); if (!wxworkConfig.enable) {
result.warnings.push('企业微信功能未启用');
}
if (!wxworkConfig.contact_url) {
result.warnings.push('企业微信活码链接未配置,将使用原有客服方式');
}
} }
} }
@@ -109,39 +177,16 @@ export class CustomerService {
} }
/** /**
* 跳转到 AI 客服页面Dify * 跳转到AI客服页面
*/ */
openDifyService() { openAIKeFuService() {
try { const vm = this.vm;
// 清除未读数(如果存在) vm.$util.redirectTo(vm.$util.AI_CHAT_PAGE_URL);
if (typeof this.vm.setAiUnreadCount === 'function') {
this.vm.setAiUnreadCount(0);
}
// ✅ 修正路径:必须与 pages.json 中注册的路径一致
const aiChatUrl = '/pages_tool/ai-chat/index';
// ✅ 使用 navigateTo 保留返回栈(体验更好)
uni.navigateTo({
url: aiChatUrl,
fail: (err) => {
console.error('跳转 AI 客服失败:', err);
// H5 兜底
// #ifdef H5
window.location.href = aiChatUrl;
// #endif
uni.showToast({ title: '打开客服失败', icon: 'none' });
}
});
} catch (e) {
console.error('跳转 AI 客服异常:', e);
uni.showToast({ title: '打开客服失败', icon: 'none' });
}
} }
/** /**
* 处理客服点击事件(统一入口) * 处理客服点击事件
* @param {Object} options 选项参数(用于消息卡片等) * @param {Object} options 选项参数
*/ */
handleCustomerClick(options = {}) { handleCustomerClick(options = {}) {
const validation = this.validateConfig(); const validation = this.validateConfig();
@@ -156,61 +201,51 @@ export class CustomerService {
} }
const config = this.getPlatformConfig(); const config = this.getPlatformConfig();
console.log('【当前客服配置】', config); const { niushop = {}, sendMessageTitle = '', sendMessagePath = '', sendMessageImg = '' } = options || {};
console.log('【客服类型】', config.type);
const { niushop = {}, sendMessageTitle = '', sendMessagePath = '', sendMessageImg = '' } = options;
if (config.type === 'none') { if (config.type === 'none') {
this.showNoServicePopup(); this.showNoServicePopup();
return; return;
} }
// 核心路由:根据 type 决定行为 // 核心分支:根据最新的type处理
switch (config.type) { switch (config.type) {
case 'aikefu': case 'aikefu':
console.log('【跳转 AI 客服】目标路径: /pages_tool/ai-chat/index'); this.openAIKeFuService();
this.openDifyService();
break; break;
case 'wxwork': case 'wxwork':
console.log('【跳转企业微信客服】');
this.openWxworkService(false, config, options); this.openWxworkService(false, config, options);
break; break;
case 'third': case 'third':
console.log('【跳转第三方客服】');
this.openThirdService(config);
break;
case 'miniprogram':
console.log('【跳转第三方小程序客服】');
this.openThirdService(config); this.openThirdService(config);
break; break;
case 'niushop': case 'niushop':
console.log('【跳转牛商客服】');
this.openNiushopService(niushop); this.openNiushopService(niushop);
break; break;
case 'weapp': case 'weapp':
console.log('【跳转微信官方客服】');
this.openWeappService(config, options); this.openWeappService(config, options);
break; break;
case 'aliapp': case 'aliapp':
console.log('【跳转支付宝客服】');
this.openAliappService(config); this.openAliappService(config);
break; break;
default: default:
console.error('【未知客服类型】', config.type);
this.makePhoneCall(); this.makePhoneCall();
} }
} }
// ================== 各类型客服实现 ================== /**
* 打开企业微信客服
* @param {boolean} useOriginalService 是否使用原有客服方式
* @param {Object} servicerConfig 客服配置
* @param {Object} options 选项参数
*/
openWxworkService(useOriginalService = false, servicerConfig = null, options = {}) { openWxworkService(useOriginalService = false, servicerConfig = null, options = {}) {
const config = servicerConfig || this.getPlatformConfig(); const config = servicerConfig || this.getPlatformConfig();
const wxworkConfig = this.getWxworkConfig(); const wxworkConfig = this.getWxworkConfig();
const { sendMessageTitle = '', sendMessagePath = '', sendMessageImg = '' } = options; const { sendMessageTitle = '', sendMessagePath = '', sendMessageImg = '' } = options || {};
// #ifdef MP-WEIXIN // #ifdef MP-WEIXIN
if (!useOriginalService && wxworkConfig?.enable && wxworkConfig?.contact_url) { if (wxworkConfig?.enable && wxworkConfig?.contact_url && !useOriginalService) {
wx.navigateToMiniProgram({ wx.navigateToMiniProgram({
appId: 'wxeb490c6f9b154ef9', appId: 'wxeb490c6f9b154ef9',
path: `pages/contacts/externalContactDetail?url=${encodeURIComponent(wxworkConfig.contact_url)}`, path: `pages/contacts/externalContactDetail?url=${encodeURIComponent(wxworkConfig.contact_url)}`,
@@ -221,16 +256,9 @@ export class CustomerService {
} }
}); });
} else { } else {
// 检查是否有企业微信配置
if (!config.wxwork_url && !config.corpid) {
console.error('企业微信配置不完整,缺少 wxwork_url 或 corpid');
uni.showToast({ title: '企业微信配置不完整', icon: 'none' });
this.fallbackToPhoneCall();
return;
}
wx.openCustomerServiceChat({ wx.openCustomerServiceChat({
extInfo: { url: config.wxwork_url || '' }, extInfo: { url: config.wxwork_url },
corpId: config.corpid || '', corpId: config.corpid,
showMessageCard: true, showMessageCard: true,
sendMessageTitle, sendMessageTitle,
sendMessagePath, sendMessagePath,
@@ -240,125 +268,120 @@ export class CustomerService {
// #endif // #endif
// #ifdef H5 // #ifdef H5
if (!useOriginalService && wxworkConfig?.enable && wxworkConfig?.contact_url) { if (wxworkConfig?.enable && wxworkConfig?.contact_url) {
window.location.href = wxworkConfig.contact_url; window.location.href = wxworkConfig.contact_url;
} else if (config.wxwork_url) { } else if (config.wxwork_url) {
window.location.href = config.wxwork_url; location.href = config.wxwork_url;
} else { } else {
this.fallbackToPhoneCall(); this.fallbackToPhoneCall();
} }
// #endif // #endif
} }
/**
* 打开第三方客服
* @param {Object} config 客服配置
*/
openThirdService(config) { openThirdService(config) {
console.log('【第三方客服配置】', config);
console.log('【配置字段】', Object.keys(config));
// 支持多种可能的字段名
const miniAppId = config.mini_app_id || config.miniAppId || config.appid || config.appId || config.app_id;
const miniAppPath = config.mini_app_path || config.miniAppPath || config.path || config.page_path || '';
console.log('【解析后的小程序配置】AppID:', miniAppId, 'Path:', miniAppPath);
// 优先处理第三方微信小程序客服
if (miniAppId) {
console.log('【跳转第三方小程序】AppID:', miniAppId, 'Path:', miniAppPath);
// #ifdef MP-WEIXIN
wx.navigateToMiniProgram({
appId: miniAppId,
path: miniAppPath,
success: () => {
console.log('【跳转第三方小程序成功】');
},
fail: (err) => {
console.error('【跳转第三方小程序失败】', err);
uni.showToast({ title: '跳转失败,请稍后重试', icon: 'none' });
}
});
// #endif
// #ifdef H5
uni.showToast({ title: '第三方小程序客服仅在微信小程序中可用', icon: 'none' });
// #endif
return;
}
// 处理第三方链接客服
if (config.third_url) { if (config.third_url) {
console.log('【跳转第三方链接】', config.third_url);
// #ifdef H5
window.location.href = config.third_url; window.location.href = config.third_url;
// #endif
// #ifdef MP-WEIXIN
uni.setClipboardData({
data: config.third_url,
success: () => {
uni.showToast({ title: '链接已复制,请在浏览器打开', icon: 'none' });
}
});
// #endif
} else { } else {
console.error('【第三方客服配置不完整】缺少 mini_app_id 或 third_url');
this.fallbackToPhoneCall(); this.fallbackToPhoneCall();
} }
} }
/**
* 打开牛商客服
* @param {Object} niushop 牛商参数
*/
openNiushopService(niushop) { openNiushopService(niushop) {
if (Object.keys(niushop).length > 0 && this.vm.$util?.redirectTo) { if (Object.keys(niushop).length > 0) {
this.vm.$util.redirectTo('/pages_tool/chat/room', niushop); this.vm.$util.redirectTo('/pages_tool/chat/room', niushop);
} else { } else {
this.makePhoneCall(); this.makePhoneCall();
} }
} }
/**
* 打开微信小程序客服
* @param {Object} config 客服配置
* @param {Object} options 选项参数
*/
openWeappService(config, options = {}) { openWeappService(config, options = {}) {
// 如果 useOfficial 为 true 或 undefined则使用原生系统客服由 button open-type="contact" 触发) if (!this.shouldUseCustomService(config)) {
// 此方法仅用于自定义跳转(如 useOfficial: false console.log('使用官方微信小程序客服');
if (config.useOfficial !== false) {
// 不做任何事,应由 <button open-type="contact"> 触发
console.log('使用微信官方客服,请确保按钮为 <button open-type="contact">');
return; return;
} }
console.log('使用自定义微信小程序客服');
this.handleCustomWeappService(config, options); this.handleCustomWeappService(config, options);
} }
/**
* 处理自定义微信小程序客服
* @param {Object} config 客服配置
* @param {Object} options 选项参数
*/
handleCustomWeappService(config, options = {}) { handleCustomWeappService(config, options = {}) {
const { sendMessageTitle = '', sendMessagePath = '', sendMessageImg = '' } = options || {};
if (config.customServiceUrl) { if (config.customServiceUrl) {
let url = config.customServiceUrl; let url = config.customServiceUrl;
const params = []; const params = [];
const { sendMessageTitle, sendMessagePath, sendMessageImg } = options;
if (sendMessageTitle) params.push(`title=${encodeURIComponent(sendMessageTitle)}`); if (sendMessageTitle) params.push(`title=${encodeURIComponent(sendMessageTitle)}`);
if (sendMessagePath) params.push(`path=${encodeURIComponent(sendMessagePath)}`); if (sendMessagePath) params.push(`path=${encodeURIComponent(sendMessagePath)}`);
if (sendMessageImg) params.push(`img=${encodeURIComponent(sendMessageImg)}`); if (sendMessageImg) params.push(`img=${encodeURIComponent(sendMessageImg)}`);
if (params.length > 0) { if (params.length > 0) {
url += (url.includes('?') ? '&' : '?') + params.join('&'); url += (url.includes('?') ? '&' : '?') + params.join('&');
} }
uni.navigateTo({ url });
uni.navigateTo({
url: url,
fail: (err) => {
console.error('跳转自定义客服页面失败:', err);
this.tryThirdPartyService(config, options);
}
});
return; return;
} }
this.tryThirdPartyService(config, options); this.tryThirdPartyService(config, options);
} }
/**
* 尝试使用第三方客服
* @param {Object} config 客服配置
* @param {Object} options 选项参数
*/
tryThirdPartyService(config, options = {}) { tryThirdPartyService(config, options = {}) {
// 支持第三方微信小程序客服 if (config.thirdPartyServiceUrl) {
if (config.thirdPartyMiniAppId || config.mini_app_id) {
// #ifdef MP-WEIXIN
wx.navigateToMiniProgram({
appId: config.thirdPartyMiniAppId || config.mini_app_id,
path: config.thirdPartyMiniAppPath || config.mini_app_path || ''
});
// #endif
return;
}
// 支持第三方链接客服
if (config.thirdPartyServiceUrl || config.third_url) {
const serviceUrl = config.thirdPartyServiceUrl || config.third_url;
// #ifdef H5 // #ifdef H5
window.open(serviceUrl, '_blank'); window.open(config.thirdPartyServiceUrl, '_blank');
// #endif // #endif
// #ifdef MP-WEIXIN // #ifdef MP-WEIXIN
uni.setClipboardData({ data: serviceUrl }); if (config.thirdPartyMiniAppId) {
uni.showToast({ title: '客服链接已复制', icon: 'none' }); wx.navigateToMiniProgram({
appId: config.thirdPartyMiniAppId,
path: config.thirdPartyMiniAppPath || '',
fail: (err) => {
console.error('跳转第三方小程序失败:', err);
this.fallbackToPhoneCall();
}
});
} else {
uni.setClipboardData({
data: config.thirdPartyServiceUrl,
success: () => {
uni.showModal({
title: '客服链接已复制',
content: '客服链接已复制到剪贴板,请在浏览器中粘贴访问',
showCancel: false
});
}
});
}
// #endif // #endif
return; return;
} }
@@ -366,55 +389,106 @@ export class CustomerService {
this.fallbackToPhoneCall(); this.fallbackToPhoneCall();
} }
openAliappService(config) { /**
if (config.type === 'aikefu') { * 降级到电话客服
this.openDifyService(); */
} else if (config.type === 'third') { fallbackToPhoneCall() {
this.openThirdService(config); uni.showModal({
} else { title: '联系客服',
// 支付宝原生客服由 button open-type="contact" 触发,此处不处理 content: '在线客服暂时不可用,是否拨打电话联系客服?',
console.log('使用支付宝官方客服'); success: (res) => {
} if (res.confirm) {
} this.makePhoneCall();
// ================== 辅助方法 ==================
makePhoneCall() {
this.vm.$api.sendRequest({
url: '/api/site/shopcontact',
success: res => {
if (res.code === 0 && res.data?.mobile) {
uni.makePhoneCall({ phoneNumber: res.data.mobile });
} else {
uni.showToast({ title: '暂无客服电话', icon: 'none' });
} }
},
fail: () => {
uni.showToast({ title: '获取客服电话失败', icon: 'none' });
} }
}); });
} }
/**
* 打开支付宝小程序客服
* @param {Object} config 客服配置
*/
openAliappService(config) {
console.log('支付宝小程序客服', config);
switch (config.type) {
case 'aikefu':
this.openAIKeFuService();
break;
case 'third':
this.openThirdService(config);
break;
default:
console.log('使用支付宝官方客服');
break;
}
}
/**
* 拨打电话
*/
makePhoneCall(mobileNumber) {
if (mobileNumber) {
return uni.makePhoneCall({
phoneNumber: mobileNumber
});
}
// 从缓存中获取电话信息
uni.getStorage({
key: 'shopInfo',
success: (res) => {
const shopInfo = res.data;
const mobile = shopInfo?.mobile ?? '';
if (mobile) {
uni.makePhoneCall({
phoneNumber: mobile
});
} else {
uni.showToast({
title: '暂无客服电话',
icon: 'none'
});
}
}
});
}
/**
* 显示无客服弹窗
*/
showNoServicePopup() { showNoServicePopup() {
const siteInfo = this.vm.$store.state.siteInfo || {}; const siteInfo = this.vm.$store.state.siteInfo || {};
const message = siteInfo?.site_tel const message = siteInfo?.site_tel
? `请联系客服,客服电话是 ${siteInfo.site_tel}` ? `请联系客服,客服电话是${siteInfo.site_tel}`
: '抱歉,商家暂无客服,请线下联系'; : '抱歉,商家暂无客服,请线下联系';
uni.showModal({ title: '联系客服', content: message, showCancel: false });
}
showConfigErrorPopup(errors) {
uni.showModal({ uni.showModal({
title: '客服配置错误', title: '联系客服',
content: `配置有误:\n${errors.join('\n')}`, content: message,
showCancel: false showCancel: false
}); });
} }
/**
* 显示配置错误弹窗
* @param {Array} errors 错误列表
*/
showConfigErrorPopup(errors) {
const message = errors.join('\n');
uni.showModal({
title: '配置错误',
content: `客服配置有误:\n${message}`,
showCancel: false
});
}
/**
* 降级处理:使用原有客服方式
*/
fallbackToOriginalService() { fallbackToOriginalService() {
uni.showModal({ uni.showModal({
title: '提示', title: '提示',
content: '无法直接添加企业微信,是否使用其他方式联系客服?', content: '无法直接添加企业微信客服,是否使用其他方式联系客服?',
success: (res) => { success: (res) => {
if (res.confirm) { if (res.confirm) {
this.openWxworkService(true); this.openWxworkService(true);
@@ -423,19 +497,9 @@ export class CustomerService {
}); });
} }
fallbackToPhoneCall() {
uni.showModal({
title: '提示',
content: '在线客服不可用,是否拨打电话联系客服?',
success: (res) => {
if (res.confirm) this.makePhoneCall();
}
});
}
/** /**
* 获取按钮配置(用于 template 中 v-if / open-type 判断) * 获取客服按钮配置
* @returns {Object} * @returns {Object} 按钮配置
*/ */
getButtonConfig() { getButtonConfig() {
const config = this.getPlatformConfig(); const config = this.getPlatformConfig();
@@ -443,24 +507,39 @@ export class CustomerService {
let openType = ''; let openType = '';
// #ifdef MP-WEIXIN // #ifdef MP-WEIXIN
if (config.type === 'weapp' && config.useOfficial !== false) { if (config.type === 'weapp') {
openType = 'contact'; openType = config.useOfficial !== false ? 'contact' : '';
} }
// #endif // #endif
// #ifdef MP-ALIPAY // #ifdef MP-ALIPAY
if (config.type === 'aliapp') openType = 'contact'; if (config.type === 'aliapp') openType = 'contact';
// #endif // #endif
return { ...config, openType }; return { ...config, openType };
} }
/**
* 判断是否应该使用自定义客服处理
* @param {Object} config 客服配置
* @returns {boolean} 是否使用自定义客服
*/
shouldUseCustomService(config) {
// #ifdef MP-WEIXIN
if (config?.type === 'weapp') {
return config.useOfficial === false;
}
// #endif
return true;
}
} }
/** /**
* 创建客服服务实例 * 创建客服服务实例
* @param {Object} vueInstance Vue 实例(通常是 this * @param {Object} vueInstance Vue实例
* @param {Object} externalConfig 可选:外部传入的最新配置(如从 DIY 数据中提取) * @param {Object} externalConfig 外部最新配置
* @returns {CustomerService} * @returns {CustomerService} 客服服务实例
*/ */
export function createCustomerService(vueInstance, externalConfig = null) { export function createCustomerService(vueInstance, externalConfig = {}) {
return new CustomerService(vueInstance, externalConfig); return new CustomerService(vueInstance, externalConfig);
} }

View File

@@ -7,7 +7,7 @@ export default {
computed: { computed: {
// 是否是英文环境 // 是否是英文环境
isEnEnv() { isEnEnv() {
return uni.getStorageSync('lang') === 'en-us'; return this.$langConfig.getCurrentLocale() === 'en-us';
}, },
themeStyle() { themeStyle() {
return this.$store.state.themeStyle; return this.$store.state.themeStyle;
@@ -65,10 +65,6 @@ export default {
componentRefresh() { componentRefresh() {
return this.$store.state.componentRefresh; return this.$store.state.componentRefresh;
}, },
// AI客服配置
globalAIKefuConfig() {
return this.$store.state.globalAIKefuConfig;
},
// 客服配置 // 客服配置
servicerConfig() { servicerConfig() {
return this.$store.state.servicerConfig; return this.$store.state.servicerConfig;

View File

@@ -1,161 +1,221 @@
import { langConfig } from './config-external.js'; import { langConfig } from './config-external.js';
// 缓存已加载的语言包 // 缓存已加载的语言包
const loadedLangPacks = {}; const loadedLangPacks = {};
// 处理页面目录映射 // 处理页面目录映射
function processRoutePath(route) { function processRoutePath(route) {
let routeParts = route.split("/"); let routeParts = route.split("/");
// ---- 处理页面目录映射 <begin> 分包造成的,需要根据实际目录结构进行映射---- // ---- 处理页面目录映射 <begin> 分包造成的,需要根据实际目录结构进行映射----
if (routeParts[0] === 'pages_tool') { // 先处理特殊的分包路径
routeParts = [routeParts[1], ...routeParts.slice(2)]; if (routeParts[0] === 'pages_tool') {
} else if (routeParts[0] === 'pages_goods') { // pages_tool 分包下的页面,直接使用子目录作为语言包路径
routeParts[0] = 'goods'; routeParts = [routeParts[1], ...routeParts.slice(2)];
} else if (routeParts[0] === 'pages_member') { } else if (routeParts[0] === 'pages_goods') {
routeParts[0] = 'member'; // pages_goods 分包映射到 goods 目录
} else if (routeParts[0] === 'pages_order') { routeParts[0] = 'goods';
routeParts[0] = 'order'; } else if (routeParts[0] === 'pages_member') {
} else if (routeParts[0] === 'pages_promotion') { // pages_member 分包映射到 member 目录
const promotionModules = ['point', 'fenxiao', 'merch']; routeParts[0] = 'member';
if (routeParts[1] && promotionModules.includes(routeParts[1])) { } else if (routeParts[0] === 'pages_order') {
routeParts = [routeParts[1], ...routeParts.slice(2)]; // pages_order 分包映射到 order 目录
} routeParts[0] = 'order';
} } else if (routeParts[0] === 'pages_promotion') {
// ---- 处理页面目录映射 <end>---- // pages_promotion 分包特殊处理
const promotionModules = ['point', 'fenxiao', 'merch'];
if (routeParts[1] && promotionModules.includes(routeParts[1])) {
routeParts = [routeParts[1], ...routeParts.slice(2)];
}
}
// ---- 处理页面目录映射 <end>----
if (routeParts[0] === 'pages') { // 去掉pages目录只保留子目录
routeParts = routeParts.slice(1); if (routeParts[0] === 'pages') {
} routeParts = routeParts.slice(1);
}
return routeParts.join("/"); return routeParts.join("/");
} }
// 加载语言包(同步方式) // 加载语言包(同步方式)
function loadLangPackSync(lang, path) { function loadLangPackSync(lang, path) {
try { try {
if (loadedLangPacks[`${lang}_${path}`]) { if (loadedLangPacks[`${lang}_${path}`]) {
return loadedLangPacks[`${lang}_${path}`]; return loadedLangPacks[`${lang}_${path}`];
} }
const langData = require(`@/lang/${lang}/${path}.js`).lang; const langData = require(`@/lang/${lang}/${path}.js`).lang;
loadedLangPacks[`${lang}_${path}`] = langData; loadedLangPacks[`${lang}_${path}`] = langData;
return langData; return langData;
} catch (error) { } catch (error) {
console.error(`加载语言包 ${lang}/${path} 失败:`, error); console.error(`加载语言包 ${lang}/${path} 失败:`, error);
return {}; return {};
} }
}
/**
* 获得当前本地语言
* @returns
*/
function getCurrentLocale() {
return uni.getStorageSync('lang') || "zh-cn";
} }
export default { export default {
langList: langConfig.langList, langList: langConfig.langList,
/**
* 解析多语言
*/
lang(field) {
let _this = getCurrentPages()[getCurrentPages().length - 1];
if (!_this) return;
const locale = uni.getStorageSync('lang') || "zh-cn"; /**
* 获得当前本地语言
* @returns
*/
getCurrentLocale,
let value = ''; /**
let langPath = ''; * * 解析多语言
* @param {Object} field
*/
lang(field) {
let _page = getCurrentPages()[getCurrentPages().length - 1];
if (!_page) return;
try { const locale = getCurrentLocale(); // 获得当前本地语言
var lang = loadLangPackSync(locale, 'common');
let route = _this.route; let value = ''; // 存放解析后的语言值
langPath = processRoutePath(route); let langPath = ''; // 存放当前页面语言包路径
let currentPageLang = loadLangPackSync(locale, langPath); try {
//公共语言包(同步加载)
var lang = loadLangPackSync(locale, 'common');
let mergedLang = { ...lang, ...currentPageLang }; //当前页面语言包(同步加载)
let route = _page.route;
langPath = processRoutePath(route);
var arr = field.split("."); // 加载当前页面语言包
if (arr.length > 1) { let currentPageLang = loadLangPackSync(locale, langPath);
let temp = mergedLang;
let found = true;
for (let key of arr) {
if (temp[key] !== undefined) {
temp = temp[key];
} else {
found = false;
break;
}
}
value = found ? temp : field;
} else {
value = mergedLang[field] !== undefined ? mergedLang[field] : field;
}
} catch (e) { // 合并语言包
console.error('解析语言包失败:', e, { langPath, field, locale }); let mergedLang = { ...lang, ...currentPageLang };
value = field;
}
if (arguments.length > 1) { // 解析字段
for (var i = 1; i < arguments.length; i++) { var arr = field.split(".");
value = value.replace("{" + (i - 1) + "}", arguments[i]); if (arr.length > 1) {
} // 处理嵌套属性,如 common.currencySymbol
} let temp = mergedLang;
if (value == undefined || (value == 'title' && field == 'title')) value = ''; let found = true;
for (let key of arr) {
if (temp[key] !== undefined) {
temp = temp[key];
} else {
found = false;
break;
}
}
value = found ? temp : field;
} else {
value = mergedLang[field] !== undefined ? mergedLang[field] : field;
}
if (field == value) { } catch (e) {
console.warn(`警告: 字段 ${field} 在语言包 ${langPath} 中未找到对应值,使用默认值 ${field} 当前语言: ${locale}`); console.error('解析语言包失败:', e, { langPath, field, locale });
} value = field;
}
return value; if (arguments.length > 1) {
}, //有参数,需要替换
/** for (var i = 1; i < arguments.length; i++) {
* 切换语言 value = value.replace("{" + (i - 1) + "}", arguments[i]);
*/ }
change(value, url = '/pages_tool/member/index') { }
let _this = getCurrentPages()[getCurrentPages().length - 1]; if (value == undefined || (value == 'title' && field == 'title')) value = ''; // field
if (!_this) return;
uni.setStorageSync("lang", value); // 多语言调试,注释后可以关闭控制台输出
const locale = uni.getStorageSync('lang') || "zh-cn"; if (field == value) {
console.warn(`警告: 字段 ${field} 在语言包 ${langPath} 中未找到对应值,使用默认值 ${field} 当前语言: ${locale}`);
}
// ✅ 关键修复:清空所有语言包缓存(不再保留任何旧缓存) return value;
for (let key in loadedLangPacks) { },
delete loadedLangPacks[key]; /**
} * * 切换语言
* @param {String} value 语言值
* @param {String} url 切换后跳转的页面url
*/
change(value, url = '/pages_tool/member/index') {
let _page = getCurrentPages()[getCurrentPages().length - 1];
if (!_page) return;
this.refresh(); uni.setStorageSync("lang", value);
const locale = getCurrentLocale();
if (url) { // 清空已加载的语言包缓存
uni.reLaunch({ url: url }); for (let key in loadedLangPacks) {
} if (!key.startsWith(locale)) {
}, delete loadedLangPacks[key];
//刷新标题、tabbar }
refresh() { }
let _this = getCurrentPages()[getCurrentPages().length - 1];
if (!_this) return;
const locale = uni.getStorageSync('lang') || "zh-cn";
this.title(this.lang("title")); this.refresh();
},
title(str) { if (url) {
if (str) { uni.reLaunch({ url: url });
uni.setNavigationBarTitle({ }
title: str },
}); //刷新标题、tabbar
} refresh() {
}, let _page = getCurrentPages()[getCurrentPages().length - 1];
// 获取语言包列表 if (!_page) return;
list() {
var list = []; const locale = getCurrentLocale();
try {
for (var i = 0; i < langConfig.langList.length; i++) { this.title(this.lang("title"));
let langType = langConfig.langList[i];
let item = loadLangPackSync(langType, 'common'); //设置tabbar的文字语言
list.push({ // uni.setTabBarItem({
name: item.common ? item.common.name : langType, // index: 0,
value: langType // text: this.lang("tabBar.home")
}); // });
} // uni.setTabBarItem({
} catch (e) { // index: 1,
console.error('获取语言包列表失败:', e); // text: this.lang("tabBar.category")
} // });
return list; // uni.setTabBarItem({
} // index: 2,
// text: this.lang("tabBar.cart")
// });
// uni.setTabBarItem({
// index: 3,
// text: this.lang("tabBar.member")
// });
},
title(str) {
if (str) {
uni.setNavigationBarTitle({
title: str,
success: function (res) {
},
fail: function (err) {
}
});
}
},
// 获取语言包列表
list() {
var list = [];
try {
//公共语言包
for (var i = 0; i < langConfig.langList.length; i++) {
let langType = langConfig.langList[i];
let item = loadLangPackSync(langType, 'common');
list.push({
name: item.common ? item.common.name : langType,
value: langType
});
}
} catch (e) {
console.error('获取语言包列表失败:', e);
}
return list;
}
} }

View File

@@ -156,11 +156,11 @@
</script> </script>
<style lang="scss"> <style lang="scss">
/deep/.uni-popup__wrapper.uni-custom .uni-popup__wrapper-box { ::v-deep .uni-popup__wrapper.uni-custom .uni-popup__wrapper-box {
background-color: #000; background-color: #000;
} }
/deep/.uni-popup__wrapper.uni-custom.center .uni-popup__wrapper-box { ::v-deep .uni-popup__wrapper.uni-custom.center .uni-popup__wrapper-box {
max-width: 100%; max-width: 100%;
width: 100%; width: 100%;
} }
@@ -179,7 +179,6 @@
.chat-message { .chat-message {
width: 100%; width: 100%;
height: 100%; height: 100%;
background: white; /* 白色 */
.message { .message {
padding: 13rpx 20rpx; padding: 13rpx 20rpx;
@@ -271,7 +270,7 @@
flex-direction: row-reverse; flex-direction: row-reverse;
.content { .content {
background-color: #c4e0ff; /* 浅蓝色 */ background-color: #4cd964;
margin-right: 28rpx; margin-right: 28rpx;
word-break: break-all; word-break: break-all;
line-height: 36rpx; line-height: 36rpx;

View File

@@ -1,57 +1,43 @@
<template> <template>
<view v-if="pageCount == 1 || need" class="fixed-box" <!-- 悬浮按钮 -->
:style="[customContainerStyle, { <view v-if="pageCount == 1 || need" class="fixed-box" :style="[customContainerStyle, {
height: containerHeight, height: fixBtnShow ? '400rpx' : '320rpx',
backgroundImage: bgUrl ? `url( $ {bgUrl})` : '', backgroundImage: bgUrl ? `url(${bgUrl})` : '',
backgroundSize: 'cover' backgroundSize: 'cover'
}]"> }]">
<!-- 统一客服入口根据后台配置自动适配 AI / 企业微信 / 第三方等 -->
<!-- 微信官方客服需要使用 button open-type="contact" -->
<button
v-if="fixBtnShow && isWeappOfficialKefu"
class="btn-item common-bg"
open-type="contact"
:style="{ backgroundImage: currentKefuImg ? `url( $ {currentKefuImg})` : '', backgroundSize: '100% 100%' }"
>
<text class="ai-icon" v-if="!currentKefuImg">🤖</text>
</button>
<!-- 其他类型客服使用普通 view -->
<view
v-else-if="fixBtnShow"
class="btn-item common-bg"
@click="handleUnifiedKefuClick"
:style="{ backgroundImage: currentKefuImg ? `url( $ {currentKefuImg})` : '', backgroundSize: '100% 100%' }"
>
<text class="ai-icon" v-if="!currentKefuImg">🤖</text>
</view>
<!-- 新增小程序系统客服按钮当附加设置开启时显示 -->
<button
v-if="fixBtnShow && showWeappSystemKefu"
class="btn-item common-bg"
open-type="contact"
:style="{ backgroundImage: currentKefuImg ? `url( $ {currentKefuImg})` : '', backgroundSize: '100% 100%' }"
>
<text class="ai-icon" v-if="!currentKefuImg">💬</text>
</button>
<!-- 中英文切换按钮 --> <!-- 中英文切换按钮 -->
<view <view v-if="isLanguageSwitchEnabled && fixBtnShow" class="btn-item common-bg" @click="toggleLanguage">
v-if="isLanguageSwitchEnabled && fixBtnShow"
class="btn-item common-bg"
@click="toggleLanguage"
>
<text>{{ currentLangDisplayName }}</text> <text>{{ currentLangDisplayName }}</text>
</view> </view>
<!-- AI 智能助手 -->
<view v-if="fixBtnShow && enableAIChat" class="btn-item common-bg" @click="openAIChat"
:style="{ backgroundImage: aiAgentimg ? `url(${aiAgentimg})` : '', backgroundSize: '100% 100%' }">
<text class="ai-icon" v-if="!aiAgentimg">🤖</text>
</view>
<!-- 微信小程序客服按钮 -->
<!-- #ifdef MP-WEIXIN -->
<button class="btn-item common-bg" hoverClass="none" openType="contact" sessionFrom="weapp" showMessageCard="true"
:style="[{ backgroundImage: kefuimg ? `url(${kefuimg})` : '', backgroundSize: '100% 100%' }, customButtonStyle]">
<text class="icox icox-kefu" v-if="!kefuimg"></text>
</button>
<!-- #endif -->
<!-- 普通客服仅当未启用 AI 时显示 -->
<!-- #ifdef H5 -->
<template v-if="fixBtnShow">
<button class="btn-item common-bg" hoverClass="none" @click="openCustomerSelectPopup"
:style="[{ backgroundImage: kefuimg ? `url(${kefuimg})` : '', backgroundSize: '100% 100%' }, customButtonStyle]">
<text class="icox icox-kefu" v-if="!kefuimg"></text>
</button>
</template>
<!-- #endif -->
<!-- 电话按钮始终显示 --> <!-- 电话按钮始终显示 -->
<view <view v-if="fixBtnShow" class="btn-item common-bg" @click="call()"
v-if="fixBtnShow" :style="[{ backgroundImage: phoneimg ? `url(${phoneimg})` : '', backgroundSize: '100% 100%' }, customButtonStyle]">
class="btn-item common-bg"
@click="call()"
:style="[{ backgroundImage: phoneimg ? `url( $ {phoneimg})` : '', backgroundSize: '100% 100%' }, customButtonStyle]"
>
<text class="iconfont icon-dianhua" v-if="!phoneimg"></text> <text class="iconfont icon-dianhua" v-if="!phoneimg"></text>
</view> </view>
@@ -70,18 +56,16 @@ export default {
return { return {
pageCount: 0, pageCount: 0,
fixBtnShow: true, fixBtnShow: true,
shopInfo: null, shopInfo: null,
currentLangIndex: 0, currentLangIndex: 0,
langIndexMap: {}, langIndexMap: {},
kefuList: [
{ id: 'weixin-official', name: '微信官方客服', isOfficial: true, type: 'weapp' }, customerService: null,
{ id: 'custom-kefu', name: '自定义在线客服', isOfficial: false, type: 'custom' },
{ id: 'qyweixin-kefu', name: '企业微信客服', isOfficial: false, type: 'qyweixin' }
],
selectedKefu: null,
}; };
}, },
computed: { computed: {
// 安全读取 shopInfo 中的字段,避免 undefined 报错
bgUrl() { bgUrl() {
return this.shopInfo?.bgUrl || ''; return this.shopInfo?.bgUrl || '';
}, },
@@ -89,10 +73,10 @@ export default {
return this.shopInfo?.aiAgentimg || ''; return this.shopInfo?.aiAgentimg || '';
}, },
kefuimg() { kefuimg() {
return this.shopInfo?.kefuimg || this. $util.getDefaultImage().kefu; return this.shopInfo?.kefuimg || this.$util.getDefaultImage().kefu;
}, },
phoneimg() { phoneimg() {
return this.shopInfo?.phoneimg || this. $util.getDefaultImage().phone; return this.shopInfo?.phoneimg || this.$util.getDefaultImage().phone;
}, },
tel() { tel() {
return this.shopInfo?.mobile || ''; return this.shopInfo?.mobile || '';
@@ -100,6 +84,9 @@ export default {
isLanguageSwitchEnabled() { isLanguageSwitchEnabled() {
return !!this.shopInfo?.ischina; return !!this.shopInfo?.ischina;
}, },
enableAIChat() {
return !!this.shopInfo?.enableAIChat;
},
currentLangDisplayName() { currentLangDisplayName() {
const lang = this.langIndexMap[this.currentLangIndex]; const lang = this.langIndexMap[this.currentLangIndex];
return lang === 'zh-cn' ? 'EN' : 'CN'; return lang === 'zh-cn' ? 'EN' : 'CN';
@@ -109,87 +96,30 @@ export default {
}, },
customButtonStyle() { customButtonStyle() {
return this.shopInfo?.floatingButton?.button || {}; return this.shopInfo?.floatingButton?.button || {};
},
unreadCount() {
return this. $store.state.aiUnreadCount || 0;
},
// ✅ 新增:根据当前客服类型动态返回图标
currentKefuImg() {
if (!this.shopInfo) return '';
const customerService = createCustomerService(this);
const config = customerService.getPlatformConfig();
if (config?.type === 'aikefu') {
return this.aiAgentimg;
} else if (config?.type === 'wxwork' || config?.type === 'qyweixin') {
// 企业微信客服专用图标
return this.aiAgentimg;
}
// 默认客服图标
return this.kefuimg;
},
// ✅ 新增:判断是否为微信官方客服
isWeappOfficialKefu() {
if (!this.shopInfo) return false;
const customerService = createCustomerService(this);
const config = customerService.getPlatformConfig();
return config?.type === 'weapp';
},
// ✅ 新增:判断是否需要同时显示小程序系统客服
showWeappSystemKefu() {
if (!this.shopInfo) return false;
const customerService = createCustomerService(this);
const config = customerService.getPlatformConfig();
// 检查附加设置是否开启了同时显示小程序系统客服,且当前客服类型不是小程序系统客服
return (config?.show_system_service === true || config?.show_system_service === '1') && config?.type !== 'weapp';
},
//根据显示的按钮数量动态计算容器高度
containerHeight() {
if (!this.fixBtnShow) return '320rpx';
let buttonCount = 1;
if (this.isLanguageSwitchEnabled) buttonCount++;
if (this.showWeappSystemKefu) buttonCount++;
buttonCount++;
const totalRpx = 94 * buttonCount - 14;
const pxValue = Math.round(totalRpx * 0.5);
return ` $ {pxValue}px`;
}
},
watch: {
shopInfo: {
handler(newVal) {
// 可在此添加额外逻辑(如埋点、通知等),当前无需操作
},
immediate: true
} }
}, },
created() { created() {
this.customerService = createCustomerService(this);
this.initLanguage(); this.initLanguage();
this.pageCount = getCurrentPages().length;
uni.getStorage({ uni.getStorage({
key: 'shopInfo', key: 'shopInfo',
success: (e) => { success: (e) => {
console.log('【调试】当前 shopInfo:', e.data);
this.shopInfo = e.data; this.shopInfo = e.data;
},
fail: () => {
console.warn('未获取到 shopInfo使用默认设置');
} }
}); });
}, },
methods: { methods: {
/**
* 初始化多语言配置
*/
initLanguage() { initLanguage() {
this.langList = this. $langConfig.list(); this.langList = this.$langConfig.list();
this.langIndexMap = {}; this.langIndexMap = {};
for (let i = 0; i < this.langList.length; i++) { for (let i = 0; i < this.langList.length; i++) {
this.langIndexMap[i] = this.langList[i].value; this.langIndexMap[i] = this.langList[i].value;
} }
const savedLang = uni.getStorageSync('lang'); const savedLang = this.$langConfig.getCurrentLocale();
if (savedLang) { if (savedLang) {
for (let i = 0; i < this.langList.length; i++) { for (let i = 0; i < this.langList.length; i++) {
if (this.langList[i].value === savedLang) { if (this.langList[i].value === savedLang) {
@@ -201,118 +131,43 @@ export default {
this.currentLangIndex = 0; this.currentLangIndex = 0;
} }
}, },
/**
* 电话联系客服
*/
call() { call() {
if (this.tel) { this.customerService.makePhoneCall(this.tel);
uni.makePhoneCall({ phoneNumber: this.tel + '' });
} else {
uni.showToast({ title: '暂无联系电话', icon: 'none' });
}
}, },
/**
* 切换中英文语言,并刷新当前页面(保留所有参数)
*/
toggleLanguage() { toggleLanguage() {
this.currentLangIndex = this.currentLangIndex === 0 ? 1 : 0; this.currentLangIndex = this.currentLangIndex === 0 ? 1 : 0;
const targetLang = this.langIndexMap[this.currentLangIndex]; const targetLang = this.langIndexMap[this.currentLangIndex];
this. $langConfig.change(targetLang);
if (uni.getSystemInfoSync().platform === 'browser') { // 调用语言切换逻辑(设置 storage + 清空缓存)
setTimeout(() => { this.$langConfig.change(targetLang);
window.location.reload();
}, 100);
}
}, },
// ✅ 核心方法:统一客服入口 /**
handleUnifiedKefuClick() { * 打开 AI 智能助手
const customerService = createCustomerService(this); */
const validation = customerService.validateConfig(); openAIChat() {
this.$util.redirectTo(this.$util.AI_CHAT_PAGE_URL);
console.log('【客服配置验证】', validation);
if (!validation.isValid) {
console.error('客服配置无效:', validation.errors);
uni.showToast({ title: '客服暂不可用', icon: 'none' });
return;
}
if (validation.warnings.length > 0) {
console.warn('客服配置警告:', validation.warnings);
}
const platformConfig = customerService.getPlatformConfig();
console.log('【当前客服配置】', platformConfig);
// 检查企业微信配置
if (platformConfig.type === 'wxwork') {
const wxworkConfig = customerService.getWxworkConfig();
console.log('【企业微信配置】', wxworkConfig);
// #ifdef MP-WEIXIN
if (!wxworkConfig?.enable || !wxworkConfig?.contact_url) {
console.warn('企业微信配置不完整,使用原生客服');
uni.showToast({ title: '企业微信配置不完整', icon: 'none' });
}
// #endif
// #ifdef H5
if (!wxworkConfig?.contact_url && !platformConfig.wxwork_url) {
console.error('企业微信链接未配置');
uni.showToast({ title: '企业微信链接未配置', icon: 'none' });
return;
}
// #endif
}
// 直接调用统一处理方法,由 CustomerService 内部根据配置路由
try {
customerService.handleCustomerClick({
sendMessageTitle: '来自悬浮按钮的咨询',
sendMessagePath: '/pages/index/index'
});
} catch (error) {
console.error('客服处理失败:', error);
uni.showToast({ title: '打开客服失败', icon: 'none' });
}
}, },
// 以下方法保留用于 actionSheet如仍需手动选择 /**
openKefuSelectPopup() { * 打开客服选择对话框
const kefuNames = this.kefuList.map(item => item.name); */
uni.showActionSheet({ openCustomerSelectPopup() {
itemList: kefuNames, this.customerService.openCustomerSelectPopupDialog();
success: (res) => {
this.selectedKefu = this.kefuList[res.tapIndex];
const cs = createCustomerService(this, this.selectedKefu);
if (this.selectedKefu.isOfficial) {
uni.openCustomerServiceConversation({
sessionFrom: 'weapp',
showMessageCard: true
});
} else if (this.selectedKefu.id === 'qyweixin-kefu') {
// 处理企业微信客服
if (uni.getSystemInfoSync().platform === 'wechat') {
// 小程序端:跳转到企业微信客服
uni.navigateTo({
url: '/pages_tool/qyweixin-kefu/index'
});
} else {
// H5端跳转到企业微信链接
const qyweixinUrl = this.shopInfo.qyweixinUrl; // 后端返回的企业微信链接
if (qyweixinUrl) {
window.location.href = qyweixinUrl;
} else {
uni.showToast({ title: '企业微信客服未配置', icon: 'none' });
}
}
} else {
cs.handleCustomerClick();
}
}
});
} }
} }
} }
</script> </script>
<style scoped> <style lang="scss" scoped>
.fixed-box { .fixed-box {
position: fixed; position: fixed;
right: 0rpx; right: 0rpx;
@@ -333,16 +188,27 @@ export default {
} }
.btn-item { .btn-item {
display: flex;
justify-content: center;
text-align: center;
flex-direction: column;
line-height: 1;
margin: 14rpx 0;
transition: 0.1s;
color: var(--hover-nav-text-color);
border-radius: 40rpx;
width: 80rpx; width: 80rpx;
height: 80rpx; height: 80rpx;
background: #fff; padding: 0;
border-radius: 50%; overflow: hidden;
display: flex;
align-items: center;
justify-content: center;
margin: 14rpx 0;
box-shadow: 0 2rpx 8rpx rgba(0,0,0,0.1);
} }
/* 定义共同的背景颜色 */
.common-bg {
background-color: var(--hover-nav-bg-color);
/* 使用变量以保持一致性 */
}
.btn-item text { .btn-item text {
font-size: 28rpx; font-size: 28rpx;
} }
@@ -357,7 +223,6 @@ export default {
justify-content: center; justify-content: center;
align-items: center; align-items: center;
margin: 14rpx 0; margin: 14rpx 0;
background: #fff;
border-radius: 50rpx; border-radius: 50rpx;
width: 80rpx; width: 80rpx;
height: 80rpx; height: 80rpx;
@@ -371,21 +236,7 @@ export default {
font-weight: bold; font-weight: bold;
} }
.unread-badge {
position: absolute;
top: -5rpx;
right: -5rpx;
background-color: #ff4544;
color: white;
border-radius: 20rpx;
min-width: 30rpx;
height: 30rpx;
font-size: 20rpx;
line-height: 30rpx;
text-align: center;
padding: 0 8rpx;
box-shadow: 0 2rpx 10rpx rgba(255, 69, 68, 0.3);
}
.ai-icon { .ai-icon {
font-size: 40rpx; font-size: 40rpx;

View File

@@ -104,7 +104,7 @@
}, },
"router" : { "router" : {
"mode" : "history", "mode" : "history",
"base" : "/hwappx/common/" "base" : "/hwappx/2811/"
}, },
"title" : "", "title" : "",
"devServer" : { "devServer" : {

View File

@@ -321,6 +321,12 @@
"navigationBarTitleText": "AI 客服" "navigationBarTitleText": "AI 客服"
} }
}, },
{
"path": "agreement/contenr",
"style": {
"navigationBarTitleText": ""
}
},
{ {
"path": "vr/index", "path": "vr/index",
"style": { "style": {
@@ -912,16 +918,22 @@
}, },
//******************文件模块****************** //******************文件模块******************
{ {
"path": "files/list", "path": "files/list",
"style": { "style": {
// #ifdef APP-PLUS // #ifdef APP-PLUS
"navigationStyle": "custom", "navigationStyle": "custom",
// #endif // #endif
"navigationBarTitleText": "查看文件" "navigationBarTitleText": "查看文件"
}
} }
] },
} {
"path": "file-preview/file-preview",
"style": {
"navigationBarTitleText": "文件预览"
}
}
]
}
], ],
"globalStyle": { "globalStyle": {
"navigationBarTextStyle": "black", "navigationBarTextStyle": "black",

View File

@@ -1,167 +1,159 @@
<template> <template>
<view :style="themeColor"> <view :style="themeColor">
<view :style="{ backgroundColor: bgColor, minHeight: openBottomNav ? 'calc(100vh - 55px)' : '' }" <view :style="{ backgroundColor: bgColor, minHeight: openBottomNav ? 'calc(100vh - 55px)' : '' }"
class="page-img"> class="page-img">
<view class="site-info-box" <view class="site-info-box"
v-if="$util.isWeiXin() && followOfficialAccount && followOfficialAccount.isShow && wechatQrcode"> v-if="$util.isWeiXin() && followOfficialAccount && followOfficialAccount.isShow && wechatQrcode">
<view class="site-info"> <view class="site-info">
<view class="img-box" v-if="siteInfo.logo_square"> <view class="img-box" v-if="siteInfo.logo_square">
<image :src="$util.img(siteInfo.logo_square)" mode="aspectFill"></image> <image :src="$util.img(siteInfo.logo_square)" mode="aspectFill"></image>
</view> </view>
<view class="info-box" :style="{ color: '#ffffff' }"> <view class="info-box" :style="{ color: '#ffffff' }">
<text class="font-size-base">{{ siteInfo.site_name }}</text> <text class="font-size-base">{{ siteInfo.site_name }}</text>
<text>{{ followOfficialAccount.welcomeMsg }}</text> <text>{{ followOfficialAccount.welcomeMsg }}</text>
</view> </view>
</view> </view>
<view class="dite-button" @click="officialAccountsOpen">{{ isEnEnv ? 'Follow Official Account' : '关注公众号' <view class="dite-button" @click="officialAccountsOpen">{{ isEnEnv ? 'Follow Official Account' : '关注公众号'
}}</view> }}</view>
</view> </view>
<diy-index-page v-if="topIndexValue" ref="indexPage" :value="topIndexValue" :bgUrl="safeBgUrl" <!-- <view class="page-header" v-if="diyData.global && diyData.global.navBarSwitch" :style="{ backgroundImage: bgImg }">
:scrollTop="scrollTop" :diyGlobal="diyData.global" class="diy-index-page"> <ns-navbar :title-color="textNavColor" :data="diyData.global" :scrollTop="scrollTop" :isBack="false"/>
<template v-slot:components> </view> -->
<diy-group ref="diyGroup" v-if="diyData.value" :diyData="diyData" :scrollTop="scrollTop"
:haveTopCategory="true" :followOfficialAccount="followOfficialAccount" />
</template>
<template v-slot:default>
<ns-copyright v-show="isShowCopyRight" />
</template>
</diy-index-page>
<view v-else class="bg-index" <diy-index-page v-if="topIndexValue" ref="indexPage" :value="topIndexValue" :bgUrl="bgUrl"
:style="{ backgroundImage: backgroundUrlStyle, paddingTop: paddingTop, marginTop: marginTop }"> :scrollTop="scrollTop" :diyGlobal="diyData.global" class="diy-index-page">
<diy-group ref="diyGroup" v-if="diyData.value" :diyData="diyData" :scrollTop="scrollTop" <template v-slot:components>
:followOfficialAccount="followOfficialAccount" /> <diy-group ref="diyGroup" v-if="diyData.value" :diyData="diyData" :scrollTop="scrollTop"
<ns-copyright v-show="isShowCopyRight" /> :haveTopCategory="true" :followOfficialAccount="followOfficialAccount" />
</view> </template>
<template v-slot:default>
<ns-copyright v-show="isShowCopyRight" />
</template>
</diy-index-page>
<template v-if="adv.advshow != -1"> <view v-else class="bg-index"
<view @touchmove.prevent.stop> :style="{ backgroundImage: backgroundUrl, paddingTop: paddingTop, marginTop: marginTop }">
<uni-popup ref="uniPopupWindow" type="center" class="wap-floating" :maskClick="false"> <diy-group ref="diyGroup" v-if="diyData.value" :diyData="diyData" :scrollTop="scrollTop"
<view class="small-bot"> :followOfficialAccount="followOfficialAccount" />
<swiper autoplay="true" :circular="true" indicator-active-color="#fff" <ns-copyright v-show="isShowCopyRight" />
indicator-color="rgba(255,255,255,0.6)" :indicator-dots="true" interval="3000"> </view>
<swiper-item v-for="(item, index) in adv.list" :key="index">
<image class="slide-image" @click="$util.diyRedirectTo(item.link)" height="100%"
:src="$util.img(item.imageUrl)" width="100%"></image>
</swiper-item>
</swiper>
<view class="small-bot-close" @click="closePopupWindow">
<i class="iconfont icon-round-close" style="color:#fff"></i>
</view>
</view>
</uni-popup>
</view>
</template>
<!-- 底部tabBar --> <template v-if="adv.advshow != -1">
<view class="page-bottom" v-if="openBottomNav"> <view @touchmove.prevent.stop>
<diy-bottom-nav @callback="callback" :name="name" /> <uni-popup ref="uniPopupWindow" type="center" class="wap-floating" :maskClick="false">
</view> <view class="small-bot">
<!-- <view class="adver-time" wx:if="{{startadv.params.style=='default'&&startadv.params.canclose==1}}">
<view bindtap="adverclose">跳过</view>
<view class="time">{{clock}}s</view>
</view>
<view class="adver-time" wx:if="{{startadv.params.style=='default'&&startadv.params.canclose==0}}">
<view class="time" style="line-height: 64rpx;">{{clock}}s</view>
</view> -->
<swiper autoplay="true" :circular="true" indicator-active-color="#fff"
indicator-color="rgba(255,255,255,0.6)" :indicator-dots="true" interval="3000">
<swiper-item v-for="(item, index) in adv.list" :key="index">
<image class="slide-image" @click="$util.diyRedirectTo(item.link)" height="100%"
:src="$util.img(item.imageUrl)" width="100%"></image>
<!-- <image bindtap="adverclose" class="slide-image" height="100%" src="{{item.imgurl}}" width="100%" wx:if="{{item.click==1}}"></image> -->
</swiper-item>
</swiper>
<view bindtap="adverclose" class="small-bot-close" @click="closePopupWindow">
<i class="iconfont icon-round-close" style="color:#fff"></i>
</view>
</view>
<!-- <view class="image-wrap">
<swiper class="swiper" style="width:100%;height: 1200rpx;" :autoplay="true" interval="3000" circular="true" :indicator-dots="true" indicator-color="#000" indicator-active-color="red">
<swiper-item class="swiper-item" v-for="(item, index) in adv.list" :key="index" v-if="item.imageUrl" @click="$util.diyRedirectTo(item.link)">
<view class="item">
<image :src="$util.img(item.imageUrl)" mode="aspectFit" :show-menu-by-longpress="true"/>
</view>
</swiper-item>
</swiper>
</view>
<text class="iconfont icon-round-close" @click="closePopupWindow"></text> -->
</uni-popup>
</view>
</template>
<!-- 关注公众号弹窗 --> <!-- 底部tabBar -->
<view @touchmove.prevent class="official-accounts-inner" v-if="wechatQrcode"> <view class="page-bottom" v-if="openBottomNav">
<uni-popup ref="officialAccountsPopup" type="center"> <diy-bottom-nav @callback="callback" :name="name" />
<view class="official-accounts-wrap"> </view>
<image class="content" :src="$util.img(wechatQrcode)" mode="aspectFit"></image>
<text class="desc">关注了解更多</text>
<text class="close iconfont icon-round-close" @click="officialAccountsClose"></text>
</view>
</uni-popup>
</view>
<!-- 收藏 --> <!-- 关注公众号弹窗 -->
<uni-popup ref="collectPopupWindow" type="top" class="wap-floating wap-floating-collect"> <view @touchmove.prevent class="official-accounts-inner" v-if="wechatQrcode">
<view v-if="showTip" class="collectPopupWindow" <uni-popup ref="officialAccountsPopup" type="center">
:style="{ marginTop: (collectTop + statusBarHeight) * 2 + 'rpx' }"> <view class="official-accounts-wrap">
<image :src="$util.img('public/uniapp/index/collect2.png')" mode="aspectFit" /> <image class="content" :src="$util.img(wechatQrcode)" mode="aspectFit"></image>
<text @click="closeCollectPopupWindow">我知道了</text> <text class="desc">关注了解更多</text>
</view> <text class="close iconfont icon-round-close" @click="officialAccountsClose"></text>
</uni-popup> </view>
</uni-popup>
</view>
<!-- 选择门店弹出框 --> <!-- 收藏 -->
<view @touchmove.prevent.stop class="choose-store"> <uni-popup ref="collectPopupWindow" type="top" class="wap-floating wap-floating-collect">
<uni-popup ref="chooseStorePopup" type="center" :maskClick="false" class="choose-store"> <view v-if="showTip" class="collectPopupWindow"
<view class="choose-store-popup"> :style="{ marginTop: (collectTop + statusBarHeight) * 2 + 'rpx' }">
<view class="head-wrap" @click="closeChooseStorePopup">请确认门店</view> <image :src="$util.img('public/uniapp/index/collect2.png')" mode="aspectFit" />
<view class="position-wrap"> <text @click="closeCollectPopupWindow">我知道了</text>
<text class="iconfont icon-dizhi"></text> </view>
<text class="address">{{ currentPosition }}</text> </uni-popup>
<view class="reposition" @click="reposition"
v-if="globalStoreConfig && globalStoreConfig.is_allow_change == 1"> <!-- 选择门店弹出框定位当前位置展示最近的一个门店 -->
<text class="iconfont icon-dingwei"></text> <view @touchmove.prevent.stop class="choose-store">
<text>重新定位</text> <uni-popup ref="chooseStorePopup" type="center" :maskClick="false" class="choose-store">
</view> <view class="choose-store-popup">
</view> <view class="head-wrap" @click="closeChooseStorePopup">请确认门店</view>
<view class="store-wrap" v-if="nearestStore"> <view class="position-wrap">
<text class="tag">当前门店</text> <text class="iconfont icon-dizhi"></text>
<view class="store-name">{{ nearestStore.store_name }}</view> <text class="address">{{ currentPosition }}</text>
<view class="address">{{ nearestStore.show_address }}</view> <view class="reposition" @click="reposition"
<view class="distance" v-if="nearestStore.distance"> v-if="globalStoreConfig && globalStoreConfig.is_allow_change == 1">
<text class="iconfont icon-dizhi"></text> <text class="iconfont icon-dingwei"></text>
<text>{{ nearestStore.distance > 1 ? nearestStore.distance + 'km' : <text>重新定位</text>
nearestStore.distance * </view>
1000 + </view>
'm' }}</text> <view class="store-wrap" v-if="nearestStore">
</view> <text class="tag">当前门店</text>
</view> <view class="store-name">{{ nearestStore.store_name }}</view>
<button type="primary" @click="enterStore">确认进入</button> <view class="address">{{ nearestStore.show_address }}</view>
<view class="other-store" @click="chooseOtherStore" <view class="distance" v-if="nearestStore.distance">
v-if="globalStoreConfig && globalStoreConfig.is_allow_change == 1"> <text class="iconfont icon-dizhi"></text>
<text>选择其他门店</text> <text>{{ nearestStore.distance > 1 ? nearestStore.distance + 'km' :
<text class="iconfont icon-right"></text> nearestStore.distance *
</view> 1000 +
</view> 'm' }}</text>
</uni-popup> </view>
</view> </view>
<hover-nav :need="true"></hover-nav> <button type="primary" @click="enterStore">确认进入</button>
<privacy-popup ref="privacyPopup"></privacy-popup> <view class="other-store" @click="chooseOtherStore"
<to-top v-if="showTop" @toTop="scrollToTopNative()"></to-top> v-if="globalStoreConfig && globalStoreConfig.is_allow_change == 1">
<ns-login ref="login"></ns-login> <text>选择其他门店</text>
</view> <text class="iconfont icon-right"></text>
</view> </view>
</view>
</uni-popup>
</view>
<hover-nav :need="true"></hover-nav>
<!-- 隐私协议 -->
<privacy-popup ref="privacyPopup"></privacy-popup>
<to-top v-if="showTop" @toTop="scrollToTopNative()"></to-top>
<ns-login ref="login"></ns-login>
</view>
</view>
</template> </template>
<script> <script>
import diyJs from '@/common/js/diy.js'; import diyJs from '@/common/js/diy.js';
import scroll from '@/common/js/scroll-view.js'; import scroll from '@/common/js/scroll-view.js';
import indexJs from './public/js/index.js'; import indexJs from './public/js/index.js';
export default { export default {
mixins: [diyJs, scroll, indexJs], mixins: [diyJs, scroll, indexJs]
data() {
return {
diyData: { global: {}, value: null },
followOfficialAccount: {},
wechatQrcode: '',
adv: { advshow: -1, list: [] },
// ❌ 不要定义 siteInfo、bgUrl除非你明确知道它们不会冲突
};
},
computed: {
// ✅ 安全获取 bgUrl用于 diy-index-page 的 prop
safeBgUrl() {
// 优先取全局配置中的 bgUrl没有则用组件自己的 bgUrl如有否则为空
return this.diyData?.global?.bgUrl || this.bgUrl || '';
},
// ✅ 安全生成 background-image 样式字符串(用于 fallback 区域)
backgroundUrlStyle() {
const url = this.diyData?.global?.bgUrl || this.bgUrl || '';
return url ? `url(${url})` : 'none';
}
},
// 如果你的 mixin 中已经处理了数据加载,这里可以留空
// 否则建议在 created/mounted 中初始化默认值或请求数据
created() {
// 可选:如果 mixin 没有初始化 diyData这里再兜底一次
if (!this.diyData) {
this.diyData = { global: {}, value: null };
}
}
}; };
</script> </script>
@@ -170,86 +162,85 @@ export default {
@import './public/css/index.scss'; @import './public/css/index.scss';
.small-bot { .small-bot {
width: 100%; width: 100%;
height: 100%; height: 100%;
position: fixed; position: fixed;
top: 0; top: 0;
bottom: 0; bottom: 0;
left: 0; left: 0;
right: 0; right: 0;
z-index: 122; z-index: 122;
} }
.small-bot swiper { .small-bot swiper {
width: 560rpx; width: 560rpx;
height: 784rpx; height: 784rpx;
margin: 120rpx auto 0; margin: 120rpx auto 0;
border-radius: 10rpx; border-radius: 10rpx;
overflow: hidden; overflow: hidden;
} }
.small-bot swiper .slide-image { .small-bot swiper .slide-image {
width: 100%; width: 100%;
height: 100%; height: 100%;
} }
.small-bot-close { .small-bot-close {
width: 66rpx; width: 66rpx;
height: 66rpx; height: 66rpx;
border-radius: 50%; border-radius: 50%;
text-align: center; text-align: center;
line-height: 64rpx; line-height: 64rpx;
font-size: 64rpx; font-size: 64rpx;
color: #fff; color: #fff;
margin: 30rpx auto 0; margin: 30rpx auto 0;
} }
.small-bot-close i { .small-bot-close i {
font-size: 60rpx; font-size: 60rpx;
} }
</style> </style>
<style scoped> <style scoped>
.swiper /deep/ .uni-swiper-dots-horizontal { .swiper ::v-deep .uni-swiper-dots-horizontal {
left: 40%; left: 40%;
bottom: 40px bottom: 40px
} }
.wap-floating>>>.uni-popup__wrapper.uni-custom .uni-popup__wrapper-box { .wap-floating>>>.uni-popup__wrapper.uni-custom .uni-popup__wrapper-box {
background: none !important; background: none !important;
} }
.choose-store>>>.goodslist-uni-popup-box { .choose-store>>>.goodslist-uni-popup-box {
width: 80%; width: 80%;
} }
/deep/.diy-index-page .uni-popup .uni-popup__wrapper-box { ::v-deep .diy-index-page .uni-popup .uni-popup__wrapper-box {
border-radius: 0; border-radius: 0;
} }
/deep/ .placeholder { ::v-deep .placeholder {
height: 0; height: 0;
} }
/deep/::-webkit-scrollbar { ::v-deep ::-webkit-scrollbar {
width: 0; width: 0;
height: 0; height: 0;
background-color: transparent; background-color: transparent;
display: none; display: none;
} }
/deep/ .sku-layer .uni-popup__wrapper.uni-custom .uni-popup__wrapper-box { ::v-deep .sku-layer .uni-popup__wrapper.uni-custom .uni-popup__wrapper-box {
max-height: unset !important; max-height: unset !important;
} }
/deep/ .mescroll-totop { ::v-deep .mescroll-totop {
/* #ifdef H5 */ /* #ifdef H5 */
right: 28rpx !important; right: 28rpx !important;
bottom: 200rpx !important; bottom: 200rpx !important;
/* #endif */ /* #endif */
/* #ifdef MP-WEIXIN */ /* #ifdef MP-WEIXIN */
right: 27rpx !important; right: 27rpx !important;
bottom: 180rpx !important; bottom: 180rpx !important;
/* #endif */ /* #endif */
} }
</style> </style>

File diff suppressed because it is too large Load Diff

View File

@@ -1,5 +1,5 @@
<template> <template>
<view class="container" :style="wrapperPageStyle"> <view class="ai-chat-page" :style="wrapperPageStyle">
<!--自定义导航头部 --> <!--自定义导航头部 -->
<view class="custom-navbar" ref="pageHeader" v-if="showCustomNavbar"> <view class="custom-navbar" ref="pageHeader" v-if="showCustomNavbar">
<view class="header-left"> <view class="header-left">
@@ -51,11 +51,12 @@
import { mapGetters, mapMutations } from 'vuex' import { mapGetters, mapMutations } from 'vuex'
import navigationHelper from '@/common/js/navigation'; import navigationHelper from '@/common/js/navigation';
import { EventSafety } from '@/common/js/event-safety'; import { EventSafety } from '@/common/js/event-safety';
import aiChatMessage from './ai-chat-message.vue'; import aiChatMessage from './ai-chat-message.vue';
export default { export default {
components: { components: {
aiChatMessage aiChatMessage,
}, },
data() { data() {
return { return {
@@ -85,11 +86,11 @@ export default {
// --- 聊天内容区域 --- // --- 聊天内容区域 ---
scrollViewHeight: '0px', scrollViewHeight: '0px',
// 事件处理器引用(用于清理) // 事件处理器引用(用于清理)
safeEventHandlers: new Map() safeEventHandlers: new Map()
} }
}, },
computed: { computed: {
...mapGetters([ ...mapGetters([
'globalAIKefuConfig' 'globalAIKefuConfig'
@@ -108,7 +109,7 @@ export default {
}, },
wrapperPageStyle() { wrapperPageStyle() {
// #ifdef H5 // #ifdef H5
return `top: $ {this.navBarHeight + 'px'};` return `top: ${this.navBarHeight + 'px'};`
// #endif // #endif
// #ifdef MP-WEIXIN // #ifdef MP-WEIXIN
@@ -120,42 +121,35 @@ export default {
wrapperChatContentStyle() { wrapperChatContentStyle() {
return { return {
height: this.containerHeight, height: this.containerHeight,
paddingTop: this.showCustomNavbar ? '0' : (this.navBarHeight + 'px') paddingTop: this.showCustomNavbar ? '0' : (this.navHeight + 'px')
} }
} }
}, },
async onLoad(options) { async onLoad(options) {
// ✅ 修改:取消权限校验,允许所有客服类型访问此页面 await this.initPage(options)
// const hasAccess = this.checkAccessPermission();
// if (!hasAccess) {
// // 如果校验失败,不继续初始化
// return;
// }
this. $langConfig.title('AI智能客服');
this.initChat();
}, },
async onReady() { async onReady() {
await this.initNavigation(); await this.initNavigation()
}, },
onShow() { onShow() {
// 可在此补充逻辑(如刷新未读数)
}, },
onHide() { onHide() {
// 页面隐藏时可暂停音频等
}, },
onUnload() { onUnload() {
this.cleanup(); this.cleanup()
}, },
methods: { methods: {
// ========== 安全事件处理 ========== // ========== 安全事件处理 ==========
setupSafeEventListeners() { setupSafeEventListeners() {
// 使用 EventSafety 包装事件处理器
const safeHandlers = { const safeHandlers = {
serviceRequest: EventSafety.wrapEventHandler( serviceRequest: EventSafety.wrapEventHandler(
this.handleServiceRequest.bind(this), this.handleServiceRequest.bind(this),
@@ -171,100 +165,124 @@ export default {
) )
} }
this. $on('service.requestComponentInfo', safeHandlers.serviceRequest); // 注册事件监听
this. $on('navigation.requestInfo', safeHandlers.navigationRequest); this.$on('service.requestComponentInfo', safeHandlers.serviceRequest)
this. $on('component.interaction', safeHandlers.componentInteraction); this.$on('navigation.requestInfo', safeHandlers.navigationRequest)
this.$on('component.interaction', safeHandlers.componentInteraction)
this.safeEventHandlers.set('serviceRequest', safeHandlers.serviceRequest); // 保存处理器引用用于清理
this.safeEventHandlers.set('navigationRequest', safeHandlers.navigationRequest); this.safeEventHandlers.set('serviceRequest', safeHandlers.serviceRequest)
this.safeEventHandlers.set('componentInteraction', safeHandlers.componentInteraction); this.safeEventHandlers.set('navigationRequest', safeHandlers.navigationRequest)
this.safeEventHandlers.set('componentInteraction', safeHandlers.componentInteraction)
}, },
setupNavigationEvents() { setupNavigationEvents() {
// 监听窗口大小变化
uni.onWindowResize((res) => { uni.onWindowResize((res) => {
console.log('窗口大小变化:', res.size); console.log('窗口大小变化:', res.size)
this.calculateScrollViewHeight(); this.calculateScrollViewHeight()
}); })
}, },
// ========== 事件处理方法 ========== // ========== 事件处理方法 ==========
async handleServiceRequest(event) { async handleServiceRequest(event) {
console.log('处理服务请求:', EventSafety.extractEventData(event)); console.log('处理服务请求:', EventSafety.extractEventData(event))
// 安全地检查事件目标
if (event.matches('.service-component') || if (event.matches('.service-component') ||
event.detail?.componentType === 'service') { event.detail?.componentType === 'service') {
await this.processServiceRequest(event); await this.processServiceRequest(event)
} }
}, },
async handleNavigationRequest(event) { async handleNavigationRequest(event) {
console.log('处理导航请求:', event.type); console.log('处理导航请求:', event.type)
this.emitNavigationInfo(event);
// 提供导航信息
this.emitNavigationInfo(event)
}, },
handleComponentInteraction(event) { handleComponentInteraction(event) {
console.log('处理组件交互:', event.detail); console.log('处理组件交互:', event.detail)
this.processComponentInteraction(event);
// 安全地处理组件交互
this.processComponentInteraction(event)
}, },
handleEventError(error, event) { handleEventError(error, event) {
console.error('事件处理错误:', { console.error('事件处理错误:', {
error: error.message, error: error.message,
eventType: event?.type, eventType: event?.type,
component: this. $options.name component: this.$options.name
}); })
this.showError('操作失败,请重试'); this.showError('操作失败,请重试')
}, },
// ========== 初始化页面 ========== // ========== 初始化页面 ==========
initChat() { async initPage(options = {}) {
console.log('AI聊天页面初始化'); this.$langConfig.title('AI智能客服');
this.initChat()
}, },
// 初始化导航栏相关配置
async initNavigation() { async initNavigation() {
try { try {
this.navBarHeight = await navigationHelper.getNavigationHeight(this, {forceRefresh: false}); // 获取导航栏高度
this.statusBarHeight = navigationHelper.getStatusBarHeight(); this.navBarHeight = await navigationHelper.getNavigationHeight(this, {forceRefresh: false})
this.calculateScrollViewHeight();
this.setupNavigationEvents(); // 获取状态栏高度
this.statusBarHeight = navigationHelper.getStatusBarHeight()
// 计算滚动视图高度
this.calculateScrollViewHeight()
// 注册导航相关事件
this.setupNavigationEvents()
} catch (error) { } catch (error) {
console.error('初始化导航栏失败:', error); console.error('初始化导航栏失败:', error)
this.setFallbackNavigationValues(); this.setFallbackNavigationValues()
} }
}, },
// 计算滚动视图高度
calculateScrollViewHeight() { calculateScrollViewHeight() {
const safeArea = navigationHelper.getSafeAreaInsets(); const safeArea = navigationHelper.getSafeAreaInsets()
const bottomInset = safeArea.bottom || 0; const bottomInset = safeArea.bottom || 0
const inputHeight = 120; const inputHeight = 120 // 输入区域高度
this.scrollViewHeight = `calc(100vh - $ {this.navBarHeight + this.statusBarHeight + inputHeight + bottomInset}px)`;
this.scrollViewHeight = `calc(100vh - ${this.navBarHeight + this.statusBarHeight + inputHeight + bottomInset}px)`
}, },
// 备用高度设置
setFallbackNavigationValues() { setFallbackNavigationValues() {
// #ifdef MP-WEIXIN // #ifdef MP-WEIXIN
this.navBarHeight = 44; this.navBarHeight = 44
this.statusBarHeight = 20; this.statusBarHeight = 20
// #endif // #endif
// #ifdef H5 // #ifdef H5
this.navBarHeight = 44; this.navBarHeight = 44
this.statusBarHeight = 0; this.statusBarHeight = 0
// #endif // #endif
// #ifdef APP-PLUS // #ifdef APP-PLUS
this.navBarHeight = 88; this.navBarHeight = 88
this.statusBarHeight = 44; this.statusBarHeight = 44
// #endif // #endif
}, },
cleanup() { cleanup() {
// 清理事件监听器
this.safeEventHandlers.forEach((handler, eventType) => { this.safeEventHandlers.forEach((handler, eventType) => {
this. $off(eventType, handler); this.$off(eventType, handler)
}); })
this.safeEventHandlers.clear(); this.safeEventHandlers.clear()
console.log('组件清理完成');
console.log('组件清理完成')
}, },
showError(message) { showError(message) {
@@ -272,12 +290,19 @@ export default {
title: message, title: message,
icon: 'none', icon: 'none',
duration: 2000 duration: 2000
}); })
},
// 初始化聊天
initChat() {
// 可以在这里加载历史消息
console.log('AI聊天页面初始化')
}, },
// 返回上一页 // 返回上一页
goBack() { goBack() {
uni.navigateBack(); uni.navigateBack()
}, },
// 显示菜单 // 显示菜单
@@ -287,54 +312,59 @@ export default {
success: (res) => { success: (res) => {
switch (res.tapIndex) { switch (res.tapIndex) {
case 0: case 0:
this.clearChat(); this.clearChat()
break; break
case 1: case 1:
this.exportChat(); this.exportChat()
break; break
case 2: case 2:
this.showSettings(); this.showSettings()
break; break
case 3: case 3:
this.showHelp(); this.showHelp()
break; break
} }
} }
}); })
}, },
// 清空聊天
clearChat() { clearChat() {
uni.showModal({ uni.showModal({
title: '提示', title: '提示',
content: '确定要清空聊天记录吗?', content: '确定要清空聊天记录吗?',
success: (res) => { success: (res) => {
if (res.confirm) { if (res.confirm) {
this. $refs.chat.clearMessages(); this.$refs.chat.clearMessages()
this. $refs.chat.addMessage({ // 重新添加欢迎消息
this.$refs.chat.addMessage({
id: Date.now(), id: Date.now(),
role: 'ai', role: 'ai',
type: 'text', type: 'text',
content: '聊天记录已清空,有什么可以帮助您的吗?', content: '聊天记录已清空,有什么可以帮助您的吗?',
timestamp: Date.now() timestamp: Date.now()
}); })
} }
} }
}); })
}, },
// 导出聊天记录
exportChat() { exportChat() {
uni.showToast({ uni.showToast({
title: '功能开发中', title: '功能开发中',
icon: 'none' icon: 'none'
}); })
}, },
// 显示设置
showSettings() { showSettings() {
uni.navigateTo({ uni.navigateTo({
url: '/pages/settings/index' url: '/pages/settings/index'
}); })
}, },
// 显示帮助
showHelp() { showHelp() {
const helpMessage = { const helpMessage = {
id: Date.now(), id: Date.now(),
@@ -361,18 +391,27 @@ export default {
- **复制**: 长按消息可复制内容 - **复制**: 长按消息可复制内容
- **转发**: 支持消息转发功能`, - **转发**: 支持消息转发功能`,
timestamp: Date.now() timestamp: Date.now()
}; }
this. $refs.chat.addMessage(helpMessage); this.$refs.chat.addMessage(helpMessage)
}, },
// 用户发送消息
onMessageSent(message) { onMessageSent(message) {
console.log('用户发送消息:', message); console.log('用户发送消息:', message)
// 使用AI服务获取回复
// AI聊天组件内部已经集成了AI服务这里只需要监听事件
}, },
// AI回复消息
onAIResponse(message) { onAIResponse(message) {
console.log('AI回复消息:', message); console.log('AI回复消息:', message)
// 可以在这里处理AI回复后的逻辑
// 比如记录对话、更新状态等
}, },
// 生成AI回复
generateAIResponse(userMessage) { generateAIResponse(userMessage) {
const responses = [ const responses = [
'我理解您的需求,让我为您详细解答。', '我理解您的需求,让我为您详细解答。',
@@ -380,142 +419,133 @@ export default {
'根据您的问题,我建议您可以考虑以下几个方面:', '根据您的问题,我建议您可以考虑以下几个方面:',
'这个问题很常见,让我为您提供一些解决方案。', '这个问题很常见,让我为您提供一些解决方案。',
'我明白您的困惑,让我帮您分析一下。' '我明白您的困惑,让我帮您分析一下。'
]; ]
const randomResponse = responses[Math.floor(Math.random() * responses.length)]; const randomResponse = responses[Math.floor(Math.random() * responses.length)]
const aiMessage = { const aiMessage = {
id: Date.now(), id: Date.now(),
role: 'ai', role: 'ai',
type: 'text', type: 'text',
content: ` $ {randomResponse}\n\n您的问题" $ {userMessage.content}"我已经收到,正在为您处理中...`, content: `${randomResponse}\n\n您的问题"${userMessage.content}"我已经收到,正在为您处理中...`,
timestamp: Date.now(), timestamp: Date.now(),
actions: [ actions: [
{ type: 'like', count: 0 }, { type: 'like', count: 0 },
{ type: 'dislike', count: 0 } { type: 'dislike', count: 0 }
] ]
}; }
this. $refs.chat.addMessage(aiMessage); this.$refs.chat.addMessage(aiMessage)
this. $emit('ai-response', aiMessage); this.$emit('ai-response', aiMessage)
}, },
// 操作按钮点击
onActionClick({ action, message }) { onActionClick({ action, message }) {
console.log('操作点击:', action, message)
switch (action.type) { switch (action.type) {
case 'like': case 'like':
uni.showToast({ title: '感谢您的反馈!', icon: 'success' }); uni.showToast({
break; title: '感谢您的反馈!',
icon: 'success'
})
break
case 'dislike': case 'dislike':
uni.showToast({ title: '我们会改进服务', icon: 'none' }); uni.showToast({
break; title: '我们会改进服务',
icon: 'none'
})
break
} }
}, },
// 历史消息加载完成
onHistoryLoaded(messages) { onHistoryLoaded(messages) {
console.log('历史消息加载完成:', messages.length); console.log('历史消息加载完成:', messages.length)
}, },
// 文件预览
onFilePreview(message) { onFilePreview(message) {
uni.showToast({ title: '打开文件: ' + message.fileName, icon: 'none' }); console.log('文件预览:', message)
uni.showToast({
title: '打开文件: ' + message.fileName,
icon: 'none'
})
}, },
// 音频播放
onAudioPlay(message) { onAudioPlay(message) {
console.log('音频播放:', message); console.log('音频播放:', message)
}, },
// 音频暂停
onAudioPause(message) { onAudioPause(message) {
console.log('音频暂停:', message); console.log('音频暂停:', message)
}, },
// 视频播放
onVideoPlay(message) { onVideoPlay(message) {
console.log('视频播放:', message); console.log('视频播放:', message)
}, },
// 视频暂停
onVideoPause(message) { onVideoPause(message) {
console.log('视频暂停:', message); console.log('视频暂停:', message)
}, },
// 链接打开
onLinkOpen(message) { onLinkOpen(message) {
console.log('链接打开:', message)
uni.showModal({ uni.showModal({
title: '打开链接', title: '打开链接',
content: `确定要打开链接: $ {message.url} 吗?`, content: `确定要打开链接:${message.url} 吗?`,
success: (res) => { success: (res) => {
if (res.confirm) { if (res.confirm) {
// #ifdef H5 // #ifdef H5
window.open(message.url, '_blank'); window.open(message.url, '_blank')
// #endif // #endif
// #ifdef APP-PLUS // #ifdef APP-PLUS
plus.runtime.openURL(message.url); plus.runtime.openURL(message.url)
// #endif // #endif
} }
} }
}); })
}, },
// 商品查看
onProductView(message) { onProductView(message) {
uni.showToast({ title: '查看商品: ' + message.title, icon: 'none' }); console.log('商品查看:', message)
uni.showToast({
title: '查看商品: ' + message.title,
icon: 'none'
})
}, },
// 输入内容变化
onInputChange(value) { onInputChange(value) {
console.log('输入内容:', value); console.log('输入内容:', value)
},
// ✅ 新增:权限校验(核心修复)
checkAccessPermission() {
const servicerConfig = this. $store.state.servicerConfig;
// 如果配置未加载延迟重试最多3次防白屏
if (!servicerConfig) {
console.warn('【AI客服】servicerConfig 未加载200ms后重试...');
setTimeout(() => {
this.checkAccessPermission();
}, 200);
return false;
}
let currentType = 'none';
// #ifdef MP-WEIXIN
currentType = servicerConfig?.weapp?.type || 'none';
// #endif
// #ifdef H5
currentType = servicerConfig?.h5?.type || 'none';
// #endif
if (currentType !== 'aikefu') {
uni.showToast({ title: '当前客服类型不支持此页面', icon: 'none' });
setTimeout(() => {
const pages = getCurrentPages();
if (pages.length > 1) {
uni.navigateBack();
} else {
// 回到首页(假设首页是 tab 页)
uni.switchTab({ url: '/pages/index/index' });
}
}, 1500);
return false;
}
return true;
} }
} }
} }
</script> </script>
<style lang="scss"> <style lang="scss">
/* 引入图标字体 */ /* 引入图标字体 */
@import url('/common/css/iconfont.css'); @import url('@/common/css/iconfont.css');
/* 页面样式 */ /* 页面样式 */
.container { .ai-chat-page {
display: flex; display: flex;
flex-direction: column; flex-direction: column;
background-color: white; /* 白色 */ background-color: #f8f8f8;
overflow: hidden; overflow: hidden;
position: fixed; position: fixed;
top: 0; top: 0;
left: 0; left: 0;
right: 0; right: 0;
bottom: 0; bottom: 0;
} }
/* 自定义导航头部 */ /* 自定义导航头部 */
.custom-navbar { .custom-navbar {
@@ -523,7 +553,7 @@ export default {
align-items: center; align-items: center;
justify-content: space-between; justify-content: space-between;
padding: 20rpx 30rpx; padding: 20rpx 30rpx;
background-color: #c4e0ff; /* 浅蓝色 */ background-color: white;
border-bottom: 2rpx solid #eeeeee; border-bottom: 2rpx solid #eeeeee;
.header-left { .header-left {
@@ -535,7 +565,7 @@ export default {
width: 60rpx; width: 60rpx;
height: 60rpx; height: 60rpx;
border-radius: 50%; border-radius: 50%;
background-color: #ffffff; /* 白色按钮 */ background-color: #f8f8f8;
display: flex; display: flex;
align-items: center; align-items: center;
justify-content: center; justify-content: center;
@@ -580,7 +610,7 @@ export default {
width: 60rpx; width: 60rpx;
height: 60rpx; height: 60rpx;
border-radius: 50%; border-radius: 50%;
background-color: #ffffff; /* 白色按钮 */ background-color: #f8f8f8;
display: flex; display: flex;
align-items: center; align-items: center;
justify-content: center; justify-content: center;
@@ -604,11 +634,18 @@ export default {
display: flex; display: flex;
flex-direction: column; flex-direction: column;
overflow: hidden; overflow: hidden;
top: 0;
left: 0;
right: 0;
bottom: 0;
} }
/* 底部tabBar占位样式 */ /* 底部tabBar占位样式 */
.page-bottom { .page-bottom {
width: 100%; width: 100%;
background-color: transparent; background-color: transparent;
} }
</style> </style>

View File

@@ -7,7 +7,7 @@
"setting": { "setting": {
"urlCheck": true, "urlCheck": true,
"es6": true, "es6": true,
"enhance": false, "enhance": true,
"postcss": true, "postcss": true,
"preloadBackgroundData": false, "preloadBackgroundData": false,
"minified": true, "minified": true,
@@ -39,19 +39,27 @@
"packNpmManually": false, "packNpmManually": false,
"packNpmRelationList": [], "packNpmRelationList": [],
"minifyWXSS": true, "minifyWXSS": true,
"compileWorklet": false, "condition": true,
"swc": false,
"disableSWC": true,
"minifyWXML": true, "minifyWXML": true,
"compileWorklet": true,
"localPlugins": false, "localPlugins": false,
"disableUseStrict": false, "disableUseStrict": false,
"useCompilerPlugins": false, "useCompilerPlugins": false
"condition": false,
"swc": false,
"disableSWC": true
}, },
"compileType": "miniprogram", "compileType": "miniprogram",
"libVersion": "3.12.0", "libVersion": "2.16.1",
"appid": "wx29215aa1bd97bbd6", "appid": "wx29215aa1bd97bbd6",
"projectname": "uniapp", "projectname": "uniapp",
"debugOptions": {
"hidedInDevtools": []
},
"scripts": {},
"staticServerOptions": {
"baseURL": "",
"servePath": ""
},
"isGameTourist": false, "isGameTourist": false,
"condition": { "condition": {
"search": { "search": {
@@ -72,7 +80,5 @@
"miniprogram": { "miniprogram": {
"list": [] "list": []
} }
}, }
"simulatorPluginLibVersion": {},
"editorSetting": {}
} }

View File

@@ -1,4 +1,4 @@
module.exports = { module.exports = {
baseUrl: "https://dev.aigc-quickapp.com/",//修改域名 baseUrl: "https://xcx6.aigc-quickapp.com/",//修改域名
uniacid: 1,//后台对应uniacid uniacid: 2811,//后台对应uniacid
}; };

View File

@@ -65,7 +65,6 @@ const store = new Vuex.Store({
bottomNavHidden: false, // 底部导航是否隐藏true隐藏false显示 bottomNavHidden: false, // 底部导航是否隐藏true隐藏false显示
aiUnreadCount: 10, // AI未读消息数量 aiUnreadCount: 10, // AI未读消息数量
globalAIKefuConfig: null, // AI客服配置 globalAIKefuConfig: null, // AI客服配置
customerServiceType: 'ai',
globalStoreConfig: null, // 门店配置 globalStoreConfig: null, // 门店配置
globalStoreInfo: null, // 门店信息 globalStoreInfo: null, // 门店信息
defaultStoreInfo: null, // 默认门店 defaultStoreInfo: null, // 默认门店
@@ -160,9 +159,6 @@ const store = new Vuex.Store({
state.globalAIKefuConfig = value; state.globalAIKefuConfig = value;
uni.setStorageSync('globalAIKefuConfig', value); // 初始化数据调用 uni.setStorageSync('globalAIKefuConfig', value); // 初始化数据调用
}, },
setCustomerServiceType(state, type) {
state.customerServiceType = type;
},
setGlobalStoreConfig(state, value) { setGlobalStoreConfig(state, value) {
state.globalStoreConfig = value; state.globalStoreConfig = value;
uni.setStorageSync('globalStoreConfig', value); // 初始化数据调用 uni.setStorageSync('globalStoreConfig', value); // 初始化数据调用
@@ -416,7 +412,7 @@ const store = new Vuex.Store({
}, },
// 生成主题颜色CSS变量 // 生成主题颜色CSS变量
themeColorSet() { themeColorSet() {
console.log('样式颜色设置...'); // console.log('样式颜色设置...');
let theme = this.state.themeStyle; let theme = this.state.themeStyle;
if (!theme?.main_color || !theme?.aux_color) return; if (!theme?.main_color || !theme?.aux_color) return;
try { try {
@@ -440,7 +436,7 @@ const store = new Vuex.Store({
} catch (e) { } catch (e) {
console.error('设置主题颜色失败', e); console.error('设置主题颜色失败', e);
} }
console.log('themeColor => ', this.state.themeColor); // console.log('themeColor => ', this.state.themeColor);
} }
} }
}) })