feat(port): 实现智能端口管理系统
- 新增端口管理器类,支持端口分配、验证和缓存管理 - 实现环境优先级策略,根据环境自动选择合适的端口范围 - 集成租户识别系统,为每个租户分配独立端口 - 添加端口分配结果统计和历史记录查询功能 - 优化端口缓存机制,自动清理过期绑定
This commit is contained in:
@@ -103,3 +103,38 @@ export async function getShopDealerUser(id: number) {
|
||||
}
|
||||
return Promise.reject(new Error(res.data.message));
|
||||
}
|
||||
|
||||
/**
|
||||
* 导入分销商用户
|
||||
*/
|
||||
export async function importShopDealerUsers(file: File) {
|
||||
const formData = new FormData();
|
||||
formData.append('file', file);
|
||||
const res = await request.post<ApiResult<unknown>>(
|
||||
'/shop/shop-dealer-user/import',
|
||||
formData,
|
||||
{
|
||||
headers: {
|
||||
'Content-Type': 'multipart/form-data'
|
||||
}
|
||||
}
|
||||
);
|
||||
if (res.data.code === 0) {
|
||||
return res.data.message;
|
||||
}
|
||||
return Promise.reject(new Error(res.data.message));
|
||||
}
|
||||
|
||||
/**
|
||||
* 导出分销商用户
|
||||
*/
|
||||
export async function exportShopDealerUsers(params?: ShopDealerUserParam) {
|
||||
const res = await request.get<Blob>(
|
||||
'/shop/shop-dealer-user/export',
|
||||
{
|
||||
params,
|
||||
responseType: 'blob'
|
||||
}
|
||||
);
|
||||
return res.data;
|
||||
}
|
||||
|
||||
@@ -38,6 +38,13 @@ export interface ShopDealerUser {
|
||||
createTime?: string | Date;
|
||||
// 修改时间
|
||||
updateTime?: string | Date;
|
||||
// 扩展字段,用于编辑表单
|
||||
shopDealerUserId?: number;
|
||||
shopDealerUserName?: string;
|
||||
status?: number;
|
||||
comments?: string;
|
||||
sortNumber?: number;
|
||||
image?: string;
|
||||
}
|
||||
|
||||
/**
|
||||
|
||||
@@ -12,12 +12,12 @@ export function useSiteData() {
|
||||
|
||||
// 网站信息相关
|
||||
const siteInfo = computed(() => siteStore.siteInfo);
|
||||
const websiteName = computed(() => siteStore.websiteName);
|
||||
const websiteLogo = computed(() => siteStore.websiteLogo);
|
||||
const websiteComments = computed(() => siteStore.websiteComments);
|
||||
const websiteDarkLogo = computed(() => siteStore.websiteDarkLogo);
|
||||
const websiteDomain = computed(() => siteStore.websiteDomain);
|
||||
const websiteId = computed(() => siteStore.websiteId);
|
||||
const websiteName = computed(() => siteStore.appName);
|
||||
const websiteLogo = computed(() => siteStore.logo);
|
||||
const websiteComments = computed(() => siteStore.description);
|
||||
const websiteDarkLogo = computed(() => siteStore.logo);
|
||||
const websiteDomain = computed(() => siteStore.domain);
|
||||
const websiteId = computed(() => siteStore.appId);
|
||||
const runDays = computed(() => siteStore.runDays);
|
||||
const siteLoading = computed(() => siteStore.loading);
|
||||
|
||||
|
||||
355
src/lib/port-manager.ts
Normal file
355
src/lib/port-manager.ts
Normal file
@@ -0,0 +1,355 @@
|
||||
/**
|
||||
* 智能端口管理系统
|
||||
* 类似租户识别系统的端口管理解决方案
|
||||
*/
|
||||
|
||||
import { getTenantId } from '@/utils/domain';
|
||||
|
||||
// 端口配置接口
|
||||
export interface PortConfig {
|
||||
port: number;
|
||||
host: string;
|
||||
protocol: 'http' | 'https';
|
||||
environment: 'development' | 'test' | 'production';
|
||||
tenantId?: string | number;
|
||||
projectName?: string;
|
||||
lastUsed: number;
|
||||
isAvailable: boolean;
|
||||
}
|
||||
|
||||
// 端口分配策略
|
||||
export interface PortStrategy {
|
||||
basePort: number;
|
||||
portRange: [number, number];
|
||||
tenantOffset: number;
|
||||
environmentOffset: number;
|
||||
maxRetries: number;
|
||||
}
|
||||
|
||||
// 端口缓存管理
|
||||
class PortCache {
|
||||
private static readonly CACHE_KEY = 'port-manager-cache';
|
||||
private static readonly CACHE_EXPIRY = 24 * 60 * 60 * 1000; // 24小时
|
||||
|
||||
static get(): Map<string, PortConfig> {
|
||||
try {
|
||||
const cached = localStorage.getItem(this.CACHE_KEY);
|
||||
if (!cached) return new Map();
|
||||
|
||||
const data = JSON.parse(cached);
|
||||
const now = Date.now();
|
||||
|
||||
// 清理过期缓存
|
||||
const validEntries = Object.entries(data).filter(
|
||||
([_, config]: [string, any]) =>
|
||||
now - config.lastUsed < this.CACHE_EXPIRY
|
||||
);
|
||||
|
||||
return new Map(validEntries);
|
||||
} catch (error) {
|
||||
console.warn('端口缓存读取失败:', error);
|
||||
return new Map();
|
||||
}
|
||||
}
|
||||
|
||||
static set(cache: Map<string, PortConfig>): void {
|
||||
try {
|
||||
const data = Object.fromEntries(cache);
|
||||
localStorage.setItem(this.CACHE_KEY, JSON.stringify(data));
|
||||
} catch (error) {
|
||||
console.warn('端口缓存保存失败:', error);
|
||||
}
|
||||
}
|
||||
|
||||
static clear(): void {
|
||||
localStorage.removeItem(this.CACHE_KEY);
|
||||
}
|
||||
|
||||
static getStats(): { total: number; expired: number; active: number } {
|
||||
const cache = this.get();
|
||||
const now = Date.now();
|
||||
let expired = 0;
|
||||
let active = 0;
|
||||
|
||||
cache.forEach(config => {
|
||||
if (now - config.lastUsed > this.CACHE_EXPIRY) {
|
||||
expired++;
|
||||
} else {
|
||||
active++;
|
||||
}
|
||||
});
|
||||
|
||||
return { total: cache.size, expired, active };
|
||||
}
|
||||
}
|
||||
|
||||
// 端口工具函数
|
||||
class PortUtils {
|
||||
/**
|
||||
* 检查端口是否可用
|
||||
*/
|
||||
static async isPortAvailable(port: number, host: string = 'localhost'): Promise<boolean> {
|
||||
try {
|
||||
// 在浏览器环境中,我们无法直接检测端口占用
|
||||
// 这里使用一个模拟的检测方法
|
||||
const response = await fetch(`http://${host}:${port}`, {
|
||||
method: 'HEAD',
|
||||
mode: 'no-cors',
|
||||
signal: AbortSignal.timeout(1000)
|
||||
});
|
||||
|
||||
// 如果能连接到端口,说明端口被占用
|
||||
return false;
|
||||
} catch (error) {
|
||||
// 连接失败,说明端口可用
|
||||
return true;
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* 获取端口范围内的可用端口
|
||||
*/
|
||||
static async findAvailablePort(
|
||||
startPort: number,
|
||||
endPort: number,
|
||||
host: string = 'localhost'
|
||||
): Promise<number | null> {
|
||||
for (let port = startPort; port <= endPort; port++) {
|
||||
if (await this.isPortAvailable(port, host)) {
|
||||
return port;
|
||||
}
|
||||
}
|
||||
return null;
|
||||
}
|
||||
|
||||
/**
|
||||
* 生成端口键
|
||||
*/
|
||||
static generatePortKey(
|
||||
tenantId: string | number,
|
||||
environment: string,
|
||||
projectName?: string
|
||||
): string {
|
||||
const parts = [tenantId, environment];
|
||||
if (projectName) parts.push(projectName);
|
||||
return parts.join('-');
|
||||
}
|
||||
|
||||
/**
|
||||
* 计算租户端口偏移
|
||||
*/
|
||||
static calculateTenantOffset(tenantId: string | number): number {
|
||||
const id = typeof tenantId === 'string' ? parseInt(tenantId) || 0 : tenantId;
|
||||
return (id % 1000) * 10; // 每个租户分配10个端口的空间
|
||||
}
|
||||
|
||||
/**
|
||||
* 计算环境端口偏移
|
||||
*/
|
||||
static calculateEnvironmentOffset(environment: string): number {
|
||||
const offsets = {
|
||||
'development': 0,
|
||||
'test': 1000,
|
||||
'production': 2000
|
||||
};
|
||||
return offsets[environment as keyof typeof offsets] || 0;
|
||||
}
|
||||
}
|
||||
|
||||
// 智能端口管理器
|
||||
export class PortManager {
|
||||
private cache: Map<string, PortConfig>;
|
||||
private strategy: PortStrategy;
|
||||
private environment: string;
|
||||
|
||||
constructor(strategy?: Partial<PortStrategy>) {
|
||||
this.environment = process.env.NODE_ENV || 'development';
|
||||
this.cache = PortCache.get();
|
||||
|
||||
// 默认策略
|
||||
this.strategy = {
|
||||
basePort: 3000,
|
||||
portRange: [3000, 9999],
|
||||
tenantOffset: 10,
|
||||
environmentOffset: 1000,
|
||||
maxRetries: 50,
|
||||
...strategy
|
||||
};
|
||||
|
||||
console.log('🚀 端口管理器初始化完成', {
|
||||
environment: this.environment,
|
||||
strategy: this.strategy,
|
||||
cacheSize: this.cache.size
|
||||
});
|
||||
}
|
||||
|
||||
/**
|
||||
* 获取推荐端口(智能分配)
|
||||
*/
|
||||
async getRecommendedPort(options?: {
|
||||
tenantId?: string | number;
|
||||
projectName?: string;
|
||||
preferredPort?: number;
|
||||
}): Promise<PortConfig> {
|
||||
const tenantId = options?.tenantId || await getTenantId();
|
||||
const projectName = options?.projectName || 'mp-vue';
|
||||
const portKey = PortUtils.generatePortKey(tenantId, this.environment, projectName);
|
||||
|
||||
// 1. 检查缓存中的端口
|
||||
const cachedPort = this.cache.get(portKey);
|
||||
if (cachedPort && await PortUtils.isPortAvailable(cachedPort.port)) {
|
||||
cachedPort.lastUsed = Date.now();
|
||||
this.updateCache(portKey, cachedPort);
|
||||
console.log('📋 使用缓存端口:', cachedPort.port);
|
||||
return cachedPort;
|
||||
}
|
||||
|
||||
// 2. 尝试首选端口
|
||||
if (options?.preferredPort) {
|
||||
if (await PortUtils.isPortAvailable(options.preferredPort)) {
|
||||
const config = this.createPortConfig(options.preferredPort, tenantId, projectName);
|
||||
this.updateCache(portKey, config);
|
||||
console.log('✨ 使用首选端口:', options.preferredPort);
|
||||
return config;
|
||||
}
|
||||
}
|
||||
|
||||
// 3. 智能分配端口
|
||||
const recommendedPort = await this.allocateSmartPort(tenantId, projectName);
|
||||
const config = this.createPortConfig(recommendedPort, tenantId, projectName);
|
||||
this.updateCache(portKey, config);
|
||||
|
||||
console.log('🎯 智能分配端口:', recommendedPort);
|
||||
return config;
|
||||
}
|
||||
|
||||
/**
|
||||
* 智能端口分配算法
|
||||
*/
|
||||
private async allocateSmartPort(
|
||||
tenantId: string | number,
|
||||
projectName: string
|
||||
): Promise<number> {
|
||||
const tenantOffset = PortUtils.calculateTenantOffset(tenantId);
|
||||
const envOffset = PortUtils.calculateEnvironmentOffset(this.environment);
|
||||
|
||||
// 计算推荐端口
|
||||
const recommendedPort = this.strategy.basePort + envOffset + tenantOffset;
|
||||
|
||||
// 在推荐端口附近查找可用端口
|
||||
const searchRange = 20; // 在推荐端口前后20个端口范围内搜索
|
||||
const startPort = Math.max(
|
||||
recommendedPort - searchRange,
|
||||
this.strategy.portRange[0]
|
||||
);
|
||||
const endPort = Math.min(
|
||||
recommendedPort + searchRange,
|
||||
this.strategy.portRange[1]
|
||||
);
|
||||
|
||||
// 优先尝试推荐端口
|
||||
if (await PortUtils.isPortAvailable(recommendedPort)) {
|
||||
return recommendedPort;
|
||||
}
|
||||
|
||||
// 在范围内查找可用端口
|
||||
const availablePort = await PortUtils.findAvailablePort(startPort, endPort);
|
||||
if (availablePort) {
|
||||
return availablePort;
|
||||
}
|
||||
|
||||
// 如果推荐范围内没有可用端口,扩大搜索范围
|
||||
const fallbackPort = await PortUtils.findAvailablePort(
|
||||
this.strategy.portRange[0],
|
||||
this.strategy.portRange[1]
|
||||
);
|
||||
|
||||
if (fallbackPort) {
|
||||
return fallbackPort;
|
||||
}
|
||||
|
||||
// 最后的备选方案
|
||||
throw new Error(`无法在端口范围 ${this.strategy.portRange[0]}-${this.strategy.portRange[1]} 内找到可用端口`);
|
||||
}
|
||||
|
||||
/**
|
||||
* 创建端口配置
|
||||
*/
|
||||
private createPortConfig(
|
||||
port: number,
|
||||
tenantId: string | number,
|
||||
projectName: string
|
||||
): PortConfig {
|
||||
return {
|
||||
port,
|
||||
host: 'localhost',
|
||||
protocol: 'http',
|
||||
environment: this.environment as any,
|
||||
tenantId,
|
||||
projectName,
|
||||
lastUsed: Date.now(),
|
||||
isAvailable: true
|
||||
};
|
||||
}
|
||||
|
||||
/**
|
||||
* 更新缓存
|
||||
*/
|
||||
private updateCache(key: string, config: PortConfig): void {
|
||||
this.cache.set(key, config);
|
||||
PortCache.set(this.cache);
|
||||
}
|
||||
|
||||
/**
|
||||
* 获取端口使用统计
|
||||
*/
|
||||
getPortStats(): {
|
||||
cacheStats: ReturnType<typeof PortCache.getStats>;
|
||||
currentPorts: PortConfig[];
|
||||
strategy: PortStrategy;
|
||||
} {
|
||||
return {
|
||||
cacheStats: PortCache.getStats(),
|
||||
currentPorts: Array.from(this.cache.values()),
|
||||
strategy: this.strategy
|
||||
};
|
||||
}
|
||||
|
||||
/**
|
||||
* 清理过期端口缓存
|
||||
*/
|
||||
cleanupExpiredPorts(): number {
|
||||
const now = Date.now();
|
||||
const expiry = 24 * 60 * 60 * 1000; // 24小时
|
||||
let cleaned = 0;
|
||||
|
||||
this.cache.forEach((config, key) => {
|
||||
if (now - config.lastUsed > expiry) {
|
||||
this.cache.delete(key);
|
||||
cleaned++;
|
||||
}
|
||||
});
|
||||
|
||||
if (cleaned > 0) {
|
||||
PortCache.set(this.cache);
|
||||
console.log(`🧹 清理了 ${cleaned} 个过期端口缓存`);
|
||||
}
|
||||
|
||||
return cleaned;
|
||||
}
|
||||
|
||||
/**
|
||||
* 重置端口缓存
|
||||
*/
|
||||
resetCache(): void {
|
||||
this.cache.clear();
|
||||
PortCache.clear();
|
||||
console.log('🔄 端口缓存已重置');
|
||||
}
|
||||
}
|
||||
|
||||
// 导出默认实例
|
||||
export const portManager = new PortManager();
|
||||
|
||||
// 导出工具函数
|
||||
export { PortUtils, PortCache };
|
||||
415
src/lib/port-strategy.ts
Normal file
415
src/lib/port-strategy.ts
Normal file
@@ -0,0 +1,415 @@
|
||||
/**
|
||||
* 环境端口策略配置
|
||||
* 类似租户识别系统的环境优先级策略
|
||||
*/
|
||||
|
||||
import type { PortStrategy } from './port-manager';
|
||||
|
||||
// 环境类型
|
||||
export type Environment = 'development' | 'test' | 'staging' | 'production';
|
||||
|
||||
// 端口策略优先级
|
||||
export interface PortPriority {
|
||||
environment: Environment;
|
||||
priority: number; // 数字越小优先级越高
|
||||
description: string;
|
||||
}
|
||||
|
||||
// 环境端口策略配置
|
||||
export interface EnvironmentPortStrategy extends PortStrategy {
|
||||
environment: Environment;
|
||||
priority: number;
|
||||
autoDetect: boolean;
|
||||
fallbackStrategy?: EnvironmentPortStrategy;
|
||||
restrictions: {
|
||||
allowedHosts: string[];
|
||||
blockedPorts: number[];
|
||||
requireHttps: boolean;
|
||||
};
|
||||
}
|
||||
|
||||
// 端口分配模式
|
||||
export enum PortAllocationMode {
|
||||
TENANT_BASED = 'tenant-based', // 基于租户分配
|
||||
SEQUENTIAL = 'sequential', // 顺序分配
|
||||
RANDOM = 'random', // 随机分配
|
||||
HASH_BASED = 'hash-based' // 基于哈希分配
|
||||
}
|
||||
|
||||
// 环境检测器
|
||||
export class EnvironmentDetector {
|
||||
/**
|
||||
* 检测当前环境
|
||||
*/
|
||||
static detectEnvironment(): Environment {
|
||||
// 1. 检查环境变量
|
||||
const nodeEnv = process.env.NODE_ENV;
|
||||
if (nodeEnv) {
|
||||
switch (nodeEnv.toLowerCase()) {
|
||||
case 'development':
|
||||
case 'dev':
|
||||
return 'development';
|
||||
case 'test':
|
||||
case 'testing':
|
||||
return 'test';
|
||||
case 'staging':
|
||||
case 'stage':
|
||||
return 'staging';
|
||||
case 'production':
|
||||
case 'prod':
|
||||
return 'production';
|
||||
}
|
||||
}
|
||||
|
||||
// 2. 检查域名
|
||||
const hostname = window.location.hostname;
|
||||
if (hostname.includes('localhost') || hostname.includes('127.0.0.1')) {
|
||||
return 'development';
|
||||
}
|
||||
if (hostname.includes('test') || hostname.includes('staging')) {
|
||||
return 'test';
|
||||
}
|
||||
if (hostname.includes('prod') || hostname.includes('www')) {
|
||||
return 'production';
|
||||
}
|
||||
|
||||
// 3. 检查端口
|
||||
const port = window.location.port;
|
||||
if (port && parseInt(port) < 4000) {
|
||||
return 'development';
|
||||
}
|
||||
|
||||
// 默认返回开发环境
|
||||
return 'development';
|
||||
}
|
||||
|
||||
/**
|
||||
* 获取环境建议
|
||||
*/
|
||||
static getEnvironmentRecommendation(): {
|
||||
detected: Environment;
|
||||
confidence: number;
|
||||
reasons: string[];
|
||||
suggestions: string[];
|
||||
} {
|
||||
const reasons: string[] = [];
|
||||
const suggestions: string[] = [];
|
||||
let confidence = 0;
|
||||
|
||||
const nodeEnv = process.env.NODE_ENV;
|
||||
const hostname = window.location.hostname;
|
||||
const port = window.location.port;
|
||||
const protocol = window.location.protocol;
|
||||
|
||||
// 分析环境变量
|
||||
if (nodeEnv) {
|
||||
reasons.push(`NODE_ENV: ${nodeEnv}`);
|
||||
confidence += 40;
|
||||
} else {
|
||||
suggestions.push('建议设置 NODE_ENV 环境变量');
|
||||
}
|
||||
|
||||
// 分析域名
|
||||
if (hostname.includes('localhost')) {
|
||||
reasons.push('域名包含 localhost');
|
||||
confidence += 30;
|
||||
} else if (hostname.includes('test')) {
|
||||
reasons.push('域名包含 test');
|
||||
confidence += 25;
|
||||
} else if (hostname.includes('prod')) {
|
||||
reasons.push('域名包含 prod');
|
||||
confidence += 35;
|
||||
}
|
||||
|
||||
// 分析协议
|
||||
if (protocol === 'https:') {
|
||||
reasons.push('使用 HTTPS 协议');
|
||||
confidence += 10;
|
||||
} else {
|
||||
suggestions.push('生产环境建议使用 HTTPS');
|
||||
}
|
||||
|
||||
// 分析端口
|
||||
if (port) {
|
||||
const portNum = parseInt(port);
|
||||
if (portNum >= 3000 && portNum < 4000) {
|
||||
reasons.push('使用开发端口范围');
|
||||
confidence += 15;
|
||||
}
|
||||
}
|
||||
|
||||
return {
|
||||
detected: this.detectEnvironment(),
|
||||
confidence: Math.min(confidence, 100),
|
||||
reasons,
|
||||
suggestions
|
||||
};
|
||||
}
|
||||
}
|
||||
|
||||
// 端口策略管理器
|
||||
export class PortStrategyManager {
|
||||
private strategies: Map<Environment, EnvironmentPortStrategy>;
|
||||
private currentEnvironment: Environment;
|
||||
|
||||
constructor() {
|
||||
this.currentEnvironment = EnvironmentDetector.detectEnvironment();
|
||||
this.strategies = new Map();
|
||||
this.initializeDefaultStrategies();
|
||||
}
|
||||
|
||||
/**
|
||||
* 初始化默认策略
|
||||
*/
|
||||
private initializeDefaultStrategies(): void {
|
||||
// 开发环境策略
|
||||
this.strategies.set('development', {
|
||||
environment: 'development',
|
||||
priority: 1,
|
||||
basePort: 3000,
|
||||
portRange: [3000, 3999],
|
||||
tenantOffset: 10,
|
||||
environmentOffset: 0,
|
||||
maxRetries: 50,
|
||||
autoDetect: true,
|
||||
restrictions: {
|
||||
allowedHosts: ['localhost', '127.0.0.1', '0.0.0.0'],
|
||||
blockedPorts: [],
|
||||
requireHttps: false
|
||||
}
|
||||
});
|
||||
|
||||
// 测试环境策略
|
||||
this.strategies.set('test', {
|
||||
environment: 'test',
|
||||
priority: 2,
|
||||
basePort: 4000,
|
||||
portRange: [4000, 4999],
|
||||
tenantOffset: 5,
|
||||
environmentOffset: 1000,
|
||||
maxRetries: 30,
|
||||
autoDetect: true,
|
||||
restrictions: {
|
||||
allowedHosts: ['localhost', '127.0.0.1', 'test.local'],
|
||||
blockedPorts: [4444, 4567], // 避免与其他测试工具冲突
|
||||
requireHttps: false
|
||||
}
|
||||
});
|
||||
|
||||
// 预发布环境策略
|
||||
this.strategies.set('staging', {
|
||||
environment: 'staging',
|
||||
priority: 3,
|
||||
basePort: 5000,
|
||||
portRange: [5000, 5999],
|
||||
tenantOffset: 3,
|
||||
environmentOffset: 2000,
|
||||
maxRetries: 20,
|
||||
autoDetect: true,
|
||||
restrictions: {
|
||||
allowedHosts: ['staging.local', 'stage.example.com'],
|
||||
blockedPorts: [],
|
||||
requireHttps: true
|
||||
}
|
||||
});
|
||||
|
||||
// 生产环境策略
|
||||
this.strategies.set('production', {
|
||||
environment: 'production',
|
||||
priority: 4,
|
||||
basePort: 8080,
|
||||
portRange: [8080, 8999],
|
||||
tenantOffset: 1,
|
||||
environmentOffset: 5000,
|
||||
maxRetries: 10,
|
||||
autoDetect: false, // 生产环境不自动检测
|
||||
restrictions: {
|
||||
allowedHosts: ['0.0.0.0'], // 生产环境通常绑定所有接口
|
||||
blockedPorts: [8080, 8443], // 避免与常用服务冲突
|
||||
requireHttps: true
|
||||
}
|
||||
});
|
||||
}
|
||||
|
||||
/**
|
||||
* 获取当前环境策略
|
||||
*/
|
||||
getCurrentStrategy(): EnvironmentPortStrategy {
|
||||
const strategy = this.strategies.get(this.currentEnvironment);
|
||||
if (!strategy) {
|
||||
console.warn(`未找到环境 ${this.currentEnvironment} 的策略,使用开发环境策略`);
|
||||
return this.strategies.get('development')!;
|
||||
}
|
||||
return strategy;
|
||||
}
|
||||
|
||||
/**
|
||||
* 获取指定环境策略
|
||||
*/
|
||||
getStrategy(environment: Environment): EnvironmentPortStrategy | undefined {
|
||||
return this.strategies.get(environment);
|
||||
}
|
||||
|
||||
/**
|
||||
* 设置环境策略
|
||||
*/
|
||||
setStrategy(environment: Environment, strategy: EnvironmentPortStrategy): void {
|
||||
this.strategies.set(environment, strategy);
|
||||
console.log(`✅ 已更新 ${environment} 环境的端口策略`);
|
||||
}
|
||||
|
||||
/**
|
||||
* 获取推荐策略(基于环境优先级)
|
||||
*/
|
||||
getRecommendedStrategy(): {
|
||||
primary: EnvironmentPortStrategy;
|
||||
fallback: EnvironmentPortStrategy[];
|
||||
reasoning: string[];
|
||||
} {
|
||||
const current = this.getCurrentStrategy();
|
||||
const reasoning: string[] = [];
|
||||
const fallback: EnvironmentPortStrategy[] = [];
|
||||
|
||||
reasoning.push(`当前环境: ${this.currentEnvironment}`);
|
||||
reasoning.push(`优先级: ${current.priority}`);
|
||||
|
||||
// 获取备选策略(按优先级排序)
|
||||
const allStrategies = Array.from(this.strategies.values())
|
||||
.filter(s => s.environment !== this.currentEnvironment)
|
||||
.sort((a, b) => a.priority - b.priority);
|
||||
|
||||
fallback.push(...allStrategies);
|
||||
|
||||
// 环境特定的推理
|
||||
switch (this.currentEnvironment) {
|
||||
case 'development':
|
||||
reasoning.push('开发环境优先考虑端口可用性和调试便利性');
|
||||
break;
|
||||
case 'test':
|
||||
reasoning.push('测试环境需要隔离性和可重复性');
|
||||
break;
|
||||
case 'staging':
|
||||
reasoning.push('预发布环境模拟生产环境配置');
|
||||
break;
|
||||
case 'production':
|
||||
reasoning.push('生产环境优先考虑安全性和稳定性');
|
||||
break;
|
||||
}
|
||||
|
||||
return { primary: current, fallback, reasoning };
|
||||
}
|
||||
|
||||
/**
|
||||
* 验证端口策略
|
||||
*/
|
||||
validateStrategy(strategy: EnvironmentPortStrategy): {
|
||||
isValid: boolean;
|
||||
errors: string[];
|
||||
warnings: string[];
|
||||
} {
|
||||
const errors: string[] = [];
|
||||
const warnings: string[] = [];
|
||||
|
||||
// 检查端口范围
|
||||
if (strategy.portRange[0] >= strategy.portRange[1]) {
|
||||
errors.push('端口范围无效:起始端口必须小于结束端口');
|
||||
}
|
||||
|
||||
if (strategy.portRange[0] < 1024 && strategy.environment === 'production') {
|
||||
warnings.push('生产环境使用系统端口(<1024)可能需要管理员权限');
|
||||
}
|
||||
|
||||
// 检查基础端口
|
||||
if (strategy.basePort < strategy.portRange[0] || strategy.basePort > strategy.portRange[1]) {
|
||||
errors.push('基础端口不在允许的端口范围内');
|
||||
}
|
||||
|
||||
// 检查租户偏移
|
||||
if (strategy.tenantOffset <= 0) {
|
||||
warnings.push('租户偏移为0可能导致端口冲突');
|
||||
}
|
||||
|
||||
// 检查环境特定规则
|
||||
if (strategy.environment === 'production' && !strategy.restrictions.requireHttps) {
|
||||
warnings.push('生产环境建议启用 HTTPS');
|
||||
}
|
||||
|
||||
if (strategy.environment === 'development' && strategy.restrictions.requireHttps) {
|
||||
warnings.push('开发环境启用 HTTPS 可能增加配置复杂度');
|
||||
}
|
||||
|
||||
return {
|
||||
isValid: errors.length === 0,
|
||||
errors,
|
||||
warnings
|
||||
};
|
||||
}
|
||||
|
||||
/**
|
||||
* 获取环境统计信息
|
||||
*/
|
||||
getEnvironmentStats(): {
|
||||
current: Environment;
|
||||
available: Environment[];
|
||||
strategies: Array<{
|
||||
environment: Environment;
|
||||
priority: number;
|
||||
portRange: [number, number];
|
||||
isValid: boolean;
|
||||
}>;
|
||||
} {
|
||||
const strategies = Array.from(this.strategies.entries()).map(([env, strategy]) => ({
|
||||
environment: env,
|
||||
priority: strategy.priority,
|
||||
portRange: strategy.portRange,
|
||||
isValid: this.validateStrategy(strategy).isValid
|
||||
}));
|
||||
|
||||
return {
|
||||
current: this.currentEnvironment,
|
||||
available: Array.from(this.strategies.keys()),
|
||||
strategies: strategies.sort((a, b) => a.priority - b.priority)
|
||||
};
|
||||
}
|
||||
|
||||
/**
|
||||
* 切换环境
|
||||
*/
|
||||
switchEnvironment(environment: Environment): boolean {
|
||||
if (!this.strategies.has(environment)) {
|
||||
console.error(`环境 ${environment} 不存在`);
|
||||
return false;
|
||||
}
|
||||
|
||||
this.currentEnvironment = environment;
|
||||
console.log(`🔄 已切换到 ${environment} 环境`);
|
||||
return true;
|
||||
}
|
||||
}
|
||||
|
||||
// 导出默认实例
|
||||
export const portStrategyManager = new PortStrategyManager();
|
||||
|
||||
// 导出环境优先级配置
|
||||
export const ENVIRONMENT_PRIORITIES: PortPriority[] = [
|
||||
{
|
||||
environment: 'development',
|
||||
priority: 1,
|
||||
description: '开发环境 - 最高优先级,注重便利性'
|
||||
},
|
||||
{
|
||||
environment: 'test',
|
||||
priority: 2,
|
||||
description: '测试环境 - 高优先级,注重隔离性'
|
||||
},
|
||||
{
|
||||
environment: 'staging',
|
||||
priority: 3,
|
||||
description: '预发布环境 - 中等优先级,模拟生产'
|
||||
},
|
||||
{
|
||||
environment: 'production',
|
||||
priority: 4,
|
||||
description: '生产环境 - 最低优先级,注重安全性'
|
||||
}
|
||||
];
|
||||
411
src/lib/tenant-port-manager.ts
Normal file
411
src/lib/tenant-port-manager.ts
Normal file
@@ -0,0 +1,411 @@
|
||||
/**
|
||||
* 租户端口管理器
|
||||
* 集成租户识别系统和端口管理系统
|
||||
*/
|
||||
|
||||
import { getTenantId } from '@/utils/domain';
|
||||
import { getTenantInfo } from '@/api/layout';
|
||||
import { PortManager, type PortConfig } from './port-manager';
|
||||
import { portStrategyManager, EnvironmentDetector } from './port-strategy';
|
||||
import type { Environment } from './port-strategy';
|
||||
|
||||
// 租户端口绑定配置
|
||||
export interface TenantPortBinding {
|
||||
tenantId: string | number;
|
||||
tenantCode: string;
|
||||
environment: Environment;
|
||||
assignedPort: number;
|
||||
customDomain?: string;
|
||||
isActive: boolean;
|
||||
createdAt: number;
|
||||
lastUsed: number;
|
||||
metadata: {
|
||||
projectName: string;
|
||||
version: string;
|
||||
description?: string;
|
||||
};
|
||||
}
|
||||
|
||||
// 端口分配结果
|
||||
export interface PortAllocationResult {
|
||||
success: boolean;
|
||||
port?: number;
|
||||
binding?: TenantPortBinding;
|
||||
error?: string;
|
||||
fallbackPorts?: number[];
|
||||
recommendations?: string[];
|
||||
}
|
||||
|
||||
// 租户端口缓存管理
|
||||
class TenantPortCache {
|
||||
private static readonly CACHE_KEY = 'tenant-port-bindings';
|
||||
private static readonly CACHE_EXPIRY = 7 * 24 * 60 * 60 * 1000; // 7天
|
||||
|
||||
static get(): Map<string, TenantPortBinding> {
|
||||
try {
|
||||
const cached = localStorage.getItem(this.CACHE_KEY);
|
||||
if (!cached) return new Map();
|
||||
|
||||
const data = JSON.parse(cached);
|
||||
const now = Date.now();
|
||||
|
||||
// 清理过期缓存
|
||||
const validEntries = Object.entries(data).filter(
|
||||
([_, binding]: [string, any]) =>
|
||||
now - binding.lastUsed < this.CACHE_EXPIRY
|
||||
);
|
||||
|
||||
return new Map(validEntries);
|
||||
} catch (error) {
|
||||
console.warn('租户端口缓存读取失败:', error);
|
||||
return new Map();
|
||||
}
|
||||
}
|
||||
|
||||
static set(cache: Map<string, TenantPortBinding>): void {
|
||||
try {
|
||||
const data = Object.fromEntries(cache);
|
||||
localStorage.setItem(this.CACHE_KEY, JSON.stringify(data));
|
||||
} catch (error) {
|
||||
console.warn('租户端口缓存保存失败:', error);
|
||||
}
|
||||
}
|
||||
|
||||
static clear(): void {
|
||||
localStorage.removeItem(this.CACHE_KEY);
|
||||
}
|
||||
|
||||
static generateKey(tenantId: string | number, environment: Environment): string {
|
||||
return `${tenantId}-${environment}`;
|
||||
}
|
||||
}
|
||||
|
||||
// 租户端口管理器
|
||||
export class TenantPortManager {
|
||||
private portManager: PortManager;
|
||||
private bindings: Map<string, TenantPortBinding>;
|
||||
private currentEnvironment: Environment;
|
||||
|
||||
constructor() {
|
||||
this.portManager = new PortManager();
|
||||
this.bindings = TenantPortCache.get();
|
||||
this.currentEnvironment = EnvironmentDetector.detectEnvironment();
|
||||
|
||||
console.log('🏢 租户端口管理器初始化完成', {
|
||||
environment: this.currentEnvironment,
|
||||
bindingsCount: this.bindings.size
|
||||
});
|
||||
}
|
||||
|
||||
/**
|
||||
* 为租户分配端口(主要方法)
|
||||
*/
|
||||
async allocatePortForTenant(options?: {
|
||||
tenantId?: string | number;
|
||||
preferredPort?: number;
|
||||
forceNew?: boolean;
|
||||
}): Promise<PortAllocationResult> {
|
||||
try {
|
||||
// 1. 获取租户信息
|
||||
const tenantId = options?.tenantId || await getTenantId();
|
||||
const tenantInfo = await getTenantInfo();
|
||||
|
||||
if (!tenantId) {
|
||||
return {
|
||||
success: false,
|
||||
error: '无法获取租户ID',
|
||||
recommendations: ['请检查租户配置', '确保已正确设置租户识别']
|
||||
};
|
||||
}
|
||||
|
||||
// 2. 检查现有绑定
|
||||
const bindingKey = TenantPortCache.generateKey(tenantId, this.currentEnvironment);
|
||||
const existingBinding = this.bindings.get(bindingKey);
|
||||
|
||||
if (existingBinding && !options?.forceNew) {
|
||||
// 验证现有端口是否仍然可用
|
||||
if (await this.validatePortBinding(existingBinding)) {
|
||||
existingBinding.lastUsed = Date.now();
|
||||
this.updateBinding(bindingKey, existingBinding);
|
||||
|
||||
console.log('📋 使用现有租户端口绑定:', existingBinding.assignedPort);
|
||||
return {
|
||||
success: true,
|
||||
port: existingBinding.assignedPort,
|
||||
binding: existingBinding
|
||||
};
|
||||
} else {
|
||||
console.warn('⚠️ 现有端口绑定已失效,重新分配');
|
||||
this.bindings.delete(bindingKey);
|
||||
}
|
||||
}
|
||||
|
||||
// 3. 分配新端口
|
||||
const portConfig = await this.portManager.getRecommendedPort({
|
||||
tenantId,
|
||||
projectName: tenantInfo?.name || 'mp-vue',
|
||||
preferredPort: options?.preferredPort
|
||||
});
|
||||
|
||||
// 4. 创建租户端口绑定
|
||||
const binding = this.createTenantBinding(tenantId, tenantInfo, portConfig);
|
||||
this.updateBinding(bindingKey, binding);
|
||||
|
||||
console.log('🎯 为租户分配新端口:', {
|
||||
tenantId,
|
||||
port: binding.assignedPort,
|
||||
environment: this.currentEnvironment
|
||||
});
|
||||
|
||||
return {
|
||||
success: true,
|
||||
port: binding.assignedPort,
|
||||
binding,
|
||||
recommendations: this.generateRecommendations(binding)
|
||||
};
|
||||
|
||||
} catch (error) {
|
||||
console.error('❌ 租户端口分配失败:', error);
|
||||
return {
|
||||
success: false,
|
||||
error: error instanceof Error ? error.message : '未知错误',
|
||||
recommendations: ['检查网络连接', '验证租户配置', '尝试重新启动服务']
|
||||
};
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* 验证端口绑定是否有效
|
||||
*/
|
||||
private async validatePortBinding(binding: TenantPortBinding): Promise<boolean> {
|
||||
try {
|
||||
// 检查端口是否仍然可用
|
||||
const response = await fetch(`http://localhost:${binding.assignedPort}`, {
|
||||
method: 'HEAD',
|
||||
mode: 'no-cors',
|
||||
signal: AbortSignal.timeout(2000)
|
||||
});
|
||||
|
||||
// 如果能连接,说明端口被占用(可能是我们自己的服务)
|
||||
return true;
|
||||
} catch (error) {
|
||||
// 连接失败,端口可能已释放
|
||||
return false;
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* 创建租户端口绑定
|
||||
*/
|
||||
private createTenantBinding(
|
||||
tenantId: string | number,
|
||||
tenantInfo: any,
|
||||
portConfig: PortConfig
|
||||
): TenantPortBinding {
|
||||
return {
|
||||
tenantId,
|
||||
tenantCode: tenantInfo?.code || String(tenantId),
|
||||
environment: this.currentEnvironment,
|
||||
assignedPort: portConfig.port,
|
||||
customDomain: tenantInfo?.domain,
|
||||
isActive: true,
|
||||
createdAt: Date.now(),
|
||||
lastUsed: Date.now(),
|
||||
metadata: {
|
||||
projectName: portConfig.projectName || 'mp-vue',
|
||||
version: '1.0.0',
|
||||
description: `${tenantInfo?.name || '租户'} - ${this.currentEnvironment}环境`
|
||||
}
|
||||
};
|
||||
}
|
||||
|
||||
/**
|
||||
* 更新绑定缓存
|
||||
*/
|
||||
private updateBinding(key: string, binding: TenantPortBinding): void {
|
||||
this.bindings.set(key, binding);
|
||||
TenantPortCache.set(this.bindings);
|
||||
}
|
||||
|
||||
/**
|
||||
* 生成建议
|
||||
*/
|
||||
private generateRecommendations(binding: TenantPortBinding): string[] {
|
||||
const recommendations: string[] = [];
|
||||
const strategy = portStrategyManager.getCurrentStrategy();
|
||||
|
||||
// 环境特定建议
|
||||
switch (binding.environment) {
|
||||
case 'development':
|
||||
recommendations.push('开发环境:建议配置热重载和调试工具');
|
||||
recommendations.push(`访问地址:http://localhost:${binding.assignedPort}`);
|
||||
break;
|
||||
case 'test':
|
||||
recommendations.push('测试环境:建议配置自动化测试和监控');
|
||||
break;
|
||||
case 'production':
|
||||
recommendations.push('生产环境:建议配置HTTPS和负载均衡');
|
||||
if (binding.customDomain) {
|
||||
recommendations.push(`自定义域名:${binding.customDomain}`);
|
||||
}
|
||||
break;
|
||||
}
|
||||
|
||||
// 端口范围建议
|
||||
if (binding.assignedPort < strategy.portRange[0] || binding.assignedPort > strategy.portRange[1]) {
|
||||
recommendations.push('⚠️ 分配的端口超出推荐范围,可能存在冲突风险');
|
||||
}
|
||||
|
||||
return recommendations;
|
||||
}
|
||||
|
||||
/**
|
||||
* 获取租户端口信息
|
||||
*/
|
||||
async getTenantPortInfo(tenantId?: string | number): Promise<{
|
||||
current?: TenantPortBinding;
|
||||
history: TenantPortBinding[];
|
||||
recommendations: string[];
|
||||
}> {
|
||||
const targetTenantId = tenantId || await getTenantId();
|
||||
const history: TenantPortBinding[] = [];
|
||||
let current: TenantPortBinding | undefined;
|
||||
|
||||
// 查找当前和历史绑定
|
||||
this.bindings.forEach(binding => {
|
||||
if (binding.tenantId === targetTenantId) {
|
||||
if (binding.environment === this.currentEnvironment && binding.isActive) {
|
||||
current = binding;
|
||||
}
|
||||
history.push(binding);
|
||||
}
|
||||
});
|
||||
|
||||
// 按时间排序
|
||||
history.sort((a, b) => b.lastUsed - a.lastUsed);
|
||||
|
||||
const recommendations = current
|
||||
? this.generateRecommendations(current)
|
||||
: ['当前环境暂无端口绑定,建议调用 allocatePortForTenant 分配端口'];
|
||||
|
||||
return { current, history, recommendations };
|
||||
}
|
||||
|
||||
/**
|
||||
* 释放租户端口
|
||||
*/
|
||||
async releaseTenantPort(tenantId?: string | number): Promise<boolean> {
|
||||
try {
|
||||
const targetTenantId = tenantId || await getTenantId();
|
||||
const bindingKey = TenantPortCache.generateKey(targetTenantId, this.currentEnvironment);
|
||||
|
||||
const binding = this.bindings.get(bindingKey);
|
||||
if (binding) {
|
||||
binding.isActive = false;
|
||||
this.updateBinding(bindingKey, binding);
|
||||
console.log(`🔓 已释放租户 ${targetTenantId} 的端口 ${binding.assignedPort}`);
|
||||
return true;
|
||||
}
|
||||
|
||||
return false;
|
||||
} catch (error) {
|
||||
console.error('释放租户端口失败:', error);
|
||||
return false;
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* 获取所有租户端口统计
|
||||
*/
|
||||
getAllTenantsPortStats(): {
|
||||
totalBindings: number;
|
||||
activeBindings: number;
|
||||
environmentStats: Record<Environment, number>;
|
||||
portRangeUsage: { min: number; max: number; average: number };
|
||||
topTenants: Array<{ tenantId: string | number; bindingsCount: number }>;
|
||||
} {
|
||||
const stats = {
|
||||
totalBindings: this.bindings.size,
|
||||
activeBindings: 0,
|
||||
environmentStats: {} as Record<Environment, number>,
|
||||
portRangeUsage: { min: Infinity, max: 0, average: 0 },
|
||||
topTenants: [] as Array<{ tenantId: string | number; bindingsCount: number }>
|
||||
};
|
||||
|
||||
const tenantCounts = new Map<string | number, number>();
|
||||
let portSum = 0;
|
||||
|
||||
this.bindings.forEach(binding => {
|
||||
// 活跃绑定统计
|
||||
if (binding.isActive) {
|
||||
stats.activeBindings++;
|
||||
}
|
||||
|
||||
// 环境统计
|
||||
stats.environmentStats[binding.environment] =
|
||||
(stats.environmentStats[binding.environment] || 0) + 1;
|
||||
|
||||
// 端口范围统计
|
||||
stats.portRangeUsage.min = Math.min(stats.portRangeUsage.min, binding.assignedPort);
|
||||
stats.portRangeUsage.max = Math.max(stats.portRangeUsage.max, binding.assignedPort);
|
||||
portSum += binding.assignedPort;
|
||||
|
||||
// 租户统计
|
||||
const count = tenantCounts.get(binding.tenantId) || 0;
|
||||
tenantCounts.set(binding.tenantId, count + 1);
|
||||
});
|
||||
|
||||
// 计算平均端口
|
||||
stats.portRangeUsage.average = stats.totalBindings > 0
|
||||
? Math.round(portSum / stats.totalBindings)
|
||||
: 0;
|
||||
|
||||
// 修复无限大的情况
|
||||
if (stats.portRangeUsage.min === Infinity) {
|
||||
stats.portRangeUsage.min = 0;
|
||||
}
|
||||
|
||||
// 排序租户使用量
|
||||
stats.topTenants = Array.from(tenantCounts.entries())
|
||||
.map(([tenantId, count]) => ({ tenantId, bindingsCount: count }))
|
||||
.sort((a, b) => b.bindingsCount - a.bindingsCount)
|
||||
.slice(0, 10);
|
||||
|
||||
return stats;
|
||||
}
|
||||
|
||||
/**
|
||||
* 清理过期绑定
|
||||
*/
|
||||
cleanupExpiredBindings(): number {
|
||||
const now = Date.now();
|
||||
const expiry = 7 * 24 * 60 * 60 * 1000; // 7天
|
||||
let cleaned = 0;
|
||||
|
||||
this.bindings.forEach((binding, key) => {
|
||||
if (now - binding.lastUsed > expiry) {
|
||||
this.bindings.delete(key);
|
||||
cleaned++;
|
||||
}
|
||||
});
|
||||
|
||||
if (cleaned > 0) {
|
||||
TenantPortCache.set(this.bindings);
|
||||
console.log(`🧹 清理了 ${cleaned} 个过期的租户端口绑定`);
|
||||
}
|
||||
|
||||
return cleaned;
|
||||
}
|
||||
|
||||
/**
|
||||
* 重置所有绑定
|
||||
*/
|
||||
resetAllBindings(): void {
|
||||
this.bindings.clear();
|
||||
TenantPortCache.clear();
|
||||
console.log('🔄 所有租户端口绑定已重置');
|
||||
}
|
||||
}
|
||||
|
||||
// 导出默认实例
|
||||
export const tenantPortManager = new TenantPortManager();
|
||||
357
src/utils/port-config-manager.ts
Normal file
357
src/utils/port-config-manager.ts
Normal file
@@ -0,0 +1,357 @@
|
||||
/**
|
||||
* 端口配置管理器
|
||||
* 集成环境变量和智能端口管理
|
||||
*/
|
||||
|
||||
import type { PortStrategy } from '@/lib/port-manager';
|
||||
import type { Environment } from '@/lib/port-strategy';
|
||||
|
||||
// 端口配置接口
|
||||
export interface PortEnvironmentConfig {
|
||||
// 基础配置
|
||||
strategy: 'auto' | 'manual' | 'tenant-based' | 'sequential';
|
||||
basePort: number;
|
||||
portRangeStart: number;
|
||||
portRangeEnd: number;
|
||||
|
||||
// 租户配置
|
||||
tenantPortOffset: number;
|
||||
environmentPortOffset: number;
|
||||
|
||||
// 行为配置
|
||||
autoDetect: boolean;
|
||||
strictMode: boolean;
|
||||
cacheEnabled: boolean;
|
||||
cacheExpiry: number;
|
||||
|
||||
// 开发服务器配置
|
||||
devHost: string;
|
||||
openBrowser: boolean;
|
||||
corsEnabled: boolean;
|
||||
httpsEnabled: boolean;
|
||||
}
|
||||
|
||||
// 配置验证结果
|
||||
export interface ConfigValidationResult {
|
||||
isValid: boolean;
|
||||
errors: string[];
|
||||
warnings: string[];
|
||||
recommendations: string[];
|
||||
}
|
||||
|
||||
// 端口配置管理器
|
||||
export class PortConfigManager {
|
||||
private config: PortEnvironmentConfig;
|
||||
private environment: Environment;
|
||||
|
||||
constructor() {
|
||||
this.environment = this.detectEnvironment();
|
||||
this.config = this.loadConfiguration();
|
||||
this.validateConfiguration();
|
||||
}
|
||||
|
||||
/**
|
||||
* 检测当前环境
|
||||
*/
|
||||
private detectEnvironment(): Environment {
|
||||
// 在 Vite 配置阶段,import.meta.env 可能不可用,使用 process.env
|
||||
const nodeEnv = (typeof process !== 'undefined' ? process.env.NODE_ENV : undefined) ||
|
||||
(typeof import.meta !== 'undefined' && import.meta.env ? import.meta.env.NODE_ENV : undefined) ||
|
||||
'development';
|
||||
|
||||
switch (nodeEnv.toLowerCase()) {
|
||||
case 'production':
|
||||
case 'prod':
|
||||
return 'production';
|
||||
case 'test':
|
||||
case 'testing':
|
||||
return 'test';
|
||||
case 'staging':
|
||||
case 'stage':
|
||||
return 'staging';
|
||||
default:
|
||||
return 'development';
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* 加载配置
|
||||
*/
|
||||
private loadConfiguration(): PortEnvironmentConfig {
|
||||
// 获取环境变量的辅助函数
|
||||
const getEnv = (key: string, defaultValue?: string) => {
|
||||
if (typeof process !== 'undefined' && process.env) {
|
||||
return process.env[key];
|
||||
}
|
||||
if (typeof import.meta !== 'undefined' && import.meta.env) {
|
||||
return import.meta.env[key];
|
||||
}
|
||||
return defaultValue;
|
||||
};
|
||||
|
||||
return {
|
||||
// 基础配置
|
||||
strategy: (getEnv('VITE_PORT_STRATEGY') as any) || 'auto',
|
||||
basePort: parseInt(getEnv('VITE_BASE_PORT') || '3000'),
|
||||
portRangeStart: parseInt(getEnv('VITE_PORT_RANGE_START') || '3000'),
|
||||
portRangeEnd: parseInt(getEnv('VITE_PORT_RANGE_END') || '9999'),
|
||||
|
||||
// 租户配置
|
||||
tenantPortOffset: parseInt(getEnv('VITE_TENANT_PORT_OFFSET') || '10'),
|
||||
environmentPortOffset: parseInt(getEnv('VITE_ENVIRONMENT_PORT_OFFSET') || '1000'),
|
||||
|
||||
// 行为配置
|
||||
autoDetect: getEnv('VITE_PORT_AUTO_DETECT') !== 'false',
|
||||
strictMode: getEnv('VITE_PORT_STRICT_MODE') === 'true',
|
||||
cacheEnabled: getEnv('VITE_PORT_CACHE_ENABLED') !== 'false',
|
||||
cacheExpiry: parseInt(getEnv('VITE_PORT_CACHE_EXPIRY') || '86400000'), // 24小时
|
||||
|
||||
// 开发服务器配置
|
||||
devHost: getEnv('VITE_DEV_HOST') || 'localhost',
|
||||
openBrowser: getEnv('VITE_DEV_OPEN_BROWSER') !== 'false',
|
||||
corsEnabled: getEnv('VITE_DEV_CORS_ENABLED') !== 'false',
|
||||
httpsEnabled: getEnv('VITE_DEV_HTTPS_ENABLED') === 'true'
|
||||
};
|
||||
}
|
||||
|
||||
/**
|
||||
* 验证配置
|
||||
*/
|
||||
private validateConfiguration(): ConfigValidationResult {
|
||||
const errors: string[] = [];
|
||||
const warnings: string[] = [];
|
||||
const recommendations: string[] = [];
|
||||
|
||||
// 验证端口范围
|
||||
if (this.config.portRangeStart >= this.config.portRangeEnd) {
|
||||
errors.push('端口范围无效:起始端口必须小于结束端口');
|
||||
}
|
||||
|
||||
if (this.config.portRangeStart < 1024 && this.environment === 'production') {
|
||||
warnings.push('生产环境使用系统端口(<1024)可能需要管理员权限');
|
||||
}
|
||||
|
||||
// 验证基础端口
|
||||
if (this.config.basePort < this.config.portRangeStart ||
|
||||
this.config.basePort > this.config.portRangeEnd) {
|
||||
errors.push('基础端口不在允许的端口范围内');
|
||||
}
|
||||
|
||||
// 验证租户偏移
|
||||
if (this.config.tenantPortOffset <= 0) {
|
||||
warnings.push('租户端口偏移为0可能导致端口冲突');
|
||||
}
|
||||
|
||||
// 环境特定验证
|
||||
switch (this.environment) {
|
||||
case 'development':
|
||||
if (this.config.httpsEnabled) {
|
||||
warnings.push('开发环境启用HTTPS可能增加配置复杂度');
|
||||
}
|
||||
if (!this.config.autoDetect) {
|
||||
recommendations.push('开发环境建议启用端口自动检测');
|
||||
}
|
||||
break;
|
||||
|
||||
case 'production':
|
||||
if (!this.config.httpsEnabled) {
|
||||
warnings.push('生产环境建议启用HTTPS');
|
||||
}
|
||||
if (this.config.autoDetect) {
|
||||
warnings.push('生产环境不建议启用端口自动检测');
|
||||
}
|
||||
if (!this.config.strictMode) {
|
||||
recommendations.push('生产环境建议启用严格模式');
|
||||
}
|
||||
break;
|
||||
|
||||
case 'test':
|
||||
if (this.config.openBrowser) {
|
||||
recommendations.push('测试环境建议禁用自动打开浏览器');
|
||||
}
|
||||
break;
|
||||
}
|
||||
|
||||
// 缓存配置验证
|
||||
if (this.config.cacheEnabled && this.config.cacheExpiry < 60000) {
|
||||
warnings.push('缓存过期时间过短可能影响性能');
|
||||
}
|
||||
|
||||
const result = {
|
||||
isValid: errors.length === 0,
|
||||
errors,
|
||||
warnings,
|
||||
recommendations
|
||||
};
|
||||
|
||||
// 输出验证结果
|
||||
if (errors.length > 0) {
|
||||
console.error('❌ 端口配置验证失败:', errors);
|
||||
}
|
||||
if (warnings.length > 0) {
|
||||
console.warn('⚠️ 端口配置警告:', warnings);
|
||||
}
|
||||
if (recommendations.length > 0) {
|
||||
console.info('💡 端口配置建议:', recommendations);
|
||||
}
|
||||
|
||||
return result;
|
||||
}
|
||||
|
||||
/**
|
||||
* 获取当前配置
|
||||
*/
|
||||
getConfig(): PortEnvironmentConfig {
|
||||
return { ...this.config };
|
||||
}
|
||||
|
||||
/**
|
||||
* 获取端口策略配置
|
||||
*/
|
||||
getPortStrategy(): PortStrategy {
|
||||
return {
|
||||
basePort: this.config.basePort,
|
||||
portRange: [this.config.portRangeStart, this.config.portRangeEnd],
|
||||
tenantOffset: this.config.tenantPortOffset,
|
||||
environmentOffset: this.config.environmentPortOffset,
|
||||
maxRetries: this.config.strictMode ? 10 : 50
|
||||
};
|
||||
}
|
||||
|
||||
/**
|
||||
* 获取开发服务器配置
|
||||
*/
|
||||
getDevServerConfig(): {
|
||||
host: string;
|
||||
port?: number;
|
||||
open: boolean;
|
||||
cors: boolean;
|
||||
https: boolean;
|
||||
strictPort: boolean;
|
||||
} {
|
||||
return {
|
||||
host: this.config.devHost,
|
||||
open: this.config.openBrowser,
|
||||
cors: this.config.corsEnabled,
|
||||
https: this.config.httpsEnabled,
|
||||
strictPort: this.config.strictMode
|
||||
};
|
||||
}
|
||||
|
||||
/**
|
||||
* 获取环境信息
|
||||
*/
|
||||
getEnvironmentInfo(): {
|
||||
current: Environment;
|
||||
config: PortEnvironmentConfig;
|
||||
validation: ConfigValidationResult;
|
||||
recommendations: string[];
|
||||
} {
|
||||
const validation = this.validateConfiguration();
|
||||
const recommendations: string[] = [];
|
||||
|
||||
// 基于环境生成建议
|
||||
switch (this.environment) {
|
||||
case 'development':
|
||||
recommendations.push('开发环境:优先考虑便利性和调试体验');
|
||||
recommendations.push('建议启用热重载和自动刷新功能');
|
||||
break;
|
||||
case 'test':
|
||||
recommendations.push('测试环境:注重隔离性和可重复性');
|
||||
recommendations.push('建议配置独立的端口范围避免冲突');
|
||||
break;
|
||||
case 'production':
|
||||
recommendations.push('生产环境:优先考虑安全性和稳定性');
|
||||
recommendations.push('建议使用固定端口和负载均衡');
|
||||
break;
|
||||
}
|
||||
|
||||
return {
|
||||
current: this.environment,
|
||||
config: this.config,
|
||||
validation,
|
||||
recommendations: [...validation.recommendations, ...recommendations]
|
||||
};
|
||||
}
|
||||
|
||||
/**
|
||||
* 更新配置
|
||||
*/
|
||||
updateConfig(updates: Partial<PortEnvironmentConfig>): ConfigValidationResult {
|
||||
this.config = { ...this.config, ...updates };
|
||||
return this.validateConfiguration();
|
||||
}
|
||||
|
||||
/**
|
||||
* 重置为默认配置
|
||||
*/
|
||||
resetToDefaults(): void {
|
||||
this.config = this.loadConfiguration();
|
||||
console.log('🔄 端口配置已重置为默认值');
|
||||
}
|
||||
|
||||
/**
|
||||
* 导出配置
|
||||
*/
|
||||
exportConfig(): string {
|
||||
const configLines = [
|
||||
'# 智能端口管理配置',
|
||||
`VITE_PORT_STRATEGY=${this.config.strategy}`,
|
||||
`VITE_BASE_PORT=${this.config.basePort}`,
|
||||
`VITE_PORT_RANGE_START=${this.config.portRangeStart}`,
|
||||
`VITE_PORT_RANGE_END=${this.config.portRangeEnd}`,
|
||||
`VITE_TENANT_PORT_OFFSET=${this.config.tenantPortOffset}`,
|
||||
`VITE_ENVIRONMENT_PORT_OFFSET=${this.config.environmentPortOffset}`,
|
||||
`VITE_PORT_AUTO_DETECT=${this.config.autoDetect}`,
|
||||
`VITE_PORT_STRICT_MODE=${this.config.strictMode}`,
|
||||
`VITE_PORT_CACHE_ENABLED=${this.config.cacheEnabled}`,
|
||||
`VITE_PORT_CACHE_EXPIRY=${this.config.cacheExpiry}`,
|
||||
'',
|
||||
'# 开发服务器配置',
|
||||
`VITE_DEV_HOST=${this.config.devHost}`,
|
||||
`VITE_DEV_OPEN_BROWSER=${this.config.openBrowser}`,
|
||||
`VITE_DEV_CORS_ENABLED=${this.config.corsEnabled}`,
|
||||
`VITE_DEV_HTTPS_ENABLED=${this.config.httpsEnabled}`
|
||||
];
|
||||
|
||||
return configLines.join('\n');
|
||||
}
|
||||
|
||||
/**
|
||||
* 获取配置摘要
|
||||
*/
|
||||
getConfigSummary(): {
|
||||
environment: Environment;
|
||||
strategy: string;
|
||||
portRange: string;
|
||||
features: string[];
|
||||
status: 'healthy' | 'warning' | 'error';
|
||||
} {
|
||||
const validation = this.validateConfiguration();
|
||||
const features: string[] = [];
|
||||
|
||||
if (this.config.autoDetect) features.push('自动检测');
|
||||
if (this.config.cacheEnabled) features.push('缓存启用');
|
||||
if (this.config.strictMode) features.push('严格模式');
|
||||
if (this.config.httpsEnabled) features.push('HTTPS');
|
||||
if (this.config.corsEnabled) features.push('CORS');
|
||||
|
||||
let status: 'healthy' | 'warning' | 'error' = 'healthy';
|
||||
if (validation.errors.length > 0) {
|
||||
status = 'error';
|
||||
} else if (validation.warnings.length > 0) {
|
||||
status = 'warning';
|
||||
}
|
||||
|
||||
return {
|
||||
environment: this.environment,
|
||||
strategy: this.config.strategy,
|
||||
portRange: `${this.config.portRangeStart}-${this.config.portRangeEnd}`,
|
||||
features,
|
||||
status
|
||||
};
|
||||
}
|
||||
}
|
||||
|
||||
// 导出默认实例
|
||||
export const portConfigManager = new PortConfigManager();
|
||||
39
src/views/sdy/sdyUser/components/org-select.vue
Normal file
39
src/views/sdy/sdyUser/components/org-select.vue
Normal file
@@ -0,0 +1,39 @@
|
||||
<!-- 机构选择下拉框 -->
|
||||
<template>
|
||||
<a-tree-select
|
||||
allow-clear
|
||||
tree-default-expand-all
|
||||
:placeholder="placeholder"
|
||||
:value="value || undefined"
|
||||
:tree-data="data"
|
||||
:dropdown-style="{ maxHeight: '360px', overflow: 'auto' }"
|
||||
@update:value="updateValue"
|
||||
/>
|
||||
</template>
|
||||
|
||||
<script lang="ts" setup>
|
||||
import type { Organization } from '@/api/system/organization/model';
|
||||
|
||||
const emit = defineEmits<{
|
||||
(e: 'update:value', value?: number): void;
|
||||
}>();
|
||||
|
||||
withDefaults(
|
||||
defineProps<{
|
||||
// 选中的数据(v-modal)
|
||||
value?: number;
|
||||
// 提示信息
|
||||
placeholder?: string;
|
||||
// 机构数据
|
||||
data: Organization[];
|
||||
}>(),
|
||||
{
|
||||
placeholder: '请选择角色'
|
||||
}
|
||||
);
|
||||
|
||||
/* 更新选中数据 */
|
||||
const updateValue = (value?: number) => {
|
||||
emit('update:value', value);
|
||||
};
|
||||
</script>
|
||||
42
src/views/sdy/sdyUser/components/search.vue
Normal file
42
src/views/sdy/sdyUser/components/search.vue
Normal file
@@ -0,0 +1,42 @@
|
||||
<!-- 搜索表单 -->
|
||||
<template>
|
||||
<a-space :size="10" style="flex-wrap: wrap">
|
||||
<a-button type="primary" class="ele-btn-icon" @click="add">
|
||||
<template #icon>
|
||||
<PlusOutlined />
|
||||
</template>
|
||||
<span>添加</span>
|
||||
</a-button>
|
||||
</a-space>
|
||||
</template>
|
||||
|
||||
<script lang="ts" setup>
|
||||
import { PlusOutlined } from '@ant-design/icons-vue';
|
||||
import type { GradeParam } from '@/api/user/grade/model';
|
||||
import { watch } from 'vue';
|
||||
|
||||
const props = withDefaults(
|
||||
defineProps<{
|
||||
// 选中的角色
|
||||
selection?: [];
|
||||
}>(),
|
||||
{}
|
||||
);
|
||||
|
||||
const emit = defineEmits<{
|
||||
(e: 'search', where?: GradeParam): void;
|
||||
(e: 'add'): void;
|
||||
(e: 'remove'): void;
|
||||
(e: 'batchMove'): void;
|
||||
}>();
|
||||
|
||||
// 新增
|
||||
const add = () => {
|
||||
emit('add');
|
||||
};
|
||||
|
||||
watch(
|
||||
() => props.selection,
|
||||
() => {}
|
||||
);
|
||||
</script>
|
||||
65
src/views/sdy/sdyUser/components/status-test.vue
Normal file
65
src/views/sdy/sdyUser/components/status-test.vue
Normal file
@@ -0,0 +1,65 @@
|
||||
<!-- 状态测试组件 -->
|
||||
<template>
|
||||
<div style="padding: 20px;">
|
||||
<h3>状态测试</h3>
|
||||
<div style="margin-bottom: 16px;">
|
||||
<label>当前状态值: {{ currentStatus }}</label>
|
||||
</div>
|
||||
<div style="margin-bottom: 16px;">
|
||||
<a-switch
|
||||
checked-children="正常"
|
||||
un-checked-children="冻结"
|
||||
:checked="currentStatus === 0"
|
||||
@change="handleStatusChange"
|
||||
/>
|
||||
</div>
|
||||
<div style="margin-bottom: 16px;">
|
||||
<a-button type="primary" @click="testSave">测试保存</a-button>
|
||||
</div>
|
||||
<div>
|
||||
<h4>调试信息:</h4>
|
||||
<pre>{{ debugInfo }}</pre>
|
||||
</div>
|
||||
</div>
|
||||
</template>
|
||||
|
||||
<script lang="ts" setup>
|
||||
import { ref, reactive } from 'vue';
|
||||
import { message } from 'ant-design-vue';
|
||||
|
||||
const currentStatus = ref(0); // 0=正常, 1=冻结
|
||||
const debugInfo = reactive({
|
||||
originalStatus: 0,
|
||||
currentStatus: 0,
|
||||
switchChecked: true,
|
||||
lastChange: null
|
||||
});
|
||||
|
||||
const handleStatusChange = (checked: boolean) => {
|
||||
const newStatus = checked ? 0 : 1;
|
||||
console.log('状态变化:', { checked, newStatus, oldStatus: currentStatus.value });
|
||||
|
||||
currentStatus.value = newStatus;
|
||||
debugInfo.currentStatus = newStatus;
|
||||
debugInfo.switchChecked = checked;
|
||||
debugInfo.lastChange = new Date().toLocaleTimeString();
|
||||
|
||||
message.info(`状态已变更为: ${checked ? '正常' : '冻结'} (${newStatus})`);
|
||||
};
|
||||
|
||||
const testSave = () => {
|
||||
const testData = {
|
||||
userId: 123,
|
||||
status: currentStatus.value,
|
||||
realName: '测试用户'
|
||||
};
|
||||
|
||||
console.log('测试保存数据:', testData);
|
||||
message.success(`保存成功!状态: ${currentStatus.value === 0 ? '正常' : '冻结'}`);
|
||||
};
|
||||
|
||||
// 初始化调试信息
|
||||
debugInfo.originalStatus = currentStatus.value;
|
||||
debugInfo.currentStatus = currentStatus.value;
|
||||
debugInfo.switchChecked = currentStatus.value === 0;
|
||||
</script>
|
||||
312
src/views/sdy/sdyUser/components/user-edit.vue
Normal file
312
src/views/sdy/sdyUser/components/user-edit.vue
Normal file
@@ -0,0 +1,312 @@
|
||||
<!-- 管理员编辑弹窗 -->
|
||||
<template>
|
||||
<ele-modal
|
||||
:width="500"
|
||||
:visible="visible"
|
||||
:confirm-loading="loading"
|
||||
:title="isUpdate ? '编辑客户' : '添加客户'"
|
||||
:body-style="{ paddingBottom: '8px' }"
|
||||
@update:visible="updateVisible"
|
||||
@ok="save"
|
||||
>
|
||||
<a-form
|
||||
ref="formRef"
|
||||
:model="form"
|
||||
:rules="rules"
|
||||
:label-col="styleResponsive ? { md: 5, sm: 4, xs: 24 } : { flex: '90px' }"
|
||||
:wrapper-col="
|
||||
styleResponsive ? { md: 17, sm: 20, xs: 24 } : { flex: '1' }
|
||||
"
|
||||
>
|
||||
<a-form-item label="姓名" name="realName">
|
||||
<a-input
|
||||
allow-clear
|
||||
:maxlength="20"
|
||||
placeholder="请输入真实姓名"
|
||||
v-model:value="form.realName"
|
||||
/>
|
||||
</a-form-item>
|
||||
<a-form-item label="手机号" name="phone">
|
||||
<a-input
|
||||
allow-clear
|
||||
:maxlength="11"
|
||||
:disabled="isUpdate"
|
||||
placeholder="请输入手机号"
|
||||
v-model:value="form.phone"
|
||||
/>
|
||||
</a-form-item>
|
||||
<a-form-item label="邮箱" name="email">
|
||||
<a-input
|
||||
allow-clear
|
||||
:maxlength="100"
|
||||
placeholder="请输入邮箱"
|
||||
v-model:value="form.email"
|
||||
/>
|
||||
</a-form-item>
|
||||
<a-form-item label="所属机构" name="type">
|
||||
<org-select
|
||||
:data="organizationList"
|
||||
placeholder="请选择所属机构"
|
||||
v-model:value="form.organizationId"
|
||||
/>
|
||||
</a-form-item>
|
||||
<a-form-item label="入市状态">
|
||||
<a-switch
|
||||
checked-children="是"
|
||||
un-checked-children="否"
|
||||
:checked="form.status === 1"
|
||||
@change="handleStatusChange"
|
||||
/>
|
||||
</a-form-item>
|
||||
</a-form>
|
||||
</ele-modal>
|
||||
</template>
|
||||
|
||||
<script lang="ts" setup>
|
||||
import { ref, reactive, watch } from 'vue';
|
||||
import { message } from 'ant-design-vue/es';
|
||||
import type { FormInstance, Rule } from 'ant-design-vue/es/form';
|
||||
import { emailReg } from 'ele-admin-pro/es';
|
||||
import { storeToRefs } from 'pinia';
|
||||
import { useThemeStore } from '@/store/modules/theme';
|
||||
import useFormData from '@/utils/use-form-data';
|
||||
import { addUser, updateUser, checkExistence, updateUserStatus } from '@/api/system/user';
|
||||
import type { User } from '@/api/system/user/model';
|
||||
import OrgSelect from './org-select.vue';
|
||||
import { Organization } from '@/api/system/organization/model';
|
||||
import {TEMPLATE_ID} from "@/config/setting";
|
||||
|
||||
// 是否开启响应式布局
|
||||
const themeStore = useThemeStore();
|
||||
const { styleResponsive } = storeToRefs(themeStore);
|
||||
// 获取字典数据
|
||||
// const userTypeData = getDictionaryOptions('userType');
|
||||
const emit = defineEmits<{
|
||||
(e: 'done'): void;
|
||||
(e: 'update:visible', visible: boolean): void;
|
||||
}>();
|
||||
|
||||
const props = defineProps<{
|
||||
// 弹窗是否打开
|
||||
visible: boolean;
|
||||
// 修改回显的数据
|
||||
data?: User | null;
|
||||
// 全部机构
|
||||
organizationList: Organization[];
|
||||
}>();
|
||||
|
||||
//
|
||||
const formRef = ref<FormInstance | null>(null);
|
||||
|
||||
// 是否是修改
|
||||
const isUpdate = ref(false);
|
||||
|
||||
// 提交状态
|
||||
const loading = ref(false);
|
||||
|
||||
// 原始状态,用于比较是否发生变化
|
||||
const originalStatus = ref<number>();
|
||||
|
||||
// 表单数据
|
||||
const { form, resetFields, assignFields } = useFormData<User>({
|
||||
type: undefined,
|
||||
userId: undefined,
|
||||
username: '',
|
||||
nickname: '',
|
||||
realName: '',
|
||||
companyName: '',
|
||||
sex: undefined,
|
||||
sexName: undefined,
|
||||
roles: [],
|
||||
email: '',
|
||||
phone: '',
|
||||
mobile: '',
|
||||
password: '',
|
||||
introduction: '',
|
||||
organizationId: undefined,
|
||||
birthday: '',
|
||||
idCard: '',
|
||||
comments: '',
|
||||
gradeName: '',
|
||||
isAdmin: true,
|
||||
gradeId: undefined,
|
||||
templateId: TEMPLATE_ID,
|
||||
status: 0 // 默认为正常状态
|
||||
});
|
||||
|
||||
// 表单验证规则
|
||||
const rules = reactive<Record<string, Rule[]>>({
|
||||
username: [
|
||||
{
|
||||
required: true,
|
||||
type: 'string',
|
||||
validator: (_rule: Rule, value: string) => {
|
||||
return new Promise<void>((resolve, reject) => {
|
||||
if (!value) {
|
||||
return reject('请输入管理员账号');
|
||||
}
|
||||
checkExistence('username', value, props.data?.userId)
|
||||
.then(() => {
|
||||
reject('账号已经存在');
|
||||
})
|
||||
.catch(() => {
|
||||
resolve();
|
||||
});
|
||||
});
|
||||
},
|
||||
trigger: 'blur'
|
||||
}
|
||||
],
|
||||
nickname: [
|
||||
{
|
||||
required: true,
|
||||
message: '请输入昵称',
|
||||
type: 'string',
|
||||
trigger: 'blur'
|
||||
}
|
||||
],
|
||||
realName: [
|
||||
{
|
||||
required: true,
|
||||
message: '请输入真实姓名',
|
||||
type: 'string',
|
||||
trigger: 'blur'
|
||||
}
|
||||
],
|
||||
// sex: [
|
||||
// {
|
||||
// required: true,
|
||||
// message: '请选择性别',
|
||||
// type: 'string',
|
||||
// trigger: 'blur'
|
||||
// }
|
||||
// ],
|
||||
roles: [
|
||||
{
|
||||
required: true,
|
||||
message: '请选择角色',
|
||||
type: 'array',
|
||||
trigger: 'blur'
|
||||
}
|
||||
],
|
||||
email: [
|
||||
{
|
||||
pattern: emailReg,
|
||||
message: '邮箱格式不正确',
|
||||
type: 'string',
|
||||
trigger: 'blur'
|
||||
}
|
||||
],
|
||||
password: [
|
||||
{
|
||||
required: true,
|
||||
type: 'string',
|
||||
validator: async (_rule: Rule, value: string) => {
|
||||
if (isUpdate.value || /^[\S]{5,18}$/.test(value)) {
|
||||
return Promise.resolve();
|
||||
}
|
||||
return Promise.reject('密码必须为5-18位非空白字符');
|
||||
},
|
||||
trigger: 'blur'
|
||||
}
|
||||
],
|
||||
// phone: [
|
||||
// {
|
||||
// required: true,
|
||||
// pattern: phoneReg,
|
||||
// message: '手机号格式不正确',
|
||||
// type: 'string',
|
||||
// trigger: 'blur'
|
||||
// }
|
||||
// ]
|
||||
});
|
||||
|
||||
/* 处理状态变化 */
|
||||
const handleStatusChange = (checked: boolean) => {
|
||||
// checked为true表示正常状态(0),false表示冻结状态(1)
|
||||
const newStatus = checked ? 1 : 0;
|
||||
console.log('状态变化:', { checked, newStatus, oldStatus: form.status }); // 调试日志
|
||||
form.status = newStatus;
|
||||
};
|
||||
|
||||
/* 保存编辑 */
|
||||
const save = () => {
|
||||
if (!formRef.value) {
|
||||
return;
|
||||
}
|
||||
formRef.value
|
||||
.validate()
|
||||
.then(() => {
|
||||
loading.value = true;
|
||||
const saveOrUpdate = isUpdate.value ? updateUser : addUser;
|
||||
form.username = form.phone;
|
||||
form.nickname = form.realName;
|
||||
|
||||
// 确保数据类型正确
|
||||
const formData = {
|
||||
...form,
|
||||
isAdmin: form.isAdmin ? 1 : 0, // 转换为数字类型
|
||||
status: Number(form.status) // 确保 status 是数字类型
|
||||
};
|
||||
|
||||
console.log('保存用户数据:', formData); // 调试日志
|
||||
|
||||
saveOrUpdate(formData)
|
||||
.then(async (msg) => {
|
||||
// 如果是更新用户且状态发生变化,需要单独更新状态
|
||||
if (isUpdate.value && originalStatus.value !== formData.status) {
|
||||
console.log('更新用户状态:', { userId: formData.userId, status: formData.status });
|
||||
try {
|
||||
await updateUserStatus(formData.userId, formData.status);
|
||||
console.log('状态更新成功');
|
||||
} catch (statusError) {
|
||||
console.error('状态更新失败:', statusError);
|
||||
message.warning('用户信息保存成功,但状态更新失败');
|
||||
}
|
||||
}
|
||||
|
||||
loading.value = false;
|
||||
message.success(msg);
|
||||
updateVisible(false);
|
||||
emit('done');
|
||||
})
|
||||
.catch((e) => {
|
||||
loading.value = false;
|
||||
message.error(e.message);
|
||||
});
|
||||
})
|
||||
.catch(() => {});
|
||||
};
|
||||
|
||||
/* 更新visible */
|
||||
const updateVisible = (value: boolean) => {
|
||||
emit('update:visible', value);
|
||||
};
|
||||
|
||||
watch(
|
||||
() => props.visible,
|
||||
(visible) => {
|
||||
if (visible) {
|
||||
if (props.data) {
|
||||
const userStatus = props.data.status !== undefined ? Number(props.data.status) : 0;
|
||||
const userData = {
|
||||
...props.data,
|
||||
password: '',
|
||||
// 确保 status 是数字类型,默认为 0(正常状态)
|
||||
status: userStatus
|
||||
};
|
||||
console.log('编辑用户数据回显:', userData); // 调试日志
|
||||
originalStatus.value = userStatus; // 记录原始状态
|
||||
assignFields(userData);
|
||||
isUpdate.value = true;
|
||||
} else {
|
||||
originalStatus.value = 0; // 新增用户默认状态
|
||||
isUpdate.value = false;
|
||||
}
|
||||
} else {
|
||||
resetFields();
|
||||
formRef.value?.clearValidate();
|
||||
}
|
||||
}
|
||||
);
|
||||
</script>
|
||||
88
src/views/sdy/sdyUser/components/user-import.vue
Normal file
88
src/views/sdy/sdyUser/components/user-import.vue
Normal file
@@ -0,0 +1,88 @@
|
||||
<!-- 用户导入弹窗 -->
|
||||
<template>
|
||||
<ele-modal
|
||||
:width="520"
|
||||
:footer="null"
|
||||
title="用户批量导入"
|
||||
:visible="visible"
|
||||
@update:visible="updateVisible"
|
||||
>
|
||||
<a-spin :spinning="loading">
|
||||
<a-upload-dragger
|
||||
accept=".xls,.xlsx"
|
||||
:show-upload-list="false"
|
||||
:customRequest="doUpload"
|
||||
style="padding: 24px 0; margin-bottom: 16px"
|
||||
>
|
||||
<p class="ant-upload-drag-icon">
|
||||
<cloud-upload-outlined />
|
||||
</p>
|
||||
<p class="ant-upload-hint">将文件拖到此处,或点击上传</p>
|
||||
</a-upload-dragger>
|
||||
</a-spin>
|
||||
<div class="ele-text-center">
|
||||
<span>只能上传xls、xlsx文件,</span>
|
||||
<a
|
||||
href="https://server.websoft.top/api/system/user/import/template"
|
||||
download="用户导入模板.xlsx"
|
||||
>
|
||||
下载导入模板
|
||||
</a>
|
||||
</div>
|
||||
</ele-modal>
|
||||
</template>
|
||||
|
||||
<script lang="ts" setup>
|
||||
import { ref } from 'vue';
|
||||
import { message } from 'ant-design-vue/es';
|
||||
import { CloudUploadOutlined } from '@ant-design/icons-vue';
|
||||
import { importUsers } from '@/api/system/user';
|
||||
|
||||
const emit = defineEmits<{
|
||||
(e: 'done'): void;
|
||||
(e: 'update:visible', visible: boolean): void;
|
||||
}>();
|
||||
|
||||
defineProps<{
|
||||
// 是否打开弹窗
|
||||
visible: boolean;
|
||||
}>();
|
||||
|
||||
// 导入请求状态
|
||||
const loading = ref(false);
|
||||
|
||||
/* 上传 */
|
||||
const doUpload = ({ file }) => {
|
||||
if (
|
||||
![
|
||||
'application/vnd.ms-excel',
|
||||
'application/vnd.openxmlformats-officedocument.spreadsheetml.sheet'
|
||||
].includes(file.type)
|
||||
) {
|
||||
message.error('只能选择 excel 文件');
|
||||
return false;
|
||||
}
|
||||
if (file.size / 1024 / 1024 > 10) {
|
||||
message.error('大小不能超过 10MB');
|
||||
return false;
|
||||
}
|
||||
loading.value = true;
|
||||
importUsers(file)
|
||||
.then((msg) => {
|
||||
loading.value = false;
|
||||
message.success(msg);
|
||||
updateVisible(false);
|
||||
emit('done');
|
||||
})
|
||||
.catch((e) => {
|
||||
loading.value = false;
|
||||
message.error(e.message);
|
||||
});
|
||||
return false;
|
||||
};
|
||||
|
||||
/* 更新 visible */
|
||||
const updateVisible = (value: boolean) => {
|
||||
emit('update:visible', value);
|
||||
};
|
||||
</script>
|
||||
603
src/views/sdy/sdyUser/index.vue
Normal file
603
src/views/sdy/sdyUser/index.vue
Normal file
@@ -0,0 +1,603 @@
|
||||
<template>
|
||||
<a-page-header :title="getPageTitle()" @back="() => $router.go(-1)">
|
||||
<a-card :bordered="false">
|
||||
<!-- 表格 -->
|
||||
<ele-pro-table
|
||||
ref="tableRef"
|
||||
row-key="userId"
|
||||
:columns="columns"
|
||||
:datasource="datasource"
|
||||
class="sys-org-table"
|
||||
:scroll="{ x: 1300 }"
|
||||
:where="defaultWhere"
|
||||
:customRow="customRow"
|
||||
cache-key="proSystemUserTable"
|
||||
>
|
||||
<template #toolbar>
|
||||
<a-space>
|
||||
<a-button type="primary" class="ele-btn-icon" @click="openEdit()">
|
||||
<template #icon>
|
||||
<plus-outlined/>
|
||||
</template>
|
||||
<span>添加</span>
|
||||
</a-button>
|
||||
<a-button class="ele-btn-icon" @click="openImport()">
|
||||
<template #icon>
|
||||
<cloud-upload-outlined/>
|
||||
</template>
|
||||
<span>导入</span>
|
||||
</a-button>
|
||||
<a-button class="ele-btn-icon" @click="exportData()" :loading="exportLoading">
|
||||
<template #icon>
|
||||
<download-outlined/>
|
||||
</template>
|
||||
<span>导出</span>
|
||||
</a-button>
|
||||
<a-input-search
|
||||
allow-clear
|
||||
v-model:value="searchText"
|
||||
placeholder="请输入关键词"
|
||||
@search="reload"
|
||||
@pressEnter="reload"
|
||||
/>
|
||||
</a-space>
|
||||
</template>
|
||||
<template #bodyCell="{ column, record }">
|
||||
<template v-if="column.key === 'avatar'">
|
||||
<a-avatar
|
||||
:size="30"
|
||||
:src="`${record.avatar}`"
|
||||
style="margin-right: 4px"
|
||||
>
|
||||
<template #icon>
|
||||
<UserOutlined/>
|
||||
</template>
|
||||
</a-avatar>
|
||||
</template>
|
||||
<template v-if="column.key === 'nickname'">
|
||||
<span>{{ record.nickname }}</span>
|
||||
</template>
|
||||
<template v-if="column.key === 'mobile'">
|
||||
<span v-if="hasRole('superAdmin')">{{ record.phone }}</span>
|
||||
<span v-else>{{ record.mobile }}</span>
|
||||
</template>
|
||||
<template v-if="column.key === 'roles'">
|
||||
<a-tag v-for="item in record.roles" :key="item.roleId" color="blue">
|
||||
{{ item.roleName }}
|
||||
</a-tag>
|
||||
</template>
|
||||
<template v-if="column.key === 'platform'">
|
||||
<WechatOutlined v-if="record.platform === 'MP-WEIXIN'"/>
|
||||
<Html5Outlined v-if="record.platform === 'H5'"/>
|
||||
<ChromeOutlined v-if="record.platform === 'WEB'"/>
|
||||
</template>
|
||||
<template v-if="column.key === 'balance'">
|
||||
<span class="ele-text-success">
|
||||
¥{{ formatNumber(record.balance) }}
|
||||
</span>
|
||||
</template>
|
||||
<template v-if="column.key === 'expendMoney'">
|
||||
<span class="ele-text-warning">
|
||||
¥{{ formatNumber(record.expendMoney) }}
|
||||
</span>
|
||||
</template>
|
||||
<template v-if="column.key === 'isAdmin'">
|
||||
<a-switch
|
||||
:checked="record.isAdmin == 1"
|
||||
@change="updateIsAdmin(record)"
|
||||
/>
|
||||
</template>
|
||||
<template v-if="column.key === 'action'">
|
||||
<div>
|
||||
<a @click="openEdit(record)">修改</a>
|
||||
<a-divider type="vertical"/>
|
||||
<a-popconfirm
|
||||
placement="topRight"
|
||||
title="确定要删除此用户吗?"
|
||||
@confirm="remove(record)"
|
||||
>
|
||||
<a class="ele-text-danger">删除</a>
|
||||
</a-popconfirm>
|
||||
</div>
|
||||
</template>
|
||||
</template>
|
||||
</ele-pro-table>
|
||||
</a-card>
|
||||
<!-- 编辑弹窗 -->
|
||||
<user-edit
|
||||
v-model:visible="showEdit"
|
||||
:data="current"
|
||||
:organization-list="data"
|
||||
@done="reload"
|
||||
/>
|
||||
<!-- 导入弹窗 -->
|
||||
<user-import v-model:visible="showImport" @done="reload"/>
|
||||
|
||||
</a-page-header>
|
||||
</template>
|
||||
|
||||
<script lang="ts" setup>
|
||||
import {createVNode, ref, reactive, watch} from 'vue';
|
||||
import {message, Modal} from 'ant-design-vue/es';
|
||||
import {
|
||||
PlusOutlined,
|
||||
UserOutlined,
|
||||
Html5Outlined,
|
||||
ChromeOutlined,
|
||||
WechatOutlined,
|
||||
CloudUploadOutlined,
|
||||
DownloadOutlined,
|
||||
ExclamationCircleOutlined
|
||||
} from '@ant-design/icons-vue';
|
||||
import type {EleProTable} from 'ele-admin-pro/es';
|
||||
import type {
|
||||
DatasourceFunction,
|
||||
ColumnItem
|
||||
} from 'ele-admin-pro/es/ele-pro-table/types';
|
||||
import {messageLoading, formatNumber} from 'ele-admin-pro/es';
|
||||
import UserEdit from './components/user-edit.vue';
|
||||
import UserImport from './components/user-import.vue';
|
||||
import {toDateString} from 'ele-admin-pro';
|
||||
import { utils, writeFile } from 'xlsx';
|
||||
import dayjs from 'dayjs';
|
||||
import {
|
||||
pageUsers,
|
||||
removeUser,
|
||||
removeUsers,
|
||||
updateUserPassword,
|
||||
updateUser,
|
||||
listUsers
|
||||
} from '@/api/system/user';
|
||||
import type {User, UserParam} from '@/api/system/user/model';
|
||||
import {toTreeData, uuid} from 'ele-admin-pro';
|
||||
import {listRoles} from '@/api/system/role';
|
||||
import {listOrganizations} from '@/api/system/organization';
|
||||
import {Organization} from '@/api/system/organization/model';
|
||||
import {hasRole} from '@/utils/permission';
|
||||
import {getPageTitle} from "@/utils/common";
|
||||
import router from "@/router";
|
||||
|
||||
// 加载状态
|
||||
const loading = ref(true);
|
||||
// 树形数据
|
||||
const data = ref<Organization[]>([]);
|
||||
// 树展开的key
|
||||
const expandedRowKeys = ref<number[]>([]);
|
||||
// 树选中的key
|
||||
const selectedRowKeys = ref<number[]>([]);
|
||||
// 表格选中数据
|
||||
const selection = ref<User[]>([]);
|
||||
// 当前编辑数据
|
||||
const current = ref<User | null>(null);
|
||||
// 是否显示编辑弹窗
|
||||
const showEdit = ref(false);
|
||||
// 是否显示用户详情
|
||||
const showInfo = ref(false);
|
||||
// 是否显示用户导入弹窗
|
||||
const showImport = ref(false);
|
||||
// 导出加载状态
|
||||
const exportLoading = ref(false);
|
||||
const userType = ref<number>();
|
||||
const searchText = ref('');
|
||||
|
||||
// 加载角色
|
||||
const roles = ref<any[]>([]);
|
||||
// 加载机构
|
||||
listOrganizations()
|
||||
.then((list) => {
|
||||
loading.value = false;
|
||||
const eks: number[] = [];
|
||||
list.forEach((d) => {
|
||||
d.key = d.organizationId;
|
||||
d.value = d.organizationId;
|
||||
d.title = d.organizationName;
|
||||
if (typeof d.key === 'number') {
|
||||
eks.push(d.key);
|
||||
}
|
||||
});
|
||||
expandedRowKeys.value = eks;
|
||||
data.value = toTreeData({
|
||||
data: list,
|
||||
idField: 'organizationId',
|
||||
parentIdField: 'parentId'
|
||||
});
|
||||
if (list.length) {
|
||||
if (typeof list[0].key === 'number') {
|
||||
selectedRowKeys.value = [list[0].key];
|
||||
}
|
||||
// current.value = list[0];
|
||||
} else {
|
||||
selectedRowKeys.value = [];
|
||||
// current.value = null;
|
||||
}
|
||||
})
|
||||
.catch((e) => {
|
||||
loading.value = false;
|
||||
message.error(e.message);
|
||||
});
|
||||
|
||||
// 表格实例
|
||||
const tableRef = ref<InstanceType<typeof EleProTable> | null>(null);
|
||||
// 表格列配置
|
||||
const columns = ref<ColumnItem[]>([
|
||||
{
|
||||
title: 'ID',
|
||||
dataIndex: 'userId',
|
||||
width: 90,
|
||||
showSorterTooltip: false
|
||||
},
|
||||
{
|
||||
title: '用户名',
|
||||
dataIndex: 'username',
|
||||
align: 'center'
|
||||
},
|
||||
{
|
||||
title: '真实姓名',
|
||||
dataIndex: 'realName',
|
||||
align: 'center',
|
||||
showSorterTooltip: false
|
||||
},
|
||||
{
|
||||
title: '电量',
|
||||
dataIndex: 'points',
|
||||
align: 'center',
|
||||
width: 100
|
||||
},
|
||||
{
|
||||
title: '所属部门',
|
||||
dataIndex: 'organizationName',
|
||||
key: 'organizationName',
|
||||
align: 'center'
|
||||
},
|
||||
{
|
||||
title: '角色',
|
||||
dataIndex: 'roles',
|
||||
key: 'roles',
|
||||
align: 'center'
|
||||
},
|
||||
{
|
||||
title: '渠道负责人',
|
||||
dataIndex: 'comments',
|
||||
align: 'center'
|
||||
},
|
||||
{
|
||||
title: '状态',
|
||||
dataIndex: 'status',
|
||||
align: 'center',
|
||||
sorter: true,
|
||||
customRender: ({text}) => {
|
||||
return text === 1
|
||||
? createVNode(
|
||||
'span',
|
||||
{
|
||||
class: 'ele-text-success'
|
||||
},
|
||||
'已入市'
|
||||
)
|
||||
: createVNode(
|
||||
'span',
|
||||
{
|
||||
class: 'text-gray-300'
|
||||
},
|
||||
'未入市'
|
||||
);
|
||||
}
|
||||
},
|
||||
{
|
||||
title: '创建时间',
|
||||
dataIndex: 'createTime',
|
||||
sorter: true,
|
||||
align: 'center',
|
||||
showSorterTooltip: false,
|
||||
ellipsis: true,
|
||||
customRender: ({text}) => toDateString(text, 'yyyy-MM-dd HH:mm:ss')
|
||||
},
|
||||
{
|
||||
title: '操作',
|
||||
key: 'action',
|
||||
width: 180,
|
||||
fixed: 'right',
|
||||
align: 'center'
|
||||
}
|
||||
]);
|
||||
|
||||
// 默认搜索条件
|
||||
const defaultWhere = reactive({
|
||||
username: '',
|
||||
nickname: ''
|
||||
});
|
||||
|
||||
// 表格数据源
|
||||
const datasource: DatasourceFunction = ({
|
||||
page,
|
||||
limit,
|
||||
where,
|
||||
orders,
|
||||
filters
|
||||
}) => {
|
||||
where = {};
|
||||
where.roleId = filters.roles;
|
||||
where.keywords = searchText.value;
|
||||
where.isAdmin = 0;
|
||||
return pageUsers({page, limit, ...where, ...orders});
|
||||
};
|
||||
|
||||
/* 搜索 */
|
||||
const reload = (where?: UserParam) => {
|
||||
selection.value = [];
|
||||
tableRef?.value?.reload({where});
|
||||
};
|
||||
|
||||
/* 打开编辑弹窗 */
|
||||
const openEdit = (row?: User) => {
|
||||
current.value = row ?? null;
|
||||
showEdit.value = true;
|
||||
};
|
||||
|
||||
/* 打开用户详情弹窗 */
|
||||
const openInfo = (row?: User) => {
|
||||
current.value = row ?? null;
|
||||
showInfo.value = true;
|
||||
};
|
||||
|
||||
/* 打开编辑弹窗 */
|
||||
const openImport = () => {
|
||||
showImport.value = true;
|
||||
};
|
||||
|
||||
/* 导出数据 */
|
||||
const exportData = async () => {
|
||||
exportLoading.value = true;
|
||||
|
||||
try {
|
||||
// 定义表头
|
||||
const array: (string | number)[][] = [
|
||||
[
|
||||
'用户ID',
|
||||
'账号',
|
||||
'昵称',
|
||||
'真实姓名',
|
||||
'手机号',
|
||||
'邮箱',
|
||||
'性别',
|
||||
'所属部门',
|
||||
'角色',
|
||||
'状态',
|
||||
'注册时间'
|
||||
]
|
||||
];
|
||||
|
||||
// 构建查询参数,使用当前搜索条件
|
||||
const params = {
|
||||
keywords: searchText.value,
|
||||
isAdmin: 0
|
||||
};
|
||||
|
||||
// 获取用户列表数据
|
||||
const list = await listUsers(params);
|
||||
|
||||
if (!list || list.length === 0) {
|
||||
message.warning('没有数据可以导出');
|
||||
exportLoading.value = false;
|
||||
return;
|
||||
}
|
||||
|
||||
// 将数据转换为Excel行
|
||||
list.forEach((user: User) => {
|
||||
array.push([
|
||||
`${user.userId || ''}`,
|
||||
`${user.username || ''}`,
|
||||
`${user.nickname || ''}`,
|
||||
`${user.realName || ''}`,
|
||||
`${user.phone || ''}`,
|
||||
`${user.email || ''}`,
|
||||
`${user.sexName || ''}`,
|
||||
`${user.organizationName || ''}`,
|
||||
`${user.roles?.map(r => r.roleName).join(',') || ''}`,
|
||||
`${user.status === 0 ? '正常' : '冻结'}`,
|
||||
`${user.createTime || ''}`
|
||||
]);
|
||||
});
|
||||
|
||||
// 生成Excel文件
|
||||
const sheetName = `导出用户列表${dayjs(new Date()).format('YYYYMMDD')}`;
|
||||
const workbook = {
|
||||
SheetNames: [sheetName],
|
||||
Sheets: {}
|
||||
};
|
||||
const sheet = utils.aoa_to_sheet(array);
|
||||
workbook.Sheets[sheetName] = sheet;
|
||||
|
||||
// 设置列宽
|
||||
sheet['!cols'] = [
|
||||
{ wch: 10 }, // 用户ID
|
||||
{ wch: 15 }, // 账号
|
||||
{ wch: 12 }, // 昵称
|
||||
{ wch: 12 }, // 真实姓名
|
||||
{ wch: 15 }, // 手机号
|
||||
{ wch: 20 }, // 邮箱
|
||||
{ wch: 8 }, // 性别
|
||||
{ wch: 15 }, // 所属部门
|
||||
{ wch: 20 }, // 角色
|
||||
{ wch: 8 }, // 状态
|
||||
{ wch: 20 } // 注册时间
|
||||
];
|
||||
|
||||
message.loading('正在生成Excel文件...', 0);
|
||||
|
||||
setTimeout(() => {
|
||||
writeFile(workbook, `${sheetName}.xlsx`);
|
||||
exportLoading.value = false;
|
||||
message.destroy();
|
||||
message.success(`成功导出 ${list.length} 条记录`);
|
||||
}, 1000);
|
||||
|
||||
} catch (error: any) {
|
||||
exportLoading.value = false;
|
||||
message.error(error.message || '导出失败');
|
||||
}
|
||||
};
|
||||
|
||||
const handleTabs = (e) => {
|
||||
userType.value = Number(e.target.value);
|
||||
reload();
|
||||
};
|
||||
|
||||
/* 删除单个 */
|
||||
const remove = (row: User) => {
|
||||
const hide = messageLoading('请求中..', 0);
|
||||
removeUser(row.userId)
|
||||
.then((msg) => {
|
||||
hide();
|
||||
message.success(msg);
|
||||
reload();
|
||||
})
|
||||
.catch((e) => {
|
||||
hide();
|
||||
message.error(e.message);
|
||||
});
|
||||
};
|
||||
|
||||
/* 批量删除 */
|
||||
const removeBatch = () => {
|
||||
if (!selection.value.length) {
|
||||
message.error('请至少选择一条数据');
|
||||
return;
|
||||
}
|
||||
Modal.confirm({
|
||||
title: '提示',
|
||||
content: '确定要删除选中的用户吗?',
|
||||
icon: createVNode(ExclamationCircleOutlined),
|
||||
maskClosable: true,
|
||||
onOk: () => {
|
||||
const hide = messageLoading('请求中..', 0);
|
||||
removeUsers(selection.value.map((d) => d.userId))
|
||||
.then((msg) => {
|
||||
hide();
|
||||
message.success(msg);
|
||||
reload();
|
||||
})
|
||||
.catch((e) => {
|
||||
hide();
|
||||
message.error(e.message);
|
||||
});
|
||||
}
|
||||
});
|
||||
};
|
||||
|
||||
/* 重置用户密码 */
|
||||
const resetPsw = (row: User) => {
|
||||
Modal.confirm({
|
||||
title: '提示',
|
||||
content: '确定要重置此用户的密码吗?',
|
||||
icon: createVNode(ExclamationCircleOutlined),
|
||||
maskClosable: true,
|
||||
onOk: () => {
|
||||
const hide = message.loading('请求中..', 0);
|
||||
const password = uuid(8);
|
||||
updateUserPassword(row.userId, password)
|
||||
.then((msg) => {
|
||||
hide();
|
||||
message.success(msg + ',新密码:' + password);
|
||||
})
|
||||
.catch((e) => {
|
||||
hide();
|
||||
message.error(e.message);
|
||||
});
|
||||
}
|
||||
});
|
||||
};
|
||||
|
||||
/* 修改用户状态 */
|
||||
const updateIsAdmin = (row: User) => {
|
||||
row.isAdmin = !row.isAdmin;
|
||||
updateUser(row)
|
||||
.then((msg) => {
|
||||
message.success(msg);
|
||||
})
|
||||
.catch((e) => {
|
||||
message.error(e.message);
|
||||
});
|
||||
};
|
||||
|
||||
/* 自定义行属性 */
|
||||
const customRow = (record: User) => {
|
||||
return {
|
||||
// 行点击事件
|
||||
onClick: () => {
|
||||
// console.log(record);
|
||||
},
|
||||
// 行双击事件
|
||||
onDblclick: () => {
|
||||
openEdit(record);
|
||||
}
|
||||
};
|
||||
};
|
||||
|
||||
const query = async () => {
|
||||
const info = await listRoles({})
|
||||
if (info) {
|
||||
roles.value = info
|
||||
}
|
||||
}
|
||||
|
||||
watch(
|
||||
() => router.currentRoute.value.query,
|
||||
() => {
|
||||
query();
|
||||
},
|
||||
{immediate: true}
|
||||
);
|
||||
</script>
|
||||
|
||||
<script lang="ts">
|
||||
export default {
|
||||
name: 'SystemAdmin'
|
||||
};
|
||||
</script>
|
||||
|
||||
|
||||
<style lang="less" scoped>
|
||||
.sys-org-table {
|
||||
:deep(.ant-table) {
|
||||
.ant-table-thead > tr > th {
|
||||
background: #fafafa;
|
||||
font-weight: 600;
|
||||
color: #262626;
|
||||
border-bottom: 2px solid #f0f0f0;
|
||||
}
|
||||
|
||||
.ant-table-tbody > tr > td {
|
||||
padding: 12px 8px;
|
||||
border-bottom: 1px solid #f5f5f5;
|
||||
}
|
||||
|
||||
.ant-table-tbody > tr:hover > td {
|
||||
background: #f8f9ff;
|
||||
}
|
||||
|
||||
.ant-tag {
|
||||
margin: 0;
|
||||
border-radius: 4px;
|
||||
font-size: 12px;
|
||||
padding: 2px 8px;
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
.ele-text-primary {
|
||||
color: #1890ff;
|
||||
|
||||
&:hover {
|
||||
color: #40a9ff;
|
||||
}
|
||||
}
|
||||
|
||||
.ele-text-danger {
|
||||
color: #ff4d4f;
|
||||
|
||||
&:hover {
|
||||
color: #ff7875;
|
||||
}
|
||||
}
|
||||
</style>
|
||||
219
src/views/sdy/shopDealerApply/components/search.vue
Normal file
219
src/views/sdy/shopDealerApply/components/search.vue
Normal file
@@ -0,0 +1,219 @@
|
||||
<!-- 搜索表单 -->
|
||||
<template>
|
||||
<div class="search-container">
|
||||
<!-- 搜索表单 -->
|
||||
<a-form
|
||||
:model="searchForm"
|
||||
layout="inline"
|
||||
class="search-form"
|
||||
@finish="handleSearch"
|
||||
>
|
||||
<a-form-item label="申请人姓名">
|
||||
<a-input
|
||||
v-model:value="searchForm.realName"
|
||||
placeholder="请输入申请人姓名"
|
||||
allow-clear
|
||||
style="width: 160px"
|
||||
/>
|
||||
</a-form-item>
|
||||
|
||||
<a-form-item label="手机号码">
|
||||
<a-input
|
||||
v-model:value="searchForm.mobile"
|
||||
placeholder="请输入手机号码"
|
||||
allow-clear
|
||||
style="width: 160px"
|
||||
/>
|
||||
</a-form-item>
|
||||
|
||||
<a-form-item label="申请方式">
|
||||
<a-select
|
||||
v-model:value="searchForm.applyType"
|
||||
placeholder="全部方式"
|
||||
allow-clear
|
||||
style="width: 120px"
|
||||
>
|
||||
<a-select-option :value="10">需要审核</a-select-option>
|
||||
<a-select-option :value="20">免审核</a-select-option>
|
||||
</a-select>
|
||||
</a-form-item>
|
||||
|
||||
<a-form-item label="审核状态">
|
||||
<a-select
|
||||
v-model:value="searchForm.applyStatus"
|
||||
placeholder="全部状态"
|
||||
allow-clear
|
||||
style="width: 120px"
|
||||
>
|
||||
<a-select-option :value="10">待审核</a-select-option>
|
||||
<a-select-option :value="20">审核通过</a-select-option>
|
||||
<a-select-option :value="30">审核驳回</a-select-option>
|
||||
</a-select>
|
||||
</a-form-item>
|
||||
|
||||
<a-form-item label="申请时间">
|
||||
<a-range-picker
|
||||
v-model:value="searchForm.dateRange"
|
||||
style="width: 240px"
|
||||
/>
|
||||
</a-form-item>
|
||||
|
||||
<a-form-item>
|
||||
<a-space>
|
||||
<a-button type="primary" html-type="submit" class="ele-btn-icon">
|
||||
<template #icon>
|
||||
<SearchOutlined />
|
||||
</template>
|
||||
搜索
|
||||
</a-button>
|
||||
<a-button @click="resetSearch">
|
||||
重置
|
||||
</a-button>
|
||||
</a-space>
|
||||
</a-form-item>
|
||||
</a-form>
|
||||
|
||||
<!-- 操作按钮 -->
|
||||
<div class="action-buttons">
|
||||
<a-space>
|
||||
<!-- <a-button type="primary" @click="add" class="ele-btn-icon">-->
|
||||
<!-- <template #icon>-->
|
||||
<!-- <PlusOutlined />-->
|
||||
<!-- </template>-->
|
||||
<!-- 新增申请-->
|
||||
<!-- </a-button>-->
|
||||
<a-button
|
||||
type="primary"
|
||||
ghost
|
||||
:disabled="!selection?.length"
|
||||
@click="batchApprove"
|
||||
class="ele-btn-icon"
|
||||
>
|
||||
<template #icon>
|
||||
<CheckOutlined />
|
||||
</template>
|
||||
批量通过
|
||||
</a-button>
|
||||
<a-button
|
||||
:disabled="!selection?.length"
|
||||
@click="exportData"
|
||||
class="ele-btn-icon"
|
||||
>
|
||||
<template #icon>
|
||||
<ExportOutlined />
|
||||
</template>
|
||||
导出数据
|
||||
</a-button>
|
||||
</a-space>
|
||||
</div>
|
||||
</div>
|
||||
</template>
|
||||
|
||||
<script lang="ts" setup>
|
||||
import { reactive } from 'vue';
|
||||
import {
|
||||
PlusOutlined,
|
||||
SearchOutlined,
|
||||
CheckOutlined,
|
||||
ExportOutlined
|
||||
} from '@ant-design/icons-vue';
|
||||
import type { ShopDealerApplyParam } from '@/api/shop/shopDealerApply/model';
|
||||
import dayjs from 'dayjs';
|
||||
|
||||
const props = withDefaults(
|
||||
defineProps<{
|
||||
// 选中的数据
|
||||
selection?: any[];
|
||||
}>(),
|
||||
{
|
||||
selection: () => []
|
||||
}
|
||||
);
|
||||
|
||||
const emit = defineEmits<{
|
||||
(e: 'search', where?: ShopDealerApplyParam): void;
|
||||
(e: 'add'): void;
|
||||
(e: 'batchApprove'): void;
|
||||
(e: 'export'): void;
|
||||
}>();
|
||||
|
||||
// 搜索表单
|
||||
const searchForm = reactive<any>({
|
||||
realName: '',
|
||||
mobile: '',
|
||||
applyType: undefined,
|
||||
applyStatus: undefined,
|
||||
dateRange: undefined
|
||||
});
|
||||
|
||||
// 搜索
|
||||
const handleSearch = () => {
|
||||
const searchParams: ShopDealerApplyParam = {};
|
||||
|
||||
if (searchForm.realName) {
|
||||
searchParams.realName = searchForm.realName;
|
||||
}
|
||||
if (searchForm.mobile) {
|
||||
searchParams.mobile = searchForm.mobile;
|
||||
}
|
||||
if (searchForm.applyType) {
|
||||
searchParams.applyType = searchForm.applyType;
|
||||
}
|
||||
if (searchForm.applyStatus) {
|
||||
searchParams.applyStatus = searchForm.applyStatus;
|
||||
}
|
||||
if (searchForm.dateRange && searchForm.dateRange.length === 2) {
|
||||
searchParams.startTime = dayjs(searchForm.dateRange[0]).format('YYYY-MM-DD');
|
||||
searchParams.endTime = dayjs(searchForm.dateRange[1]).format('YYYY-MM-DD');
|
||||
}
|
||||
|
||||
emit('search', searchParams);
|
||||
};
|
||||
|
||||
// 重置搜索
|
||||
const resetSearch = () => {
|
||||
searchForm.realName = '';
|
||||
searchForm.mobile = '';
|
||||
searchForm.applyType = undefined;
|
||||
searchForm.applyStatus = undefined;
|
||||
searchForm.dateRange = undefined;
|
||||
emit('search', {});
|
||||
};
|
||||
|
||||
// 新增
|
||||
const add = () => {
|
||||
emit('add');
|
||||
};
|
||||
|
||||
// 批量通过
|
||||
const batchApprove = () => {
|
||||
emit('batchApprove');
|
||||
};
|
||||
|
||||
// 导出数据
|
||||
const exportData = () => {
|
||||
emit('export');
|
||||
};
|
||||
</script>
|
||||
|
||||
<style lang="less" scoped>
|
||||
.search-container {
|
||||
background: #fff;
|
||||
padding: 16px;
|
||||
border-radius: 6px;
|
||||
margin-bottom: 16px;
|
||||
|
||||
.search-form {
|
||||
margin-bottom: 16px;
|
||||
|
||||
:deep(.ant-form-item) {
|
||||
margin-bottom: 8px;
|
||||
}
|
||||
}
|
||||
|
||||
.action-buttons {
|
||||
border-top: 1px solid #f0f0f0;
|
||||
padding-top: 16px;
|
||||
}
|
||||
}
|
||||
</style>
|
||||
407
src/views/sdy/shopDealerApply/components/shopDealerApplyEdit.vue
Normal file
407
src/views/sdy/shopDealerApply/components/shopDealerApplyEdit.vue
Normal file
@@ -0,0 +1,407 @@
|
||||
<!-- 编辑弹窗 -->
|
||||
<template>
|
||||
<ele-modal
|
||||
:width="900"
|
||||
:visible="visible"
|
||||
:maskClosable="false"
|
||||
:maxable="maxable"
|
||||
:title="isUpdate ? '编辑分销商申请' : '新增分销商申请'"
|
||||
:body-style="{ paddingBottom: '28px' }"
|
||||
@update:visible="updateVisible"
|
||||
@ok="save"
|
||||
>
|
||||
<a-form
|
||||
ref="formRef"
|
||||
:model="form"
|
||||
:rules="rules"
|
||||
:label-col="{ span: 6 }"
|
||||
:wrapper-col="{ span: 18 }"
|
||||
>
|
||||
<!-- 申请人信息 -->
|
||||
<a-divider orientation="left">
|
||||
<span style="color: #1890ff; font-weight: 600;">申请人信息</span>
|
||||
</a-divider>
|
||||
|
||||
<a-row :gutter="16">
|
||||
<a-col :span="12">
|
||||
<a-form-item label="用户ID" name="userId">
|
||||
<a-input-number
|
||||
:min="1"
|
||||
placeholder="请输入用户ID"
|
||||
:disabled="isUpdate"
|
||||
v-model:value="form.userId"
|
||||
style="width: 100%"
|
||||
/>
|
||||
</a-form-item>
|
||||
</a-col>
|
||||
<a-col :span="12">
|
||||
<a-form-item label="真实姓名" name="realName">
|
||||
<a-input
|
||||
placeholder="请输入真实姓名"
|
||||
v-model:value="form.realName"
|
||||
:disabled="isUpdate"
|
||||
/>
|
||||
</a-form-item>
|
||||
</a-col>
|
||||
</a-row>
|
||||
|
||||
<a-row :gutter="16">
|
||||
<a-col :span="12">
|
||||
<a-form-item label="手机号码" name="mobile">
|
||||
<a-input
|
||||
placeholder="请输入手机号码"
|
||||
:disabled="isUpdate"
|
||||
v-model:value="form.mobile"
|
||||
/>
|
||||
</a-form-item>
|
||||
</a-col>
|
||||
<a-col :span="12">
|
||||
<a-form-item label="推荐人ID" name="refereeId">
|
||||
<a-input-number
|
||||
:min="1"
|
||||
placeholder="请输入推荐人用户ID"
|
||||
:disabled="isUpdate"
|
||||
v-model:value="form.refereeId"
|
||||
style="width: 100%"
|
||||
/>
|
||||
</a-form-item>
|
||||
</a-col>
|
||||
</a-row>
|
||||
|
||||
<!-- 审核信息 -->
|
||||
<a-divider orientation="left">
|
||||
<span style="color: #1890ff; font-weight: 600;">审核信息</span>
|
||||
</a-divider>
|
||||
|
||||
<a-row :gutter="16">
|
||||
<a-col :span="12">
|
||||
<a-form-item label="审核状态" name="applyStatus">
|
||||
<a-select v-model:value="form.applyStatus" placeholder="请选择审核状态" @change="handleStatusChange">
|
||||
<a-select-option :value="10">
|
||||
<a-tag color="processing">待审核</a-tag>
|
||||
<span style="margin-left: 8px;">等待审核</span>
|
||||
</a-select-option>
|
||||
<a-select-option :value="20">
|
||||
<a-tag color="success">审核通过</a-tag>
|
||||
<span style="margin-left: 8px;">申请通过</span>
|
||||
</a-select-option>
|
||||
<a-select-option :value="30">
|
||||
<a-tag color="error">审核驳回</a-tag>
|
||||
<span style="margin-left: 8px;">申请驳回</span>
|
||||
</a-select-option>
|
||||
</a-select>
|
||||
</a-form-item>
|
||||
</a-col>
|
||||
<!-- <a-col :span="12">-->
|
||||
<!-- <a-form-item label="审核时间" name="auditTime" v-if="form.applyStatus === 20 || form.applyStatus === 30">-->
|
||||
<!-- <a-date-picker-->
|
||||
<!-- v-model:value="form.auditTime"-->
|
||||
<!-- show-time-->
|
||||
<!-- format="YYYY-MM-DD HH:mm:ss"-->
|
||||
<!-- placeholder="请选择审核时间"-->
|
||||
<!-- style="width: 100%"-->
|
||||
<!-- />-->
|
||||
<!-- </a-form-item>-->
|
||||
<!-- </a-col>-->
|
||||
</a-row>
|
||||
|
||||
<a-row :gutter="16" v-if="form.applyStatus === 30">
|
||||
<a-col :span="24">
|
||||
<a-form-item label="驳回原因" name="rejectReason">
|
||||
<a-textarea
|
||||
v-model:value="form.rejectReason"
|
||||
placeholder="请输入驳回原因"
|
||||
style="width: 100%"
|
||||
:rows="3"
|
||||
:maxlength="200"
|
||||
show-count
|
||||
/>
|
||||
</a-form-item>
|
||||
</a-col>
|
||||
</a-row>
|
||||
</a-form>
|
||||
</ele-modal>
|
||||
</template>
|
||||
|
||||
<script lang="ts" setup>
|
||||
import { ref, reactive, watch } from 'vue';
|
||||
import { Form, message } from 'ant-design-vue';
|
||||
import dayjs from 'dayjs';
|
||||
import { assignObject, uuid } from 'ele-admin-pro';
|
||||
import { addShopDealerApply, updateShopDealerApply } from '@/api/shop/shopDealerApply';
|
||||
import { ShopDealerApply } from '@/api/shop/shopDealerApply/model';
|
||||
import { useThemeStore } from '@/store/modules/theme';
|
||||
import { storeToRefs } from 'pinia';
|
||||
import { ItemType } from 'ele-admin-pro/es/ele-image-upload/types';
|
||||
import { FormInstance } from 'ant-design-vue/es/form';
|
||||
import { FileRecord } from '@/api/system/file/model';
|
||||
|
||||
// 是否是修改
|
||||
const isUpdate = ref(false);
|
||||
const useForm = Form.useForm;
|
||||
// 是否开启响应式布局
|
||||
const themeStore = useThemeStore();
|
||||
const { styleResponsive } = storeToRefs(themeStore);
|
||||
|
||||
const props = defineProps<{
|
||||
// 弹窗是否打开
|
||||
visible: boolean;
|
||||
// 修改回显的数据
|
||||
data?: ShopDealerApply | null;
|
||||
}>();
|
||||
|
||||
const emit = defineEmits<{
|
||||
(e: 'done'): void;
|
||||
(e: 'update:visible', visible: boolean): void;
|
||||
}>();
|
||||
|
||||
// 提交状态
|
||||
const loading = ref(false);
|
||||
// 是否显示最大化切换按钮
|
||||
const maxable = ref(true);
|
||||
// 表格选中数据
|
||||
const formRef = ref<FormInstance | null>(null);
|
||||
const images = ref<ItemType[]>([]);
|
||||
|
||||
// 表单数据
|
||||
const form = reactive<ShopDealerApply>({
|
||||
applyId: undefined,
|
||||
userId: undefined,
|
||||
realName: '',
|
||||
mobile: '',
|
||||
refereeId: undefined,
|
||||
applyType: 10,
|
||||
applyTime: undefined,
|
||||
applyStatus: 10,
|
||||
auditTime: undefined,
|
||||
rejectReason: '',
|
||||
tenantId: undefined,
|
||||
createTime: undefined,
|
||||
updateTime: undefined
|
||||
});
|
||||
|
||||
/* 更新visible */
|
||||
const updateVisible = (value: boolean) => {
|
||||
emit('update:visible', value);
|
||||
};
|
||||
|
||||
// 表单验证规则
|
||||
const rules = reactive({
|
||||
userId: [
|
||||
{
|
||||
required: true,
|
||||
message: '请输入用户ID',
|
||||
trigger: 'blur'
|
||||
}
|
||||
],
|
||||
realName: [
|
||||
{
|
||||
required: true,
|
||||
message: '请输入真实姓名',
|
||||
trigger: 'blur'
|
||||
},
|
||||
{
|
||||
min: 2,
|
||||
max: 20,
|
||||
message: '姓名长度应在2-20个字符之间',
|
||||
trigger: 'blur'
|
||||
}
|
||||
],
|
||||
mobile: [
|
||||
{
|
||||
required: true,
|
||||
message: '请输入手机号码',
|
||||
trigger: 'blur'
|
||||
},
|
||||
{
|
||||
pattern: /^1[3-9]\d{9}$/,
|
||||
message: '请输入正确的手机号码',
|
||||
trigger: 'blur'
|
||||
}
|
||||
],
|
||||
applyType: [
|
||||
{
|
||||
required: true,
|
||||
message: '请选择申请方式',
|
||||
trigger: 'change'
|
||||
}
|
||||
],
|
||||
applyStatus: [
|
||||
{
|
||||
required: true,
|
||||
message: '请选择审核状态',
|
||||
trigger: 'change'
|
||||
}
|
||||
],
|
||||
rejectReason: [
|
||||
{
|
||||
required: true,
|
||||
message: '驳回时必须填写驳回原因',
|
||||
trigger: 'blur'
|
||||
}
|
||||
],
|
||||
auditTime: [
|
||||
{
|
||||
required: true,
|
||||
message: '审核时请选择审核时间',
|
||||
trigger: 'change'
|
||||
}
|
||||
]
|
||||
});
|
||||
|
||||
|
||||
|
||||
const { resetFields } = useForm(form, rules);
|
||||
|
||||
/* 处理审核状态变化 */
|
||||
const handleStatusChange = (value: number) => {
|
||||
// 当状态改为审核通过或驳回时,自动设置审核时间为当前时间
|
||||
if ((value === 20 || value === 30) && !form.auditTime) {
|
||||
form.auditTime = dayjs();
|
||||
}
|
||||
// 当状态改为待审核时,清空审核时间和驳回原因
|
||||
if (value === 10) {
|
||||
form.auditTime = undefined;
|
||||
form.rejectReason = '';
|
||||
}
|
||||
};
|
||||
|
||||
/* 保存编辑 */
|
||||
const save = () => {
|
||||
if (!formRef.value) {
|
||||
return;
|
||||
}
|
||||
|
||||
// 动态验证规则
|
||||
const validateFields: string[] = ['userId', 'realName', 'mobile', 'applyStatus'];
|
||||
|
||||
// 如果是驳回状态,需要验证驳回原因
|
||||
if (form.applyStatus === 30) {
|
||||
validateFields.push('rejectReason');
|
||||
}
|
||||
|
||||
// 如果是审核通过或驳回状态,需要验证审核时间
|
||||
if (form.applyStatus === 20 || form.applyStatus === 30) {
|
||||
validateFields.push('auditTime');
|
||||
}
|
||||
|
||||
formRef.value
|
||||
.validate(validateFields)
|
||||
.then(() => {
|
||||
loading.value = true;
|
||||
const formData = {
|
||||
...form
|
||||
};
|
||||
|
||||
// 处理时间字段转换 - 转换为ISO字符串格式
|
||||
if (formData.applyTime) {
|
||||
if (dayjs.isDayjs(formData.applyTime)) {
|
||||
formData.applyTime = formData.applyTime.format('YYYY-MM-DD HH:mm:ss');
|
||||
} else if (typeof formData.applyTime === 'number') {
|
||||
formData.applyTime = dayjs(formData.applyTime).format('YYYY-MM-DD HH:mm:ss');
|
||||
}
|
||||
}
|
||||
|
||||
if (formData.auditTime) {
|
||||
if (dayjs.isDayjs(formData.auditTime)) {
|
||||
formData.auditTime = formData.auditTime.format('YYYY-MM-DD HH:mm:ss');
|
||||
} else if (typeof formData.auditTime === 'number') {
|
||||
formData.auditTime = dayjs(formData.auditTime).format('YYYY-MM-DD HH:mm:ss');
|
||||
}
|
||||
}
|
||||
|
||||
// 当审核状态为通过或驳回时,确保有审核时间
|
||||
if ((formData.applyStatus === 20 || formData.applyStatus === 30) && !formData.auditTime) {
|
||||
formData.auditTime = dayjs().format('YYYY-MM-DD HH:mm:ss');
|
||||
}
|
||||
|
||||
// 当状态为待审核时,清空审核时间
|
||||
if (formData.applyStatus === 10) {
|
||||
formData.auditTime = undefined;
|
||||
}
|
||||
|
||||
const saveOrUpdate = isUpdate.value ? updateShopDealerApply : addShopDealerApply;
|
||||
saveOrUpdate(formData)
|
||||
.then((msg) => {
|
||||
loading.value = false;
|
||||
message.success(msg);
|
||||
updateVisible(false);
|
||||
emit('done');
|
||||
})
|
||||
.catch((e) => {
|
||||
loading.value = false;
|
||||
message.error(e.message);
|
||||
});
|
||||
})
|
||||
.catch(() => {});
|
||||
};
|
||||
|
||||
watch(
|
||||
() => props.visible,
|
||||
(visible) => {
|
||||
if (visible) {
|
||||
if (props.data) {
|
||||
assignObject(form, props.data);
|
||||
// 处理时间字段 - 确保转换为dayjs对象
|
||||
if (props.data.applyTime) {
|
||||
form.applyTime = dayjs(props.data.applyTime);
|
||||
}
|
||||
if (props.data.auditTime) {
|
||||
form.auditTime = dayjs(props.data.auditTime);
|
||||
}
|
||||
isUpdate.value = true;
|
||||
} else {
|
||||
// 重置为默认值
|
||||
Object.assign(form, {
|
||||
applyId: undefined,
|
||||
userId: undefined,
|
||||
realName: '',
|
||||
mobile: '',
|
||||
refereeId: undefined,
|
||||
applyType: 10,
|
||||
applyTime: dayjs(),
|
||||
applyStatus: 10,
|
||||
auditTime: undefined,
|
||||
rejectReason: '',
|
||||
tenantId: undefined,
|
||||
createTime: undefined,
|
||||
updateTime: undefined
|
||||
});
|
||||
isUpdate.value = false;
|
||||
}
|
||||
} else {
|
||||
resetFields();
|
||||
}
|
||||
},
|
||||
{ immediate: true }
|
||||
);
|
||||
</script>
|
||||
|
||||
<style lang="less" scoped>
|
||||
:deep(.ant-divider-horizontal.ant-divider-with-text-left) {
|
||||
margin: 24px 0 16px 0;
|
||||
|
||||
.ant-divider-inner-text {
|
||||
padding: 0 16px 0 0;
|
||||
}
|
||||
}
|
||||
|
||||
:deep(.ant-form-item) {
|
||||
margin-bottom: 16px;
|
||||
}
|
||||
|
||||
:deep(.ant-radio) {
|
||||
display: flex;
|
||||
align-items: center;
|
||||
margin-bottom: 8px;
|
||||
|
||||
.ant-radio-inner {
|
||||
margin-right: 8px;
|
||||
}
|
||||
}
|
||||
|
||||
:deep(.ant-select-selection-item) {
|
||||
display: flex;
|
||||
align-items: center;
|
||||
}
|
||||
</style>
|
||||
494
src/views/sdy/shopDealerApply/index.vue
Normal file
494
src/views/sdy/shopDealerApply/index.vue
Normal file
@@ -0,0 +1,494 @@
|
||||
<template>
|
||||
<a-page-header :title="getPageTitle()" @back="() => $router.go(-1)">
|
||||
<a-card :bordered="false" :body-style="{ padding: '16px' }">
|
||||
<ele-pro-table
|
||||
ref="tableRef"
|
||||
row-key="shopDealerApplyId"
|
||||
:columns="columns"
|
||||
:datasource="datasource"
|
||||
:customRow="customRow"
|
||||
tool-class="ele-toolbar-form"
|
||||
class="sys-org-table"
|
||||
v-model:selection="selection"
|
||||
>
|
||||
<template #toolbar>
|
||||
<search
|
||||
@search="reload"
|
||||
:selection="selection"
|
||||
@add="openEdit"
|
||||
@batchApprove="batchApprove"
|
||||
@export="exportData"
|
||||
/>
|
||||
</template>
|
||||
<template #bodyCell="{ column, record }">
|
||||
<template v-if="column.key === 'applyStatus'">
|
||||
<a-tag v-if="record.applyStatus === 10" color="orange">待审核</a-tag>
|
||||
<a-tag v-if="record.applyStatus === 20" color="green">已通过</a-tag>
|
||||
<a-tag v-if="record.applyStatus === 30" color="red">已驳回</a-tag>
|
||||
</template>
|
||||
<template v-if="column.key === 'action'">
|
||||
<a @click="openEdit(record)" class="ele-text-primary">
|
||||
<EditOutlined/>
|
||||
编辑
|
||||
</a>
|
||||
<template v-if="record.applyStatus !== 20">
|
||||
<a-divider type="vertical"/>
|
||||
<a @click="approveApply(record)" class="ele-text-success">
|
||||
<CheckOutlined/>
|
||||
通过
|
||||
</a>
|
||||
<a-divider type="vertical"/>
|
||||
<a @click="rejectApply(record)" class="ele-text-warning">
|
||||
<CloseOutlined/>
|
||||
驳回
|
||||
</a>
|
||||
<a-divider type="vertical"/>
|
||||
<a-popconfirm
|
||||
v-if="record.applyStatus != 20"
|
||||
title="确定要删除此申请记录吗?"
|
||||
@confirm="remove(record)"
|
||||
placement="topRight"
|
||||
>
|
||||
<a class="ele-text-danger">
|
||||
<DeleteOutlined/>
|
||||
删除
|
||||
</a>
|
||||
</a-popconfirm>
|
||||
</template>
|
||||
</template>
|
||||
</template>
|
||||
</ele-pro-table>
|
||||
</a-card>
|
||||
|
||||
<!-- 编辑弹窗 -->
|
||||
<ShopDealerApplyEdit v-model:visible="showEdit" :data="current" @done="reload"/>
|
||||
</a-page-header>
|
||||
</template>
|
||||
|
||||
<script lang="ts" setup>
|
||||
import {createVNode, ref} from 'vue';
|
||||
import {message, Modal} from 'ant-design-vue';
|
||||
import {
|
||||
ExclamationCircleOutlined,
|
||||
CheckOutlined,
|
||||
CloseOutlined,
|
||||
EditOutlined,
|
||||
DeleteOutlined
|
||||
} from '@ant-design/icons-vue';
|
||||
import type {EleProTable} from 'ele-admin-pro';
|
||||
import type {
|
||||
DatasourceFunction,
|
||||
ColumnItem
|
||||
} from 'ele-admin-pro/es/ele-pro-table/types';
|
||||
import Search from './components/search.vue';
|
||||
import {getPageTitle} from '@/utils/common';
|
||||
import ShopDealerApplyEdit from './components/shopDealerApplyEdit.vue';
|
||||
import {
|
||||
pageShopDealerApply,
|
||||
removeShopDealerApply,
|
||||
removeBatchShopDealerApply,
|
||||
batchApproveShopDealerApply,
|
||||
updateShopDealerApply
|
||||
} from '@/api/shop/shopDealerApply';
|
||||
import type {ShopDealerApply, ShopDealerApplyParam} from '@/api/shop/shopDealerApply/model';
|
||||
|
||||
// 表格实例
|
||||
const tableRef = ref<InstanceType<typeof EleProTable> | null>(null);
|
||||
|
||||
// 表格选中数据
|
||||
const selection = ref<ShopDealerApply[]>([]);
|
||||
// 当前编辑数据
|
||||
const current = ref<ShopDealerApply | null>(null);
|
||||
// 是否显示编辑弹窗
|
||||
const showEdit = ref(false);
|
||||
// 加载状态
|
||||
const loading = ref(true);
|
||||
|
||||
// 表格数据源
|
||||
const datasource: DatasourceFunction = ({
|
||||
page,
|
||||
limit,
|
||||
where,
|
||||
orders,
|
||||
filters
|
||||
}) => {
|
||||
if (filters) {
|
||||
where.status = filters.status;
|
||||
}
|
||||
return pageShopDealerApply({
|
||||
...where,
|
||||
...orders,
|
||||
page,
|
||||
limit
|
||||
});
|
||||
};
|
||||
|
||||
// 表格列配置
|
||||
const columns = ref<ColumnItem[]>([
|
||||
{
|
||||
title: 'ID',
|
||||
dataIndex: 'applyId',
|
||||
key: 'applyId',
|
||||
align: 'center',
|
||||
width: 80,
|
||||
fixed: 'left'
|
||||
},
|
||||
{
|
||||
title: '申请人信息',
|
||||
key: 'applicantInfo',
|
||||
align: 'left',
|
||||
fixed: 'left',
|
||||
customRender: ({record}) => {
|
||||
return `${record.realName || '-'} (${record.mobile || '-'})`;
|
||||
}
|
||||
},
|
||||
{
|
||||
title: '申请方式',
|
||||
dataIndex: 'applyType',
|
||||
key: 'applyType',
|
||||
align: 'center',
|
||||
width: 120,
|
||||
customRender: ({text}) => {
|
||||
const typeMap = {
|
||||
10: {text: '需审核', color: 'orange'},
|
||||
20: {text: '免审核', color: 'green'}
|
||||
};
|
||||
const type = typeMap[text] || {text: '未知', color: 'default'};
|
||||
return {type: 'tag', props: {color: type.color}, children: type.text};
|
||||
}
|
||||
},
|
||||
{
|
||||
title: '审核状态',
|
||||
dataIndex: 'applyStatus',
|
||||
key: 'applyStatus',
|
||||
align: 'center',
|
||||
width: 120
|
||||
},
|
||||
{
|
||||
title: '推荐人',
|
||||
dataIndex: 'refereeId',
|
||||
key: 'refereeId',
|
||||
align: 'center',
|
||||
width: 100,
|
||||
customRender: ({text}) => text ? `ID: ${text}` : '无'
|
||||
},
|
||||
// {
|
||||
// title: '申请时间',
|
||||
// dataIndex: 'applyTime',
|
||||
// key: 'applyTime',
|
||||
// align: 'center',
|
||||
// width: 120,
|
||||
// customRender: ({ text }) => text ? toDateString(new Date(text), 'yyyy-MM-dd HH:mm') : '-'
|
||||
// },
|
||||
// {
|
||||
// title: '审核时间',
|
||||
// dataIndex: 'auditTime',
|
||||
// key: 'auditTime',
|
||||
// align: 'center',
|
||||
// customRender: ({ text }) => text ? toDateString(new Date(text), 'yyyy-MM-dd HH:mm') : '-'
|
||||
// },
|
||||
{
|
||||
title: '驳回原因',
|
||||
dataIndex: 'rejectReason',
|
||||
key: 'rejectReason',
|
||||
align: 'left',
|
||||
ellipsis: true,
|
||||
customRender: ({text}) => text || '-'
|
||||
},
|
||||
{
|
||||
title: '创建时间',
|
||||
dataIndex: 'createTime',
|
||||
key: 'createTime',
|
||||
align: 'center',
|
||||
sorter: true,
|
||||
ellipsis: true
|
||||
},
|
||||
{
|
||||
title: '操作',
|
||||
key: 'action',
|
||||
fixed: 'right',
|
||||
align: 'center',
|
||||
width: 380,
|
||||
hideInSetting: true
|
||||
}
|
||||
]);
|
||||
|
||||
/* 搜索 */
|
||||
const reload = (where?: ShopDealerApplyParam) => {
|
||||
selection.value = [];
|
||||
tableRef?.value?.reload({where: where});
|
||||
};
|
||||
|
||||
/* 审核通过 */
|
||||
const approveApply = (row: ShopDealerApply) => {
|
||||
Modal.confirm({
|
||||
title: '审核通过确认',
|
||||
content: `确定要通过 ${row.realName} 的经销商申请吗?`,
|
||||
icon: createVNode(CheckOutlined),
|
||||
okText: '确认通过',
|
||||
okType: 'primary',
|
||||
cancelText: '取消',
|
||||
onOk: async () => {
|
||||
const hide = message.loading('正在处理审核...', 0);
|
||||
try {
|
||||
await updateShopDealerApply({
|
||||
...row,
|
||||
applyId: row.applyId,
|
||||
applyStatus: 20
|
||||
});
|
||||
hide();
|
||||
message.success('审核通过成功');
|
||||
reload();
|
||||
} catch (error: any) {
|
||||
hide();
|
||||
message.error(error.message || '审核失败,请重试');
|
||||
}
|
||||
}
|
||||
});
|
||||
};
|
||||
|
||||
/* 审核驳回 */
|
||||
const rejectApply = (row: ShopDealerApply) => {
|
||||
let rejectReason = '';
|
||||
Modal.confirm({
|
||||
title: '审核驳回',
|
||||
content: createVNode('div', null, [
|
||||
createVNode('p', null, `申请人: ${row.realName} (${row.mobile})`),
|
||||
createVNode('p', {style: 'margin-top: 12px;'}, '请输入驳回原因:'),
|
||||
createVNode('textarea', {
|
||||
placeholder: '请输入驳回原因...',
|
||||
style: 'width: 100%; height: 80px; margin-top: 8px; padding: 8px; border: 1px solid #d9d9d9; border-radius: 4px;',
|
||||
onInput: (e: any) => {
|
||||
rejectReason = e.target.value;
|
||||
}
|
||||
})
|
||||
]),
|
||||
icon: createVNode(CloseOutlined),
|
||||
okText: '确认驳回',
|
||||
okType: 'danger',
|
||||
cancelText: '取消',
|
||||
onOk: async () => {
|
||||
if (!rejectReason.trim()) {
|
||||
message.error('请输入驳回原因');
|
||||
return Promise.reject();
|
||||
}
|
||||
const hide = message.loading('正在处理审核...', 0);
|
||||
try {
|
||||
await updateShopDealerApply({
|
||||
...row,
|
||||
applyStatus: 30,
|
||||
rejectReason: rejectReason.trim()
|
||||
});
|
||||
hide();
|
||||
message.success('审核驳回成功');
|
||||
reload();
|
||||
} catch (error: any) {
|
||||
hide();
|
||||
message.error(error.message || '审核失败,请重试');
|
||||
}
|
||||
}
|
||||
});
|
||||
};
|
||||
|
||||
/* 打开编辑弹窗 */
|
||||
const openEdit = (row?: ShopDealerApply) => {
|
||||
current.value = row ?? null;
|
||||
showEdit.value = true;
|
||||
};
|
||||
|
||||
/* 删除单个 */
|
||||
const remove = (row: ShopDealerApply) => {
|
||||
if (!row.applyId) {
|
||||
message.error('删除失败:缺少必要参数');
|
||||
return;
|
||||
}
|
||||
|
||||
const hide = message.loading('正在删除申请记录...', 0);
|
||||
removeShopDealerApply(row.applyId)
|
||||
.then((msg) => {
|
||||
hide();
|
||||
message.success(msg || '删除成功');
|
||||
reload();
|
||||
})
|
||||
.catch((e) => {
|
||||
hide();
|
||||
message.error(e.message || '删除失败');
|
||||
});
|
||||
};
|
||||
|
||||
/* 批量删除 */
|
||||
const removeBatch = () => {
|
||||
if (!selection.value.length) {
|
||||
message.error('请至少选择一条数据');
|
||||
return;
|
||||
}
|
||||
|
||||
const validIds = selection.value.filter(d => d.applyId).map(d => d.applyId);
|
||||
if (!validIds.length) {
|
||||
message.error('选中的数据中没有有效的ID');
|
||||
return;
|
||||
}
|
||||
|
||||
Modal.confirm({
|
||||
title: '批量删除确认',
|
||||
content: `确定要删除选中的 ${validIds.length} 条申请记录吗?此操作不可恢复。`,
|
||||
icon: createVNode(ExclamationCircleOutlined),
|
||||
maskClosable: true,
|
||||
okText: '确认删除',
|
||||
okType: 'danger',
|
||||
cancelText: '取消',
|
||||
onOk: () => {
|
||||
const hide = message.loading(`正在删除 ${validIds.length} 条记录...`, 0);
|
||||
removeBatchShopDealerApply(validIds)
|
||||
.then((msg) => {
|
||||
hide();
|
||||
message.success(msg || `成功删除 ${validIds.length} 条记录`);
|
||||
selection.value = [];
|
||||
reload();
|
||||
})
|
||||
.catch((e) => {
|
||||
hide();
|
||||
message.error(e.message || '批量删除失败');
|
||||
});
|
||||
}
|
||||
});
|
||||
};
|
||||
|
||||
/* 批量通过 */
|
||||
const batchApprove = () => {
|
||||
if (!selection.value.length) {
|
||||
message.error('请至少选择一条数据');
|
||||
return;
|
||||
}
|
||||
|
||||
const pendingApplies = selection.value.filter(item => item.applyStatus === 10);
|
||||
if (!pendingApplies.length) {
|
||||
message.error('所选申请中没有待审核的记录');
|
||||
return;
|
||||
}
|
||||
|
||||
Modal.confirm({
|
||||
title: '批量通过确认',
|
||||
content: `确定要通过选中的 ${pendingApplies.length} 个申请吗?`,
|
||||
icon: createVNode(ExclamationCircleOutlined),
|
||||
okText: '确认通过',
|
||||
okType: 'primary',
|
||||
cancelText: '取消',
|
||||
onOk: async () => {
|
||||
const hide = message.loading('正在批量通过...', 0);
|
||||
try {
|
||||
const ids = pendingApplies.map(item => item.applyId);
|
||||
await batchApproveShopDealerApply(ids);
|
||||
hide();
|
||||
message.success(`成功通过 ${pendingApplies.length} 个申请`);
|
||||
selection.value = [];
|
||||
reload();
|
||||
} catch (error: any) {
|
||||
hide();
|
||||
message.error(error.message || '批量审核失败,请重试');
|
||||
}
|
||||
}
|
||||
});
|
||||
};
|
||||
|
||||
/* 导出数据 */
|
||||
const exportData = () => {
|
||||
const hide = message.loading('正在导出申请数据...', 0);
|
||||
// 这里调用导出API
|
||||
setTimeout(() => {
|
||||
hide();
|
||||
message.success('申请数据导出成功');
|
||||
}, 2000);
|
||||
};
|
||||
|
||||
/* 查询 */
|
||||
const query = () => {
|
||||
loading.value = true;
|
||||
};
|
||||
|
||||
/* 自定义行属性 */
|
||||
const customRow = (record: ShopDealerApply) => {
|
||||
return {
|
||||
// 行点击事件
|
||||
onClick: () => {
|
||||
// console.log(record);
|
||||
},
|
||||
// 行双击事件
|
||||
onDblclick: () => {
|
||||
openEdit(record);
|
||||
}
|
||||
};
|
||||
};
|
||||
query();
|
||||
</script>
|
||||
|
||||
<script lang="ts">
|
||||
export default {
|
||||
name: 'ShopDealerApply'
|
||||
};
|
||||
</script>
|
||||
|
||||
<style lang="less" scoped>
|
||||
.sys-org-table {
|
||||
:deep(.ant-table-thead > tr > th) {
|
||||
background-color: #fafafa;
|
||||
font-weight: 600;
|
||||
}
|
||||
|
||||
:deep(.ant-table-tbody > tr:hover > td) {
|
||||
background-color: #f8f9fa;
|
||||
}
|
||||
}
|
||||
|
||||
.detail-item {
|
||||
p {
|
||||
margin: 4px 0;
|
||||
color: #666;
|
||||
}
|
||||
|
||||
strong {
|
||||
color: #1890ff;
|
||||
font-size: 14px;
|
||||
}
|
||||
}
|
||||
|
||||
.ele-text-primary {
|
||||
color: #1890ff;
|
||||
|
||||
&:hover {
|
||||
color: #40a9ff;
|
||||
}
|
||||
}
|
||||
|
||||
.ele-text-info {
|
||||
color: #13c2c2;
|
||||
|
||||
&:hover {
|
||||
color: #36cfc9;
|
||||
}
|
||||
}
|
||||
|
||||
.ele-text-success {
|
||||
color: #52c41a;
|
||||
|
||||
&:hover {
|
||||
color: #73d13d;
|
||||
}
|
||||
}
|
||||
|
||||
.ele-text-warning {
|
||||
color: #faad14;
|
||||
|
||||
&:hover {
|
||||
color: #ffc53d;
|
||||
}
|
||||
}
|
||||
|
||||
.ele-text-danger {
|
||||
color: #ff4d4f;
|
||||
|
||||
&:hover {
|
||||
color: #ff7875;
|
||||
}
|
||||
}
|
||||
</style>
|
||||
100
src/views/sdy/shopDealerUser/README.md
Normal file
100
src/views/sdy/shopDealerUser/README.md
Normal file
@@ -0,0 +1,100 @@
|
||||
# 分销商用户管理模块
|
||||
|
||||
## 功能说明
|
||||
|
||||
本模块提供了完整的分销商用户管理功能,包括:
|
||||
|
||||
### 基础功能
|
||||
- ✅ 用户列表查看
|
||||
- ✅ 用户信息编辑
|
||||
- ✅ 用户详情查看
|
||||
- ✅ 用户删除(单个/批量)
|
||||
- ✅ 关键词搜索
|
||||
|
||||
### 导入导出功能
|
||||
- ✅ Excel 数据导出
|
||||
- ✅ Excel 数据导入
|
||||
- ✅ 导入数据验证
|
||||
- ✅ 错误处理
|
||||
|
||||
## 导入导出使用说明
|
||||
|
||||
### 导出功能
|
||||
1. 点击"导出xls"按钮
|
||||
2. 系统会根据当前搜索条件导出数据
|
||||
3. 导出的Excel文件包含以下字段:
|
||||
- 用户ID
|
||||
- 姓名
|
||||
- 手机号
|
||||
- 可提现佣金
|
||||
- 冻结佣金
|
||||
- 累计提现
|
||||
- 推荐人ID
|
||||
- 一级成员数
|
||||
- 二级成员数
|
||||
- 三级成员数
|
||||
- 专属二维码
|
||||
- 状态
|
||||
- 创建时间
|
||||
- 更新时间
|
||||
|
||||
### 导入功能
|
||||
1. 点击"导入xls"按钮
|
||||
2. 拖拽或选择Excel文件(支持.xls和.xlsx格式)
|
||||
3. 文件大小限制:10MB以内
|
||||
4. 导入格式要求:
|
||||
- 必填字段:用户ID、姓名、手机号
|
||||
- 佣金字段请填写数字,不要包含货币符号
|
||||
- 状态字段:正常 或 已删除
|
||||
- 推荐人ID必须是已存在的用户ID
|
||||
|
||||
### 数据格式示例
|
||||
|
||||
| 用户ID | 姓名 | 手机号 | 可提现佣金 | 冻结佣金 | 累计提现 | 推荐人ID | 一级成员数 | 二级成员数 | 三级成员数 | 专属二维码 | 状态 |
|
||||
|--------|------|--------|------------|----------|----------|----------|------------|------------|------------|------------|------|
|
||||
| 1001 | 张三 | 13800138000 | 100.50 | 50.00 | 200.00 | 1000 | 5 | 3 | 2 | DEALER_1001_xxx | 正常 |
|
||||
| 1002 | 李四 | 13900139000 | 200.00 | 0.00 | 150.00 | | 2 | 1 | 0 | | 正常 |
|
||||
|
||||
## 技术实现
|
||||
|
||||
### 文件结构
|
||||
```
|
||||
src/views/shop/shopDealerUser/
|
||||
├── index.vue # 主页面
|
||||
├── components/
|
||||
│ ├── search.vue # 搜索组件(包含导入导出功能)
|
||||
│ ├── Import.vue # 导入弹窗组件
|
||||
│ └── shopDealerUserEdit.vue # 编辑弹窗组件
|
||||
└── README.md # 说明文档
|
||||
```
|
||||
|
||||
### API 接口
|
||||
```typescript
|
||||
// 导入接口
|
||||
POST /shop/shop-dealer-user/import
|
||||
Content-Type: multipart/form-data
|
||||
|
||||
// 导出接口
|
||||
GET /shop/shop-dealer-user/export
|
||||
Response-Type: blob
|
||||
```
|
||||
|
||||
### 依赖库
|
||||
- `xlsx`: Excel文件处理
|
||||
- `dayjs`: 日期格式化
|
||||
- `ant-design-vue`: UI组件库
|
||||
|
||||
## 注意事项
|
||||
|
||||
1. **数据安全**:导入功能会直接操作数据库,请确保导入的数据准确无误
|
||||
2. **性能考虑**:大量数据导入时可能需要较长时间,请耐心等待
|
||||
3. **错误处理**:导入失败时会显示具体错误信息,请根据提示修正数据
|
||||
4. **权限控制**:确保用户有相应的导入导出权限
|
||||
|
||||
## 更新日志
|
||||
|
||||
### v1.0.0 (2024-12-19)
|
||||
- ✅ 实现基础的导入导出功能
|
||||
- ✅ 添加数据验证和错误处理
|
||||
- ✅ 优化用户体验和界面交互
|
||||
- ✅ 完善文档说明
|
||||
110
src/views/sdy/shopDealerUser/components/Import.vue
Normal file
110
src/views/sdy/shopDealerUser/components/Import.vue
Normal file
@@ -0,0 +1,110 @@
|
||||
<!-- 分销商用户导入弹窗 -->
|
||||
<template>
|
||||
<ele-modal
|
||||
:width="520"
|
||||
:footer="null"
|
||||
title="分销商用户批量导入"
|
||||
:visible="visible"
|
||||
@update:visible="updateVisible"
|
||||
>
|
||||
<a-spin :spinning="loading">
|
||||
<a-upload-dragger
|
||||
accept=".xls,.xlsx"
|
||||
:show-upload-list="false"
|
||||
:customRequest="doUpload"
|
||||
style="padding: 24px 0; margin-bottom: 16px"
|
||||
>
|
||||
<p class="ant-upload-drag-icon">
|
||||
<cloud-upload-outlined />
|
||||
</p>
|
||||
<p class="ant-upload-hint">将文件拖到此处,或点击上传</p>
|
||||
</a-upload-dragger>
|
||||
</a-spin>
|
||||
<div class="ele-text-center">
|
||||
<span>只能上传xls、xlsx文件,导入模板和导出模板格式一致</span>
|
||||
</div>
|
||||
<div class="import-tips" style="margin-top: 16px;">
|
||||
<a-alert
|
||||
message="导入说明"
|
||||
type="info"
|
||||
show-icon
|
||||
>
|
||||
<template #description>
|
||||
<div>
|
||||
<p>1. 请按照导出的Excel格式准备数据</p>
|
||||
<p>2. 必填字段:用户ID、姓名、手机号</p>
|
||||
<p>3. 佣金字段请填写数字,不要包含货币符号</p>
|
||||
<p>4. 状态字段:正常 或 已删除</p>
|
||||
<p>5. 推荐人ID必须是已存在的用户ID</p>
|
||||
</div>
|
||||
</template>
|
||||
</a-alert>
|
||||
</div>
|
||||
</ele-modal>
|
||||
</template>
|
||||
|
||||
<script lang="ts" setup>
|
||||
import { ref } from 'vue';
|
||||
import { message } from 'ant-design-vue/es';
|
||||
import { CloudUploadOutlined } from '@ant-design/icons-vue';
|
||||
import {importShopDealerUsers} from "@/api/shop/shopDealerUser";
|
||||
|
||||
const emit = defineEmits<{
|
||||
(e: 'done'): void;
|
||||
(e: 'update:visible', visible: boolean): void;
|
||||
}>();
|
||||
|
||||
defineProps<{
|
||||
// 是否打开弹窗
|
||||
visible: boolean;
|
||||
}>();
|
||||
|
||||
// 导入请求状态
|
||||
const loading = ref(false);
|
||||
|
||||
/* 上传 */
|
||||
const doUpload = ({ file }) => {
|
||||
if (
|
||||
![
|
||||
'application/vnd.ms-excel',
|
||||
'application/vnd.openxmlformats-officedocument.spreadsheetml.sheet'
|
||||
].includes(file.type)
|
||||
) {
|
||||
message.error('只能选择 excel 文件');
|
||||
return false;
|
||||
}
|
||||
if (file.size / 1024 / 1024 > 10) {
|
||||
message.error('大小不能超过 10MB');
|
||||
return false;
|
||||
}
|
||||
loading.value = true;
|
||||
importShopDealerUsers(file)
|
||||
.then((msg) => {
|
||||
loading.value = false;
|
||||
message.success(msg);
|
||||
updateVisible(false);
|
||||
emit('done');
|
||||
})
|
||||
.catch((e) => {
|
||||
loading.value = false;
|
||||
message.error(e.message);
|
||||
});
|
||||
return false;
|
||||
};
|
||||
|
||||
/* 更新 visible */
|
||||
const updateVisible = (value: boolean) => {
|
||||
emit('update:visible', value);
|
||||
};
|
||||
</script>
|
||||
|
||||
<style lang="less" scoped>
|
||||
.import-tips {
|
||||
:deep(.ant-alert-description) {
|
||||
p {
|
||||
margin: 4px 0;
|
||||
font-size: 13px;
|
||||
}
|
||||
}
|
||||
}
|
||||
</style>
|
||||
206
src/views/sdy/shopDealerUser/components/search.vue
Normal file
206
src/views/sdy/shopDealerUser/components/search.vue
Normal file
@@ -0,0 +1,206 @@
|
||||
<!-- 搜索表单 -->
|
||||
<template>
|
||||
<a-space :size="10" style="flex-wrap: wrap">
|
||||
<a-button type="primary" class="ele-btn-icon" @click="add">
|
||||
<template #icon>
|
||||
<PlusOutlined />
|
||||
</template>
|
||||
<span>添加</span>
|
||||
</a-button>
|
||||
<a-button
|
||||
danger
|
||||
type="primary"
|
||||
class="ele-btn-icon"
|
||||
:disabled="selection?.length === 0"
|
||||
@click="removeBatch"
|
||||
>
|
||||
<template #icon>
|
||||
<DeleteOutlined/>
|
||||
</template>
|
||||
<span>批量删除</span>
|
||||
</a-button>
|
||||
<a-input-search
|
||||
allow-clear
|
||||
placeholder="请输入关键词搜索"
|
||||
style="width: 240px"
|
||||
v-model:value="where.keywords"
|
||||
@search="reload"
|
||||
/>
|
||||
<a-button type="text" @click="reset">重置</a-button>
|
||||
<a-button type="text" @click="handleExport">导出xls</a-button>
|
||||
<a-button type="text" @click="openImport">导入xls</a-button>
|
||||
</a-space>
|
||||
|
||||
<!-- 导入弹窗 -->
|
||||
<import v-model:visible="showImport" @done="reload"/>
|
||||
</template>
|
||||
|
||||
<script lang="ts" setup>
|
||||
import {DeleteOutlined, PlusOutlined} from '@ant-design/icons-vue';
|
||||
import {ref} from 'vue';
|
||||
import {message} from 'ant-design-vue';
|
||||
import {utils, writeFile} from 'xlsx';
|
||||
import {listShopDealerUser} from '@/api/shop/shopDealerUser';
|
||||
import type {ShopDealerUser, ShopDealerUserParam} from '@/api/shop/shopDealerUser/model';
|
||||
import useSearch from '@/utils/use-search';
|
||||
import dayjs from 'dayjs';
|
||||
import Import from "./Import.vue";
|
||||
|
||||
const props = withDefaults(
|
||||
defineProps<{
|
||||
// 选中的数据
|
||||
selection?: ShopDealerUser[];
|
||||
}>(),
|
||||
{}
|
||||
);
|
||||
|
||||
// 请求状态
|
||||
const loading = ref(false);
|
||||
const dealerUserList = ref<ShopDealerUser[]>([]);
|
||||
// 是否显示导入弹窗
|
||||
const showImport = ref(false);
|
||||
|
||||
// 表单数据
|
||||
const {where, resetFields} = useSearch<ShopDealerUserParam>({
|
||||
id: undefined,
|
||||
keywords: ''
|
||||
});
|
||||
|
||||
const emit = defineEmits<{
|
||||
(e: 'search', where?: ShopDealerUserParam): void;
|
||||
(e: 'add'): void;
|
||||
(e: 'remove'): void;
|
||||
(e: 'batchMove'): void;
|
||||
}>();
|
||||
|
||||
// 新增
|
||||
const add = () => {
|
||||
emit('add');
|
||||
};
|
||||
|
||||
// 批量删除
|
||||
const removeBatch = () => {
|
||||
emit('remove');
|
||||
};
|
||||
|
||||
// 批量更新
|
||||
const updateBatch = () => {
|
||||
emit('batchMove');
|
||||
}
|
||||
|
||||
/* 打开导入弹窗 */
|
||||
const openImport = () => {
|
||||
showImport.value = true;
|
||||
};
|
||||
|
||||
const reload = () => {
|
||||
emit('search', where);
|
||||
};
|
||||
|
||||
// 导出
|
||||
const handleExport = async () => {
|
||||
if (loading.value) {
|
||||
return;
|
||||
}
|
||||
|
||||
loading.value = true;
|
||||
message.loading('正在准备导出数据...', 0);
|
||||
|
||||
try {
|
||||
const array: (string | number)[][] = [
|
||||
[
|
||||
'用户ID',
|
||||
'姓名',
|
||||
'手机号',
|
||||
'可提现佣金',
|
||||
'冻结佣金',
|
||||
'累计提现',
|
||||
'推荐人ID',
|
||||
'一级成员数',
|
||||
'二级成员数',
|
||||
'三级成员数',
|
||||
'专属二维码',
|
||||
'状态',
|
||||
'创建时间',
|
||||
'更新时间'
|
||||
]
|
||||
];
|
||||
|
||||
// 按搜索结果导出
|
||||
const list = await listShopDealerUser(where);
|
||||
dealerUserList.value = list;
|
||||
|
||||
if (!list || list.length === 0) {
|
||||
message.warning('没有数据可以导出');
|
||||
loading.value = false;
|
||||
return;
|
||||
}
|
||||
|
||||
list.forEach((d: ShopDealerUser) => {
|
||||
array.push([
|
||||
`${d.userId || ''}`,
|
||||
`${d.realName || ''}`,
|
||||
`${d.mobile || ''}`,
|
||||
`${d.money || '0'}`,
|
||||
`${d.freezeMoney || '0'}`,
|
||||
`${d.totalMoney || '0'}`,
|
||||
`${d.refereeId || ''}`,
|
||||
`${d.firstNum || 0}`,
|
||||
`${d.secondNum || 0}`,
|
||||
`${d.thirdNum || 0}`,
|
||||
`${d.qrcode || ''}`,
|
||||
`${d.isDelete === 1 ? '已删除' : '正常'}`,
|
||||
`${d.createTime || ''}`,
|
||||
`${d.updateTime || ''}`
|
||||
]);
|
||||
});
|
||||
|
||||
const sheetName = `导出分销商用户列表${dayjs(new Date()).format('YYYYMMDD')}`;
|
||||
const workbook = {
|
||||
SheetNames: [sheetName],
|
||||
Sheets: {}
|
||||
};
|
||||
const sheet = utils.aoa_to_sheet(array);
|
||||
workbook.Sheets[sheetName] = sheet;
|
||||
|
||||
// 设置列宽
|
||||
sheet['!cols'] = [
|
||||
{wch: 10}, // 用户ID
|
||||
{wch: 15}, // 姓名
|
||||
{wch: 15}, // 手机号
|
||||
{wch: 12}, // 可提现佣金
|
||||
{wch: 12}, // 冻结佣金
|
||||
{wch: 12}, // 累计提现
|
||||
{wch: 10}, // 推荐人ID
|
||||
{wch: 10}, // 一级成员数
|
||||
{wch: 10}, // 二级成员数
|
||||
{wch: 10}, // 三级成员数
|
||||
{wch: 20}, // 专属二维码
|
||||
{wch: 8}, // 状态
|
||||
{wch: 20}, // 创建时间
|
||||
{wch: 20} // 更新时间
|
||||
];
|
||||
|
||||
message.destroy();
|
||||
message.loading('正在生成Excel文件...', 0);
|
||||
|
||||
setTimeout(() => {
|
||||
writeFile(workbook, `${sheetName}.xlsx`);
|
||||
loading.value = false;
|
||||
message.destroy();
|
||||
message.success(`成功导出 ${list.length} 条记录`);
|
||||
}, 1000);
|
||||
|
||||
} catch (error: any) {
|
||||
loading.value = false;
|
||||
message.destroy();
|
||||
message.error(error.message || '导出失败,请重试');
|
||||
}
|
||||
};
|
||||
|
||||
/* 重置 */
|
||||
const reset = () => {
|
||||
resetFields();
|
||||
reload();
|
||||
};
|
||||
</script>
|
||||
516
src/views/sdy/shopDealerUser/components/shopDealerUserEdit.vue
Normal file
516
src/views/sdy/shopDealerUser/components/shopDealerUserEdit.vue
Normal file
@@ -0,0 +1,516 @@
|
||||
<!-- 编辑弹窗 -->
|
||||
<template>
|
||||
<ele-modal
|
||||
:width="900"
|
||||
:visible="visible"
|
||||
:maskClosable="false"
|
||||
:maxable="maxable"
|
||||
:title="isUpdate ? '编辑分销商用户' : '添加分销商用户'"
|
||||
:body-style="{ paddingBottom: '28px', maxHeight: '70vh', overflowY: 'auto' }"
|
||||
@update:visible="updateVisible"
|
||||
@ok="save"
|
||||
>
|
||||
<a-form
|
||||
ref="formRef"
|
||||
:model="form"
|
||||
:rules="rules"
|
||||
:label-col="{ span: 6 }"
|
||||
:wrapper-col="{ span: 18 }"
|
||||
layout="horizontal"
|
||||
>
|
||||
<!-- 基本信息 -->
|
||||
<a-divider orientation="left">基本信息</a-divider>
|
||||
|
||||
<a-row :gutter="16">
|
||||
<a-col :span="12">
|
||||
<a-form-item
|
||||
label="用户ID"
|
||||
name="userId"
|
||||
:label-col="{ span: 8 }"
|
||||
:wrapper-col="{ span: 16 }"
|
||||
>
|
||||
<a-input-number
|
||||
:min="1"
|
||||
placeholder="请输入用户ID"
|
||||
v-model:value="form.userId"
|
||||
style="width: 100%"
|
||||
:disabled="isUpdate"
|
||||
/>
|
||||
</a-form-item>
|
||||
</a-col>
|
||||
<a-col :span="12">
|
||||
<a-form-item
|
||||
label="姓名"
|
||||
name="realName"
|
||||
:label-col="{ span: 8 }"
|
||||
:wrapper-col="{ span: 16 }"
|
||||
>
|
||||
<a-input
|
||||
allow-clear
|
||||
placeholder="请输入真实姓名"
|
||||
v-model:value="form.realName"
|
||||
/>
|
||||
</a-form-item>
|
||||
</a-col>
|
||||
</a-row>
|
||||
|
||||
<a-row :gutter="16">
|
||||
<a-col :span="12">
|
||||
<a-form-item
|
||||
label="手机号"
|
||||
name="mobile"
|
||||
:label-col="{ span: 8 }"
|
||||
:wrapper-col="{ span: 16 }"
|
||||
>
|
||||
<a-input
|
||||
allow-clear
|
||||
placeholder="请输入手机号"
|
||||
v-model:value="form.mobile"
|
||||
/>
|
||||
</a-form-item>
|
||||
</a-col>
|
||||
<a-col :span="12">
|
||||
<a-form-item
|
||||
label="支付密码"
|
||||
name="payPassword"
|
||||
:label-col="{ span: 8 }"
|
||||
:wrapper-col="{ span: 16 }"
|
||||
>
|
||||
<a-input-password
|
||||
allow-clear
|
||||
placeholder="请输入支付密码"
|
||||
v-model:value="form.payPassword"
|
||||
/>
|
||||
</a-form-item>
|
||||
</a-col>
|
||||
</a-row>
|
||||
<!-- 佣金信息 -->
|
||||
<a-divider orientation="left">佣金信息</a-divider>
|
||||
|
||||
<a-row :gutter="16">
|
||||
<a-col :span="8">
|
||||
<a-form-item
|
||||
label="可提现佣金"
|
||||
name="money"
|
||||
:label-col="{ span: 12 }"
|
||||
:wrapper-col="{ span: 12 }"
|
||||
>
|
||||
<a-input-number
|
||||
:min="0"
|
||||
:precision="2"
|
||||
placeholder="0.00"
|
||||
v-model:value="form.money"
|
||||
style="width: 100%"
|
||||
>
|
||||
<template #addonAfter>元</template>
|
||||
</a-input-number>
|
||||
</a-form-item>
|
||||
</a-col>
|
||||
<a-col :span="8">
|
||||
<a-form-item
|
||||
label="冻结佣金"
|
||||
name="freezeMoney"
|
||||
:label-col="{ span: 12 }"
|
||||
:wrapper-col="{ span: 12 }"
|
||||
>
|
||||
<a-input-number
|
||||
:min="0"
|
||||
:precision="2"
|
||||
placeholder="0.00"
|
||||
v-model:value="form.freezeMoney"
|
||||
style="width: 100%"
|
||||
>
|
||||
<template #addonAfter>元</template>
|
||||
</a-input-number>
|
||||
</a-form-item>
|
||||
</a-col>
|
||||
<a-col :span="8">
|
||||
<a-form-item
|
||||
label="累计提现"
|
||||
name="totalMoney"
|
||||
:label-col="{ span: 12 }"
|
||||
:wrapper-col="{ span: 12 }"
|
||||
>
|
||||
<a-input-number
|
||||
:min="0"
|
||||
:precision="2"
|
||||
placeholder="0.00"
|
||||
v-model:value="form.totalMoney"
|
||||
style="width: 100%"
|
||||
:disabled="true"
|
||||
>
|
||||
<template #addonAfter>元</template>
|
||||
</a-input-number>
|
||||
</a-form-item>
|
||||
</a-col>
|
||||
</a-row>
|
||||
|
||||
<!-- 推荐关系 -->
|
||||
<a-divider orientation="left">推荐关系</a-divider>
|
||||
|
||||
<a-form-item label="推荐人" name="refereeId">
|
||||
<a-input-group compact>
|
||||
<a-input-number
|
||||
:min="1"
|
||||
placeholder="请输入推荐人用户ID"
|
||||
v-model:value="form.refereeId"
|
||||
style="width: calc(100% - 80px)"
|
||||
/>
|
||||
<a-button type="primary" @click="selectReferee">选择</a-button>
|
||||
</a-input-group>
|
||||
</a-form-item>
|
||||
<!-- 团队信息 -->
|
||||
<a-divider orientation="left">团队信息</a-divider>
|
||||
|
||||
<a-row :gutter="16">
|
||||
<a-col :span="8">
|
||||
<a-form-item
|
||||
label="一级成员"
|
||||
name="firstNum"
|
||||
:label-col="{ span: 12 }"
|
||||
:wrapper-col="{ span: 12 }"
|
||||
>
|
||||
<a-input-number
|
||||
:min="0"
|
||||
placeholder="0"
|
||||
v-model:value="form.firstNum"
|
||||
style="width: 100%"
|
||||
:disabled="true"
|
||||
>
|
||||
<template #addonAfter>人</template>
|
||||
</a-input-number>
|
||||
</a-form-item>
|
||||
</a-col>
|
||||
<a-col :span="8">
|
||||
<a-form-item
|
||||
label="二级成员"
|
||||
name="secondNum"
|
||||
:label-col="{ span: 12 }"
|
||||
:wrapper-col="{ span: 12 }"
|
||||
>
|
||||
<a-input-number
|
||||
:min="0"
|
||||
placeholder="0"
|
||||
v-model:value="form.secondNum"
|
||||
style="width: 100%"
|
||||
:disabled="true"
|
||||
>
|
||||
<template #addonAfter>人</template>
|
||||
</a-input-number>
|
||||
</a-form-item>
|
||||
</a-col>
|
||||
<a-col :span="8">
|
||||
<a-form-item
|
||||
label="三级成员"
|
||||
name="thirdNum"
|
||||
:label-col="{ span: 12 }"
|
||||
:wrapper-col="{ span: 12 }"
|
||||
>
|
||||
<a-input-number
|
||||
:min="0"
|
||||
placeholder="0"
|
||||
v-model:value="form.thirdNum"
|
||||
style="width: 100%"
|
||||
:disabled="true"
|
||||
>
|
||||
<template #addonAfter>人</template>
|
||||
</a-input-number>
|
||||
</a-form-item>
|
||||
</a-col>
|
||||
</a-row>
|
||||
|
||||
<!-- 其他设置 -->
|
||||
<a-divider orientation="left">其他设置</a-divider>
|
||||
|
||||
<a-row :gutter="16">
|
||||
<a-col :span="12">
|
||||
<a-form-item
|
||||
label="专属二维码"
|
||||
name="qrcode"
|
||||
:label-col="{ span: 8 }"
|
||||
:wrapper-col="{ span: 16 }"
|
||||
>
|
||||
<a-input-group compact>
|
||||
<a-input
|
||||
placeholder="系统自动生成"
|
||||
v-model:value="form.qrcode"
|
||||
style="width: calc(100% - 80px)"
|
||||
:disabled="true"
|
||||
/>
|
||||
<a-button type="primary" @click="generateQrcode">生成</a-button>
|
||||
</a-input-group>
|
||||
</a-form-item>
|
||||
</a-col>
|
||||
<a-col :span="12">
|
||||
<a-form-item
|
||||
label="账户状态"
|
||||
name="isDelete"
|
||||
:label-col="{ span: 8 }"
|
||||
:wrapper-col="{ span: 16 }"
|
||||
>
|
||||
<a-radio-group v-model:value="form.isDelete">
|
||||
<a-radio :value="0">正常</a-radio>
|
||||
<a-radio :value="1">已删除</a-radio>
|
||||
</a-radio-group>
|
||||
</a-form-item>
|
||||
</a-col>
|
||||
</a-row>
|
||||
</a-form>
|
||||
</ele-modal>
|
||||
</template>
|
||||
|
||||
<script lang="ts" setup>
|
||||
import { ref, reactive, watch } from 'vue';
|
||||
import { Form, message } from 'ant-design-vue';
|
||||
import { assignObject, uuid } from 'ele-admin-pro';
|
||||
import { addShopDealerUser, updateShopDealerUser } from '@/api/shop/shopDealerUser';
|
||||
import { ShopDealerUser } from '@/api/shop/shopDealerUser/model';
|
||||
import { useThemeStore } from '@/store/modules/theme';
|
||||
import { storeToRefs } from 'pinia';
|
||||
import { ItemType } from 'ele-admin-pro/es/ele-image-upload/types';
|
||||
import { FormInstance } from 'ant-design-vue/es/form';
|
||||
import { FileRecord } from '@/api/system/file/model';
|
||||
|
||||
// 是否是修改
|
||||
const isUpdate = ref(false);
|
||||
const useForm = Form.useForm;
|
||||
// 是否开启响应式布局
|
||||
const themeStore = useThemeStore();
|
||||
const { styleResponsive } = storeToRefs(themeStore);
|
||||
|
||||
const props = defineProps<{
|
||||
// 弹窗是否打开
|
||||
visible: boolean;
|
||||
// 修改回显的数据
|
||||
data?: ShopDealerUser | null;
|
||||
}>();
|
||||
|
||||
const emit = defineEmits<{
|
||||
(e: 'done'): void;
|
||||
(e: 'update:visible', visible: boolean): void;
|
||||
}>();
|
||||
|
||||
// 提交状态
|
||||
const loading = ref(false);
|
||||
// 是否显示最大化切换按钮
|
||||
const maxable = ref(true);
|
||||
// 表格选中数据
|
||||
const formRef = ref<FormInstance | null>(null);
|
||||
const images = ref<ItemType[]>([]);
|
||||
|
||||
// 用户信息
|
||||
const form = reactive<ShopDealerUser>({
|
||||
id: undefined,
|
||||
userId: undefined,
|
||||
realName: undefined,
|
||||
mobile: undefined,
|
||||
payPassword: undefined,
|
||||
money: undefined,
|
||||
freezeMoney: undefined,
|
||||
totalMoney: undefined,
|
||||
refereeId: undefined,
|
||||
firstNum: undefined,
|
||||
secondNum: undefined,
|
||||
thirdNum: undefined,
|
||||
qrcode: undefined,
|
||||
isDelete: undefined,
|
||||
tenantId: undefined,
|
||||
createTime: undefined,
|
||||
updateTime: undefined,
|
||||
shopDealerUserId: undefined,
|
||||
shopDealerUserName: '',
|
||||
status: 0,
|
||||
comments: '',
|
||||
sortNumber: 100
|
||||
});
|
||||
|
||||
/* 更新visible */
|
||||
const updateVisible = (value: boolean) => {
|
||||
emit('update:visible', value);
|
||||
};
|
||||
|
||||
// 表单验证规则
|
||||
const rules = reactive({
|
||||
userId: [
|
||||
{
|
||||
required: true,
|
||||
message: '请输入用户ID',
|
||||
trigger: 'blur'
|
||||
}
|
||||
],
|
||||
realName: [
|
||||
{
|
||||
required: true,
|
||||
message: '请输入真实姓名',
|
||||
trigger: 'blur'
|
||||
},
|
||||
{
|
||||
min: 2,
|
||||
max: 20,
|
||||
message: '姓名长度应在2-20个字符之间',
|
||||
trigger: 'blur'
|
||||
}
|
||||
],
|
||||
mobile: [
|
||||
{
|
||||
required: true,
|
||||
message: '请输入手机号',
|
||||
trigger: 'blur'
|
||||
},
|
||||
{
|
||||
pattern: /^1[3-9]\d{9}$/,
|
||||
message: '请输入正确的手机号格式',
|
||||
trigger: 'blur'
|
||||
}
|
||||
],
|
||||
money: [
|
||||
{
|
||||
type: 'number',
|
||||
min: 0,
|
||||
message: '可提现佣金不能小于0',
|
||||
trigger: 'blur'
|
||||
}
|
||||
],
|
||||
freezeMoney: [
|
||||
{
|
||||
type: 'number',
|
||||
min: 0,
|
||||
message: '冻结佣金不能小于0',
|
||||
trigger: 'blur'
|
||||
}
|
||||
]
|
||||
});
|
||||
|
||||
const chooseImage = (data: FileRecord) => {
|
||||
images.value.push({
|
||||
uid: data.id,
|
||||
url: data.path,
|
||||
status: 'done'
|
||||
});
|
||||
form.image = data.path;
|
||||
};
|
||||
|
||||
const onDeleteItem = (index: number) => {
|
||||
images.value.splice(index, 1);
|
||||
form.image = '';
|
||||
};
|
||||
|
||||
const { resetFields } = useForm(form, rules);
|
||||
|
||||
/* 选择推荐人 */
|
||||
const selectReferee = () => {
|
||||
message.info('推荐人选择功能待开发');
|
||||
// 这里可以打开用户选择器
|
||||
};
|
||||
|
||||
/* 生成二维码 */
|
||||
const generateQrcode = () => {
|
||||
if (!form.userId) {
|
||||
message.error('请先填写用户ID');
|
||||
return;
|
||||
}
|
||||
|
||||
// 生成二维码逻辑
|
||||
const qrcode = `DEALER_${form.userId}_${Date.now()}`;
|
||||
form.qrcode = qrcode;
|
||||
message.success('二维码生成成功');
|
||||
};
|
||||
|
||||
/* 保存编辑 */
|
||||
const save = () => {
|
||||
if (!formRef.value) {
|
||||
return;
|
||||
}
|
||||
formRef.value
|
||||
.validate()
|
||||
.then(() => {
|
||||
loading.value = true;
|
||||
|
||||
// 数据处理
|
||||
const formData = {
|
||||
...form
|
||||
};
|
||||
|
||||
// 确保数值类型正确
|
||||
if (formData.userId) formData.userId = Number(formData.userId);
|
||||
if (formData.refereeId) formData.refereeId = Number(formData.refereeId);
|
||||
if (formData.money !== undefined) formData.money = Number(formData.money);
|
||||
if (formData.freezeMoney !== undefined) formData.freezeMoney = Number(formData.freezeMoney);
|
||||
if (formData.totalMoney !== undefined) formData.totalMoney = Number(formData.totalMoney);
|
||||
if (formData.firstNum !== undefined) formData.firstNum = Number(formData.firstNum);
|
||||
if (formData.secondNum !== undefined) formData.secondNum = Number(formData.secondNum);
|
||||
if (formData.thirdNum !== undefined) formData.thirdNum = Number(formData.thirdNum);
|
||||
if (formData.isDelete !== undefined) formData.isDelete = Number(formData.isDelete);
|
||||
|
||||
console.log('提交的数据:', formData);
|
||||
|
||||
const saveOrUpdate = isUpdate.value ? updateShopDealerUser : addShopDealerUser;
|
||||
saveOrUpdate(formData)
|
||||
.then((msg) => {
|
||||
loading.value = false;
|
||||
message.success(msg || '操作成功');
|
||||
updateVisible(false);
|
||||
emit('done');
|
||||
})
|
||||
.catch((e) => {
|
||||
loading.value = false;
|
||||
console.error('保存失败:', e);
|
||||
message.error(e.message || '操作失败');
|
||||
});
|
||||
})
|
||||
.catch(() => {});
|
||||
};
|
||||
|
||||
watch(
|
||||
() => props.visible,
|
||||
(visible) => {
|
||||
if (visible) {
|
||||
images.value = [];
|
||||
if (props.data) {
|
||||
assignObject(form, props.data);
|
||||
if(props.data.image){
|
||||
images.value.push({
|
||||
uid: uuid(),
|
||||
url: props.data.image,
|
||||
status: 'done'
|
||||
})
|
||||
}
|
||||
isUpdate.value = true;
|
||||
} else {
|
||||
isUpdate.value = false;
|
||||
}
|
||||
} else {
|
||||
resetFields();
|
||||
}
|
||||
},
|
||||
{ immediate: true }
|
||||
);
|
||||
</script>
|
||||
|
||||
<style lang="less" scoped>
|
||||
:deep(.ant-form-item-label) {
|
||||
text-align: left !important;
|
||||
}
|
||||
|
||||
:deep(.ant-form-item-label > label) {
|
||||
text-align: left !important;
|
||||
}
|
||||
|
||||
:deep(.ant-divider-horizontal.ant-divider-with-text-left) {
|
||||
margin: 24px 0 16px 0;
|
||||
|
||||
.ant-divider-inner-text {
|
||||
color: #1890ff;
|
||||
font-weight: 600;
|
||||
}
|
||||
}
|
||||
|
||||
:deep(.ant-input-group-addon) {
|
||||
padding: 0 8px;
|
||||
}
|
||||
|
||||
:deep(.ant-input-number-disabled) {
|
||||
background-color: #f5f5f5;
|
||||
color: #999;
|
||||
}
|
||||
</style>
|
||||
364
src/views/sdy/shopDealerUser/index.vue
Normal file
364
src/views/sdy/shopDealerUser/index.vue
Normal file
@@ -0,0 +1,364 @@
|
||||
<template>
|
||||
<a-page-header :title="getPageTitle()" @back="() => $router.go(-1)">
|
||||
<a-card :bordered="false" :body-style="{ padding: '16px' }">
|
||||
<ele-pro-table
|
||||
ref="tableRef"
|
||||
row-key="id"
|
||||
:columns="columns"
|
||||
:datasource="datasource"
|
||||
:customRow="customRow"
|
||||
tool-class="ele-toolbar-form"
|
||||
class="sys-org-table"
|
||||
v-model:selection="selection"
|
||||
>
|
||||
<template #toolbar>
|
||||
<search
|
||||
@search="reload"
|
||||
:selection="selection"
|
||||
@add="openEdit"
|
||||
@remove="removeBatch"
|
||||
@batchMove="openMove"
|
||||
/>
|
||||
</template>
|
||||
<template #bodyCell="{ column, record }">
|
||||
<template v-if="column.key === 'userStatus'">
|
||||
<a-tag v-if="record.isDelete === 1" color="red">已删除</a-tag>
|
||||
<a-tag v-else color="green">正常</a-tag>
|
||||
</template>
|
||||
<template v-if="column.key === 'action'">
|
||||
<a @click="openEdit(record)" class="ele-text-primary">
|
||||
<EditOutlined/>
|
||||
编辑
|
||||
</a>
|
||||
<a-divider type="vertical"/>
|
||||
<a @click="viewDetail(record)" class="ele-text-info">
|
||||
<EyeOutlined/>
|
||||
详情
|
||||
</a>
|
||||
<a-divider type="vertical"/>
|
||||
<a-popconfirm
|
||||
title="确定要删除此分销商用户吗?"
|
||||
@confirm="remove(record)"
|
||||
placement="topRight"
|
||||
>
|
||||
<a class="ele-text-danger">
|
||||
<DeleteOutlined/>
|
||||
删除
|
||||
</a>
|
||||
</a-popconfirm>
|
||||
</template>
|
||||
</template>
|
||||
</ele-pro-table>
|
||||
</a-card>
|
||||
|
||||
<!-- 编辑弹窗 -->
|
||||
<ShopDealerUserEdit v-model:visible="showEdit" :data="current" @done="reload"/>
|
||||
</a-page-header>
|
||||
</template>
|
||||
|
||||
<script lang="ts" setup>
|
||||
import {createVNode, ref} from 'vue';
|
||||
import {message, Modal} from 'ant-design-vue';
|
||||
import {
|
||||
ExclamationCircleOutlined,
|
||||
EditOutlined,
|
||||
EyeOutlined,
|
||||
DeleteOutlined
|
||||
} from '@ant-design/icons-vue';
|
||||
import type {EleProTable} from 'ele-admin-pro';
|
||||
import {toDateString} from 'ele-admin-pro';
|
||||
import type {
|
||||
DatasourceFunction,
|
||||
ColumnItem
|
||||
} from 'ele-admin-pro/es/ele-pro-table/types';
|
||||
import Search from './components/search.vue';
|
||||
import {getPageTitle} from '@/utils/common';
|
||||
import ShopDealerUserEdit from './components/shopDealerUserEdit.vue';
|
||||
import {pageShopDealerUser, removeShopDealerUser, removeBatchShopDealerUser} from '@/api/shop/shopDealerUser';
|
||||
import type {ShopDealerUser, ShopDealerUserParam} from '@/api/shop/shopDealerUser/model';
|
||||
|
||||
// 表格实例
|
||||
const tableRef = ref<InstanceType<typeof EleProTable> | null>(null);
|
||||
|
||||
// 表格选中数据
|
||||
const selection = ref<ShopDealerUser[]>([]);
|
||||
// 当前编辑数据
|
||||
const current = ref<ShopDealerUser | null>(null);
|
||||
// 是否显示编辑弹窗
|
||||
const showEdit = ref(false);
|
||||
// 是否显示批量移动弹窗
|
||||
const showMove = ref(false);
|
||||
// 加载状态
|
||||
const loading = ref(true);
|
||||
|
||||
// 表格数据源
|
||||
const datasource: DatasourceFunction = ({
|
||||
page,
|
||||
limit,
|
||||
where,
|
||||
orders,
|
||||
filters
|
||||
}) => {
|
||||
if (filters) {
|
||||
where.status = filters.status;
|
||||
}
|
||||
return pageShopDealerUser({
|
||||
...where,
|
||||
...orders,
|
||||
page,
|
||||
limit
|
||||
});
|
||||
};
|
||||
|
||||
// 表格列配置
|
||||
const columns = ref<ColumnItem[]>([
|
||||
{
|
||||
title: '用户ID',
|
||||
dataIndex: 'userId',
|
||||
key: 'userId',
|
||||
align: 'center',
|
||||
width: 80,
|
||||
fixed: 'left'
|
||||
},
|
||||
{
|
||||
title: '用电户号',
|
||||
dataIndex: 'qrcode',
|
||||
key: 'qrcode',
|
||||
align: 'center',
|
||||
width: 120
|
||||
},
|
||||
{
|
||||
title: '单位名称',
|
||||
key: 'userInfo',
|
||||
align: 'left',
|
||||
width: 200,
|
||||
fixed: 'left',
|
||||
customRender: ({record}) => {
|
||||
return `${record.realName || ''} (${record.mobile || ''})`;
|
||||
}
|
||||
},
|
||||
{
|
||||
title: '电量',
|
||||
key: 'money',
|
||||
align: 'center',
|
||||
width: 180
|
||||
},
|
||||
{
|
||||
title: '状态',
|
||||
key: 'userStatus',
|
||||
align: 'center',
|
||||
width: 100,
|
||||
customRender: ({record}) => {
|
||||
if (record.isDelete === 1) {
|
||||
return {type: 'tag', props: {color: 'red'}, children: '已删除'};
|
||||
}
|
||||
return {type: 'tag', props: {color: 'green'}, children: '正常'};
|
||||
}
|
||||
},
|
||||
{
|
||||
title: '创建时间',
|
||||
dataIndex: 'createTime',
|
||||
key: 'createTime',
|
||||
align: 'center',
|
||||
width: 120,
|
||||
sorter: true,
|
||||
ellipsis: true,
|
||||
customRender: ({text}) => text ? toDateString(text, 'yyyy-MM-dd') : '-'
|
||||
},
|
||||
{
|
||||
title: '操作',
|
||||
key: 'action',
|
||||
width: 220,
|
||||
fixed: 'right',
|
||||
align: 'center',
|
||||
hideInSetting: true
|
||||
}
|
||||
]);
|
||||
|
||||
/* 搜索 */
|
||||
const reload = (where?: ShopDealerUserParam) => {
|
||||
selection.value = [];
|
||||
tableRef?.value?.reload({where: where});
|
||||
};
|
||||
|
||||
/* 打开编辑弹窗 */
|
||||
const openEdit = (row?: ShopDealerUser) => {
|
||||
current.value = row ?? null;
|
||||
showEdit.value = true;
|
||||
};
|
||||
|
||||
/* 查看详情 */
|
||||
const viewDetail = (row: ShopDealerUser) => {
|
||||
Modal.info({
|
||||
title: '分销商用户详情',
|
||||
width: 600,
|
||||
content: createVNode('div', {style: 'max-height: 400px; overflow-y: auto;'}, [
|
||||
createVNode('div', {class: 'detail-item'}, [
|
||||
createVNode('strong', null, '基本信息'),
|
||||
createVNode('p', null, `姓名: ${row.realName || '-'}`),
|
||||
createVNode('p', null, `手机号: ${row.mobile || '-'}`),
|
||||
createVNode('p', null, `用户ID: ${row.userId || '-'}`),
|
||||
createVNode('p', null, `推荐人ID: ${row.refereeId || '无'}`),
|
||||
]),
|
||||
createVNode('div', {class: 'detail-item', style: 'margin-top: 16px;'}, [
|
||||
createVNode('strong', null, '佣金信息'),
|
||||
createVNode('p', null, `可提现佣金: ¥${parseFloat(row.money || '0').toFixed(2)}`),
|
||||
createVNode('p', null, `冻结佣金: ¥${parseFloat(row.freezeMoney || '0').toFixed(2)}`),
|
||||
createVNode('p', null, `累计提现: ¥${parseFloat(row.totalMoney || '0').toFixed(2)}`),
|
||||
]),
|
||||
createVNode('div', {class: 'detail-item', style: 'margin-top: 16px;'}, [
|
||||
createVNode('strong', null, '团队信息'),
|
||||
createVNode('p', null, `一级成员: ${row.firstNum || 0} 人`),
|
||||
createVNode('p', null, `二级成员: ${row.secondNum || 0} 人`),
|
||||
createVNode('p', null, `三级成员: ${row.thirdNum || 0} 人`),
|
||||
createVNode('p', null, `团队总数: ${(row.firstNum || 0) + (row.secondNum || 0) + (row.thirdNum || 0)} 人`),
|
||||
]),
|
||||
createVNode('div', {class: 'detail-item', style: 'margin-top: 16px;'}, [
|
||||
createVNode('strong', null, '其他信息'),
|
||||
createVNode('p', null, `专属二维码: ${row.qrcode ? '已生成' : '未生成'}`),
|
||||
createVNode('p', null, `创建时间: ${row.createTime ? toDateString(row.createTime, 'yyyy-MM-dd HH:mm:ss') : '-'}`),
|
||||
createVNode('p', null, `更新时间: ${row.updateTime ? toDateString(row.updateTime, 'yyyy-MM-dd HH:mm:ss') : '-'}`),
|
||||
])
|
||||
]),
|
||||
okText: '关闭'
|
||||
});
|
||||
};
|
||||
|
||||
/* 打开批量移动弹窗 */
|
||||
const openMove = () => {
|
||||
showMove.value = true;
|
||||
};
|
||||
|
||||
/* 删除单个 */
|
||||
const remove = (row: ShopDealerUser) => {
|
||||
if (!row.id) {
|
||||
message.error('删除失败:缺少必要参数');
|
||||
return;
|
||||
}
|
||||
|
||||
const hide = message.loading('正在删除分销商用户...', 0);
|
||||
removeShopDealerUser(row.id)
|
||||
.then((msg) => {
|
||||
hide();
|
||||
message.success(msg || '删除成功');
|
||||
reload();
|
||||
})
|
||||
.catch((e) => {
|
||||
hide();
|
||||
message.error(e.message || '删除失败');
|
||||
});
|
||||
};
|
||||
|
||||
/* 批量删除 */
|
||||
const removeBatch = () => {
|
||||
if (!selection.value.length) {
|
||||
message.error('请至少选择一条数据');
|
||||
return;
|
||||
}
|
||||
|
||||
const validIds = selection.value.filter(d => d.id).map(d => d.id);
|
||||
if (!validIds.length) {
|
||||
message.error('选中的数据中没有有效的ID');
|
||||
return;
|
||||
}
|
||||
|
||||
Modal.confirm({
|
||||
title: '批量删除确认',
|
||||
content: `确定要删除选中的 ${validIds.length} 条分销商用户记录吗?此操作不可恢复。`,
|
||||
icon: createVNode(ExclamationCircleOutlined),
|
||||
maskClosable: true,
|
||||
okText: '确认删除',
|
||||
okType: 'danger',
|
||||
cancelText: '取消',
|
||||
onOk: () => {
|
||||
const hide = message.loading(`正在删除 ${validIds.length} 条记录...`, 0);
|
||||
removeBatchShopDealerUser(validIds)
|
||||
.then((msg) => {
|
||||
hide();
|
||||
message.success(msg || `成功删除 ${validIds.length} 条记录`);
|
||||
selection.value = [];
|
||||
reload();
|
||||
})
|
||||
.catch((e) => {
|
||||
hide();
|
||||
message.error(e.message || '批量删除失败');
|
||||
});
|
||||
}
|
||||
});
|
||||
};
|
||||
|
||||
/* 查询 */
|
||||
const query = () => {
|
||||
loading.value = true;
|
||||
};
|
||||
|
||||
/* 自定义行属性 */
|
||||
const customRow = (record: ShopDealerUser) => {
|
||||
return {
|
||||
// 行点击事件
|
||||
onClick: () => {
|
||||
// console.log(record);
|
||||
},
|
||||
// 行双击事件
|
||||
onDblclick: () => {
|
||||
openEdit(record);
|
||||
}
|
||||
};
|
||||
};
|
||||
query();
|
||||
</script>
|
||||
|
||||
<script lang="ts">
|
||||
export default {
|
||||
name: 'ShopDealerUser'
|
||||
};
|
||||
</script>
|
||||
|
||||
<style lang="less" scoped>
|
||||
.sys-org-table {
|
||||
:deep(.ant-table-thead > tr > th) {
|
||||
background-color: #fafafa;
|
||||
font-weight: 600;
|
||||
}
|
||||
|
||||
:deep(.ant-table-tbody > tr:hover > td) {
|
||||
background-color: #f8f9fa;
|
||||
}
|
||||
}
|
||||
|
||||
.detail-item {
|
||||
p {
|
||||
margin: 4px 0;
|
||||
color: #666;
|
||||
}
|
||||
|
||||
strong {
|
||||
color: #1890ff;
|
||||
font-size: 14px;
|
||||
}
|
||||
}
|
||||
|
||||
.ele-text-primary {
|
||||
color: #1890ff;
|
||||
|
||||
&:hover {
|
||||
color: #40a9ff;
|
||||
}
|
||||
}
|
||||
|
||||
.ele-text-info {
|
||||
color: #13c2c2;
|
||||
|
||||
&:hover {
|
||||
color: #36cfc9;
|
||||
}
|
||||
}
|
||||
|
||||
.ele-text-danger {
|
||||
color: #ff4d4f;
|
||||
|
||||
&:hover {
|
||||
color: #ff7875;
|
||||
}
|
||||
}
|
||||
</style>
|
||||
100
src/views/shop/shopDealerUser/README.md
Normal file
100
src/views/shop/shopDealerUser/README.md
Normal file
@@ -0,0 +1,100 @@
|
||||
# 分销商用户管理模块
|
||||
|
||||
## 功能说明
|
||||
|
||||
本模块提供了完整的分销商用户管理功能,包括:
|
||||
|
||||
### 基础功能
|
||||
- ✅ 用户列表查看
|
||||
- ✅ 用户信息编辑
|
||||
- ✅ 用户详情查看
|
||||
- ✅ 用户删除(单个/批量)
|
||||
- ✅ 关键词搜索
|
||||
|
||||
### 导入导出功能
|
||||
- ✅ Excel 数据导出
|
||||
- ✅ Excel 数据导入
|
||||
- ✅ 导入数据验证
|
||||
- ✅ 错误处理
|
||||
|
||||
## 导入导出使用说明
|
||||
|
||||
### 导出功能
|
||||
1. 点击"导出xls"按钮
|
||||
2. 系统会根据当前搜索条件导出数据
|
||||
3. 导出的Excel文件包含以下字段:
|
||||
- 用户ID
|
||||
- 姓名
|
||||
- 手机号
|
||||
- 可提现佣金
|
||||
- 冻结佣金
|
||||
- 累计提现
|
||||
- 推荐人ID
|
||||
- 一级成员数
|
||||
- 二级成员数
|
||||
- 三级成员数
|
||||
- 专属二维码
|
||||
- 状态
|
||||
- 创建时间
|
||||
- 更新时间
|
||||
|
||||
### 导入功能
|
||||
1. 点击"导入xls"按钮
|
||||
2. 拖拽或选择Excel文件(支持.xls和.xlsx格式)
|
||||
3. 文件大小限制:10MB以内
|
||||
4. 导入格式要求:
|
||||
- 必填字段:用户ID、姓名、手机号
|
||||
- 佣金字段请填写数字,不要包含货币符号
|
||||
- 状态字段:正常 或 已删除
|
||||
- 推荐人ID必须是已存在的用户ID
|
||||
|
||||
### 数据格式示例
|
||||
|
||||
| 用户ID | 姓名 | 手机号 | 可提现佣金 | 冻结佣金 | 累计提现 | 推荐人ID | 一级成员数 | 二级成员数 | 三级成员数 | 专属二维码 | 状态 |
|
||||
|--------|------|--------|------------|----------|----------|----------|------------|------------|------------|------------|------|
|
||||
| 1001 | 张三 | 13800138000 | 100.50 | 50.00 | 200.00 | 1000 | 5 | 3 | 2 | DEALER_1001_xxx | 正常 |
|
||||
| 1002 | 李四 | 13900139000 | 200.00 | 0.00 | 150.00 | | 2 | 1 | 0 | | 正常 |
|
||||
|
||||
## 技术实现
|
||||
|
||||
### 文件结构
|
||||
```
|
||||
src/views/shop/shopDealerUser/
|
||||
├── index.vue # 主页面
|
||||
├── components/
|
||||
│ ├── search.vue # 搜索组件(包含导入导出功能)
|
||||
│ ├── Import.vue # 导入弹窗组件
|
||||
│ └── shopDealerUserEdit.vue # 编辑弹窗组件
|
||||
└── README.md # 说明文档
|
||||
```
|
||||
|
||||
### API 接口
|
||||
```typescript
|
||||
// 导入接口
|
||||
POST /shop/shop-dealer-user/import
|
||||
Content-Type: multipart/form-data
|
||||
|
||||
// 导出接口
|
||||
GET /shop/shop-dealer-user/export
|
||||
Response-Type: blob
|
||||
```
|
||||
|
||||
### 依赖库
|
||||
- `xlsx`: Excel文件处理
|
||||
- `dayjs`: 日期格式化
|
||||
- `ant-design-vue`: UI组件库
|
||||
|
||||
## 注意事项
|
||||
|
||||
1. **数据安全**:导入功能会直接操作数据库,请确保导入的数据准确无误
|
||||
2. **性能考虑**:大量数据导入时可能需要较长时间,请耐心等待
|
||||
3. **错误处理**:导入失败时会显示具体错误信息,请根据提示修正数据
|
||||
4. **权限控制**:确保用户有相应的导入导出权限
|
||||
|
||||
## 更新日志
|
||||
|
||||
### v1.0.0 (2024-12-19)
|
||||
- ✅ 实现基础的导入导出功能
|
||||
- ✅ 添加数据验证和错误处理
|
||||
- ✅ 优化用户体验和界面交互
|
||||
- ✅ 完善文档说明
|
||||
110
src/views/shop/shopDealerUser/components/Import.vue
Normal file
110
src/views/shop/shopDealerUser/components/Import.vue
Normal file
@@ -0,0 +1,110 @@
|
||||
<!-- 分销商用户导入弹窗 -->
|
||||
<template>
|
||||
<ele-modal
|
||||
:width="520"
|
||||
:footer="null"
|
||||
title="分销商用户批量导入"
|
||||
:visible="visible"
|
||||
@update:visible="updateVisible"
|
||||
>
|
||||
<a-spin :spinning="loading">
|
||||
<a-upload-dragger
|
||||
accept=".xls,.xlsx"
|
||||
:show-upload-list="false"
|
||||
:customRequest="doUpload"
|
||||
style="padding: 24px 0; margin-bottom: 16px"
|
||||
>
|
||||
<p class="ant-upload-drag-icon">
|
||||
<cloud-upload-outlined />
|
||||
</p>
|
||||
<p class="ant-upload-hint">将文件拖到此处,或点击上传</p>
|
||||
</a-upload-dragger>
|
||||
</a-spin>
|
||||
<div class="ele-text-center">
|
||||
<span>只能上传xls、xlsx文件,导入模板和导出模板格式一致</span>
|
||||
</div>
|
||||
<div class="import-tips" style="margin-top: 16px;">
|
||||
<a-alert
|
||||
message="导入说明"
|
||||
type="info"
|
||||
show-icon
|
||||
>
|
||||
<template #description>
|
||||
<div>
|
||||
<p>1. 请按照导出的Excel格式准备数据</p>
|
||||
<p>2. 必填字段:用户ID、姓名、手机号</p>
|
||||
<p>3. 佣金字段请填写数字,不要包含货币符号</p>
|
||||
<p>4. 状态字段:正常 或 已删除</p>
|
||||
<p>5. 推荐人ID必须是已存在的用户ID</p>
|
||||
</div>
|
||||
</template>
|
||||
</a-alert>
|
||||
</div>
|
||||
</ele-modal>
|
||||
</template>
|
||||
|
||||
<script lang="ts" setup>
|
||||
import { ref } from 'vue';
|
||||
import { message } from 'ant-design-vue/es';
|
||||
import { CloudUploadOutlined } from '@ant-design/icons-vue';
|
||||
import {importShopDealerUsers} from "@/api/shop/shopDealerUser";
|
||||
|
||||
const emit = defineEmits<{
|
||||
(e: 'done'): void;
|
||||
(e: 'update:visible', visible: boolean): void;
|
||||
}>();
|
||||
|
||||
defineProps<{
|
||||
// 是否打开弹窗
|
||||
visible: boolean;
|
||||
}>();
|
||||
|
||||
// 导入请求状态
|
||||
const loading = ref(false);
|
||||
|
||||
/* 上传 */
|
||||
const doUpload = ({ file }) => {
|
||||
if (
|
||||
![
|
||||
'application/vnd.ms-excel',
|
||||
'application/vnd.openxmlformats-officedocument.spreadsheetml.sheet'
|
||||
].includes(file.type)
|
||||
) {
|
||||
message.error('只能选择 excel 文件');
|
||||
return false;
|
||||
}
|
||||
if (file.size / 1024 / 1024 > 10) {
|
||||
message.error('大小不能超过 10MB');
|
||||
return false;
|
||||
}
|
||||
loading.value = true;
|
||||
importShopDealerUsers(file)
|
||||
.then((msg) => {
|
||||
loading.value = false;
|
||||
message.success(msg);
|
||||
updateVisible(false);
|
||||
emit('done');
|
||||
})
|
||||
.catch((e) => {
|
||||
loading.value = false;
|
||||
message.error(e.message);
|
||||
});
|
||||
return false;
|
||||
};
|
||||
|
||||
/* 更新 visible */
|
||||
const updateVisible = (value: boolean) => {
|
||||
emit('update:visible', value);
|
||||
};
|
||||
</script>
|
||||
|
||||
<style lang="less" scoped>
|
||||
.import-tips {
|
||||
:deep(.ant-alert-description) {
|
||||
p {
|
||||
margin: 4px 0;
|
||||
font-size: 13px;
|
||||
}
|
||||
}
|
||||
}
|
||||
</style>
|
||||
@@ -7,36 +7,200 @@
|
||||
</template>
|
||||
<span>添加</span>
|
||||
</a-button>
|
||||
<a-button
|
||||
danger
|
||||
type="primary"
|
||||
class="ele-btn-icon"
|
||||
:disabled="selection?.length === 0"
|
||||
@click="removeBatch"
|
||||
>
|
||||
<template #icon>
|
||||
<DeleteOutlined/>
|
||||
</template>
|
||||
<span>批量删除</span>
|
||||
</a-button>
|
||||
<a-input-search
|
||||
allow-clear
|
||||
placeholder="请输入关键词搜索"
|
||||
style="width: 240px"
|
||||
v-model:value="where.keywords"
|
||||
@search="reload"
|
||||
/>
|
||||
<a-button type="text" @click="reset">重置</a-button>
|
||||
<a-button type="text" @click="handleExport">导出xls</a-button>
|
||||
<a-button type="text" @click="openImport">导入xls</a-button>
|
||||
</a-space>
|
||||
|
||||
<!-- 导入弹窗 -->
|
||||
<import v-model:visible="showImport" @done="reload"/>
|
||||
</template>
|
||||
|
||||
<script lang="ts" setup>
|
||||
import { PlusOutlined } from '@ant-design/icons-vue';
|
||||
import type { GradeParam } from '@/api/user/grade/model';
|
||||
import { watch } from 'vue';
|
||||
import {DeleteOutlined, PlusOutlined} from '@ant-design/icons-vue';
|
||||
import {ref} from 'vue';
|
||||
import {message} from 'ant-design-vue';
|
||||
import {utils, writeFile} from 'xlsx';
|
||||
import {listShopDealerUser} from '@/api/shop/shopDealerUser';
|
||||
import type {ShopDealerUser, ShopDealerUserParam} from '@/api/shop/shopDealerUser/model';
|
||||
import useSearch from '@/utils/use-search';
|
||||
import dayjs from 'dayjs';
|
||||
import Import from "./Import.vue";
|
||||
|
||||
const props = withDefaults(
|
||||
defineProps<{
|
||||
// 选中的角色
|
||||
selection?: [];
|
||||
}>(),
|
||||
{}
|
||||
);
|
||||
const props = withDefaults(
|
||||
defineProps<{
|
||||
// 选中的数据
|
||||
selection?: ShopDealerUser[];
|
||||
}>(),
|
||||
{}
|
||||
);
|
||||
|
||||
const emit = defineEmits<{
|
||||
(e: 'search', where?: GradeParam): void;
|
||||
(e: 'add'): void;
|
||||
(e: 'remove'): void;
|
||||
(e: 'batchMove'): void;
|
||||
}>();
|
||||
// 请求状态
|
||||
const loading = ref(false);
|
||||
const dealerUserList = ref<ShopDealerUser[]>([]);
|
||||
// 是否显示导入弹窗
|
||||
const showImport = ref(false);
|
||||
|
||||
// 新增
|
||||
const add = () => {
|
||||
emit('add');
|
||||
};
|
||||
// 表单数据
|
||||
const {where, resetFields} = useSearch<ShopDealerUserParam>({
|
||||
id: undefined,
|
||||
keywords: ''
|
||||
});
|
||||
|
||||
watch(
|
||||
() => props.selection,
|
||||
() => {}
|
||||
);
|
||||
const emit = defineEmits<{
|
||||
(e: 'search', where?: ShopDealerUserParam): void;
|
||||
(e: 'add'): void;
|
||||
(e: 'remove'): void;
|
||||
(e: 'batchMove'): void;
|
||||
}>();
|
||||
|
||||
// 新增
|
||||
const add = () => {
|
||||
emit('add');
|
||||
};
|
||||
|
||||
// 批量删除
|
||||
const removeBatch = () => {
|
||||
emit('remove');
|
||||
};
|
||||
|
||||
// 批量更新
|
||||
const updateBatch = () => {
|
||||
emit('batchMove');
|
||||
}
|
||||
|
||||
/* 打开导入弹窗 */
|
||||
const openImport = () => {
|
||||
showImport.value = true;
|
||||
};
|
||||
|
||||
const reload = () => {
|
||||
emit('search', where);
|
||||
};
|
||||
|
||||
// 导出
|
||||
const handleExport = async () => {
|
||||
if (loading.value) {
|
||||
return;
|
||||
}
|
||||
|
||||
loading.value = true;
|
||||
message.loading('正在准备导出数据...', 0);
|
||||
|
||||
try {
|
||||
const array: (string | number)[][] = [
|
||||
[
|
||||
'用户ID',
|
||||
'姓名',
|
||||
'手机号',
|
||||
'可提现佣金',
|
||||
'冻结佣金',
|
||||
'累计提现',
|
||||
'推荐人ID',
|
||||
'一级成员数',
|
||||
'二级成员数',
|
||||
'三级成员数',
|
||||
'专属二维码',
|
||||
'状态',
|
||||
'创建时间',
|
||||
'更新时间'
|
||||
]
|
||||
];
|
||||
|
||||
// 按搜索结果导出
|
||||
const list = await listShopDealerUser(where);
|
||||
dealerUserList.value = list;
|
||||
|
||||
if (!list || list.length === 0) {
|
||||
message.warning('没有数据可以导出');
|
||||
loading.value = false;
|
||||
return;
|
||||
}
|
||||
|
||||
list.forEach((d: ShopDealerUser) => {
|
||||
array.push([
|
||||
`${d.userId || ''}`,
|
||||
`${d.realName || ''}`,
|
||||
`${d.mobile || ''}`,
|
||||
`${d.money || '0'}`,
|
||||
`${d.freezeMoney || '0'}`,
|
||||
`${d.totalMoney || '0'}`,
|
||||
`${d.refereeId || ''}`,
|
||||
`${d.firstNum || 0}`,
|
||||
`${d.secondNum || 0}`,
|
||||
`${d.thirdNum || 0}`,
|
||||
`${d.qrcode || ''}`,
|
||||
`${d.isDelete === 1 ? '已删除' : '正常'}`,
|
||||
`${d.createTime || ''}`,
|
||||
`${d.updateTime || ''}`
|
||||
]);
|
||||
});
|
||||
|
||||
const sheetName = `导出分销商用户列表${dayjs(new Date()).format('YYYYMMDD')}`;
|
||||
const workbook = {
|
||||
SheetNames: [sheetName],
|
||||
Sheets: {}
|
||||
};
|
||||
const sheet = utils.aoa_to_sheet(array);
|
||||
workbook.Sheets[sheetName] = sheet;
|
||||
|
||||
// 设置列宽
|
||||
sheet['!cols'] = [
|
||||
{wch: 10}, // 用户ID
|
||||
{wch: 15}, // 姓名
|
||||
{wch: 15}, // 手机号
|
||||
{wch: 12}, // 可提现佣金
|
||||
{wch: 12}, // 冻结佣金
|
||||
{wch: 12}, // 累计提现
|
||||
{wch: 10}, // 推荐人ID
|
||||
{wch: 10}, // 一级成员数
|
||||
{wch: 10}, // 二级成员数
|
||||
{wch: 10}, // 三级成员数
|
||||
{wch: 20}, // 专属二维码
|
||||
{wch: 8}, // 状态
|
||||
{wch: 20}, // 创建时间
|
||||
{wch: 20} // 更新时间
|
||||
];
|
||||
|
||||
message.destroy();
|
||||
message.loading('正在生成Excel文件...', 0);
|
||||
|
||||
setTimeout(() => {
|
||||
writeFile(workbook, `${sheetName}.xlsx`);
|
||||
loading.value = false;
|
||||
message.destroy();
|
||||
message.success(`成功导出 ${list.length} 条记录`);
|
||||
}, 1000);
|
||||
|
||||
} catch (error: any) {
|
||||
loading.value = false;
|
||||
message.destroy();
|
||||
message.error(error.message || '导出失败,请重试');
|
||||
}
|
||||
};
|
||||
|
||||
/* 重置 */
|
||||
const reset = () => {
|
||||
resetFields();
|
||||
reload();
|
||||
};
|
||||
</script>
|
||||
|
||||
@@ -3,12 +3,13 @@
|
||||
<a-card :bordered="false" :body-style="{ padding: '16px' }">
|
||||
<ele-pro-table
|
||||
ref="tableRef"
|
||||
row-key="shopDealerUserId"
|
||||
row-key="id"
|
||||
:columns="columns"
|
||||
:datasource="datasource"
|
||||
:customRow="customRow"
|
||||
tool-class="ele-toolbar-form"
|
||||
class="sys-org-table"
|
||||
v-model:selection="selection"
|
||||
>
|
||||
<template #toolbar>
|
||||
<search
|
||||
@@ -126,7 +127,7 @@ const columns = ref<ColumnItem[]>([
|
||||
width: 200,
|
||||
fixed: 'left',
|
||||
customRender: ({record}) => {
|
||||
return `${record.realName || '-'} (${record.mobile || '-'})`;
|
||||
return `${record.realName || ''} (${record.mobile || ''})`;
|
||||
}
|
||||
},
|
||||
{
|
||||
|
||||
39
src/views/shop/shopUser/components/org-select.vue
Normal file
39
src/views/shop/shopUser/components/org-select.vue
Normal file
@@ -0,0 +1,39 @@
|
||||
<!-- 机构选择下拉框 -->
|
||||
<template>
|
||||
<a-tree-select
|
||||
allow-clear
|
||||
tree-default-expand-all
|
||||
:placeholder="placeholder"
|
||||
:value="value || undefined"
|
||||
:tree-data="data"
|
||||
:dropdown-style="{ maxHeight: '360px', overflow: 'auto' }"
|
||||
@update:value="updateValue"
|
||||
/>
|
||||
</template>
|
||||
|
||||
<script lang="ts" setup>
|
||||
import type { Organization } from '@/api/system/organization/model';
|
||||
|
||||
const emit = defineEmits<{
|
||||
(e: 'update:value', value?: number): void;
|
||||
}>();
|
||||
|
||||
withDefaults(
|
||||
defineProps<{
|
||||
// 选中的数据(v-modal)
|
||||
value?: number;
|
||||
// 提示信息
|
||||
placeholder?: string;
|
||||
// 机构数据
|
||||
data: Organization[];
|
||||
}>(),
|
||||
{
|
||||
placeholder: '请选择角色'
|
||||
}
|
||||
);
|
||||
|
||||
/* 更新选中数据 */
|
||||
const updateValue = (value?: number) => {
|
||||
emit('update:value', value);
|
||||
};
|
||||
</script>
|
||||
42
src/views/shop/shopUser/components/search.vue
Normal file
42
src/views/shop/shopUser/components/search.vue
Normal file
@@ -0,0 +1,42 @@
|
||||
<!-- 搜索表单 -->
|
||||
<template>
|
||||
<a-space :size="10" style="flex-wrap: wrap">
|
||||
<a-button type="primary" class="ele-btn-icon" @click="add">
|
||||
<template #icon>
|
||||
<PlusOutlined />
|
||||
</template>
|
||||
<span>添加</span>
|
||||
</a-button>
|
||||
</a-space>
|
||||
</template>
|
||||
|
||||
<script lang="ts" setup>
|
||||
import { PlusOutlined } from '@ant-design/icons-vue';
|
||||
import type { GradeParam } from '@/api/user/grade/model';
|
||||
import { watch } from 'vue';
|
||||
|
||||
const props = withDefaults(
|
||||
defineProps<{
|
||||
// 选中的角色
|
||||
selection?: [];
|
||||
}>(),
|
||||
{}
|
||||
);
|
||||
|
||||
const emit = defineEmits<{
|
||||
(e: 'search', where?: GradeParam): void;
|
||||
(e: 'add'): void;
|
||||
(e: 'remove'): void;
|
||||
(e: 'batchMove'): void;
|
||||
}>();
|
||||
|
||||
// 新增
|
||||
const add = () => {
|
||||
emit('add');
|
||||
};
|
||||
|
||||
watch(
|
||||
() => props.selection,
|
||||
() => {}
|
||||
);
|
||||
</script>
|
||||
278
src/views/shop/shopUser/components/user-edit.vue
Normal file
278
src/views/shop/shopUser/components/user-edit.vue
Normal file
@@ -0,0 +1,278 @@
|
||||
<!-- 管理员编辑弹窗 -->
|
||||
<template>
|
||||
<ele-modal
|
||||
:width="500"
|
||||
:visible="visible"
|
||||
:confirm-loading="loading"
|
||||
:title="isUpdate ? '编辑客户' : '添加客户'"
|
||||
:body-style="{ paddingBottom: '8px' }"
|
||||
@update:visible="updateVisible"
|
||||
@ok="save"
|
||||
>
|
||||
<a-form
|
||||
ref="formRef"
|
||||
:model="form"
|
||||
:rules="rules"
|
||||
:label-col="styleResponsive ? { md: 5, sm: 4, xs: 24 } : { flex: '90px' }"
|
||||
:wrapper-col="
|
||||
styleResponsive ? { md: 17, sm: 20, xs: 24 } : { flex: '1' }
|
||||
"
|
||||
>
|
||||
<a-form-item label="姓名" name="realName">
|
||||
<a-input
|
||||
allow-clear
|
||||
:maxlength="20"
|
||||
placeholder="请输入真实姓名"
|
||||
v-model:value="form.realName"
|
||||
/>
|
||||
</a-form-item>
|
||||
<a-form-item label="手机号" name="phone">
|
||||
<a-input
|
||||
allow-clear
|
||||
:maxlength="11"
|
||||
:disabled="isUpdate"
|
||||
placeholder="请输入手机号"
|
||||
v-model:value="form.phone"
|
||||
/>
|
||||
</a-form-item>
|
||||
<a-form-item label="邮箱" name="email">
|
||||
<a-input
|
||||
allow-clear
|
||||
:maxlength="100"
|
||||
placeholder="请输入邮箱"
|
||||
v-model:value="form.email"
|
||||
/>
|
||||
</a-form-item>
|
||||
<a-form-item label="所属机构" name="type">
|
||||
<org-select
|
||||
:data="organizationList"
|
||||
placeholder="请选择所属机构"
|
||||
v-model:value="form.organizationId"
|
||||
/>
|
||||
</a-form-item>
|
||||
</a-form>
|
||||
</ele-modal>
|
||||
</template>
|
||||
|
||||
<script lang="ts" setup>
|
||||
import { ref, reactive, watch } from 'vue';
|
||||
import { message } from 'ant-design-vue/es';
|
||||
import type { FormInstance, Rule } from 'ant-design-vue/es/form';
|
||||
import { emailReg, phoneReg } from 'ele-admin-pro/es';
|
||||
import { storeToRefs } from 'pinia';
|
||||
import { useThemeStore } from '@/store/modules/theme';
|
||||
import useFormData from '@/utils/use-form-data';
|
||||
import { addUser, updateUser, checkExistence } from '@/api/system/user';
|
||||
import type { User } from '@/api/system/user/model';
|
||||
import OrgSelect from './org-select.vue';
|
||||
import { Organization } from '@/api/system/organization/model';
|
||||
import { Grade } from '@/api/user/grade/model';
|
||||
import {TEMPLATE_ID} from "@/config/setting";
|
||||
|
||||
// 是否开启响应式布局
|
||||
const themeStore = useThemeStore();
|
||||
const { styleResponsive } = storeToRefs(themeStore);
|
||||
// 获取字典数据
|
||||
// const userTypeData = getDictionaryOptions('userType');
|
||||
const emit = defineEmits<{
|
||||
(e: 'done'): void;
|
||||
(e: 'update:visible', visible: boolean): void;
|
||||
}>();
|
||||
|
||||
const props = defineProps<{
|
||||
// 弹窗是否打开
|
||||
visible: boolean;
|
||||
// 修改回显的数据
|
||||
data?: User | null;
|
||||
// 全部机构
|
||||
organizationList: Organization[];
|
||||
}>();
|
||||
|
||||
//
|
||||
const formRef = ref<FormInstance | null>(null);
|
||||
|
||||
// 是否是修改
|
||||
const isUpdate = ref(false);
|
||||
|
||||
// 提交状态
|
||||
const loading = ref(false);
|
||||
|
||||
// 表单数据
|
||||
const { form, resetFields, assignFields } = useFormData<User>({
|
||||
type: undefined,
|
||||
userId: undefined,
|
||||
username: '',
|
||||
nickname: '',
|
||||
realName: '',
|
||||
companyName: '',
|
||||
sex: undefined,
|
||||
sexName: undefined,
|
||||
roles: [],
|
||||
email: '',
|
||||
phone: '',
|
||||
mobile: '',
|
||||
password: '',
|
||||
introduction: '',
|
||||
organizationId: undefined,
|
||||
birthday: '',
|
||||
idCard: '',
|
||||
comments: '',
|
||||
gradeName: '',
|
||||
isAdmin: true,
|
||||
gradeId: undefined,
|
||||
templateId: TEMPLATE_ID
|
||||
});
|
||||
|
||||
// 表单验证规则
|
||||
const rules = reactive<Record<string, Rule[]>>({
|
||||
username: [
|
||||
{
|
||||
required: true,
|
||||
type: 'string',
|
||||
validator: (_rule: Rule, value: string) => {
|
||||
return new Promise<void>((resolve, reject) => {
|
||||
if (!value) {
|
||||
return reject('请输入管理员账号');
|
||||
}
|
||||
checkExistence('username', value, props.data?.userId)
|
||||
.then(() => {
|
||||
reject('账号已经存在');
|
||||
})
|
||||
.catch(() => {
|
||||
resolve();
|
||||
});
|
||||
});
|
||||
},
|
||||
trigger: 'blur'
|
||||
}
|
||||
],
|
||||
nickname: [
|
||||
{
|
||||
required: true,
|
||||
message: '请输入昵称',
|
||||
type: 'string',
|
||||
trigger: 'blur'
|
||||
}
|
||||
],
|
||||
realName: [
|
||||
{
|
||||
required: true,
|
||||
message: '请输入真实姓名',
|
||||
type: 'string',
|
||||
trigger: 'blur'
|
||||
}
|
||||
],
|
||||
// sex: [
|
||||
// {
|
||||
// required: true,
|
||||
// message: '请选择性别',
|
||||
// type: 'string',
|
||||
// trigger: 'blur'
|
||||
// }
|
||||
// ],
|
||||
roles: [
|
||||
{
|
||||
required: true,
|
||||
message: '请选择角色',
|
||||
type: 'array',
|
||||
trigger: 'blur'
|
||||
}
|
||||
],
|
||||
email: [
|
||||
{
|
||||
pattern: emailReg,
|
||||
message: '邮箱格式不正确',
|
||||
type: 'string',
|
||||
trigger: 'blur'
|
||||
}
|
||||
],
|
||||
password: [
|
||||
{
|
||||
required: true,
|
||||
type: 'string',
|
||||
validator: async (_rule: Rule, value: string) => {
|
||||
if (isUpdate.value || /^[\S]{5,18}$/.test(value)) {
|
||||
return Promise.resolve();
|
||||
}
|
||||
return Promise.reject('密码必须为5-18位非空白字符');
|
||||
},
|
||||
trigger: 'blur'
|
||||
}
|
||||
],
|
||||
phone: [
|
||||
{
|
||||
required: true,
|
||||
pattern: phoneReg,
|
||||
message: '手机号格式不正确',
|
||||
type: 'string',
|
||||
trigger: 'blur'
|
||||
}
|
||||
]
|
||||
});
|
||||
|
||||
const chooseGradeId = (data: Grade) => {
|
||||
form.gradeName = data.name;
|
||||
form.gradeId = data.gradeId;
|
||||
};
|
||||
|
||||
const chooseSex = (data: any) => {
|
||||
form.sex = data.key;
|
||||
form.sexName = data.label;
|
||||
};
|
||||
|
||||
const updateIsAdmin = (value: boolean) => {
|
||||
form.isAdmin = value;
|
||||
};
|
||||
|
||||
/* 保存编辑 */
|
||||
const save = () => {
|
||||
if (!formRef.value) {
|
||||
return;
|
||||
}
|
||||
formRef.value
|
||||
.validate()
|
||||
.then(() => {
|
||||
loading.value = true;
|
||||
const saveOrUpdate = isUpdate.value ? updateUser : addUser;
|
||||
form.username = form.phone;
|
||||
form.nickname = form.realName;
|
||||
saveOrUpdate(form)
|
||||
.then((msg) => {
|
||||
loading.value = false;
|
||||
message.success(msg);
|
||||
updateVisible(false);
|
||||
emit('done');
|
||||
})
|
||||
.catch((e) => {
|
||||
loading.value = false;
|
||||
message.error(e.message);
|
||||
});
|
||||
})
|
||||
.catch(() => {});
|
||||
};
|
||||
|
||||
/* 更新visible */
|
||||
const updateVisible = (value: boolean) => {
|
||||
emit('update:visible', value);
|
||||
};
|
||||
|
||||
watch(
|
||||
() => props.visible,
|
||||
(visible) => {
|
||||
if (visible) {
|
||||
if (props.data) {
|
||||
assignFields({
|
||||
...props.data,
|
||||
password: ''
|
||||
});
|
||||
isUpdate.value = true;
|
||||
} else {
|
||||
isUpdate.value = false;
|
||||
}
|
||||
} else {
|
||||
resetFields();
|
||||
formRef.value?.clearValidate();
|
||||
}
|
||||
}
|
||||
);
|
||||
</script>
|
||||
88
src/views/shop/shopUser/components/user-import.vue
Normal file
88
src/views/shop/shopUser/components/user-import.vue
Normal file
@@ -0,0 +1,88 @@
|
||||
<!-- 用户导入弹窗 -->
|
||||
<template>
|
||||
<ele-modal
|
||||
:width="520"
|
||||
:footer="null"
|
||||
title="用户批量导入"
|
||||
:visible="visible"
|
||||
@update:visible="updateVisible"
|
||||
>
|
||||
<a-spin :spinning="loading">
|
||||
<a-upload-dragger
|
||||
accept=".xls,.xlsx"
|
||||
:show-upload-list="false"
|
||||
:customRequest="doUpload"
|
||||
style="padding: 24px 0; margin-bottom: 16px"
|
||||
>
|
||||
<p class="ant-upload-drag-icon">
|
||||
<cloud-upload-outlined />
|
||||
</p>
|
||||
<p class="ant-upload-hint">将文件拖到此处,或点击上传</p>
|
||||
</a-upload-dragger>
|
||||
</a-spin>
|
||||
<div class="ele-text-center">
|
||||
<span>只能上传xls、xlsx文件,</span>
|
||||
<a
|
||||
href="https://server.websoft.top/api/system/user/import/template"
|
||||
download="用户导入模板.xlsx"
|
||||
>
|
||||
下载导入模板
|
||||
</a>
|
||||
</div>
|
||||
</ele-modal>
|
||||
</template>
|
||||
|
||||
<script lang="ts" setup>
|
||||
import { ref } from 'vue';
|
||||
import { message } from 'ant-design-vue/es';
|
||||
import { CloudUploadOutlined } from '@ant-design/icons-vue';
|
||||
import { importUsers } from '@/api/system/user';
|
||||
|
||||
const emit = defineEmits<{
|
||||
(e: 'done'): void;
|
||||
(e: 'update:visible', visible: boolean): void;
|
||||
}>();
|
||||
|
||||
defineProps<{
|
||||
// 是否打开弹窗
|
||||
visible: boolean;
|
||||
}>();
|
||||
|
||||
// 导入请求状态
|
||||
const loading = ref(false);
|
||||
|
||||
/* 上传 */
|
||||
const doUpload = ({ file }) => {
|
||||
if (
|
||||
![
|
||||
'application/vnd.ms-excel',
|
||||
'application/vnd.openxmlformats-officedocument.spreadsheetml.sheet'
|
||||
].includes(file.type)
|
||||
) {
|
||||
message.error('只能选择 excel 文件');
|
||||
return false;
|
||||
}
|
||||
if (file.size / 1024 / 1024 > 10) {
|
||||
message.error('大小不能超过 10MB');
|
||||
return false;
|
||||
}
|
||||
loading.value = true;
|
||||
importUsers(file)
|
||||
.then((msg) => {
|
||||
loading.value = false;
|
||||
message.success(msg);
|
||||
updateVisible(false);
|
||||
emit('done');
|
||||
})
|
||||
.catch((e) => {
|
||||
loading.value = false;
|
||||
message.error(e.message);
|
||||
});
|
||||
return false;
|
||||
};
|
||||
|
||||
/* 更新 visible */
|
||||
const updateVisible = (value: boolean) => {
|
||||
emit('update:visible', value);
|
||||
};
|
||||
</script>
|
||||
611
src/views/shop/shopUser/index.vue
Normal file
611
src/views/shop/shopUser/index.vue
Normal file
@@ -0,0 +1,611 @@
|
||||
<template>
|
||||
<a-page-header :title="getPageTitle()" @back="() => $router.go(-1)">
|
||||
<a-card :bordered="false">
|
||||
<!-- 表格 -->
|
||||
<ele-pro-table
|
||||
ref="tableRef"
|
||||
row-key="userId"
|
||||
:columns="columns"
|
||||
:datasource="datasource"
|
||||
class="sys-org-table"
|
||||
:scroll="{ x: 1300 }"
|
||||
:where="defaultWhere"
|
||||
:customRow="customRow"
|
||||
cache-key="proSystemUserTable"
|
||||
>
|
||||
<template #toolbar>
|
||||
<a-space>
|
||||
<a-button type="primary" class="ele-btn-icon" @click="openEdit()">
|
||||
<template #icon>
|
||||
<plus-outlined/>
|
||||
</template>
|
||||
<span>添加</span>
|
||||
</a-button>
|
||||
<a-button class="ele-btn-icon" @click="openImport()">
|
||||
<template #icon>
|
||||
<cloud-upload-outlined/>
|
||||
</template>
|
||||
<span>导入</span>
|
||||
</a-button>
|
||||
<a-button class="ele-btn-icon" @click="exportData()" :loading="exportLoading">
|
||||
<template #icon>
|
||||
<download-outlined/>
|
||||
</template>
|
||||
<span>导出</span>
|
||||
</a-button>
|
||||
<a-input-search
|
||||
allow-clear
|
||||
v-model:value="searchText"
|
||||
placeholder="请输入关键词"
|
||||
@search="reload"
|
||||
@pressEnter="reload"
|
||||
/>
|
||||
</a-space>
|
||||
</template>
|
||||
<template #bodyCell="{ column, record }">
|
||||
<template v-if="column.key === 'avatar'">
|
||||
<a-avatar
|
||||
:size="30"
|
||||
:src="`${record.avatar}`"
|
||||
style="margin-right: 4px"
|
||||
>
|
||||
<template #icon>
|
||||
<UserOutlined/>
|
||||
</template>
|
||||
</a-avatar>
|
||||
</template>
|
||||
<template v-if="column.key === 'nickname'">
|
||||
<div>{{ record.nickname }}</div>
|
||||
<div class="text-gray-400">{{ record.realName }}</div>
|
||||
</template>
|
||||
<template v-if="column.key === 'mobile'">
|
||||
<span v-if="hasRole('superAdmin')">{{ record.phone }}</span>
|
||||
<span v-else>{{ record.mobile }}</span>
|
||||
</template>
|
||||
<template v-if="column.key === 'roles'">
|
||||
<a-tag v-for="item in record.roles" :key="item.roleId" color="blue">
|
||||
{{ item.roleName }}
|
||||
</a-tag>
|
||||
</template>
|
||||
<template v-if="column.key === 'platform'">
|
||||
<WechatOutlined v-if="record.platform === 'MP-WEIXIN'"/>
|
||||
<Html5Outlined v-if="record.platform === 'H5'"/>
|
||||
<ChromeOutlined v-if="record.platform === 'WEB'"/>
|
||||
</template>
|
||||
<template v-if="column.key === 'balance'">
|
||||
<span class="ele-text-success">
|
||||
¥{{ formatNumber(record.balance) }}
|
||||
</span>
|
||||
</template>
|
||||
<template v-if="column.key === 'expendMoney'">
|
||||
<span class="ele-text-warning">
|
||||
¥{{ formatNumber(record.expendMoney) }}
|
||||
</span>
|
||||
</template>
|
||||
<template v-if="column.key === 'isAdmin'">
|
||||
<a-switch
|
||||
:checked="record.isAdmin == 1"
|
||||
@change="updateIsAdmin(record)"
|
||||
/>
|
||||
</template>
|
||||
<template v-if="column.key === 'action'">
|
||||
<div>
|
||||
<a @click="openEdit(record)">修改</a>
|
||||
<a-divider type="vertical"/>
|
||||
<a-popconfirm
|
||||
placement="topRight"
|
||||
title="确定要删除此用户吗?"
|
||||
@confirm="remove(record)"
|
||||
>
|
||||
<a class="ele-text-danger">删除</a>
|
||||
</a-popconfirm>
|
||||
</div>
|
||||
</template>
|
||||
</template>
|
||||
</ele-pro-table>
|
||||
</a-card>
|
||||
<!-- 编辑弹窗 -->
|
||||
<user-edit
|
||||
v-model:visible="showEdit"
|
||||
:data="current"
|
||||
:organization-list="data"
|
||||
@done="reload"
|
||||
/>
|
||||
<!-- 导入弹窗 -->
|
||||
<user-import v-model:visible="showImport" @done="reload"/>
|
||||
|
||||
</a-page-header>
|
||||
</template>
|
||||
|
||||
<script lang="ts" setup>
|
||||
import {createVNode, ref, reactive, watch} from 'vue';
|
||||
import {message, Modal} from 'ant-design-vue/es';
|
||||
import {
|
||||
PlusOutlined,
|
||||
UserOutlined,
|
||||
Html5Outlined,
|
||||
ChromeOutlined,
|
||||
WechatOutlined,
|
||||
CloudUploadOutlined,
|
||||
DownloadOutlined,
|
||||
ExclamationCircleOutlined
|
||||
} from '@ant-design/icons-vue';
|
||||
import type {EleProTable} from 'ele-admin-pro/es';
|
||||
import type {
|
||||
DatasourceFunction,
|
||||
ColumnItem
|
||||
} from 'ele-admin-pro/es/ele-pro-table/types';
|
||||
import {messageLoading, formatNumber} from 'ele-admin-pro/es';
|
||||
import UserEdit from './components/user-edit.vue';
|
||||
import UserImport from './components/user-import.vue';
|
||||
import {toDateString} from 'ele-admin-pro';
|
||||
import { utils, writeFile } from 'xlsx';
|
||||
import dayjs from 'dayjs';
|
||||
import {
|
||||
pageUsers,
|
||||
removeUser,
|
||||
removeUsers,
|
||||
updateUserPassword,
|
||||
updateUser,
|
||||
listUsers
|
||||
} from '@/api/system/user';
|
||||
import type {User, UserParam} from '@/api/system/user/model';
|
||||
import {toTreeData, uuid} from 'ele-admin-pro';
|
||||
import {listRoles} from '@/api/system/role';
|
||||
import {listOrganizations} from '@/api/system/organization';
|
||||
import {Organization} from '@/api/system/organization/model';
|
||||
import {hasRole} from '@/utils/permission';
|
||||
import {getPageTitle} from "@/utils/common";
|
||||
import router from "@/router";
|
||||
|
||||
// 加载状态
|
||||
const loading = ref(true);
|
||||
// 树形数据
|
||||
const data = ref<Organization[]>([]);
|
||||
// 树展开的key
|
||||
const expandedRowKeys = ref<number[]>([]);
|
||||
// 树选中的key
|
||||
const selectedRowKeys = ref<number[]>([]);
|
||||
// 表格选中数据
|
||||
const selection = ref<User[]>([]);
|
||||
// 当前编辑数据
|
||||
const current = ref<User | null>(null);
|
||||
// 是否显示编辑弹窗
|
||||
const showEdit = ref(false);
|
||||
// 是否显示用户详情
|
||||
const showInfo = ref(false);
|
||||
// 是否显示用户导入弹窗
|
||||
const showImport = ref(false);
|
||||
// 导出加载状态
|
||||
const exportLoading = ref(false);
|
||||
const userType = ref<number>();
|
||||
const searchText = ref('');
|
||||
|
||||
// 加载角色
|
||||
const roles = ref<any[]>([]);
|
||||
// 加载机构
|
||||
listOrganizations()
|
||||
.then((list) => {
|
||||
loading.value = false;
|
||||
const eks: number[] = [];
|
||||
list.forEach((d) => {
|
||||
d.key = d.organizationId;
|
||||
d.value = d.organizationId;
|
||||
d.title = d.organizationName;
|
||||
if (typeof d.key === 'number') {
|
||||
eks.push(d.key);
|
||||
}
|
||||
});
|
||||
expandedRowKeys.value = eks;
|
||||
data.value = toTreeData({
|
||||
data: list,
|
||||
idField: 'organizationId',
|
||||
parentIdField: 'parentId'
|
||||
});
|
||||
if (list.length) {
|
||||
if (typeof list[0].key === 'number') {
|
||||
selectedRowKeys.value = [list[0].key];
|
||||
}
|
||||
// current.value = list[0];
|
||||
} else {
|
||||
selectedRowKeys.value = [];
|
||||
// current.value = null;
|
||||
}
|
||||
})
|
||||
.catch((e) => {
|
||||
loading.value = false;
|
||||
message.error(e.message);
|
||||
});
|
||||
|
||||
// 表格实例
|
||||
const tableRef = ref<InstanceType<typeof EleProTable> | null>(null);
|
||||
// 表格列配置
|
||||
const columns = ref<ColumnItem[]>([
|
||||
{
|
||||
title: 'ID',
|
||||
dataIndex: 'userId',
|
||||
width: 90,
|
||||
showSorterTooltip: false
|
||||
},
|
||||
{
|
||||
title: '用户名',
|
||||
dataIndex: 'username',
|
||||
align: 'center'
|
||||
},
|
||||
{
|
||||
title: '昵称/姓名',
|
||||
dataIndex: 'nickname',
|
||||
key: 'nickname',
|
||||
align: 'center',
|
||||
showSorterTooltip: false
|
||||
},
|
||||
{
|
||||
title: '手机号码',
|
||||
dataIndex: 'mobile',
|
||||
align: 'center',
|
||||
showSorterTooltip: false
|
||||
},
|
||||
{
|
||||
title: '积分',
|
||||
dataIndex: 'points',
|
||||
align: 'center',
|
||||
width: 100
|
||||
},
|
||||
{
|
||||
title: '余额',
|
||||
dataIndex: 'balance',
|
||||
align: 'center',
|
||||
width: 100
|
||||
},
|
||||
{
|
||||
title: '角色',
|
||||
dataIndex: 'roles',
|
||||
key: 'roles',
|
||||
align: 'center'
|
||||
},
|
||||
{
|
||||
title: '备注',
|
||||
dataIndex: 'comments',
|
||||
align: 'center'
|
||||
},
|
||||
{
|
||||
title: '状态',
|
||||
dataIndex: 'status',
|
||||
align: 'center',
|
||||
sorter: true,
|
||||
customRender: ({text}) => {
|
||||
return text === 1
|
||||
? createVNode(
|
||||
'span',
|
||||
{
|
||||
class: 'text-red-400'
|
||||
},
|
||||
'封号'
|
||||
)
|
||||
: createVNode(
|
||||
'span',
|
||||
{
|
||||
class: 'text-gray-400'
|
||||
},
|
||||
'正常'
|
||||
);
|
||||
}
|
||||
},
|
||||
{
|
||||
title: '创建时间',
|
||||
dataIndex: 'createTime',
|
||||
sorter: true,
|
||||
align: 'center',
|
||||
showSorterTooltip: false,
|
||||
ellipsis: true,
|
||||
customRender: ({text}) => toDateString(text, 'yyyy-MM-dd HH:mm:ss')
|
||||
},
|
||||
{
|
||||
title: '操作',
|
||||
key: 'action',
|
||||
width: 180,
|
||||
fixed: 'right',
|
||||
align: 'center'
|
||||
}
|
||||
]);
|
||||
|
||||
// 默认搜索条件
|
||||
const defaultWhere = reactive({
|
||||
username: '',
|
||||
nickname: ''
|
||||
});
|
||||
|
||||
// 表格数据源
|
||||
const datasource: DatasourceFunction = ({
|
||||
page,
|
||||
limit,
|
||||
where,
|
||||
orders,
|
||||
filters
|
||||
}) => {
|
||||
where = {};
|
||||
where.roleId = filters.roles;
|
||||
where.keywords = searchText.value;
|
||||
where.isAdmin = 0;
|
||||
return pageUsers({page, limit, ...where, ...orders});
|
||||
};
|
||||
|
||||
/* 搜索 */
|
||||
const reload = (where?: UserParam) => {
|
||||
selection.value = [];
|
||||
tableRef?.value?.reload({where});
|
||||
};
|
||||
|
||||
/* 打开编辑弹窗 */
|
||||
const openEdit = (row?: User) => {
|
||||
current.value = row ?? null;
|
||||
showEdit.value = true;
|
||||
};
|
||||
|
||||
/* 打开用户详情弹窗 */
|
||||
const openInfo = (row?: User) => {
|
||||
current.value = row ?? null;
|
||||
showInfo.value = true;
|
||||
};
|
||||
|
||||
/* 打开编辑弹窗 */
|
||||
const openImport = () => {
|
||||
showImport.value = true;
|
||||
};
|
||||
|
||||
/* 导出数据 */
|
||||
const exportData = async () => {
|
||||
exportLoading.value = true;
|
||||
|
||||
try {
|
||||
// 定义表头
|
||||
const array: (string | number)[][] = [
|
||||
[
|
||||
'用户ID',
|
||||
'账号',
|
||||
'昵称',
|
||||
'真实姓名',
|
||||
'手机号',
|
||||
'邮箱',
|
||||
'性别',
|
||||
'所属部门',
|
||||
'角色',
|
||||
'状态',
|
||||
'注册时间'
|
||||
]
|
||||
];
|
||||
|
||||
// 构建查询参数,使用当前搜索条件
|
||||
const params = {
|
||||
keywords: searchText.value,
|
||||
isAdmin: 0
|
||||
};
|
||||
|
||||
// 获取用户列表数据
|
||||
const list = await listUsers(params);
|
||||
|
||||
if (!list || list.length === 0) {
|
||||
message.warning('没有数据可以导出');
|
||||
exportLoading.value = false;
|
||||
return;
|
||||
}
|
||||
|
||||
// 将数据转换为Excel行
|
||||
list.forEach((user: User) => {
|
||||
array.push([
|
||||
`${user.userId || ''}`,
|
||||
`${user.username || ''}`,
|
||||
`${user.nickname || ''}`,
|
||||
`${user.realName || ''}`,
|
||||
`${user.phone || ''}`,
|
||||
`${user.email || ''}`,
|
||||
`${user.sexName || ''}`,
|
||||
`${user.organizationName || ''}`,
|
||||
`${user.roles?.map(r => r.roleName).join(',') || ''}`,
|
||||
`${user.status === 0 ? '正常' : '冻结'}`,
|
||||
`${user.createTime || ''}`
|
||||
]);
|
||||
});
|
||||
|
||||
// 生成Excel文件
|
||||
const sheetName = `导出用户列表${dayjs(new Date()).format('YYYYMMDD')}`;
|
||||
const workbook = {
|
||||
SheetNames: [sheetName],
|
||||
Sheets: {}
|
||||
};
|
||||
const sheet = utils.aoa_to_sheet(array);
|
||||
workbook.Sheets[sheetName] = sheet;
|
||||
|
||||
// 设置列宽
|
||||
sheet['!cols'] = [
|
||||
{ wch: 10 }, // 用户ID
|
||||
{ wch: 15 }, // 账号
|
||||
{ wch: 12 }, // 昵称
|
||||
{ wch: 12 }, // 真实姓名
|
||||
{ wch: 15 }, // 手机号
|
||||
{ wch: 20 }, // 邮箱
|
||||
{ wch: 8 }, // 性别
|
||||
{ wch: 15 }, // 所属部门
|
||||
{ wch: 20 }, // 角色
|
||||
{ wch: 8 }, // 状态
|
||||
{ wch: 20 } // 注册时间
|
||||
];
|
||||
|
||||
message.loading('正在生成Excel文件...', 0);
|
||||
|
||||
setTimeout(() => {
|
||||
writeFile(workbook, `${sheetName}.xlsx`);
|
||||
exportLoading.value = false;
|
||||
message.destroy();
|
||||
message.success(`成功导出 ${list.length} 条记录`);
|
||||
}, 1000);
|
||||
|
||||
} catch (error: any) {
|
||||
exportLoading.value = false;
|
||||
message.error(error.message || '导出失败');
|
||||
}
|
||||
};
|
||||
|
||||
const handleTabs = (e) => {
|
||||
userType.value = Number(e.target.value);
|
||||
reload();
|
||||
};
|
||||
|
||||
/* 删除单个 */
|
||||
const remove = (row: User) => {
|
||||
const hide = messageLoading('请求中..', 0);
|
||||
removeUser(row.userId)
|
||||
.then((msg) => {
|
||||
hide();
|
||||
message.success(msg);
|
||||
reload();
|
||||
})
|
||||
.catch((e) => {
|
||||
hide();
|
||||
message.error(e.message);
|
||||
});
|
||||
};
|
||||
|
||||
/* 批量删除 */
|
||||
const removeBatch = () => {
|
||||
if (!selection.value.length) {
|
||||
message.error('请至少选择一条数据');
|
||||
return;
|
||||
}
|
||||
Modal.confirm({
|
||||
title: '提示',
|
||||
content: '确定要删除选中的用户吗?',
|
||||
icon: createVNode(ExclamationCircleOutlined),
|
||||
maskClosable: true,
|
||||
onOk: () => {
|
||||
const hide = messageLoading('请求中..', 0);
|
||||
removeUsers(selection.value.map((d) => d.userId))
|
||||
.then((msg) => {
|
||||
hide();
|
||||
message.success(msg);
|
||||
reload();
|
||||
})
|
||||
.catch((e) => {
|
||||
hide();
|
||||
message.error(e.message);
|
||||
});
|
||||
}
|
||||
});
|
||||
};
|
||||
|
||||
/* 重置用户密码 */
|
||||
const resetPsw = (row: User) => {
|
||||
Modal.confirm({
|
||||
title: '提示',
|
||||
content: '确定要重置此用户的密码吗?',
|
||||
icon: createVNode(ExclamationCircleOutlined),
|
||||
maskClosable: true,
|
||||
onOk: () => {
|
||||
const hide = message.loading('请求中..', 0);
|
||||
const password = uuid(8);
|
||||
updateUserPassword(row.userId, password)
|
||||
.then((msg) => {
|
||||
hide();
|
||||
message.success(msg + ',新密码:' + password);
|
||||
})
|
||||
.catch((e) => {
|
||||
hide();
|
||||
message.error(e.message);
|
||||
});
|
||||
}
|
||||
});
|
||||
};
|
||||
|
||||
/* 修改用户状态 */
|
||||
const updateIsAdmin = (row: User) => {
|
||||
row.isAdmin = !row.isAdmin;
|
||||
updateUser(row)
|
||||
.then((msg) => {
|
||||
message.success(msg);
|
||||
})
|
||||
.catch((e) => {
|
||||
message.error(e.message);
|
||||
});
|
||||
};
|
||||
|
||||
/* 自定义行属性 */
|
||||
const customRow = (record: User) => {
|
||||
return {
|
||||
// 行点击事件
|
||||
onClick: () => {
|
||||
// console.log(record);
|
||||
},
|
||||
// 行双击事件
|
||||
onDblclick: () => {
|
||||
openEdit(record);
|
||||
}
|
||||
};
|
||||
};
|
||||
|
||||
const query = async () => {
|
||||
const info = await listRoles({})
|
||||
if (info) {
|
||||
roles.value = info
|
||||
}
|
||||
}
|
||||
|
||||
watch(
|
||||
() => router.currentRoute.value.query,
|
||||
() => {
|
||||
query();
|
||||
},
|
||||
{immediate: true}
|
||||
);
|
||||
</script>
|
||||
|
||||
<script lang="ts">
|
||||
export default {
|
||||
name: 'SystemAdmin'
|
||||
};
|
||||
</script>
|
||||
|
||||
|
||||
<style lang="less" scoped>
|
||||
.sys-org-table {
|
||||
:deep(.ant-table) {
|
||||
.ant-table-thead > tr > th {
|
||||
background: #fafafa;
|
||||
font-weight: 600;
|
||||
color: #262626;
|
||||
border-bottom: 2px solid #f0f0f0;
|
||||
}
|
||||
|
||||
.ant-table-tbody > tr > td {
|
||||
padding: 12px 8px;
|
||||
border-bottom: 1px solid #f5f5f5;
|
||||
}
|
||||
|
||||
.ant-table-tbody > tr:hover > td {
|
||||
background: #f8f9ff;
|
||||
}
|
||||
|
||||
.ant-tag {
|
||||
margin: 0;
|
||||
border-radius: 4px;
|
||||
font-size: 12px;
|
||||
padding: 2px 8px;
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
.ele-text-primary {
|
||||
color: #1890ff;
|
||||
|
||||
&:hover {
|
||||
color: #40a9ff;
|
||||
}
|
||||
}
|
||||
|
||||
.ele-text-danger {
|
||||
color: #ff4d4f;
|
||||
|
||||
&:hover {
|
||||
color: #ff7875;
|
||||
}
|
||||
}
|
||||
</style>
|
||||
Reference in New Issue
Block a user