repo
stringclasses
1k values
file_url
stringlengths
96
373
file_path
stringlengths
11
294
content
stringlengths
0
32.8k
language
stringclasses
1 value
license
stringclasses
6 values
commit_sha
stringclasses
1k values
retrieved_at
stringdate
2026-01-04 14:45:56
2026-01-04 18:30:23
truncated
bool
2 classes
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/util/security/entity/MyKeyPair.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/util/security/entity/MyKeyPair.java
package org.jeecg.common.util.security.entity; import lombok.Data; /** * @Description: MyKeyPair * @author: jeecg-boot */ @Data public class MyKeyPair { private String priKey; private String pubKey; }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/util/security/entity/SecuritySignReq.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/util/security/entity/SecuritySignReq.java
package org.jeecg.common.util.security.entity; import lombok.Data; /** * @Description: SecuritySignReq * @author: jeecg-boot */ @Data public class SecuritySignReq { private String data; private String prikey; }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/util/security/entity/SecurityResp.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/util/security/entity/SecurityResp.java
package org.jeecg.common.util.security.entity; import com.alibaba.fastjson.JSONObject; import lombok.Data; /** * @Description: SecurityResp * @author: jeecg-boot */ @Data public class SecurityResp { private Boolean success; private JSONObject data; }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/util/oss/OssBootUtil.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/util/oss/OssBootUtil.java
package org.jeecg.common.util.oss; import com.aliyun.oss.ClientConfiguration; import com.aliyun.oss.OSSClient; import com.aliyun.oss.common.auth.DefaultCredentialProvider; import com.aliyun.oss.model.CannedAccessControlList; import com.aliyun.oss.model.OSSObject; import com.aliyun.oss.model.PutObjectResult; import lombok.extern.slf4j.Slf4j; import org.apache.commons.fileupload.FileItemStream; import org.jeecg.common.constant.CommonConstant; import org.jeecg.common.constant.SymbolConstant; import org.jeecg.common.util.CommonUtils; import org.jeecg.common.util.filter.SsrfFileTypeFilter; import org.jeecg.common.util.filter.StrAttackFilter; import org.jeecg.common.util.oConvertUtils; import org.springframework.web.multipart.MultipartFile; import java.io.BufferedInputStream; import java.io.IOException; import java.io.InputStream; import java.net.URL; import java.net.URLDecoder; import java.util.Date; import java.util.UUID; /** * @Description: 阿里云 oss 上传工具类(高依赖版) * @Date: 2019/5/10 * @author: jeecg-boot */ @Slf4j public class OssBootUtil { private static String endPoint; private static String accessKeyId; private static String accessKeySecret; private static String bucketName; private static String staticDomain; public static void setEndPoint(String endPoint) { OssBootUtil.endPoint = endPoint; } public static void setAccessKeyId(String accessKeyId) { OssBootUtil.accessKeyId = accessKeyId; } public static void setAccessKeySecret(String accessKeySecret) { OssBootUtil.accessKeySecret = accessKeySecret; } public static void setBucketName(String bucketName) { OssBootUtil.bucketName = bucketName; } public static void setStaticDomain(String staticDomain) { OssBootUtil.staticDomain = staticDomain; } public static String getStaticDomain() { return staticDomain; } public static String getEndPoint() { return endPoint; } public static String getAccessKeyId() { return accessKeyId; } public static String getAccessKeySecret() { return accessKeySecret; } public static String getBucketName() { return bucketName; } public static OSSClient getOssClient() { return ossClient; } /** * oss 工具客户端 */ private static OSSClient ossClient = null; /** * 上传文件至阿里云 OSS * 文件上传成功,返回文件完整访问路径 * 文件上传失败,返回 null * * @param file 待上传文件 * @param fileDir 文件保存目录 * @return oss 中的相对文件路径 */ public static String upload(MultipartFile file, String fileDir,String customBucket) throws Exception { // 文件安全校验,防止上传漏洞文件 SsrfFileTypeFilter.checkUploadFileType(file); String filePath = null; initOss(endPoint, accessKeyId, accessKeySecret); StringBuilder fileUrl = new StringBuilder(); String newBucket = bucketName; if(oConvertUtils.isNotEmpty(customBucket)){ newBucket = customBucket; } try { //判断桶是否存在,不存在则创建桶 if(!ossClient.doesBucketExist(newBucket)){ ossClient.createBucket(newBucket); } // 获取文件名 String orgName = file.getOriginalFilename(); if("" == orgName){ orgName=file.getName(); } orgName = CommonUtils.getFileName(orgName); String fileName = orgName.indexOf(".")==-1 ?orgName + "_" + System.currentTimeMillis() :orgName.substring(0, orgName.lastIndexOf(".")) + "_" + System.currentTimeMillis() + orgName.substring(orgName.lastIndexOf(".")); if (!fileDir.endsWith(SymbolConstant.SINGLE_SLASH)) { fileDir = fileDir.concat(SymbolConstant.SINGLE_SLASH); } // 代码逻辑说明: 过滤上传文件夹名特殊字符,防止攻击 fileDir=StrAttackFilter.filter(fileDir); fileUrl = fileUrl.append(fileDir + fileName); if (oConvertUtils.isNotEmpty(staticDomain) && staticDomain.toLowerCase().startsWith(CommonConstant.STR_HTTP)) { filePath = staticDomain + SymbolConstant.SINGLE_SLASH + fileUrl; } else { filePath = "https://" + newBucket + "." + endPoint + SymbolConstant.SINGLE_SLASH + fileUrl; } PutObjectResult result = ossClient.putObject(newBucket, fileUrl.toString(), file.getInputStream()); // 设置权限(公开读) // ossClient.setBucketAcl(newBucket, CannedAccessControlList.PublicRead); if (result != null) { log.info("------OSS文件上传成功------" + fileUrl); } } catch (IOException e) { log.error(e.getMessage(),e); return null; }catch (Exception e) { log.error(e.getMessage(),e); return null; } return filePath; } /** * 获取原始URL * @param url: 原始URL * @Return: java.lang.String */ public static String getOriginalUrl(String url) { String originalDomain = "https://" + bucketName + "." + endPoint; if(oConvertUtils.isNotEmpty(staticDomain) && url.indexOf(staticDomain)!=-1){ url = url.replace(staticDomain,originalDomain); } return url; } /** * 文件上传 * @param file * @param fileDir * @return */ public static String upload(MultipartFile file, String fileDir) throws Exception { return upload(file, fileDir,null); } /** * 上传文件至阿里云 OSS * 文件上传成功,返回文件完整访问路径 * 文件上传失败,返回 null * * @param file 待上传文件 * @param fileDir 文件保存目录 * @return oss 中的相对文件路径 */ public static String upload(FileItemStream file, String fileDir) { String filePath = null; initOss(endPoint, accessKeyId, accessKeySecret); StringBuilder fileUrl = new StringBuilder(); try { String suffix = file.getName().substring(file.getName().lastIndexOf('.')); String fileName = UUID.randomUUID().toString().replace("-", "") + suffix; if (!fileDir.endsWith(SymbolConstant.SINGLE_SLASH)) { fileDir = fileDir.concat(SymbolConstant.SINGLE_SLASH); } fileDir = StrAttackFilter.filter(fileDir); fileUrl = fileUrl.append(fileDir + fileName); if (oConvertUtils.isNotEmpty(staticDomain) && staticDomain.toLowerCase().startsWith(CommonConstant.STR_HTTP)) { filePath = staticDomain + SymbolConstant.SINGLE_SLASH + fileUrl; } else { filePath = "https://" + bucketName + "." + endPoint + SymbolConstant.SINGLE_SLASH + fileUrl; } PutObjectResult result = ossClient.putObject(bucketName, fileUrl.toString(), file.openStream()); // 设置权限(公开读) ossClient.setBucketAcl(bucketName, CannedAccessControlList.PublicRead); if (result != null) { log.info("------OSS文件上传成功------" + fileUrl); } } catch (IOException e) { e.printStackTrace(); return null; } return filePath; } /** * 删除文件 * @param url */ public static void deleteUrl(String url) { deleteUrl(url,null); } /** * 删除文件 * @param url */ public static void deleteUrl(String url,String bucket) { String newBucket = bucketName; if(oConvertUtils.isNotEmpty(bucket)){ newBucket = bucket; } String bucketUrl = ""; if (oConvertUtils.isNotEmpty(staticDomain) && staticDomain.toLowerCase().startsWith(CommonConstant.STR_HTTP)) { bucketUrl = staticDomain + SymbolConstant.SINGLE_SLASH ; } else { bucketUrl = "https://" + newBucket + "." + endPoint + SymbolConstant.SINGLE_SLASH; } //TODO 暂时不允许删除云存储的文件 //initOss(endPoint, accessKeyId, accessKeySecret); url = url.replace(bucketUrl,""); ossClient.deleteObject(newBucket, url); } /** * 删除文件 * @param fileName */ public static void delete(String fileName) { ossClient.deleteObject(bucketName, fileName); } /** * 获取文件流 * @param objectName * @param bucket * @return */ public static InputStream getOssFile(String objectName,String bucket){ InputStream inputStream = null; try{ String newBucket = bucketName; if(oConvertUtils.isNotEmpty(bucket)){ newBucket = bucket; } initOss(endPoint, accessKeyId, accessKeySecret); // 代码逻辑说明: 替换objectName前缀,防止key不一致导致获取不到文件---- objectName = OssBootUtil.replacePrefix(objectName,bucket); OSSObject ossObject = ossClient.getObject(newBucket,objectName); inputStream = new BufferedInputStream(ossObject.getObjectContent()); }catch (Exception e){ log.info("文件获取失败" + e.getMessage()); } return inputStream; } ///** // * 获取文件流 // * @param objectName // * @return // */ //public static InputStream getOssFile(String objectName){ // return getOssFile(objectName,null); //} /** * 获取文件外链 * @param bucketName * @param objectName * @param expires * @return */ public static String getObjectUrl(String bucketName, String objectName, Date expires) { initOss(endPoint, accessKeyId, accessKeySecret); try{ // 代码逻辑说明: 替换objectName前缀,防止key不一致导致获取不到文件---- objectName = OssBootUtil.replacePrefix(objectName,bucketName); if(ossClient.doesObjectExist(bucketName,objectName)){ URL url = ossClient.generatePresignedUrl(bucketName,objectName,expires); //log.info("原始url : {}", url.toString()); //log.info("decode url : {}", URLDecoder.decode(url.toString(), "UTF-8")); //【issues/4023】问题 oss外链经过转编码后,部分无效,大概在三分一;无需转编码直接返回即可 #4023 return url.toString(); } }catch (Exception e){ log.info("文件路径获取失败" + e.getMessage()); } return null; } /** * 初始化 oss 客户端 * * @return */ private static OSSClient initOss(String endpoint, String accessKeyId, String accessKeySecret) { if (ossClient == null) { ossClient = new OSSClient(endpoint, new DefaultCredentialProvider(accessKeyId, accessKeySecret), new ClientConfiguration()); } return ossClient; } /** * 上传文件到oss * @param stream * @param relativePath * @return */ public static String upload(InputStream stream, String relativePath) { String filePath = null; String fileUrl = relativePath; initOss(endPoint, accessKeyId, accessKeySecret); if (oConvertUtils.isNotEmpty(staticDomain) && staticDomain.toLowerCase().startsWith(CommonConstant.STR_HTTP)) { filePath = staticDomain + SymbolConstant.SINGLE_SLASH + relativePath; } else { filePath = "https://" + bucketName + "." + endPoint + SymbolConstant.SINGLE_SLASH + fileUrl; } PutObjectResult result = ossClient.putObject(bucketName, fileUrl.toString(),stream); // 设置权限(公开读) ossClient.setBucketAcl(bucketName, CannedAccessControlList.PublicRead); if (result != null) { log.info("------OSS文件上传成功------" + fileUrl); } return filePath; } /** * 替换前缀,防止key不一致导致获取不到文件 * @param objectName 文件上传路径 key * @param customBucket 自定义桶 * @date 2022-01-20 * @author lsq * @return */ private static String replacePrefix(String objectName,String customBucket){ log.info("------replacePrefix---替换前---objectName:{}",objectName); if(oConvertUtils.isNotEmpty(staticDomain)){ objectName= objectName.replace(staticDomain+SymbolConstant.SINGLE_SLASH,""); }else{ String newBucket = bucketName; if(oConvertUtils.isNotEmpty(customBucket)){ newBucket = customBucket; } String path ="https://" + newBucket + "." + endPoint + SymbolConstant.SINGLE_SLASH; objectName = objectName.replace(path,""); } log.info("------replacePrefix---替换后---objectName:{}",objectName); return objectName; } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/DataBaseConstant.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/DataBaseConstant.java
package org.jeecg.common.constant; /** * 数据库上下文常量 * @author: jeecg-boot */ public interface DataBaseConstant { /** * 内置的系统变量键列表 */ public static final String[] SYSTEM_KEYS = { DataBaseConstant.SYS_ORG_CODE, DataBaseConstant.SYS_ORG_CODE_TABLE, DataBaseConstant.SYS_MULTI_ORG_CODE, DataBaseConstant.SYS_MULTI_ORG_CODE_TABLE, DataBaseConstant.SYS_ORG_ID, DataBaseConstant.SYS_ORG_ID_TABLE, DataBaseConstant.SYS_ROLE_CODE, DataBaseConstant.SYS_ROLE_CODE_TABLE, DataBaseConstant.SYS_USER_CODE, DataBaseConstant.SYS_USER_CODE_TABLE, DataBaseConstant.SYS_USER_ID, DataBaseConstant.SYS_USER_ID_TABLE, DataBaseConstant.SYS_USER_NAME, DataBaseConstant.SYS_USER_NAME_TABLE, DataBaseConstant.SYS_DATE, DataBaseConstant.SYS_DATE_TABLE, DataBaseConstant.SYS_TIME, DataBaseConstant.SYS_TIME_TABLE, DataBaseConstant.SYS_BASE_PATH }; //*********数据库类型**************************************** /**MYSQL数据库*/ public static final String DB_TYPE_MYSQL = "MYSQL"; /** ORACLE*/ public static final String DB_TYPE_ORACLE = "ORACLE"; /**达梦数据库*/ public static final String DB_TYPE_DM = "DM"; /**postgreSQL达梦数据库*/ public static final String DB_TYPE_POSTGRESQL = "POSTGRESQL"; /**人大金仓数据库*/ public static final String DB_TYPE_KINGBASEES = "KINGBASEES"; /**sqlserver数据库*/ public static final String DB_TYPE_SQLSERVER = "SQLSERVER"; /**mariadb 数据库*/ public static final String DB_TYPE_MARIADB = "MARIADB"; /**DB2 数据库*/ public static final String DB_TYPE_DB2 = "DB2"; /**HSQL 数据库*/ public static final String DB_TYPE_HSQL = "HSQL"; // // 数据库类型,对应 database_type 字典 // public static final String DB_TYPE_MYSQL_NUM = "1"; // public static final String DB_TYPE_MYSQL7_NUM = "6"; // public static final String DB_TYPE_ORACLE_NUM = "2"; // public static final String DB_TYPE_SQLSERVER_NUM = "3"; // public static final String DB_TYPE_POSTGRESQL_NUM = "4"; // public static final String DB_TYPE_MARIADB_NUM = "5"; //*********系统上下文变量**************************************** /** * 数据-所属机构编码 */ public static final String SYS_ORG_CODE = "sysOrgCode"; /** * 数据-所属机构编码 */ public static final String SYS_ORG_CODE_TABLE = "sys_org_code"; /** * 数据-所属机构编码 */ public static final String SYS_MULTI_ORG_CODE = "sysMultiOrgCode"; /** * 数据-所属机构编码 */ public static final String SYS_MULTI_ORG_CODE_TABLE = "sys_multi_org_code"; /** * 数据-所属机构ID */ public static final String SYS_ORG_ID = "sysOrgId"; /** * 数据-所属机构ID */ public static final String SYS_ORG_ID_TABLE = "sys_org_id"; /** * 数据-所属角色code(多个逗号分割) */ public static final String SYS_ROLE_CODE = "sysRoleCode"; /** * 数据-所属角色code(多个逗号分割) */ public static final String SYS_ROLE_CODE_TABLE = "sys_role_code"; /** * 数据-系统用户编码(对应登录用户账号) */ public static final String SYS_USER_CODE = "sysUserCode"; /** * 数据-系统用户编码(对应登录用户账号) */ public static final String SYS_USER_CODE_TABLE = "sys_user_code"; /** * 登录用户ID */ public static final String SYS_USER_ID = "sysUserId"; /** * 登录用户ID */ public static final String SYS_USER_ID_TABLE = "sys_user_id"; /** * 登录用户真实姓名 */ public static final String SYS_USER_NAME = "sysUserName"; /** * 登录用户真实姓名 */ public static final String SYS_USER_NAME_TABLE = "sys_user_name"; /** * 系统日期"yyyy-MM-dd" */ public static final String SYS_DATE = "sysDate"; /** * 系统日期"yyyy-MM-dd" */ public static final String SYS_DATE_TABLE = "sys_date"; /** * 系统时间"yyyy-MM-dd HH:mm" */ public static final String SYS_TIME = "sysTime"; /** * 系统时间"yyyy-MM-dd HH:mm" */ public static final String SYS_TIME_TABLE = "sys_time"; /** * 数据-所属机构编码 */ public static final String SYS_BASE_PATH = "sys_base_path"; //*********系统上下文变量**************************************** //*********系统建表标准字段**************************************** /** * 创建者登录名称 */ public static final String CREATE_BY_TABLE = "create_by"; /** * 创建者登录名称 */ public static final String CREATE_BY = "createBy"; /** * 创建日期时间 */ public static final String CREATE_TIME_TABLE = "create_time"; /** * 创建日期时间 */ public static final String CREATE_TIME = "createTime"; /** * 更新用户登录名称 */ public static final String UPDATE_BY_TABLE = "update_by"; /** * 更新用户登录名称 */ public static final String UPDATE_BY = "updateBy"; /** * 更新日期时间 */ public static final String UPDATE_TIME = "updateTime"; /** * 更新日期时间 */ public static final String UPDATE_TIME_TABLE = "update_time"; /** * 业务流程状态 */ public static final String BPM_STATUS = "bpmStatus"; /** * 业务流程状态 */ public static final String BPM_STATUS_TABLE = "bpm_status"; //*********系统建表标准字段**************************************** /** * sql语句 where */ String SQL_WHERE = "where"; /** * sql语句 asc */ String SQL_ASC = "asc"; /** * sqlserver数据库,中间有空格 */ String DB_TYPE_SQL_SERVER_BLANK = "sql server"; }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/ProvinceCityArea.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/ProvinceCityArea.java
package org.jeecg.common.constant; import com.alibaba.fastjson.JSONObject; import org.apache.commons.lang3.StringUtils; import org.jeecg.common.util.oConvertUtils; import org.springframework.beans.factory.annotation.Value; import org.springframework.core.io.Resource; import org.springframework.stereotype.Component; import java.io.File; import java.io.IOException; import java.util.ArrayList; import java.util.Scanner; import java.util.Set; import java.util.List; /** * @Description: 省市区 * @author: jeecg-boot */ @Component("pca") public class ProvinceCityArea { List<Area> areaList; public String getText(String code){ if(StringUtils.isNotBlank(code)){ this.initAreaList(); if(this.areaList!=null || this.areaList.size()>0){ List<String> ls = new ArrayList<String>(); getAreaByCode(code,ls); return String.join("/",ls); } } return ""; } public String getCode(String text){ if(StringUtils.isNotBlank(text)){ this.initAreaList(); if(areaList!=null && areaList.size()>0){ for(int i=areaList.size()-1;i>=0;i--){ // 代码逻辑说明: VUEN-1088 online 导入 省市区导入后 导入数据错乱 北京市/市辖区/西城区-->山西省/晋城市/城区 String areaText = areaList.get(i).getText(); String cityText = areaList.get(i).getAheadText(); if(text.indexOf(areaText)>=0 && (cityText!=null && text.indexOf(cityText)>=0)){ return areaList.get(i).getId(); } } } } return null; } /** * 获取省市区code,精准匹配 * @param texts 文本数组,省,市,区 * @return 返回 省市区的code */ public String[] getCode(String[] texts) { if (texts == null || texts.length == 0) { return null; } this.initAreaList(); if (areaList == null || areaList.size() == 0) { return null; } String[] codes = new String[texts.length]; String code = null; for (int i = 0; i < texts.length; i++) { String text = texts[i]; Area area; if (code == null) { area = getAreaByText(text); } else { area = getAreaByPidAndText(code, text); } if (area != null) { code = area.id; codes[i] = code; } else { return null; } } return codes; } /** * 根据text获取area * @param text * @return */ public Area getAreaByText(String text) { for (Area area : areaList) { if (text.equals(area.getText())) { return area; } } return null; } /** * 通过pid获取 area 对象 * @param pCode 父级编码 * @param text * @return */ public Area getAreaByPidAndText(String pCode, String text) { this.initAreaList(); if (this.areaList != null && this.areaList.size() > 0) { for (Area area : this.areaList) { if (area.getPid().equals(pCode) && area.getText().equals(text)) { return area; } } } return null; } public void getAreaByCode(String code,List<String> ls){ for(Area area: areaList){ if(null != area && area.getId().equals(code)){ String pid = area.getPid(); ls.add(0,area.getText()); getAreaByCode(pid,ls); } } } private void initAreaList(){ //System.out.println("====================="); if(this.areaList==null || this.areaList.size()==0){ this.areaList = new ArrayList<Area>(); try { String jsonData = oConvertUtils.readStatic("classpath:static/pca.json"); JSONObject baseJson = JSONObject.parseObject(jsonData); //第一层 省 JSONObject provinceJson = baseJson.getJSONObject("86"); for(String provinceKey: provinceJson.keySet()){ //System.out.println("===="+provinceKey); Area province = new Area(provinceKey,provinceJson.getString(provinceKey),"86"); this.areaList.add(province); //第二层 市 JSONObject cityJson = baseJson.getJSONObject(provinceKey); for(String cityKey:cityJson.keySet()){ //System.out.println("-----"+cityKey); Area city = new Area(cityKey,cityJson.getString(cityKey),provinceKey); this.areaList.add(city); //第三层 区 JSONObject areaJson = baseJson.getJSONObject(cityKey); if(areaJson!=null){ for(String areaKey:areaJson.keySet()){ //System.out.println("········"+areaKey); Area area = new Area(areaKey,areaJson.getString(areaKey),cityKey); // 代码逻辑说明: VUEN-1088 online 导入 省市区导入后 导入数据错乱 北京市/市辖区/西城区-->山西省/晋城市/城区 area.setAheadText(cityJson.getString(cityKey)); this.areaList.add(area); } } } } } catch (Exception e) { e.printStackTrace(); } } } private String jsonRead(File file){ Scanner scanner = null; StringBuilder buffer = new StringBuilder(); try { scanner = new Scanner(file, "utf-8"); while (scanner.hasNextLine()) { buffer.append(scanner.nextLine()); } } catch (Exception e) { } finally { if (scanner != null) { scanner.close(); } } return buffer.toString(); } class Area{ String id; String text; String pid; // 用于存储上级文本数据,区的上级文本 是市的数据 String aheadText; public Area(String id,String text,String pid){ this.id = id; this.text = text; this.pid = pid; } public String getId() { return id; } public String getText() { return text; } public String getPid() { return pid; } public String getAheadText() { return aheadText; } public void setAheadText(String aheadText) { this.aheadText = aheadText; } } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/PasswordConstant.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/PasswordConstant.java
package org.jeecg.common.constant; /** * @Description: 密码常量类 * * @author: wangshuai * @date: 2025/8/27 20:10 */ public interface PasswordConstant { /** * 导入用户默认密码 */ String DEFAULT_PASSWORD = "123456"; }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/WebsocketConst.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/WebsocketConst.java
package org.jeecg.common.constant; /** * @Description: Websocket常量类 * @author: taoyan * @date: 2020年03月23日 */ public class WebsocketConst { /** * 消息json key:cmd */ public static final String MSG_CMD = "cmd"; /** * 消息json key:msgId */ public static final String MSG_ID = "msgId"; /** * 消息json key:msgTxt */ public static final String MSG_TXT = "msgTxt"; /** * 消息json key:userId */ public static final String MSG_USER_ID = "userId"; /** * 消息json key:chat */ public static final String MSG_CHAT = "chat"; /** * 消息类型 heartcheck */ public static final String CMD_CHECK = "heartcheck"; /** * 消息类型 user 用户消息 */ public static final String CMD_USER = "user"; /** * 消息类型 topic 系统通知 */ public static final String CMD_TOPIC = "topic"; /** * 消息类型 email */ public static final String CMD_EMAIL = "email"; /** * 消息类型 meetingsign 会议签到 */ public static final String CMD_SIGN = "sign"; /** * 消息类型 新闻发布/取消 */ public static final String NEWS_PUBLISH = "publish"; }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/ServiceNameConstants.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/ServiceNameConstants.java
/* * * * Copyright (c) 2019-2020, 冷冷 (wangiegie@gmail.com). * * <p> * * Licensed under the GNU Lesser General Public License 3.0 (the "License"); * * you may not use this file except in compliance with the License. * * You may obtain a copy of the License at * * <p> * * https://www.gnu.org/licenses/lgpl.html * * <p> * * Unless required by applicable law or agreed to in writing, software * * distributed under the License is distributed on an "AS IS" BASIS, * * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * * See the License for the specific language governing permissions and * * limitations under the License. * */ package org.jeecg.common.constant; /** * @author scott * @date 2019年05月18日 * 服务名称 */ public interface ServiceNameConstants { /** * 微服务名:系统管理模块 */ String SERVICE_SYSTEM = "jeecg-system"; /** * 微服务名: demo模块 */ String SERVICE_DEMO = "jeecg-demo"; /** * 微服务名:joa模块 */ String SERVICE_JOA = "jeecg-joa"; // /** // * 微服务名:online在线模块 // */ // String SERVICE_ONLINE = "jeecg-online"; // /** // * 微服务名:OA模块 // */ // String SERVICE_EOA = "jeecg-eoa"; // /** // * 微服务名:表单设计模块 // */ // String SERVICE_FORM = "jeecg-desform"; /** * gateway通过header传递根路径 basePath */ String X_GATEWAY_BASE_PATH = "X_GATEWAY_BASE_PATH"; }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/CommonConstant.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/CommonConstant.java
package org.jeecg.common.constant; /** * @Description: 通用常量 * @author: jeecg-boot */ public interface CommonConstant { /** * 正常状态 */ Integer STATUS_NORMAL = 0; /** * 禁用状态 */ Integer STATUS_DISABLE = -1; /** * 删除标志 */ Integer DEL_FLAG_1 = 1; /** * 未删除 */ Integer DEL_FLAG_0 = 0; /** * 系统日志类型: 登录 */ int LOG_TYPE_1 = 1; /** * 系统日志类型: 操作 */ int LOG_TYPE_2 = 2; /** * 系统日志类型: 租户操作日志 */ int LOG_TYPE_3 = 3; /** * 系统日志类型: 异常 */ int LOG_TYPE_4 = 4; /** * 操作日志类型: 查询 */ int OPERATE_TYPE_1 = 1; /** * 操作日志类型: 添加 */ int OPERATE_TYPE_2 = 2; /** * 操作日志类型: 更新 */ int OPERATE_TYPE_3 = 3; /** * 操作日志类型: 删除 */ int OPERATE_TYPE_4 = 4; /** * 操作日志类型: 倒入 */ int OPERATE_TYPE_5 = 5; /** * 操作日志类型: 导出 */ int OPERATE_TYPE_6 = 6; /** {@code 500 Server Error} (HTTP/1.0 - RFC 1945) */ Integer SC_INTERNAL_SERVER_ERROR_500 = 500; /** {@code 404 Not Found} (HTTP/1.0 - RFC 1945) */ Integer SC_INTERNAL_NOT_FOUND_404 = 404; /** {@code 200 OK} (HTTP/1.0 - RFC 1945) */ Integer SC_OK_200 = 200; /**访问权限认证未通过 510*/ Integer SC_JEECG_NO_AUTHZ=510; /** 登录用户Shiro权限缓存KEY前缀 */ public static String PREFIX_USER_SHIRO_CACHE = "shiro:cache:org.jeecg.config.shiro.ShiroRealm.authorizationCache:"; /** 登录用户Token令牌缓存KEY前缀 */ String PREFIX_USER_TOKEN = "prefix_user_token:"; /** 登录用户Token令牌作废提示信息,比如 “不允许同一账号多地同时登录,会往这个变量存提示信息” */ String PREFIX_USER_TOKEN_ERROR_MSG = "prefix_user_token:error:msg_"; /**============================== 【是否允许同一账号多地同时登录】登录客户端类型常量 ==============================*/ /** 客户端类型:PC端 */ String CLIENT_TYPE_PC = "PC"; /** 客户端类型:APP端 */ String CLIENT_TYPE_APP = "APP"; /** 客户端类型:手机号登录 */ String CLIENT_TYPE_PHONE = "PHONE"; String PREFIX_USER_TOKEN_PC = "prefix_user_token:single_login:pc:"; /** 单点登录:用户在APP端的Token缓存KEY前缀 (username -> token) */ String PREFIX_USER_TOKEN_APP = "prefix_user_token:single_login:app:"; /** 单点登录:用户在手机号登录的Token缓存KEY前缀 (username -> token) */ String PREFIX_USER_TOKEN_PHONE = "prefix_user_token:single_login:phone:"; /**============================== 【是否允许同一账号多地同时登录】登录客户端类型常量 ==============================*/ // /** Token缓存时间:3600秒即一小时 */ // int TOKEN_EXPIRE_TIME = 3600; /** 登录二维码 */ String LOGIN_QRCODE_PRE = "QRCODELOGIN:"; String LOGIN_QRCODE = "LQ:"; /** 登录二维码token */ String LOGIN_QRCODE_TOKEN = "LQT:"; /** * 0:一级菜单 */ Integer MENU_TYPE_0 = 0; /** * 1:子菜单 */ Integer MENU_TYPE_1 = 1; /** * 2:按钮权限 */ Integer MENU_TYPE_2 = 2; /**通告对象类型(USER:指定用户,ALL:全体用户)*/ String MSG_TYPE_UESR = "USER"; String MSG_TYPE_ALL = "ALL"; /**发布状态(0未发布,1已发布,2已撤销)*/ String NO_SEND = "0"; String HAS_SEND = "1"; String HAS_CANCLE = "2"; /**阅读状态(0未读,1已读)*/ Integer HAS_READ_FLAG = 1; Integer NO_READ_FLAG = 0; /**优先级(L低,M中,H高)*/ String PRIORITY_L = "L"; String PRIORITY_M = "M"; String PRIORITY_H = "H"; /** * 短信模板方式 0 .登录模板、1.注册模板、2.忘记密码模板 */ String SMS_TPL_TYPE_0 = "0"; String SMS_TPL_TYPE_1 = "1"; String SMS_TPL_TYPE_2 = "2"; /** * 状态(0无效1有效) */ String STATUS_0 = "0"; String STATUS_1 = "1"; Integer STATUS_0_INT = 0; Integer STATUS_1_INT = 1; /** * 同步工作流引擎1同步0不同步 */ Integer ACT_SYNC_1 = 1; Integer ACT_SYNC_0 = 0; /** * 消息类型1:通知公告2:系统消息 */ String MSG_CATEGORY_1 = "1"; String MSG_CATEGORY_2 = "2"; /** * 是否配置菜单的数据权限 1是0否 */ Integer RULE_FLAG_0 = 0; Integer RULE_FLAG_1 = 1; /** * 是否用户已被冻结 1正常(解冻) 2冻结 3离职 */ Integer USER_UNFREEZE = 1; Integer USER_FREEZE = 2; Integer USER_QUIT = 3; /**字典翻译文本后缀*/ String DICT_TEXT_SUFFIX = "_dictText"; /**字典翻译颜色后缀*/ String DICT_COLOR_SUFFIX = "_dictColor"; /** * 表单设计器主表类型 */ Integer DESIGN_FORM_TYPE_MAIN = 1; /** * 表单设计器子表表类型 */ Integer DESIGN_FORM_TYPE_SUB = 2; /** * 表单设计器URL授权通过 */ Integer DESIGN_FORM_URL_STATUS_PASSED = 1; /** * 表单设计器URL授权未通过 */ Integer DESIGN_FORM_URL_STATUS_NOT_PASSED = 2; /** * 表单设计器新增 Flag */ String DESIGN_FORM_URL_TYPE_ADD = "add"; /** * 表单设计器修改 Flag */ String DESIGN_FORM_URL_TYPE_EDIT = "edit"; /** * 表单设计器详情 Flag */ String DESIGN_FORM_URL_TYPE_DETAIL = "detail"; /** * 表单设计器复用数据 Flag */ String DESIGN_FORM_URL_TYPE_REUSE = "reuse"; /** * 表单设计器编辑 Flag (已弃用) */ String DESIGN_FORM_URL_TYPE_VIEW = "view"; /** * online参数值设置(是:Y, 否:N) */ String ONLINE_PARAM_VAL_IS_TURE = "Y"; String ONLINE_PARAM_VAL_IS_FALSE = "N"; /** * 文件上传类型(本地:local,Minio:minio,阿里云:alioss) */ String UPLOAD_TYPE_LOCAL = "local"; String UPLOAD_TYPE_MINIO = "minio"; String UPLOAD_TYPE_OSS = "alioss"; /** * 文档上传自定义桶名称 */ String UPLOAD_CUSTOM_BUCKET = "eoafile"; /** * 文档上传自定义路径 */ String UPLOAD_CUSTOM_PATH = "eoafile"; /** * 文件外链接有效天数 */ Integer UPLOAD_EFFECTIVE_DAYS = 1; /** * 员工身份 (1:普通员工 2:上级) */ Integer USER_IDENTITY_1 = 1; Integer USER_IDENTITY_2 = 2; /** sys_user 表 username 唯一键索引 */ String SQL_INDEX_UNIQ_SYS_USER_USERNAME = "uniq_sys_user_username"; /** sys_user 表 work_no 唯一键索引 */ String SQL_INDEX_UNIQ_SYS_USER_WORK_NO = "uniq_sys_user_work_no"; /** sys_user 表 phone 唯一键索引 */ String SQL_INDEX_UNIQ_SYS_USER_PHONE = "uniq_sys_user_phone"; /** 达梦数据库升提示。违反表[SYS_USER]唯一性约束 */ String SQL_INDEX_UNIQ_SYS_USER = "唯一性约束"; /** sys_user 表 email 唯一键索引 */ String SQL_INDEX_UNIQ_SYS_USER_EMAIL = "uniq_sys_user_email"; /** sys_quartz_job 表 job_class_name 唯一键索引 */ String SQL_INDEX_UNIQ_JOB_CLASS_NAME = "uniq_job_class_name"; /** sys_position 表 code 唯一键索引 */ String SQL_INDEX_UNIQ_CODE = "uniq_code"; /** sys_role 表 code 唯一键索引 */ String SQL_INDEX_UNIQ_SYS_ROLE_CODE = "uniq_sys_role_role_code"; /** sys_depart 表 code 唯一键索引 */ String SQL_INDEX_UNIQ_DEPART_ORG_CODE = "uniq_depart_org_code"; /** sys_category 表 code 唯一键索引 */ String SQL_INDEX_UNIQ_CATEGORY_CODE = "idx_sc_code"; /** * 在线聊天 是否为默认分组 */ String IM_DEFAULT_GROUP = "1"; /** * 在线聊天 图片文件保存路径 */ String IM_UPLOAD_CUSTOM_PATH = "biz/user_imgs"; /** * 在线聊天 用户状态 */ String IM_STATUS_ONLINE = "online"; /** * 在线聊天 SOCKET消息类型 */ String IM_SOCKET_TYPE = "chatMessage"; /** * 在线聊天 是否开启默认添加好友 1是 0否 */ String IM_DEFAULT_ADD_FRIEND = "1"; /** * 在线聊天 用户好友缓存前缀 */ String IM_PREFIX_USER_FRIEND_CACHE = "sys:cache:im:im_prefix_user_friend_"; /** * 缓存用户id与用户名关系 */ String SYS_USER_ID_MAPPING_CACHE = "sys:cache:user:id_mapping"; /** * 系统角色管理员编码 */ String SYS_ROLE_ADMIN = "admin"; /** * 考勤补卡业务状态 (0:处理中) */ String SIGN_PATCH_BIZ_STATUS_0 = "0"; /** * 考勤补卡业务状态 (1:同意 2:不同意) */ String SIGN_PATCH_BIZ_STATUS_1 = "1"; String SIGN_PATCH_BIZ_STATUS_2 = "2"; /** * 公文文档上传自定义路径 */ String UPLOAD_CUSTOM_PATH_OFFICIAL = "officialdoc"; /** * 公文文档下载自定义路径 */ String DOWNLOAD_CUSTOM_PATH_OFFICIAL = "officaldown"; /** * WPS存储值类别(1 code文号 2 text(WPS模板还是公文发文模板)) */ String WPS_TYPE_1="1"; String WPS_TYPE_2="2"; /**===============================================================================================*/ /** * ::非常重要:: * 注意:这四个常量值如果修改,需要与 jeecg-boot-starter/jeecg-boot-common/org.jeecg.config.FeignConfig 类中的值保持一致。 */ String X_ACCESS_TOKEN = "X-Access-Token"; String X_SIGN = "X-Sign"; String X_TIMESTAMP = "X-TIMESTAMP"; /** 租户请求头 更名为:X-Tenant-Id */ String TENANT_ID = "X-Tenant-Id"; /** 简流接口请求头,用于排除不支持的控件字段 */ String X_MiniFlowExclusionFieldMode = "X-Miniflowexclusionfieldmode"; /**===============================================================================================*/ String TOKEN_IS_INVALID_MSG = "Token失效,请重新登录!"; String X_FORWARDED_SCHEME = "X-Forwarded-Scheme"; /** * 微服务读取配置文件属性 服务地址 */ String CLOUD_SERVER_KEY = "spring.cloud.nacos.discovery.server-addr"; /** * 第三方登录 验证密码/创建用户 都需要设置一个操作码 防止被恶意调用 */ String THIRD_LOGIN_CODE = "third_login_code"; /** * 第三方APP同步方向:本地 --> 第三方APP */ String THIRD_SYNC_TO_APP = "SYNC_TO_APP"; /** * 第三方APP同步方向:第三方APP --> 本地 */ String THIRD_SYNC_TO_LOCAL = "SYNC_TO_LOCAL"; /** 系统通告消息状态:0=未发布 */ String ANNOUNCEMENT_SEND_STATUS_0 = "0"; /** 系统通告消息状态:1=已发布 */ String ANNOUNCEMENT_SEND_STATUS_1 = "1"; /** 系统通告消息状态:2=已撤销 */ String ANNOUNCEMENT_SEND_STATUS_2 = "2"; /**ONLINE 报表权限用 从request中获取地址栏后的参数*/ String ONL_REP_URL_PARAM_STR="onlRepUrlParamStr"; /**POST请求*/ String HTTP_POST = "POST"; /**PUT请求*/ String HTTP_PUT = "PUT"; /**PATCH请求*/ String HTTP_PATCH = "PATCH"; /**未知的*/ String UNKNOWN = "unknown"; /**字符串http*/ String STR_HTTP = "http"; /**String 类型的空值*/ String STRING_NULL = "null"; /**前端vue3版本Header参数名*/ String VERSION="X-Version"; String VERSION_V3 = "v3"; /**存储在线程变量里的动态表名*/ String DYNAMIC_TABLE_NAME="DYNAMIC_TABLE_NAME"; /** * http:// http协议 */ String HTTP_PROTOCOL = "http://"; /** * https:// https协议 */ String HTTPS_PROTOCOL = "https://"; /** 部门表唯一key,id */ String DEPART_KEY_ID = "id"; /** 部门表唯一key,orgCode */ String DEPART_KEY_ORG_CODE = "orgCode"; /**======【消息推送相关】==============================================================================*/ /** * 发消息 会传递一些信息到map */ String NOTICE_MSG_SUMMARY = "NOTICE_MSG_SUMMARY"; /** * 发消息 会传递一个业务ID到map */ String NOTICE_MSG_BUS_ID = "NOTICE_MSG_BUS_ID"; /** * 发消息 消息业务类型 */ String NOTICE_MSG_BUS_TYPE = "NOTICE_MSG_BUS_TYPE"; /** * 通知类型,用于区分来源 file 知识 flow 流程 plan 日程 system 系统消息 */ String NOTICE_TYPE = "noticeType"; /** * 邮箱消息中地址登录时地址后携带的token,需要替换成真实的token值 */ String LOGIN_TOKEN = "{LOGIN_TOKEN}"; /** * 模板消息中 跳转地址的对应的key */ String MSG_HREF_URL = "url"; /** * sys_data_log表的类型 用于区别评论区域的日志数据 */ String DATA_LOG_TYPE_COMMENT = "comment"; /** * sys_data_log表的类型 老的数据比较 类型都设置为json */ String DATA_LOG_TYPE_JSON = "json"; /** 消息模板:markdown */ String MSG_TEMPLATE_TYPE_MD = "5"; /**========【消息推送相关】==========================================================================*/ /** * 短信验证码redis-key的前缀 */ String PHONE_REDIS_KEY_PRE = "phone_msg"; /** * 是文件夹 */ String IT_IS_FOLDER = "1"; /** * 文件拥有者 */ String FILE_OWNER = "owner"; /** * 文件管理员 */ String FILE_ADMIN = "admin"; /** * 只允许编辑 */ String FILE_EDITABLE = "editable"; /** * 文件 只读 */ String FILE_READONLY = "readonly"; /** * 登录失败,用于记录失败次数的key */ String LOGIN_FAIL = "LOGIN_FAIL_"; /** * 入职事件 */ Integer BPM_USER_EVENT_ADD = 1; /** * 离职事件 */ Integer BPM_USER_EVENT_LEVEL = 2; /** * 用户租户状态(正常/已通过审核的) */ String USER_TENANT_NORMAL = "1"; /** * 用户租户状态(离职) */ String USER_TENANT_QUIT = "2"; /** * 用户租户状态(审核中) */ String USER_TENANT_UNDER_REVIEW = "3"; /** * 用户租户状态(拒绝) */ String USER_TENANT_REFUSE = "4"; /** * 用户租户状态(邀请) */ String USER_TENANT_INVITE = "5"; /** * 不是叶子节点 */ Integer NOT_LEAF = 0; /** * 是叶子节点 */ Integer IS_LEAF = 1; /** * 钉钉 */ String DINGTALK = "DINGTALK"; /** * 企业微信 */ String WECHAT_ENTERPRISE = "WECHAT_ENTERPRISE"; /** * 系统默认租户id 0 */ Integer TENANT_ID_DEFAULT_VALUE = 0; /** * 【low-app用】 应用级别的复制 */ String COPY_LEVEL_APP = "app"; /** * 【low-app用】 菜单级别的复制 */ String COPY_LEVEL_MENU = "menu"; /** * 【low-app用】 应用备份 */ String COPY_LEVEL_BAK = "backup"; /** * 【low-app用】 从备份还原 */ String COPY_LEVEL_COVER = "cover"; /** 【QQYUN-6034】关联字段变更历史值,缓存半个小时 */ String CACHE_REL_FIELD_OLD_VAL = "sys:cache:desform:relFieldOldVal:"; /** * 排序类型:升序 */ String ORDER_TYPE_ASC = "ASC"; /** * 排序类型:降序 */ String ORDER_TYPE_DESC = "DESC"; /** * 报表允许设计开发的角色 */ public static String[] allowDevRoles = new String[]{"lowdeveloper", "admin"}; /** * 【对应积木报表的常量】 * 数据隔离模式: 按照创建人隔离 */ public static final String SAAS_MODE_CREATED = "created"; /** * 【对应积木报表的常量】 * 数据隔离模式: 按照租户隔离 */ public static final String SAAS_MODE_TENANT = "tenant"; /** * 修改手机号短信验证码redis-key的前缀 */ String CHANGE_PHONE_REDIS_KEY_PRE = "sys:cache:phone:change_phone_msg:"; /** * 手机号短信验证码redis-key的前缀 */ String LOG_OFF_PHONE_REDIS_KEY_PRE = "sys:cache:phone:qqy_log_off_user_msg:"; /** * 缓存用户最后一次收到消息通知的时间 KEY */ String CACHE_KEY_USER_LAST_ANNOUNT_TIME_1HOUR = "sys:cache:userinfo:user_last_annount_time::%s"; /** * 验证原手机号 */ String VERIFY_ORIGINAL_PHONE = "verifyOriginalPhone"; /** * 修改手机号 */ String UPDATE_PHONE = "updatePhone"; /** * 修改手机号验证码请求次数超出 */ Integer PHONE_SMS_FAIL_CODE = 40002; /** * 自定义首页关联关系(ROLE:表示角色 USER:表示用户 DEFAULT:默认首页) * */ String HOME_RELATION_ROLE = "ROLE"; String HOME_RELATION_USER = "USER"; String HOME_RELATION_DEFAULT = "DEFAULT"; /** * 是否置顶(0否 1是) */ Integer IZ_TOP_1 = 1; Integer IZ_TOP_0 = 0; //关注流程缓存前缀 String FLOW_FOCUS_NOTICE_PREFIX = "flow:runtimeData:focus:notice:"; //任务缓办时间缓存前缀 String FLOW_TASK_DELAY_PREFIX = "flow:runtimeData:task:delay:"; /** * 用户代理类型:离职:quit 代理:agent */ String USER_AGENT_TYPE_QUIT = "quit"; String USER_AGENT_TYPE_AGENT = "agent"; /** * 督办流程首节点任务taskKey */ String SUPERVISE_FIRST_TASK_KEY = "Task_1bhxpt0"; /** * wps模板预览数据缓存前缀 */ String EOA_WPS_TEMPLATE_VIEW_DATA ="eoa:wps:templateViewData:"; /** * wps模板预览版本号缓存前缀 */ String EOA_WPS_TEMPLATE_VIEW_VERSION ="eoa:wps:templateViewVersion:"; /** * 表单设计器oa新增字段 * x_oa_timeout_date:逾期时间 * x_oa_archive_status:归档状态 */ String X_OA_TIMEOUT_DATE ="x_oa_timeout_date"; String X_OA_ARCHIVE_STATUS ="x_oa_archive_status"; /** * 流程状态 * 待提交: 1 * 处理中: 2 * 已完成: 3 * 已作废: 4 * 已挂起: 5 */ String BPM_STATUS_1 ="1"; String BPM_STATUS_2 ="2"; String BPM_STATUS_3 ="3"; String BPM_STATUS_4 ="4"; String BPM_STATUS_5 ="5"; /** * 默认租户产品包 */ String TENANT_PACK_DEFAULT = "default"; /** * 部门名称redisKey(全路径) */ String DEPART_NAME_REDIS_KEY_PRE = "sys:cache:departPathName:"; /** * 默认用户排序值 */ Integer DEFAULT_USER_SORT = 1000; /** * 发送短信方式:腾讯 */ String SMS_SEND_TYPE_TENCENT = "tencent"; /** * 发送短信方式:阿里云 */ String SMS_SEND_TYPE_ALI_YUN = "aliyun"; }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/SymbolConstant.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/SymbolConstant.java
package org.jeecg.common.constant; /** * @Description: 符号和特殊符号常用类 * @author: wangshuai * @date: 2022年03月30日 17:44 */ public class SymbolConstant { /** * 符号:点 */ public static final String SPOT = "."; /** * 符号:双斜杠 */ public static final String DOUBLE_BACKSLASH = "\\"; /** * 符号:冒号 */ public static final String COLON = ":"; /** * 符号:逗号 */ public static final String COMMA = ","; /** * 符号:左花括号 } */ public static final String LEFT_CURLY_BRACKET = "{"; /** * 符号:右花括号 } */ public static final String RIGHT_CURLY_BRACKET = "}"; /** * 符号:井号 # */ public static final String WELL_NUMBER = "#"; /** * 符号:单斜杠 */ public static final String SINGLE_SLASH = "/"; /** * 符号:双斜杠 */ public static final String DOUBLE_SLASH = "//"; /** * 符号:感叹号 */ public static final String EXCLAMATORY_MARK = "!"; /** * 符号:下划线 */ public static final String UNDERLINE = "_"; /** * 符号:单引号 */ public static final String SINGLE_QUOTATION_MARK = "'"; /** * 符号:星号 */ public static final String ASTERISK = "*"; /** * 符号:百分号 */ public static final String PERCENT_SIGN = "%"; /** * 符号:美元 $ */ public static final String DOLLAR = "$"; /** * 符号:和 & */ public static final String AND = "&"; /** * 符号:../ */ public static final String SPOT_SINGLE_SLASH = "../"; /** * 符号:..\\ */ public static final String SPOT_DOUBLE_BACKSLASH = "..\\"; /** * 系统变量前缀 #{ */ public static final String SYS_VAR_PREFIX = "#{"; /** * 符号 {{ */ public static final String DOUBLE_LEFT_CURLY_BRACKET = "{{"; /** * 符号:[ */ public static final String SQUARE_BRACKETS_LEFT = "["; /** * 符号:] */ public static final String SQUARE_BRACKETS_RIGHT = "]"; /** * 拼接字符串符号 分号 ; */ public static final String SEMICOLON = ";"; }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/CommonSendStatus.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/CommonSendStatus.java
package org.jeecg.common.constant; /** * 系统通告 - 发布状态 * @Author LeeShaoQing * */ public interface CommonSendStatus { /** * 未发布 */ public static final String UNPUBLISHED_STATUS_0 = "0"; /** * 已发布 */ public static final String PUBLISHED_STATUS_1 = "1"; /** * 撤销 */ public static final String REVOKE_STATUS_2 = "2"; /** * app端推送会话标识后缀 */ public static final String APP_SESSION_SUFFIX = "_app"; /**-----【流程相关通知模板code】------------------------------------------------------------*/ /**流程催办——系统通知消息模板*/ public static final String TZMB_BPM_CUIBAN = "bpm_cuiban"; /**流程抄送——系统通知消息模板*/ public static final String TZMB_BPM_CC = "bpm_cc"; /**流程催办——邮件通知消息模板*/ public static final String TZMB_BPM_CUIBAN_EMAIL = "bpm_cuiban_email"; /**标准模板—系统消息通知*/ public static final String TZMB_SYS_TS_NOTE = "sys_ts_note"; /**流程超时提醒——系统通知消息模板*/ public static final String TZMB_BPM_CHAOSHI_TIP = "bpm_chaoshi_tip"; /**-----【流程相关通知模板code】-----------------------------------------------------------*/ /** * 系统通知拓展参数(比如:用于流程抄送和催办通知,这里额外传递流程跳转页面所需要的路由参数) */ public static final String MSG_ABSTRACT_JSON = "msg_abstract"; }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/FillRuleConstant.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/FillRuleConstant.java
package org.jeecg.common.constant; /** * 规则值生成 编码常量类 * @author: taoyan * @date: 2020年04月02日 */ public class FillRuleConstant { /** * 公文发文编码 */ public static final String DOC_SEND = "doc_send_code"; /** * 部门编码 */ public static final String DEPART = "org_num_role"; /** * 分类字典编码 */ public static final String CATEGORY = "category_code_rule"; }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/DynamicTableConstant.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/DynamicTableConstant.java
package org.jeecg.common.constant; /** * 动态切换表配置常量 * * @author: scott * @date: 2022年04月25日 22:30 */ public class DynamicTableConstant { /** * 角色首页配置表 * vue2表名: sys_role_index * vue3表名: sys_role_index_vue3 */ public static final String SYS_ROLE_INDEX = "sys_role_index"; }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/TenantConstant.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/TenantConstant.java
package org.jeecg.common.constant; /** * @Description: TenantConstant * @author: scott * @date: 2022年08月29日 15:29 */ public interface TenantConstant { /*------【低代码应用参数】----------------------------------------------*/ /** * header的lowAppId标识 */ String X_LOW_APP_ID = "X-Low-App-ID"; /** * 应用ID——实体字段 */ String FIELD_LOW_APP_ID = "lowAppId"; /** * 应用ID——表字段 */ String DB_FIELD_LOW_APP_ID = "low_app_id"; /*------【低代码应用参数】---------------------------------------------*/ /*--------【租户参数】-----------------------------------------------*/ /** * 租户ID(实体字段名 和 url参数名) */ String TENANT_ID = "tenantId"; /** * 租户ID 数据库字段名 */ String TENANT_ID_TABLE = "tenant_id"; /*-------【租户参数】-----------------------------------------------*/ /** * 超级管理员 */ String SUPER_ADMIN = "superAdmin"; /** * 组织账户管理员 */ String ACCOUNT_ADMIN = "accountAdmin"; /** * 组织应用管理员 */ String APP_ADMIN = "appAdmin"; }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/VxeSocketConst.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/VxeSocketConst.java
package org.jeecg.common.constant; /** * VXESocket 常量 * @author: jeecg-boot */ public class VxeSocketConst { /** * 消息类型 */ public static final String TYPE = "type"; /** * 消息数据 */ public static final String DATA = "data"; /** * 消息类型:心跳检测 */ public static final String TYPE_HB = "heart_beat"; /** * 消息类型:通用数据传递 */ public static final String TYPE_CSD = "common_send_date"; /** * 消息类型:更新vxe table数据 */ public static final String TYPE_UVT = "update_vxe_table"; }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/enums/FileTypeEnum.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/enums/FileTypeEnum.java
package org.jeecg.common.constant.enums; import org.jeecg.common.util.oConvertUtils; /** * 文件类型 */ public enum FileTypeEnum { // 文档类型(folder:文件夹 excel:excel doc:word pp:ppt image:图片 archive:其他文档 video:视频 voice:语音) // FOLDER xls(".xls","excel","excel"), xlsx(".xlsx","excel","excel"), doc(".doc","doc","word"), docx(".docx","doc","word"), ppt(".ppt","pp","ppt"), pptx(".pptx","pp","ppt"), gif(".gif","image","图片"), jpg(".jpg","image","图片"), jpeg(".jpeg","image","图片"), png(".png","image","图片"), txt(".txt","text","文本"), avi(".avi","video","视频"), mov(".mov","video","视频"), rmvb(".rmvb","video","视频"), rm(".rm","video","视频"), flv(".flv","video","视频"), mp4(".mp4","video","视频"), zip(".zip","zip","压缩包"), pdf(".pdf","pdf","pdf"), mp3(".mp3","mp3","语音"); private String type; private String value; private String text; private FileTypeEnum(String type,String value,String text){ this.type = type; this.value = value; this.text = text; } public String getType() { return type; } public void setType(String type) { this.type = type; } public String getValue() { return value; } public void setValue(String value) { this.value = value; } public String getText() { return text; } public void setText(String text) { this.text = text; } public static FileTypeEnum getByType(String type){ if (oConvertUtils.isEmpty(type)) { return null; } for (FileTypeEnum val : values()) { if (val.getType().equals(type)) { return val; } } return null; } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/enums/DateRangeEnum.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/enums/DateRangeEnum.java
package org.jeecg.common.constant.enums; /** * 日期预设范围枚举 */ public enum DateRangeEnum { // 今天 TODAY, // 昨天 YESTERDAY, // 明天 TOMORROW, // 本周 THIS_WEEK, // 上周 LAST_WEEK, // 下周 NEXT_WEEK, // 过去七天 LAST_7_DAYS, // 本月 THIS_MONTH, // 上月 LAST_MONTH, // 下月 NEXT_MONTH, }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/enums/CgformEnum.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/enums/CgformEnum.java
package org.jeecg.common.constant.enums; import java.util.ArrayList; import java.util.HashMap; import java.util.List; import java.util.Map; /** * online表单枚举 代码生成器用到 * @author: jeecg-boot */ public enum CgformEnum { /** * 单表 */ ONE(1, "one", "/jeecg/code-template-online", "default.one", "经典风格", new String[]{"vue3","vue","vue3Native"}), /** * 多表 */ MANY(2, "many", "/jeecg/code-template-online", "default.onetomany", "经典风格" ,new String[]{"vue"}), /** * 多表(jvxe风格) * */ JVXE_TABLE(2, "jvxe", "/jeecg/code-template-online", "jvxe.onetomany", "默认风格" ,new String[]{"vue3","vue","vue3Native"}), /** * 多表 (erp风格) */ ERP(2, "erp", "/jeecg/code-template-online", "erp.onetomany", "ERP风格" ,new String[]{"vue3","vue","vue3Native"}), /** * 多表(内嵌子表风格) */ INNER_TABLE(2, "innerTable", "/jeecg/code-template-online", "inner-table.onetomany", "内嵌子表风格" ,new String[]{"vue3","vue"}), /** * 多表(tab风格) * */ TAB(2, "tab", "/jeecg/code-template-online", "tab.onetomany", "Tab风格" ,new String[]{"vue3","vue"}), /** * 树形列表 */ TREE(3, "tree", "/jeecg/code-template-online", "default.tree", "树形列表" ,new String[]{"vue3","vue","vue3Native"}); /** * 类型 1/单表 2/一对多 3/树 */ int type; /** * 编码标识 */ String code; /** * 代码生成器模板路径 */ String templatePath; /** * 代码生成器模板路径 */ String stylePath; /** * 模板风格名称 */ String note; /** * 支持代码风格 vue3:vue3包装代码 vue3Native:vue3原生代码 vue:vue2代码 */ String[] vueStyle; /** * 构造器 * * @param type 类型 1/单表 2/一对多 3/树 * @param code 模板编码 * @param templatePath 模板路径 * @param stylePath 模板子路径 * @param note * @param vueStyle 支持代码风格 */ CgformEnum(int type, String code, String templatePath, String stylePath, String note, String[] vueStyle) { this.type = type; this.code = code; this.templatePath = templatePath; this.stylePath = stylePath; this.note = note; this.vueStyle = vueStyle; } /** * 根据code获取模板路径 * * @param code * @return */ public static String getTemplatePathByConfig(String code) { return getCgformEnumByConfig(code).templatePath; } public int getType() { return type; } public void setType(int type) { this.type = type; } public String getTemplatePath() { return templatePath; } public void setTemplatePath(String templatePath) { this.templatePath = templatePath; } public String getStylePath() { return stylePath; } public void setStylePath(String stylePath) { this.stylePath = stylePath; } public String[] getVueStyle() { return vueStyle; } public void setVueStyle(String[] vueStyle) { this.vueStyle = vueStyle; } /** * 根据code找枚举 * * @param code * @return */ public static CgformEnum getCgformEnumByConfig(String code) { for (CgformEnum e : CgformEnum.values()) { if (e.code.equals(code)) { return e; } } return null; } /** * 根据类型找所有 * * @param type * @return */ public static List<Map<String, Object>> getJspModelList(int type) { List<Map<String, Object>> ls = new ArrayList<Map<String, Object>>(); for (CgformEnum e : CgformEnum.values()) { if (e.type == type) { Map<String, Object> map = new HashMap<String, Object>(); map.put("code", e.code); map.put("note", e.note); ls.add(map); } } return ls; } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/enums/MessageTypeEnum.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/enums/MessageTypeEnum.java
package org.jeecg.common.constant.enums; import org.jeecg.common.system.annotation.EnumDict; import org.jeecg.common.system.vo.DictModel; import java.util.ArrayList; import java.util.List; /** * 消息类型 * * @author: jeecg-boot */ @EnumDict("messageType") public enum MessageTypeEnum { /** * 系统消息 */ XT("system", "系统消息"), /** * 邮件消息 */ YJ("email", "邮件消息"), /** * 钉钉消息 */ DD("dingtalk", "钉钉消息"), /** * 企业微信 */ QYWX("wechat_enterprise", "企业微信"); MessageTypeEnum(String type, String note) { this.type = type; this.note = note; } /** * 消息类型 */ String type; /** * 类型说明 */ String note; public String getNote() { return note; } public void setNote(String note) { this.note = note; } public String getType() { return type; } public void setType(String type) { this.type = type; } /** * 获取字典数据 * * @return */ public static List<DictModel> getDictList() { List<DictModel> list = new ArrayList<>(); DictModel dictModel = null; for (MessageTypeEnum e : MessageTypeEnum.values()) { dictModel = new DictModel(); dictModel.setValue(e.getType()); dictModel.setText(e.getNote()); list.add(dictModel); } return list; } /** * 根据type获取枚举 * * @param type * @return */ public static MessageTypeEnum valueOfType(String type) { for (MessageTypeEnum e : MessageTypeEnum.values()) { if (e.getType().equals(type)) { return e; } } return null; } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/enums/UniPushTypeEnum.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/enums/UniPushTypeEnum.java
package org.jeecg.common.constant.enums; import org.jeecg.common.util.oConvertUtils; /** * UniPush 消息推送枚举 * @author: jeecg-boot */ public enum UniPushTypeEnum { /** * 聊天 */ CHAT("chat", "聊天消息", "收到%s发来的聊天消息"), /** * 流程跳转到我的任务 */ BPM("bpm_task", "待办任务", "收到%s待办任务"), /** * 流程抄送任务 */ BPM_VIEW("bpm_cc", "知会任务", "收到%s知会任务"), /** * 系统消息 */ SYS_MSG("system", "系统消息", "收到一条系统通告"); /** * 业务类型(chat:聊天 bpm_task:流程 bpm_cc:流程抄送) */ private String type; /** * 消息标题 */ private String title; /** * 消息内容 */ private String content; UniPushTypeEnum(String type, String title, String content) { this.type = type; this.title = title; this.content = content; } public String getType() { return type; } public void setType(String type) { this.type = type; } public String getTitle() { return title ; } public void setTitle(String openType) { this.title = openType; } public String getContent() { return content; } public void setContent(String content) { this.content = content; } public static UniPushTypeEnum getByType(String type) { if (oConvertUtils.isEmpty(type)) { return null; } for (UniPushTypeEnum val : values()) { if (val.getType().equals(type)) { return val; } } return null; } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/enums/ModuleType.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/enums/ModuleType.java
package org.jeecg.common.constant.enums; /** * 日志按模块分类 * @author: jeecg-boot */ public enum ModuleType { /** * 普通 */ COMMON, /** * online */ ONLINE; }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/enums/PositionLevelEnum.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/enums/PositionLevelEnum.java
package org.jeecg.common.constant.enums; import java.util.Arrays; import java.util.List; /** * 职级枚举类 * * 注意:此枚举仅适用于天津临港控股OA项目,职级的名称和等级均为写死(需要与数据库配置一致) * @date 2025-08-26 * @author scott */ public enum PositionLevelEnum { // 领导层级(等级1-3) CHAIRMAN("董事长", 1, PositionType.LEADER), GENERAL_MANAGER("总经理", 2, PositionType.LEADER), VICE_GENERAL_MANAGER("副总经理", 3, PositionType.LEADER), // 职员层级(等级4-6) MINISTER("部长", 4, PositionType.STAFF), VICE_MINISTER("副部长", 5, PositionType.STAFF), STAFF("职员", 6, PositionType.STAFF); private final String name; private final int level; private final PositionType type; PositionLevelEnum(String name, int level, PositionType type) { this.name = name; this.level = level; this.type = type; } public String getName() { return name; } public int getLevel() { return level; } public PositionType getType() { return type; } /** * 职级类型枚举 */ public enum PositionType { STAFF("职员层级"), LEADER("领导层级"); private final String desc; PositionType(String desc) { this.desc = desc; } public String getDesc() { return desc; } } /** * 根据职级名称获取枚举 * @param name 职级名称 * @return 职级枚举 */ public static PositionLevelEnum getByName(String name) { for (PositionLevelEnum position : values()) { if (position.getName().equals(name)) { return position; } } return null; } /** * 根据职级等级获取枚举 * @param level 职级等级 * @return 职级枚举 */ public static PositionLevelEnum getByLevel(int level) { for (PositionLevelEnum position : values()) { if (position.getLevel() == level) { return position; } } return null; } /** * 根据职级名称判断是否为职员层级 * @param name 职级名称 * @return true-职员层级,false-非职员层级 */ public static boolean isStaffLevel(String name) { PositionLevelEnum position = getByName(name); return position != null && position.getType() == PositionType.STAFF; } /** * 根据职级名称判断是否为领导层级 * @param name 职级名称 * @return true-领导层级,false-非领导层级 */ public static boolean isLeaderLevel(String name) { PositionLevelEnum position = getByName(name); return position != null && position.getType() == PositionType.LEADER; } /** * 比较两个职级的等级高低 * @param name1 职级名称1 * @param name2 职级名称2 * @return 正数表示name1等级更高,负数表示name2等级更高,0表示等级相同 */ public static int compareLevel(String name1, String name2) { PositionLevelEnum pos1 = getByName(name1); PositionLevelEnum pos2 = getByName(name2); if (pos1 == null || pos2 == null) { return 0; } // 等级数字越小代表职级越高 return pos2.getLevel() - pos1.getLevel(); } /** * 判断是否为更高等级 * @param currentName 当前职级名称 * @param targetName 目标职级名称 * @return true-目标职级更高,false-目标职级不高于当前职级 */ public static boolean isHigherLevel(String currentName, String targetName) { return compareLevel(targetName, currentName) > 0; } /** * 获取所有职员层级名称 * @return 职员层级名称列表 */ public static List<String> getStaffLevelNames() { return Arrays.asList(MINISTER.getName(), VICE_MINISTER.getName(), STAFF.getName()); } /** * 获取所有领导层级名称 * @return 领导层级名称列表 */ public static List<String> getLeaderLevelNames() { return Arrays.asList(CHAIRMAN.getName(), GENERAL_MANAGER.getName(), VICE_GENERAL_MANAGER.getName()); } /** * 获取所有职级名称(按等级排序) * @return 所有职级名称列表 */ public static List<String> getAllPositionNames() { return Arrays.asList( CHAIRMAN.getName(), GENERAL_MANAGER.getName(), VICE_GENERAL_MANAGER.getName(), MINISTER.getName(), VICE_MINISTER.getName(), STAFF.getName() ); } /** * 获取指定等级范围的职级 * @param minLevel 最小等级 * @param maxLevel 最大等级 * @return 职级名称列表 */ public static List<String> getPositionsByLevelRange(int minLevel, int maxLevel) { return Arrays.stream(values()) .filter(p -> p.getLevel() >= minLevel && p.getLevel() <= maxLevel) .map(PositionLevelEnum::getName) .collect(java.util.stream.Collectors.toList()); } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/enums/SysAnnmentTypeEnum.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/enums/SysAnnmentTypeEnum.java
package org.jeecg.common.constant.enums; import org.jeecg.common.util.oConvertUtils; /** * 系统公告自定义跳转方式 * @author: jeecg-boot */ public enum SysAnnmentTypeEnum { /** * 邮件跳转组件 */ EMAIL("email", "component", "modules/eoa/email/modals/EoaEmailInForm"), /** * 流程跳转到我的任务 */ BPM("bpm", "url", "/bpm/task/MyTaskList"), /** * 流程抄送任务 */ BPM_VIEW("bpm_cc", "url", "/bpm/task/MyTaskList"), /** * 邀请用户跳转到个人设置 */ TENANT_INVITE("tenant_invite", "url", "/system/usersetting"), /** * 协同工作-待办通知 * for [JHHB-136]【vue3】协同工作系统消息需要添加一个类型 */ EOA_CO_NOTIFY("eoa_co_notify", "url", "/collaboration/pending"), /** * 协同工作-催办通知 * for [JHHB-136]【vue3】协同工作系统消息需要添加一个类型 */ EOA_CO_REMIND("eoa_co_remind", "url", "/collaboration/pending"), /** * 督办管理-催办 */ EOA_SUP_REMIND("eoa_sup_remind", "url", "/superivse/list"), /** * 督办管理-通知 */ EOA_SUP_NOTIFY("eoa_sup_notify", "url", "/superivse/list"); /** * 业务类型(email:邮件 bpm:流程) */ private String type; /** * 打开方式 组件:component 路由:url */ private String openType; /** * 组件/路由 地址 */ private String openPage; SysAnnmentTypeEnum(String type, String openType, String openPage) { this.type = type; this.openType = openType; this.openPage = openPage; } public String getType() { return type; } public void setType(String type) { this.type = type; } public String getOpenType() { return openType; } public void setOpenType(String openType) { this.openType = openType; } public String getOpenPage() { return openPage; } public void setOpenPage(String openPage) { this.openPage = openPage; } public static SysAnnmentTypeEnum getByType(String type) { if (oConvertUtils.isEmpty(type)) { return null; } for (SysAnnmentTypeEnum val : values()) { if (val.getType().equals(type)) { return val; } } return null; } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/enums/NoticeTypeEnum.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/enums/NoticeTypeEnum.java
package org.jeecg.common.constant.enums; /** * @Description: 文件类型枚举类 * * @author: wangshuai * @date: 2025/6/26 17:29 */ public enum NoticeTypeEnum { //VUE3专用 NOTICE_TYPE_FILE("知识库消息","file"), NOTICE_TYPE_FLOW("工作流消息","flow"), NOTICE_TYPE_PLAN("日程消息","plan"), //暂时没用到 NOTICE_TYPE_MEETING("会议消息","meeting"), NOTICE_TYPE_SYSTEM("系统消息","system"), /** * 协同工作 * for [JHHB-136]【vue3】协同工作系统消息需要添加一个类型 */ NOTICE_TYPE_COLLABORATION("协同工作", "collab"), /** * 督办 */ NOTICE_TYPE_SUPERVISE("督办管理", "supe"), /** * 考勤 */ NOTICE_TYPE_ATTENDANCE("考勤消息", "attendance"); /** * 文件类型名称 */ private String name; /** * 文件类型值 */ private String value; public String getName() { return name; } public void setName(String name) { this.name = name; } public String getValue() { return value; } public void setValue(String value) { this.value = value; } NoticeTypeEnum(String name, String value) { this.name = name; this.value = value; } /** * 获取聊天通知类型 * * @param value * @return */ public static String getChatNoticeType(String value){ return value + "Notice"; } /** * 获取通知名称 * * @param value * @return */ public static String getNoticeNameByValue(String value){ value = value.replace("Notice",""); for (NoticeTypeEnum e : NoticeTypeEnum.values()) { if (e.getValue().equals(value)) { return e.getName(); } } return "系统消息"; } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/enums/DepartCategoryEnum.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/enums/DepartCategoryEnum.java
package org.jeecg.common.constant.enums; import org.jeecg.common.util.oConvertUtils; /** * @Description: 部门类型枚举类 * * @author: wangshuai * @date: 2025/8/19 21:37 */ public enum DepartCategoryEnum { DEPART_CATEGORY_COMPANY("部门类型:公司","公司","1"), DEPART_CATEGORY_DEPART("部门类型:部门","部门","2"), DEPART_CATEGORY_POST("部门类型:岗位","岗位","3"), DEPART_CATEGORY_SUB_COMPANY("部门类型:子公司","子公司","4"); DepartCategoryEnum(String described, String name, String value) { this.value = value; this.name = name; this.described = described; } /** * 描述 */ private String described; /** * 值 */ private String value; /** * 名称 */ private String name; public String getDescribed() { return described; } public void setDescribed(String described) { this.described = described; } public String getValue() { return value; } public void setValue(String value) { this.value = value; } public String getName() { return name; } public void setName(String name) { this.name = name; } /** * 根据值获取名称 * * @param value * @return */ public static String getNameByValue(String value){ if (oConvertUtils.isEmpty(value)) { return null; } for (DepartCategoryEnum val : values()) { if (val.getValue().equals(value)) { return val.getName(); } } return value; } /** * 根据名称获取值 * * @param name * @return */ public static String getValueByName(String name){ if (oConvertUtils.isEmpty(name)) { return null; } for (DepartCategoryEnum val : values()) { if (val.getName().equals(name)) { return val.getValue(); } } return name; } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/enums/RoleIndexConfigEnum.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/enums/RoleIndexConfigEnum.java
package org.jeecg.common.constant.enums; import org.jeecg.common.util.oConvertUtils; import java.util.List; /** * 首页自定义 * 通过角色编码与首页组件路径配置 * 枚举的顺序有权限高低权重作用(也就是配置多个角色,在前面的角色首页,会优先生效) * @author: jeecg-boot */ public enum RoleIndexConfigEnum { /**首页自定义 admin*/ // ADMIN("admin", "dashboard/Analysis"), //TEST("test", "dashboard/IndexChart"), /**首页自定义 hr*/ // HR("hr", "dashboard/IndexBdc"); //DM("dm", "dashboard/IndexTask"), // 注:此值仅为防止报错,无任何实际意义 ROLE_INDEX_CONFIG_ENUM("RoleIndexConfigEnumDefault", "dashboard/Analysis"); /** * 角色编码 */ String roleCode; /** * 路由index */ String componentUrl; /** * 构造器 * * @param roleCode 角色编码 * @param componentUrl 首页组件路径(规则跟菜单配置一样) */ RoleIndexConfigEnum(String roleCode, String componentUrl) { this.roleCode = roleCode; this.componentUrl = componentUrl; } /** * 根据code找枚举 * @param roleCode 角色编码 * @return */ private static RoleIndexConfigEnum getEnumByCode(String roleCode) { for (RoleIndexConfigEnum e : RoleIndexConfigEnum.values()) { if (e.roleCode.equals(roleCode)) { return e; } } return null; } /** * 根据code找index * @param roleCode 角色编码 * @return */ private static String getIndexByCode(String roleCode) { for (RoleIndexConfigEnum e : RoleIndexConfigEnum.values()) { if (e.roleCode.equals(roleCode)) { return e.componentUrl; } } return null; } public static String getIndexByRoles(List<String> roles) { String[] rolesArray = roles.toArray(new String[roles.size()]); for (RoleIndexConfigEnum e : RoleIndexConfigEnum.values()) { if (oConvertUtils.isIn(e.roleCode,rolesArray)){ return e.componentUrl; } } return null; } public String getRoleCode() { return roleCode; } public void setRoleCode(String roleCode) { this.roleCode = roleCode; } public String getComponentUrl() { return componentUrl; } public void setComponentUrl(String componentUrl) { this.componentUrl = componentUrl; } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/enums/DySmsEnum.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/enums/DySmsEnum.java
package org.jeecg.common.constant.enums; import org.apache.commons.lang3.StringUtils; /** * @Description: 短信枚举类 * @author: jeecg-boot */ public enum DySmsEnum { /**登录短信模板编码*/ LOGIN_TEMPLATE_CODE("SMS_175435174","敲敲云","code"), /**忘记密码短信模板编码*/ FORGET_PASSWORD_TEMPLATE_CODE("SMS_175435174","敲敲云","code"), /**修改密码短信模板编码*/ CHANGE_PASSWORD_TEMPLATE_CODE("SMS_465391221","敲敲云","code"), /**注册账号短信模板编码*/ REGISTER_TEMPLATE_CODE("SMS_175430166","敲敲云","code"); /** * 短信模板编码 */ private String templateCode; /** * 签名 */ private String signName; /** * 短信模板必需的数据名称,多个key以逗号分隔,此处配置作为校验 */ private String keys; private DySmsEnum(String templateCode,String signName,String keys) { this.templateCode = templateCode; this.signName = signName; this.keys = keys; } public String getTemplateCode() { return templateCode; } public void setTemplateCode(String templateCode) { this.templateCode = templateCode; } public String getSignName() { return signName; } public void setSignName(String signName) { this.signName = signName; } public String getKeys() { return keys; } public void setKeys(String keys) { this.keys = keys; } public static DySmsEnum toEnum(String templateCode) { if(StringUtils.isEmpty(templateCode)){ return null; } for(DySmsEnum item : DySmsEnum.values()) { if(item.getTemplateCode().equals(templateCode)) { return item; } } return null; } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/enums/ClientTerminalTypeEnum.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/enums/ClientTerminalTypeEnum.java
package org.jeecg.common.constant.enums; /** * 客户终端类型 */ public enum ClientTerminalTypeEnum { PC("pc", "电脑终端"), H5("h5", "移动网页端"), APP("app", "手机app端"); private String key; private String text; ClientTerminalTypeEnum(String value, String text) { this.key = value; this.text = text; } public String getKey() { return this.key; } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/enums/OperateTypeEnum.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/enums/OperateTypeEnum.java
package org.jeecg.common.constant.enums; import org.jeecg.common.constant.CommonConstant; /** * @Description: 操作类型 * @author: jeecg-boot * @date: 2022/3/31 10:05 */ public enum OperateTypeEnum { /** * 列表 */ LIST(CommonConstant.OPERATE_TYPE_1, "list"), /** * 新增 */ ADD(CommonConstant.OPERATE_TYPE_2, "add"), /** * 编辑 */ EDIT(CommonConstant.OPERATE_TYPE_3, "edit"), /** * 删除 */ DELETE(CommonConstant.OPERATE_TYPE_4, "delete"), /** * 导入 */ IMPORT(CommonConstant.OPERATE_TYPE_5, "import"), /** * 导出 */ EXPORT(CommonConstant.OPERATE_TYPE_6, "export"); /** * 类型 1列表,2新增,3编辑,4删除,5导入,6导出 */ int type; /** * 编码(请求方式) */ String code; public int getType() { return type; } public void setType(int type) { this.type = type; } public String getCode() { return code; } public void setCode(String code) { this.code = code; } /** * 构造器 * * @param type 类型 * @param code 编码(请求方式) */ OperateTypeEnum(int type, String code) { this.type = type; this.code = code; } /** * 根据请求名称匹配 * * @param methodName 请求名称 * @return Integer 类型 */ public static Integer getTypeByMethodName(String methodName) { for (OperateTypeEnum e : OperateTypeEnum.values()) { if (methodName.startsWith(e.getCode())) { return e.getType(); } } return CommonConstant.OPERATE_TYPE_1; } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/enums/EmailTemplateEnum.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/enums/EmailTemplateEnum.java
package org.jeecg.common.constant.enums; import org.jeecg.common.util.oConvertUtils; /** * 邮件html模板配置地址美剧 * * @author: liusq * @Date: 2023-10-13 */ public enum EmailTemplateEnum { /** * 流程催办 */ BPM_CUIBAN_EMAIL("bpm_cuiban_email", "/templates/email/bpm_cuiban_email.ftl"), /** * 流程抄送 */ BPM_CC_EMAIL("bpm_cc_email", "/templates/email/bpm_cc_email.ftl"), /** * 流程新任务 */ BPM_NEW_TASK_EMAIL("bpm_new_task_email", "/templates/email/bpm_new_task_email.ftl"), /** * 表单新增记录 */ DESFORM_NEW_DATA_EMAIL("desform_new_data_email", "/templates/email/desform_new_data_email.ftl"); /** * 模板名称 */ private String name; /** * 模板地址 */ private String url; EmailTemplateEnum(String name, String url) { this.name = name; this.url = url; } public String getName() { return name; } public void setName(String name) { this.name = name; } public String getUrl() { return url; } public void setUrl(String url) { this.url = url; } public static EmailTemplateEnum getByName(String name) { if (oConvertUtils.isEmpty(name)) { return null; } for (EmailTemplateEnum val : values()) { if (val.getName().equals(name)) { return val; } } return null; } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/enums/Vue3MessageHrefEnum.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/constant/enums/Vue3MessageHrefEnum.java
package org.jeecg.common.constant.enums; import org.jeecg.common.system.annotation.EnumDict; import org.jeecg.common.system.vo.DictModel; import java.util.ArrayList; import java.util.List; /** * 消息跳转【vue3】 * @Author taoYan * @Date 2022/8/19 20:41 **/ @EnumDict("messageHref") public enum Vue3MessageHrefEnum { /** * 流程催办 */ BPM("bpm", "/task/myHandleTaskInfo"), /** * 系统消息通知 */ BPM_SYSTEM_MSG("bpm_msg_node", ""), /** * 流程抄送任务 */ BPM_VIEW("bpm_cc", "/task/myHandleTaskInfo"), /** * 节点通知 */ BPM_TASK("bpm_task", "/task/myHandleTaskInfo"), /** * 邮件消息 */ EMAIL("email", "/eoa/email"); String busType; String path; Vue3MessageHrefEnum(String busType, String path) { this.busType = busType; this.path = path; } public String getBusType() { return busType; } public String getPath() { return path; } /** * 获取字典数据 * @return */ public static List<DictModel> getDictList(){ List<DictModel> list = new ArrayList<>(); DictModel dictModel = null; for(Vue3MessageHrefEnum e: Vue3MessageHrefEnum.values()){ dictModel = new DictModel(); dictModel.setValue(e.getBusType()); dictModel.setText(e.getPath()); list.add(dictModel); } return list; } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/desensitization/SensitiveSerialize.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/desensitization/SensitiveSerialize.java
package org.jeecg.common.desensitization; import com.fasterxml.jackson.core.JsonGenerator; import com.fasterxml.jackson.databind.BeanProperty; import com.fasterxml.jackson.databind.JsonMappingException; import com.fasterxml.jackson.databind.JsonSerializer; import com.fasterxml.jackson.databind.SerializerProvider; import com.fasterxml.jackson.databind.ser.ContextualSerializer; import lombok.AllArgsConstructor; import lombok.NoArgsConstructor; import lombok.extern.slf4j.Slf4j; import org.jeecg.common.desensitization.annotation.Sensitive; import org.jeecg.common.desensitization.enums.SensitiveEnum; import org.jeecg.common.desensitization.util.SensitiveInfoUtil; import org.jeecg.common.util.encryption.AesEncryptUtil; import java.io.IOException; import java.util.Objects; /** * @author eightmonth@qq.com * @date 2024/6/19 10:43 */ @NoArgsConstructor @AllArgsConstructor @Slf4j public class SensitiveSerialize extends JsonSerializer<String> implements ContextualSerializer { private SensitiveEnum type; @Override public void serialize(String data, JsonGenerator jsonGenerator, SerializerProvider serializerProvider) throws IOException { switch (type){ case ENCODE: try { jsonGenerator.writeString(AesEncryptUtil.encrypt(data)); } catch (Exception exception) { log.error("数据加密错误", exception.getMessage()); jsonGenerator.writeString(data); } break; case CHINESE_NAME: jsonGenerator.writeString(SensitiveInfoUtil.chineseName(data)); break; case ID_CARD: jsonGenerator.writeString(SensitiveInfoUtil.idCardNum(data)); break; case FIXED_PHONE: jsonGenerator.writeString(SensitiveInfoUtil.fixedPhone(data)); break; case MOBILE_PHONE: jsonGenerator.writeString(SensitiveInfoUtil.mobilePhone(data)); break; case ADDRESS: jsonGenerator.writeString(SensitiveInfoUtil.address(data, 3)); break; case EMAIL: jsonGenerator.writeString(SensitiveInfoUtil.email(data)); break; case BANK_CARD: jsonGenerator.writeString(SensitiveInfoUtil.bankCard(data)); break; case CNAPS_CODE: jsonGenerator.writeString(SensitiveInfoUtil.cnapsCode(data)); break; default: jsonGenerator.writeString(data); } } @Override public JsonSerializer<?> createContextual(SerializerProvider serializerProvider, BeanProperty beanProperty) throws JsonMappingException { if (beanProperty != null) { if (Objects.equals(beanProperty.getType().getRawClass(), String.class)) { Sensitive sensitive = beanProperty.getAnnotation(Sensitive.class); if (sensitive == null) { sensitive = beanProperty.getContextAnnotation(Sensitive.class); } if (sensitive != null) { return new SensitiveSerialize(sensitive.type()); } } return serializerProvider.findValueSerializer(beanProperty.getType(), beanProperty); } return serializerProvider.findNullValueSerializer(null); } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/desensitization/util/SensitiveInfoUtil.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/desensitization/util/SensitiveInfoUtil.java
package org.jeecg.common.desensitization.util; import lombok.extern.slf4j.Slf4j; import org.jeecg.common.desensitization.annotation.SensitiveField; import org.jeecg.common.desensitization.enums.SensitiveEnum; import org.jeecg.common.util.encryption.AesEncryptUtil; import org.jeecg.common.util.oConvertUtils; import java.lang.reflect.Field; import java.lang.reflect.ParameterizedType; import java.util.Collections; import java.util.List; /** * 敏感信息处理工具类 * @author taoYan * @date 2022/4/20 18:01 **/ @Slf4j public class SensitiveInfoUtil { /** * 处理嵌套对象 * @param obj 方法返回值 * @param entity 实体class * @param isEncode 是否加密(true: 加密操作 / false:解密操作) * @throws IllegalAccessException */ public static void handleNestedObject(Object obj, Class entity, boolean isEncode) throws IllegalAccessException { Field[] fields = obj.getClass().getDeclaredFields(); for (Field field : fields) { if(field.getType().isPrimitive()){ continue; } if(field.getType().equals(entity)){ // 对象里面是实体 field.setAccessible(true); Object nestedObject = field.get(obj); handlerObject(nestedObject, isEncode); break; }else{ // 对象里面是List<实体> if(field.getGenericType() instanceof ParameterizedType){ ParameterizedType pt = (ParameterizedType)field.getGenericType(); if(pt.getRawType().equals(List.class)){ if(pt.getActualTypeArguments()[0].equals(entity)){ field.setAccessible(true); Object nestedObject = field.get(obj); handleList(nestedObject, entity, isEncode); break; } } } } } } /** * 处理Object * @param obj 方法返回值 * @param isEncode 是否加密(true: 加密操作 / false:解密操作) * @return * @throws IllegalAccessException */ public static Object handlerObject(Object obj, boolean isEncode) throws IllegalAccessException { if (oConvertUtils.isEmpty(obj)) { return obj; } long startTime=System.currentTimeMillis(); log.debug(" obj --> "+ obj.toString()); // 判断是不是一个对象 Field[] fields = obj.getClass().getDeclaredFields(); for (Field field : fields) { boolean isSensitiveField = field.isAnnotationPresent(SensitiveField.class); if(isSensitiveField){ // 必须有SensitiveField注解 才作处理 if(field.getType().isAssignableFrom(String.class)){ //必须是字符串类型 才作处理 field.setAccessible(true); String realValue = (String) field.get(obj); if(realValue==null || "".equals(realValue)){ continue; } SensitiveField sf = field.getAnnotation(SensitiveField.class); if(isEncode==true){ //加密 String value = SensitiveInfoUtil.getEncodeData(realValue, sf.type()); field.set(obj, value); }else{ //解密只处理 encode类型的 if(sf.type().equals(SensitiveEnum.ENCODE)){ String value = SensitiveInfoUtil.getDecodeData(realValue); field.set(obj, value); } } } } } //long endTime=System.currentTimeMillis(); //log.info((isEncode ? "加密操作," : "解密操作,") + "当前程序耗时:" + (endTime - startTime) + "ms"); return obj; } /** * 处理 List<实体> * @param obj * @param entity * @param isEncode(true: 加密操作 / false:解密操作) */ public static void handleList(Object obj, Class entity, boolean isEncode){ List list = (List)obj; if(list.size()>0){ Object first = list.get(0); if(first.getClass().equals(entity)){ for(int i=0; i<list.size(); i++){ Object temp = list.get(i); try { handlerObject(temp, isEncode); } catch (IllegalAccessException e) { e.printStackTrace(); } } } } } /** * 处理数据 获取解密后的数据 * @param data * @return */ public static String getDecodeData(String data){ String result = null; try { result = AesEncryptUtil.desEncrypt(data); } catch (Exception exception) { log.debug("数据解密错误,原数据:"+data); } //解决debug模式下,加解密失效导致中文被解密变成空的问题 if(oConvertUtils.isEmpty(result) && oConvertUtils.isNotEmpty(data)){ result = data; } return result; } /** * 处理数据 获取加密后的数据 或是格式化后的数据 * @param data 字符串 * @param sensitiveEnum 类型 * @return 处理后的字符串 */ public static String getEncodeData(String data, SensitiveEnum sensitiveEnum){ String result; switch (sensitiveEnum){ case ENCODE: try { result = AesEncryptUtil.encrypt(data); } catch (Exception exception) { log.error("数据加密错误", exception.getMessage()); result = data; } break; case CHINESE_NAME: result = chineseName(data); break; case ID_CARD: result = idCardNum(data); break; case FIXED_PHONE: result = fixedPhone(data); break; case MOBILE_PHONE: result = mobilePhone(data); break; case ADDRESS: result = address(data, 3); break; case EMAIL: result = email(data); break; case BANK_CARD: result = bankCard(data); break; case CNAPS_CODE: result = cnapsCode(data); break; default: result = data; } return result; } /** * [中文姓名] 只显示第一个汉字,其他隐藏为2个星号 * @param fullName 全名 * @return <例子:李**> */ public static String chineseName(String fullName) { if (oConvertUtils.isEmpty(fullName)) { return ""; } return formatRight(fullName, 1); } /** * [中文姓名] 只显示第一个汉字,其他隐藏为2个星号 * @param familyName 姓 * @param firstName 名 * @return <例子:李**> */ public static String chineseName(String familyName, String firstName) { if (oConvertUtils.isEmpty(familyName) || oConvertUtils.isEmpty(firstName)) { return ""; } return chineseName(familyName + firstName); } /** * [身份证号] 显示最后四位,其他隐藏。共计18位或者15位。 * @param id 身份证号 * @return <例子:*************5762> */ public static String idCardNum(String id) { if (oConvertUtils.isEmpty(id)) { return ""; } return formatLeft(id, 4); } /** * [固定电话] 后四位,其他隐藏 * @param num 固定电话 * @return <例子:****1234> */ public static String fixedPhone(String num) { if (oConvertUtils.isEmpty(num)) { return ""; } return formatLeft(num, 4); } /** * [手机号码] 前三位,后四位,其他隐藏 * @param num 手机号码 * @return <例子:138******1234> */ public static String mobilePhone(String num) { if (oConvertUtils.isEmpty(num)) { return ""; } int len = num.length(); if(len<11){ return num; } return formatBetween(num, 3, 4); } /** * [地址] 只显示到地区,不显示详细地址;我们要对个人信息增强保护 * @param address 地址 * @param sensitiveSize 敏感信息长度 * @return <例子:北京市海淀区****> */ public static String address(String address, int sensitiveSize) { if (oConvertUtils.isEmpty(address)) { return ""; } int len = address.length(); if(len<sensitiveSize){ return address; } return formatRight(address, sensitiveSize); } /** * [电子邮箱] 邮箱前缀仅显示第一个字母,前缀其他隐藏,用星号代替,@及后面的地址显示 * @param email 电子邮箱 * @return <例子:g**@163.com> */ public static String email(String email) { if (oConvertUtils.isEmpty(email)) { return ""; } int index = email.indexOf("@"); if (index <= 1){ return email; } String begin = email.substring(0, 1); String end = email.substring(index); String stars = "**"; return begin + stars + end; } /** * [银行卡号] 前六位,后四位,其他用星号隐藏每位1个星号 * @param cardNum 银行卡号 * @return <例子:6222600**********1234> */ public static String bankCard(String cardNum) { if (oConvertUtils.isEmpty(cardNum)) { return ""; } return formatBetween(cardNum, 6, 4); } /** * [公司开户银行联号] 公司开户银行联行号,显示前两位,其他用星号隐藏,每位1个星号 * @param code 公司开户银行联号 * @return <例子:12********> */ public static String cnapsCode(String code) { if (oConvertUtils.isEmpty(code)) { return ""; } return formatRight(code, 2); } /** * 将右边的格式化成* * @param str 字符串 * @param reservedLength 保留长度 * @return 格式化后的字符串 */ public static String formatRight(String str, int reservedLength){ String name = str.substring(0, reservedLength); String stars = String.join("", Collections.nCopies(str.length()-reservedLength, "*")); return name + stars; } /** * 将左边的格式化成* * @param str 字符串 * @param reservedLength 保留长度 * @return 格式化后的字符串 */ public static String formatLeft(String str, int reservedLength){ int len = str.length(); String show = str.substring(len-reservedLength); String stars = String.join("", Collections.nCopies(len-reservedLength, "*")); return stars + show; } /** * 将中间的格式化成* * @param str 字符串 * @param beginLen 开始保留长度 * @param endLen 结尾保留长度 * @return 格式化后的字符串 */ public static String formatBetween(String str, int beginLen, int endLen){ int len = str.length(); String begin = str.substring(0, beginLen); String end = str.substring(len-endLen); String stars = String.join("", Collections.nCopies(len-beginLen-endLen, "*")); return begin + stars + end; } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/desensitization/aspect/SensitiveDataAspect.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/desensitization/aspect/SensitiveDataAspect.java
package org.jeecg.common.desensitization.aspect; import lombok.extern.slf4j.Slf4j; import org.aspectj.lang.ProceedingJoinPoint; import org.aspectj.lang.annotation.Around; import org.aspectj.lang.annotation.Aspect; import org.aspectj.lang.annotation.Pointcut; import org.aspectj.lang.reflect.MethodSignature; import org.jeecg.common.desensitization.annotation.SensitiveDecode; import org.jeecg.common.desensitization.annotation.SensitiveEncode; import org.jeecg.common.desensitization.util.SensitiveInfoUtil; import org.springframework.stereotype.Component; import java.lang.reflect.Method; import java.util.List; /** * 敏感数据切面处理类 * @Author taoYan * @Date 2022/4/20 17:45 **/ @Slf4j @Aspect @Component public class SensitiveDataAspect { /** * 定义切点Pointcut */ @Pointcut("@annotation(org.jeecg.common.desensitization.annotation.SensitiveEncode) || @annotation(org.jeecg.common.desensitization.annotation.SensitiveDecode)") public void sensitivePointCut() { } @Around("sensitivePointCut()") public Object around(ProceedingJoinPoint point) throws Throwable { // 处理结果 Object result = point.proceed(); if(result == null){ return result; } Class resultClass = result.getClass(); log.debug(" resultClass = {}" , resultClass); if(resultClass.isPrimitive()){ //是基本类型 直接返回 不需要处理 return result; } // 获取方法注解信息:是哪个实体、是加密还是解密 boolean isEncode = true; Class entity = null; MethodSignature methodSignature = (MethodSignature) point.getSignature(); Method method = methodSignature.getMethod(); SensitiveEncode encode = method.getAnnotation(SensitiveEncode.class); if(encode==null){ SensitiveDecode decode = method.getAnnotation(SensitiveDecode.class); if(decode!=null){ entity = decode.entity(); isEncode = false; } }else{ entity = encode.entity(); } long startTime=System.currentTimeMillis(); if(resultClass.equals(entity) || entity.equals(Object.class)){ // 方法返回实体和注解的entity一样,如果注解没有申明entity属性则认为是(方法返回实体和注解的entity一样) SensitiveInfoUtil.handlerObject(result, isEncode); } else if(result instanceof List){ // 方法返回List<实体> SensitiveInfoUtil.handleList(result, entity, isEncode); }else{ // 方法返回一个对象 SensitiveInfoUtil.handleNestedObject(result, entity, isEncode); } long endTime=System.currentTimeMillis(); log.debug((isEncode ? "加密操作," : "解密操作,") + "Aspect程序耗时:" + (endTime - startTime) + "ms"); return result; } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/desensitization/annotation/SensitiveEncode.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/desensitization/annotation/SensitiveEncode.java
package org.jeecg.common.desensitization.annotation; import java.lang.annotation.*; /** * 加密注解 * * 在方法上声明 将方法返回对象中的敏感字段 加密/格式化 */ @Documented @Retention(RetentionPolicy.RUNTIME) @Target({ElementType.METHOD}) public @interface SensitiveEncode { /** * 指明需要脱敏的实体类class * @return */ Class entity() default Object.class; }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/desensitization/annotation/Sensitive.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/desensitization/annotation/Sensitive.java
package org.jeecg.common.desensitization.annotation; import com.fasterxml.jackson.annotation.JacksonAnnotationsInside; import com.fasterxml.jackson.databind.annotation.JsonSerialize; import org.jeecg.common.desensitization.SensitiveSerialize; import org.jeecg.common.desensitization.enums.SensitiveEnum; import java.lang.annotation.*; /** * 在字段上定义 标识字段存储的信息是敏感的 */ @Documented @Retention(RetentionPolicy.RUNTIME) @Target(ElementType.FIELD) @JacksonAnnotationsInside @JsonSerialize(using = SensitiveSerialize.class) public @interface Sensitive { /** * 不同类型处理不同 * @return */ SensitiveEnum type() default SensitiveEnum.ENCODE; }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/desensitization/annotation/SensitiveDecode.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/desensitization/annotation/SensitiveDecode.java
package org.jeecg.common.desensitization.annotation; import java.lang.annotation.*; /** * 解密注解 * * 在方法上定义 将方法返回对象中的敏感字段 解密,需要注意的是,如果没有加密过,解密会出问题,返回原字符串 */ @Documented @Retention(RetentionPolicy.RUNTIME) @Target({ElementType.METHOD}) public @interface SensitiveDecode { /** * 指明需要脱敏的实体类class * @return */ Class entity() default Object.class; }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/desensitization/annotation/SensitiveField.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/desensitization/annotation/SensitiveField.java
package org.jeecg.common.desensitization.annotation; import org.jeecg.common.desensitization.enums.SensitiveEnum; import java.lang.annotation.*; /** * 在字段上定义 标识字段存储的信息是敏感的 */ @Documented @Retention(RetentionPolicy.RUNTIME) @Target(ElementType.FIELD) public @interface SensitiveField { /** * 不同类型处理不同 * @return */ SensitiveEnum type() default SensitiveEnum.ENCODE; }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/desensitization/enums/SensitiveEnum.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/desensitization/enums/SensitiveEnum.java
package org.jeecg.common.desensitization.enums; /** * 敏感字段信息类型 */ public enum SensitiveEnum { /** * 加密 */ ENCODE, /** * 中文名 */ CHINESE_NAME, /** * 身份证号 */ ID_CARD, /** * 座机号 */ FIXED_PHONE, /** * 手机号 */ MOBILE_PHONE, /** * 地址 */ ADDRESS, /** * 电子邮件 */ EMAIL, /** * 银行卡 */ BANK_CARD, /** * 公司开户银行联号 */ CNAPS_CODE; }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/exception/JeecgBootAssertException.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/exception/JeecgBootAssertException.java
package org.jeecg.common.exception; /** * jeecgboot断言异常 * for [QQYUN-10990]AIRAG * @author chenrui * @date 2025/2/14 14:31 */ public class JeecgBootAssertException extends JeecgBootException { private static final long serialVersionUID = 1L; public JeecgBootAssertException(String message) { super(message); } public JeecgBootAssertException(String message, int errCode) { super(message, errCode); } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/exception/JeecgBoot401Exception.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/exception/JeecgBoot401Exception.java
package org.jeecg.common.exception; /** * @Description: jeecg-boot自定义401异常 * @author: jeecg-boot */ public class JeecgBoot401Exception extends RuntimeException { private static final long serialVersionUID = 1L; public JeecgBoot401Exception(String message){ super(message); } public JeecgBoot401Exception(Throwable cause) { super(cause); } public JeecgBoot401Exception(String message, Throwable cause) { super(message,cause); } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/exception/JeecgSqlInjectionException.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/exception/JeecgSqlInjectionException.java
package org.jeecg.common.exception; /** * @Description: jeecg-boot自定义SQL注入异常 * @author: jeecg-boot */ public class JeecgSqlInjectionException extends RuntimeException { private static final long serialVersionUID = 1L; public JeecgSqlInjectionException(String message){ super(message); } public JeecgSqlInjectionException(Throwable cause) { super(cause); } public JeecgSqlInjectionException(String message, Throwable cause) { super(message,cause); } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/exception/JeecgBootExceptionHandler.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/exception/JeecgBootExceptionHandler.java
package org.jeecg.common.exception; import cn.hutool.core.util.ObjectUtil; import jakarta.annotation.Resource; import jakarta.servlet.http.HttpServletRequest; import lombok.extern.slf4j.Slf4j; import org.apache.commons.lang3.exception.ExceptionUtils; import org.apache.shiro.SecurityUtils; import org.apache.shiro.authz.AuthorizationException; import org.apache.shiro.authz.UnauthorizedException; import org.jeecg.common.api.dto.LogDTO; import org.jeecg.common.api.vo.Result; import org.jeecg.common.constant.CommonConstant; import org.jeecg.common.constant.enums.ClientTerminalTypeEnum; import org.jeecg.common.enums.SentinelErrorInfoEnum; import org.jeecg.common.system.vo.LoginUser; import org.jeecg.common.util.BrowserUtils; import org.jeecg.common.util.IpUtils; import org.jeecg.common.util.SpringContextUtils; import org.jeecg.common.util.oConvertUtils; import org.jeecg.modules.base.service.BaseCommonService; import org.springframework.beans.BeansException; import org.springframework.dao.DataIntegrityViolationException; import org.springframework.dao.DuplicateKeyException; import org.springframework.data.redis.connection.PoolException; import org.springframework.http.HttpStatus; import org.springframework.util.CollectionUtils; import org.springframework.validation.ObjectError; import org.springframework.web.HttpRequestMethodNotSupportedException; import org.springframework.web.bind.MethodArgumentNotValidException; import org.springframework.web.bind.annotation.ExceptionHandler; import org.springframework.web.bind.annotation.ResponseStatus; import org.springframework.web.bind.annotation.RestControllerAdvice; import org.springframework.web.multipart.MaxUploadSizeExceededException; import org.springframework.web.multipart.MultipartException; import org.springframework.web.servlet.NoHandlerFoundException; import java.util.Map; import java.util.stream.Collectors; /** * 异常处理器 * * @Author scott * @Date 2019 */ @RestControllerAdvice @Slf4j public class JeecgBootExceptionHandler { @Resource BaseCommonService baseCommonService; @ExceptionHandler(MethodArgumentNotValidException.class) public Result<?> handleValidationExceptions(MethodArgumentNotValidException e) { log.error(e.getMessage(), e); addSysLog(e); return Result.error("校验失败!" + e.getBindingResult().getAllErrors().stream().map(ObjectError::getDefaultMessage).collect(Collectors.joining(","))); } /** * 处理自定义异常 */ @ExceptionHandler(JeecgBootException.class) public Result<?> handleJeecgBootException(JeecgBootException e){ log.error(e.getMessage(), e); addSysLog(e); return Result.error(e.getErrCode(), e.getMessage()); } /** * 处理自定义异常 */ @ExceptionHandler(JeecgBootBizTipException.class) public Result<?> handleJeecgBootBizTipException(JeecgBootBizTipException e){ log.error(e.getMessage()); return Result.error(e.getErrCode(), e.getMessage()); } /** * 处理自定义微服务异常 */ @ExceptionHandler(JeecgCloudException.class) public Result<?> handleJeecgCloudException(JeecgCloudException e){ log.error(e.getMessage(), e); addSysLog(e); return Result.error(e.getMessage()); } /** * 处理自定义异常 */ @ExceptionHandler(JeecgBoot401Exception.class) @ResponseStatus(HttpStatus.UNAUTHORIZED) public Result<?> handleJeecgBoot401Exception(JeecgBoot401Exception e){ log.error(e.getMessage(), e); addSysLog(e); return new Result(401,e.getMessage()); } @ExceptionHandler(NoHandlerFoundException.class) public Result<?> handlerNoFoundException(Exception e) { log.error(e.getMessage(), e); addSysLog(e); return Result.error(404, "路径不存在,请检查路径是否正确"); } @ExceptionHandler(DuplicateKeyException.class) public Result<?> handleDuplicateKeyException(DuplicateKeyException e){ log.error(e.getMessage(), e); addSysLog(e); return Result.error("数据库中已存在该记录"); } @ExceptionHandler({UnauthorizedException.class, AuthorizationException.class}) public Result<?> handleAuthorizationException(AuthorizationException e){ log.error(e.getMessage(), e); return Result.noauth("没有权限,请联系管理员分配权限!"); } @ExceptionHandler(Exception.class) public Result<?> handleException(Exception e){ log.error(e.getMessage(), e); // 代码逻辑说明: 处理Sentinel限流自定义异常 Throwable throwable = e.getCause(); SentinelErrorInfoEnum errorInfoEnum = SentinelErrorInfoEnum.getErrorByException(throwable); if (ObjectUtil.isNotEmpty(errorInfoEnum)) { return Result.error(errorInfoEnum.getError()); } addSysLog(e); return Result.error("操作失败,"+e.getMessage()); } /** * @Author 政辉 * @param e * @return */ @ExceptionHandler(HttpRequestMethodNotSupportedException.class) public Result<?> httpRequestMethodNotSupportedException(HttpRequestMethodNotSupportedException e){ StringBuffer sb = new StringBuffer(); sb.append("不支持"); sb.append(e.getMethod()); sb.append("请求方法,"); sb.append("支持以下"); String [] methods = e.getSupportedMethods(); if(methods!=null){ for(String str:methods){ sb.append(str); sb.append("、"); } } log.error(sb.toString(), e); //return Result.error("没有权限,请联系管理员授权"); addSysLog(e); return Result.error(405,sb.toString()); } /** * spring默认上传大小100MB 超出大小捕获异常MaxUploadSizeExceededException */ @ExceptionHandler(MaxUploadSizeExceededException.class) public Result<?> handleMaxUploadSizeExceededException(MaxUploadSizeExceededException e) { log.error(e.getMessage(), e); addSysLog(e); return Result.error("文件大小超出10MB限制, 请压缩或降低文件质量! "); } /** * 处理文件过大异常. * jdk17中的MultipartException异常类已经被拆分成了MultipartException和MaxUploadSizeExceededException * for [QQYUN-11716]上传大图片失败没有精确提示 * @param e * @return * @author chenrui * @date 2025/4/8 16:13 */ @ExceptionHandler(MultipartException.class) public Result<?> handleMaxUploadSizeExceededException(MultipartException e) { Throwable cause = e.getCause(); if (cause instanceof IllegalStateException) { log.error("文件大小超出限制: {}", cause.getMessage(), e); addSysLog(e); return Result.error("文件大小超出限制, 请压缩或降低文件质量!"); } else { return handleException(e); } } @ExceptionHandler(DataIntegrityViolationException.class) public Result<?> handleDataIntegrityViolationException(DataIntegrityViolationException e) { log.error(e.getMessage(), e); addSysLog(e); //【issues/3624】数据库执行异常handleDataIntegrityViolationException提示有误 #3624 return Result.error("执行数据库异常,违反了完整性例如:违反惟一约束、违反非空限制、字段内容超出长度等"); } @ExceptionHandler(PoolException.class) public Result<?> handlePoolException(PoolException e) { log.error(e.getMessage(), e); addSysLog(e); return Result.error("Redis 连接异常!"); } /** * SQL注入风险,全局异常处理 * * @param exception * @return */ @ExceptionHandler(JeecgSqlInjectionException.class) public Result<?> handleSQLException(Exception exception) { String msg = exception.getMessage().toLowerCase(); final String extractvalue = "extractvalue"; final String updatexml = "updatexml"; boolean hasSensitiveInformation = msg.indexOf(extractvalue) >= 0 || msg.indexOf(updatexml) >= 0; if (msg != null && hasSensitiveInformation) { log.error("校验失败,存在SQL注入风险!{}", msg); return Result.error("校验失败,存在SQL注入风险!"); } addSysLog(exception); return Result.error("校验失败,存在SQL注入风险!" + msg); } /** * 添加异常新系统日志 * @param e 异常 * @author chenrui * @date 2024/4/22 17:16 */ private void addSysLog(Throwable e) { LogDTO log = new LogDTO(); log.setLogType(CommonConstant.LOG_TYPE_4); log.setLogContent(e.getClass().getName()+":"+e.getMessage()); log.setRequestParam(ExceptionUtils.getStackTrace(e)); //获取request HttpServletRequest request = null; try { request = SpringContextUtils.getHttpServletRequest(); } catch (NullPointerException | BeansException ignored) { } if (null != request) { //请求的参数 if (!isTooBigException(e)) { // 文件上传过大异常时不能获取参数,否则会报错 Map<String, String[]> parameterMap = request.getParameterMap(); if(!CollectionUtils.isEmpty(parameterMap)) { log.setMethod(oConvertUtils.mapToString(request.getParameterMap())); } } // 请求地址 log.setRequestUrl(request.getRequestURI()); //设置IP地址 log.setIp(IpUtils.getIpAddr(request)); //设置客户端 if(BrowserUtils.isDesktop(request)){ log.setClientType(ClientTerminalTypeEnum.PC.getKey()); }else{ log.setClientType(ClientTerminalTypeEnum.APP.getKey()); } } //获取登录用户信息 LoginUser sysUser = (LoginUser) SecurityUtils.getSubject().getPrincipal(); if(sysUser!=null){ log.setUserid(sysUser.getUsername()); log.setUsername(sysUser.getRealname()); } baseCommonService.addLog(log); } /** * 是否文件过大异常 * for [QQYUN-11716]上传大图片失败没有精确提示 * @param e * @return * @author chenrui * @date 2025/4/8 20:21 */ private static boolean isTooBigException(Throwable e) { boolean isTooBigException = false; if(e instanceof MultipartException){ Throwable cause = e.getCause(); if (cause instanceof IllegalStateException){ isTooBigException = true; } } if(e instanceof MaxUploadSizeExceededException){ isTooBigException = true; } return isTooBigException; } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/exception/JeecgBootException.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/exception/JeecgBootException.java
package org.jeecg.common.exception; import org.jeecg.common.constant.CommonConstant; /** * @Description: jeecg-boot自定义异常 * @author: jeecg-boot */ public class JeecgBootException extends RuntimeException { private static final long serialVersionUID = 1L; /** * 返回给前端的错误code */ private int errCode = CommonConstant.SC_INTERNAL_SERVER_ERROR_500; public JeecgBootException(String message){ super(message); } public JeecgBootException(String message, int errCode){ super(message); this.errCode = errCode; } public int getErrCode() { return errCode; } public JeecgBootException(Throwable cause) { super(cause); } public JeecgBootException(String message,Throwable cause) { super(message,cause); } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/exception/JeecgBootBizTipException.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/exception/JeecgBootBizTipException.java
package org.jeecg.common.exception; import org.jeecg.common.constant.CommonConstant; /** * @Description: 业务提醒异常(用于操作业务提醒) * @date: 2024-04-26 * @author: scott */ public class JeecgBootBizTipException extends RuntimeException { private static final long serialVersionUID = 1L; /** * 返回给前端的错误code */ private int errCode = CommonConstant.SC_INTERNAL_SERVER_ERROR_500; public JeecgBootBizTipException(String message){ super(message); } public JeecgBootBizTipException(String message, int errCode){ super(message); this.errCode = errCode; } public int getErrCode() { return errCode; } public JeecgBootBizTipException(Throwable cause) { super(cause); } public JeecgBootBizTipException(String message, Throwable cause) { super(message,cause); } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/api/CommonAPI.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/api/CommonAPI.java
package org.jeecg.common.api; import org.jeecg.common.api.dto.AiragFlowDTO; import org.jeecg.common.system.vo.*; import java.util.List; import java.util.Map; import java.util.Set; /** * 通用api * @author: jeecg-boot */ public interface CommonAPI { /** * 1查询用户角色信息 * @param username * @return */ Set<String> queryUserRoles(String username); /** * 1查询用户角色信息 * @param userId * @return */ Set<String> queryUserRolesById(String userId); /** * 2查询用户权限信息 * @param userId * @return */ Set<String> queryUserAuths(String userId); /** * 3根据 id 查询数据库中存储的 DynamicDataSourceModel * * @param dbSourceId * @return */ DynamicDataSourceModel getDynamicDbSourceById(String dbSourceId); /** * 4根据 code 查询数据库中存储的 DynamicDataSourceModel * * @param dbSourceCode * @return */ DynamicDataSourceModel getDynamicDbSourceByCode(String dbSourceCode); /** * 5根据用户账号查询用户信息 * @param username * @return */ public LoginUser getUserByName(String username); /** * 5根据用户账号查询用户Id * @param username * @return */ public String getUserIdByName(String username); /** * 6字典表的 翻译 * @param table * @param text * @param code * @param key * @return */ String translateDictFromTable(String table, String text, String code, String key); /** * 7普通字典的翻译 * @param code * @param key * @return */ String translateDict(String code, String key); /** * 8查询数据权限 * @param component 组件 * @param username 用户名 * @param requestPath 前段请求地址 * @return */ List<SysPermissionDataRuleModel> queryPermissionDataRule(String component, String requestPath, String username); /** * 9查询用户信息 * @param username * @return */ SysUserCacheInfo getCacheUser(String username); /** * 10获取数据字典 * @param code * @return */ public List<DictModel> queryDictItemsByCode(String code); /** * 获取有效的数据字典项 * @param code * @return */ public List<DictModel> queryEnableDictItemsByCode(String code); /** * 13获取表数据字典 * @param tableFilterSql * @param text * @param code * @return */ List<DictModel> queryTableDictItemsByCode(String tableFilterSql, String text, String code); /** * 14 普通字典的翻译,根据多个dictCode和多条数据,多个以逗号分割 * @param dictCodes 例如:user_status,sex * @param keys 例如:1,2,0 * @return */ Map<String, List<DictModel>> translateManyDict(String dictCodes, String keys); /** * 15 字典表的 翻译,可批量 * @param table * @param text * @param code * @param keys 多个用逗号分割 * @param dataSource 数据源 * @return */ List<DictModel> translateDictFromTableByKeys(String table, String text, String code, String keys, String dataSource); /** * 16 运行AIRag流程 * for [QQYUN-13634]在baseapi里面封装方法,方便其他模块调用 * * @param airagFlowDTO * @return 流程执行结果,可能是String或者Map * @author chenrui * @date 2025/9/2 11:43 */ Object runAiragFlow(AiragFlowDTO airagFlowDTO); }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/api/dto/ApprovalCommentDTO.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/api/dto/ApprovalCommentDTO.java
package org.jeecg.common.api.dto; import lombok.Data; import java.io.Serializable; import java.util.Date; /** * 流程审批意见DTO * @author scott * @date 2025-01-29 */ @Data public class ApprovalCommentDTO implements Serializable { private static final long serialVersionUID = 1L; /** * 任务ID */ private String taskId; /** * 任务名称 */ private String taskName; /** * 审批人ID */ private String approverId; /** * 审批人姓名 */ private String approverName; /** * 审批意见 */ private String approvalComment; /** * 审批时间 */ private Date approvalTime; }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/api/dto/OnlineAuthDTO.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/api/dto/OnlineAuthDTO.java
package org.jeecg.common.api.dto; import lombok.Data; import java.io.Serializable; import java.util.List; /** * online 拦截器权限判断 * cloud api 用到的接口传输对象 * @author: jeecg-boot */ @Data public class OnlineAuthDTO implements Serializable { private static final long serialVersionUID = 1771827545416418203L; /** * 用户名 */ private String username; /** * 可能的请求地址 */ private List<String> possibleUrl; /** * online开发的菜单地址 */ private String onlineFormUrl; /** * online工单的地址 */ private String onlineWorkOrderUrl; public OnlineAuthDTO(){ } public OnlineAuthDTO(String username, List<String> possibleUrl, String onlineFormUrl){ this.username = username; this.possibleUrl = possibleUrl; this.onlineFormUrl = onlineFormUrl; } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/api/dto/PushMessageDTO.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/api/dto/PushMessageDTO.java
package org.jeecg.common.api.dto; import lombok.AllArgsConstructor; import lombok.Builder; import lombok.Data; import lombok.NoArgsConstructor; import java.io.Serializable; import java.util.List; import java.util.Map; /** * 移动端消息推送 * @author liusq * @date 2025/11/12 14:11 */ @Builder @AllArgsConstructor @NoArgsConstructor @Data public class PushMessageDTO implements Serializable { private static final long serialVersionUID = 7431775881170684867L; /** * 消息标题 */ private String title; /** * 消息内容 */ private String content; /** * 推送形式:all:全推送 single:单用户推送 */ private String pushType; /** * 用户名usernameList */ List<String> usernames; /** * 用户名idList */ List<String> userIds; /** * 消息附加参数 */ Map<String,Object> payload; }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/api/dto/DataLogDTO.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/api/dto/DataLogDTO.java
package org.jeecg.common.api.dto; import lombok.Data; /** * @Author taoYan * @Date 2022/7/26 14:44 **/ @Data public class DataLogDTO { private String tableName; private String dataId; private String content; private String type; private String createName; public DataLogDTO(){ } public DataLogDTO(String tableName, String dataId, String content, String type) { this.tableName = tableName; this.dataId = dataId; this.content = content; this.type = type; } public DataLogDTO(String tableName, String dataId, String type) { this.tableName = tableName; this.dataId = dataId; this.type = type; } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/api/dto/FileDownDTO.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/api/dto/FileDownDTO.java
package org.jeecg.common.api.dto; import lombok.Data; import jakarta.servlet.http.HttpServletResponse; import java.io.Serializable; /** * 文件下载 * cloud api 用到的接口传输对象 * @author: jeecg-boot */ @Data public class FileDownDTO implements Serializable { private static final long serialVersionUID = 6749126258686446019L; private String filePath; private String uploadpath; private String uploadType; private HttpServletResponse response; public FileDownDTO(){} public FileDownDTO(String filePath, String uploadpath, String uploadType,HttpServletResponse response){ this.filePath = filePath; this.uploadpath = uploadpath; this.uploadType = uploadType; this.response = response; } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/api/dto/LogDTO.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/api/dto/LogDTO.java
package org.jeecg.common.api.dto; import lombok.Data; import org.jeecg.common.aspect.annotation.Dict; import org.jeecg.common.system.vo.LoginUser; import java.io.Serializable; import java.util.Date; /** * 日志对象 * cloud api 用到的接口传输对象 * @author: jeecg-boot */ @Data public class LogDTO implements Serializable { private static final long serialVersionUID = 8482720462943906924L; /**内容*/ private String logContent; /**日志类型(0:操作日志;1:登录日志;2:定时任务) */ private Integer logType; /**操作类型(1:添加;2:修改;3:删除;) */ private Integer operateType; /**登录用户 */ private LoginUser loginUser; private String id; private String createBy; private Date createTime; private Long costTime; private String ip; /**请求参数 */ private String requestParam; /**请求类型*/ private String requestType; /**请求路径*/ private String requestUrl; /**请求方法 */ private String method; /**操作人用户名称*/ private String username; /**操作人用户账户*/ private String userid; /** * 租户ID */ private Integer tenantId; /** * 客户终端类型 pc:电脑端 app:手机端 h5:移动网页端 */ private String clientType; public LogDTO(){ } public LogDTO(String logContent, Integer logType, Integer operatetype){ this.logContent = logContent; this.logType = logType; this.operateType = operatetype; } public LogDTO(String logContent, Integer logType, Integer operatetype, LoginUser loginUser){ this.logContent = logContent; this.logType = logType; this.operateType = operatetype; this.loginUser = loginUser; } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/api/dto/FileUploadDTO.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/api/dto/FileUploadDTO.java
package org.jeecg.common.api.dto; import lombok.Data; import org.springframework.web.multipart.MultipartFile; import java.io.Serializable; /** * 文件上传 * cloud api 用到的接口传输对象 * @author: jeecg-boot */ @Data public class FileUploadDTO implements Serializable { private static final long serialVersionUID = -4111953058578954386L; private MultipartFile file; private String bizPath; private String uploadType; private String customBucket; public FileUploadDTO(){ } /** * 简单上传 构造器1 * @param file * @param bizPath * @param uploadType */ public FileUploadDTO(MultipartFile file,String bizPath,String uploadType){ this.file = file; this.bizPath = bizPath; this.uploadType = uploadType; } /** * 申明桶 文件上传 构造器2 * @param file * @param bizPath * @param uploadType * @param customBucket */ public FileUploadDTO(MultipartFile file,String bizPath,String uploadType,String customBucket){ this.file = file; this.bizPath = bizPath; this.uploadType = uploadType; this.customBucket = customBucket; } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/api/dto/AiragFlowDTO.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/api/dto/AiragFlowDTO.java
package org.jeecg.common.api.dto; import lombok.AllArgsConstructor; import lombok.Builder; import lombok.Data; import lombok.NoArgsConstructor; import java.io.Serializable; import java.util.Map; /** * 调用AI流程入参 * for [QQYUN-13634]在baseapi里面封装方法,方便其他模块调用 * @author chenrui * @date 2025/9/2 14:11 */ @Builder @AllArgsConstructor @NoArgsConstructor @Data public class AiragFlowDTO implements Serializable { private static final long serialVersionUID = 7431775881170684867L; /** * 流程id */ private String flowId; /** * 输入参数 */ private Map<String, Object> inputParams; }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/api/dto/message/BusTemplateMessageDTO.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/api/dto/message/BusTemplateMessageDTO.java
package org.jeecg.common.api.dto.message; import lombok.Data; import java.io.Serializable; import java.util.Map; /** * 带业务参数的模板消息 * @author: jeecg-boot */ @Data public class BusTemplateMessageDTO extends TemplateMessageDTO implements Serializable { private static final long serialVersionUID = -4277810906346929459L; /** * 业务类型 */ private String busType; /** * 业务id */ private String busId; public BusTemplateMessageDTO(){ } /** * 构造 带业务参数的模板消息 * @param fromUser * @param toUser * @param title * @param templateParam * @param templateCode * @param busType * @param busId */ public BusTemplateMessageDTO(String fromUser, String toUser, String title, Map<String, String> templateParam, String templateCode, String busType, String busId){ super(fromUser, toUser, title, templateParam, templateCode); this.busId = busId; this.busType = busType; } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/api/dto/message/TemplateMessageDTO.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/api/dto/message/TemplateMessageDTO.java
package org.jeecg.common.api.dto.message; import lombok.Data; import java.io.Serializable; import java.util.Map; /** * 模板消息 * @author: jeecg-boot */ @Data public class TemplateMessageDTO extends TemplateDTO implements Serializable { private static final long serialVersionUID = 411137565170647585L; /** * 发送人(用户登录账户) */ protected String fromUser; /** * 发送给(用户登录账户) */ protected String toUser; /** * 消息主题 */ protected String title; public TemplateMessageDTO(){ } /** * 构造器1 发模板消息用 */ public TemplateMessageDTO(String fromUser, String toUser,String title, Map<String, String> templateParam, String templateCode){ super(templateCode, templateParam); this.fromUser = fromUser; this.toUser = toUser; this.title = title; } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/api/dto/message/TemplateDTO.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/api/dto/message/TemplateDTO.java
package org.jeecg.common.api.dto.message; import lombok.Data; import java.io.Serializable; import java.util.Map; /** * 消息模板dto * @author: jeecg-boot */ @Data public class TemplateDTO implements Serializable { private static final long serialVersionUID = 5848247133907528650L; /** * 模板编码 */ protected String templateCode; /** * 模板参数 */ protected Map<String, String> templateParam; /** * 构造器 通过设置模板参数和模板编码 作为参数获取消息内容 */ public TemplateDTO(String templateCode, Map<String, String> templateParam){ this.templateCode = templateCode; this.templateParam = templateParam; } public TemplateDTO(){ } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/api/dto/message/BusMessageDTO.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/api/dto/message/BusMessageDTO.java
package org.jeecg.common.api.dto.message; import lombok.Data; import java.io.Serializable; /** * 带业务参数的消息 * * @author: taoyan * @date: 2022/8/17 */ @Data public class BusMessageDTO extends MessageDTO implements Serializable { private static final long serialVersionUID = 9104793287983367669L; /** * 业务类型 */ private String busType; /** * 业务id */ private String busId; public BusMessageDTO(){ } /** * 构造 带业务参数的消息 * @param fromUser * @param toUser * @param title * @param msgContent * @param msgCategory * @param busType * @param busId */ public BusMessageDTO(String fromUser, String toUser, String title, String msgContent, String msgCategory, String busType, String busId){ super(fromUser, toUser, title, msgContent, msgCategory); this.busId = busId; this.busType = busType; } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/api/dto/message/MessageDTO.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/api/dto/message/MessageDTO.java
package org.jeecg.common.api.dto.message; import lombok.Data; import org.jeecg.common.constant.CommonConstant; import java.io.Serializable; import java.util.*; /** * 普通消息 * @author: jeecg-boot */ @Data public class MessageDTO implements Serializable { private static final long serialVersionUID = -5690444483968058442L; /** * 发送人(用户登录账户) */ protected String fromUser; /** * 发送给(用户登录账户) */ protected String toUser; /** * 发送给所有人 */ protected Boolean toAll; /** * 消息主题 */ protected String title; /** * 消息内容 */ protected String content; /** * 消息类型 1:消息 2:系统消息 */ protected String category; /** * 消息类型:org.jeecg.common.constant.enums.MessageTypeEnum * XT("system", "系统消息") * YJ("email", "邮件消息") * DD("dingtalk", "钉钉消息") * QYWX("wechat_enterprise", "企业微信") */ protected String type; //---【推送模板相关参数】------------------------------------------------------------- /** * 是否发送Markdown格式的消息 */ protected boolean isMarkdown; /** * 模板消息对应的模板编码 */ protected String templateCode; /** * 解析模板内容 对应的数据 */ protected Map<String, Object> data; //---【推送模板相关参数】------------------------------------------------------------- //---【邮件相关参数】------------------------------------------------------------- /** * 邮件抄送人 */ private String copyToUser; /** * 邮件推送地址 */ protected Set<String> toEmailList; /** * 邮件抄送地址 */ protected Set<String> ccEmailList; /** * 是否为定时任务推送email */ private Boolean isTimeJob = false; //---【邮件相关参数】------------------------------------------------------------- /** * 枚举:org.jeecg.common.constant.enums.NoticeTypeEnum * 通知类型(system:系统消息、file:知识库、flow:流程、plan:日程计划、meeting:会议) */ private String noticeType; public MessageDTO(){ } /** * 构造器1 系统消息 */ public MessageDTO(String fromUser,String toUser,String title, String content){ this.fromUser = fromUser; this.toUser = toUser; this.title = title; this.content = content; //默认 都是2系统消息 this.category = CommonConstant.MSG_CATEGORY_2; } /** * 构造器2 支持设置category 1:消息 2:系统消息 */ public MessageDTO(String fromUser,String toUser,String title, String content, String category){ this.fromUser = fromUser; this.toUser = toUser; this.title = title; this.content = content; this.category = category; } public boolean isMarkdown() { return this.isMarkdown; } public void setIsMarkdown(boolean isMarkdown) { this.isMarkdown = isMarkdown; } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/api/vo/Result.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/api/vo/Result.java
package org.jeecg.common.api.vo; import com.fasterxml.jackson.annotation.JsonIgnore; import io.swagger.v3.oas.annotations.media.Schema; import lombok.Data; import org.jeecg.common.constant.CommonConstant; import java.io.Serializable; /** * 接口返回数据格式 * @author scott * @email jeecgos@163.com * @date 2019年1月19日 */ @Data @Schema(description="接口返回对象") public class Result<T> implements Serializable { private static final long serialVersionUID = 1L; /** * 成功标志 */ @Schema(description = "成功标志") private boolean success = true; /** * 返回处理消息 */ @Schema(description = "返回处理消息") private String message = ""; /** * 返回代码 */ @Schema(description = "返回代码") private Integer code = 0; /** * 返回数据对象 data */ @Schema(description = "返回数据对象") private T result; /** * 时间戳 */ @Schema(description = "时间戳") private long timestamp = System.currentTimeMillis(); public Result() { } /** * 兼容VUE3版token失效不跳转登录页面 * @param code * @param message */ public Result(Integer code, String message) { this.code = code; this.message = message; } public Result<T> success(String message) { this.message = message; this.code = CommonConstant.SC_OK_200; this.success = true; return this; } public static<T> Result<T> ok() { Result<T> r = new Result<T>(); r.setSuccess(true); r.setCode(CommonConstant.SC_OK_200); return r; } public static<T> Result<T> ok(String msg) { Result<T> r = new Result<T>(); r.setSuccess(true); r.setCode(CommonConstant.SC_OK_200); //Result OK(String msg)方法会造成兼容性问题 issues/I4IP3D r.setResult((T) msg); r.setMessage(msg); return r; } public static<T> Result<T> ok(T data) { Result<T> r = new Result<T>(); r.setSuccess(true); r.setCode(CommonConstant.SC_OK_200); r.setResult(data); return r; } public static<T> Result<T> OK() { Result<T> r = new Result<T>(); r.setSuccess(true); r.setCode(CommonConstant.SC_OK_200); return r; } /** * 此方法是为了兼容升级所创建 * * @param msg * @param <T> * @return */ public static<T> Result<T> OK(String msg) { Result<T> r = new Result<T>(); r.setSuccess(true); r.setCode(CommonConstant.SC_OK_200); r.setMessage(msg); //Result OK(String msg)方法会造成兼容性问题 issues/I4IP3D r.setResult((T) msg); return r; } public static<T> Result<T> OK(T data) { Result<T> r = new Result<T>(); r.setSuccess(true); r.setCode(CommonConstant.SC_OK_200); r.setResult(data); return r; } public static<T> Result<T> OK(String msg, T data) { Result<T> r = new Result<T>(); r.setSuccess(true); r.setCode(CommonConstant.SC_OK_200); r.setMessage(msg); r.setResult(data); return r; } public static<T> Result<T> error(String msg, T data) { Result<T> r = new Result<T>(); r.setSuccess(false); r.setCode(CommonConstant.SC_INTERNAL_SERVER_ERROR_500); r.setMessage(msg); r.setResult(data); return r; } public static<T> Result<T> error(String msg) { return error(CommonConstant.SC_INTERNAL_SERVER_ERROR_500, msg); } public static<T> Result<T> error(int code, String msg) { Result<T> r = new Result<T>(); r.setCode(code); r.setMessage(msg); r.setSuccess(false); return r; } public Result<T> error500(String message) { this.message = message; this.code = CommonConstant.SC_INTERNAL_SERVER_ERROR_500; this.success = false; return this; } /** * 无权限访问返回结果 */ public static<T> Result<T> noauth(String msg) { return error(CommonConstant.SC_JEECG_NO_AUTHZ, msg); } @JsonIgnore private String onlTable; }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/aspect/PermissionDataAspect.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/aspect/PermissionDataAspect.java
package org.jeecg.common.aspect; import lombok.extern.slf4j.Slf4j; import org.aspectj.lang.ProceedingJoinPoint; import org.aspectj.lang.annotation.Around; import org.aspectj.lang.annotation.Aspect; import org.aspectj.lang.annotation.Pointcut; import org.aspectj.lang.reflect.MethodSignature; import org.jeecg.common.api.CommonAPI; import org.jeecg.common.aspect.annotation.PermissionData; import org.jeecg.common.constant.CommonConstant; import org.jeecg.common.constant.SymbolConstant; import org.jeecg.common.system.query.QueryRuleEnum; import org.jeecg.common.system.util.JeecgDataAutorUtils; import org.jeecg.common.system.util.JwtUtil; import org.jeecg.common.system.vo.SysPermissionDataRuleModel; import org.jeecg.common.system.vo.SysUserCacheInfo; import org.jeecg.common.util.SpringContextUtils; import org.jeecg.common.util.oConvertUtils; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.context.annotation.Lazy; import org.springframework.stereotype.Component; import jakarta.servlet.http.HttpServletRequest; import java.lang.reflect.Method; import java.util.List; /** * 数据权限切面处理类 * 当被请求的方法有注解PermissionData时,会在往当前request中写入数据权限信息 * @Date 2019年4月10日 * @Version: 1.0 * @author: jeecg-boot */ @Aspect @Component @Slf4j public class PermissionDataAspect { @Lazy @Autowired private CommonAPI commonApi; private static final String SPOT_DO = ".do"; @Pointcut("@annotation(org.jeecg.common.aspect.annotation.PermissionData)") public void pointCut() { } @Around("pointCut()") public Object arround(ProceedingJoinPoint point) throws Throwable{ HttpServletRequest request = SpringContextUtils.getHttpServletRequest(); MethodSignature signature = (MethodSignature) point.getSignature(); Method method = signature.getMethod(); PermissionData pd = method.getAnnotation(PermissionData.class); String component = pd.pageComponent(); String requestMethod = request.getMethod(); String requestPath = request.getRequestURI().substring(request.getContextPath().length()); requestPath = filterUrl(requestPath); //先判断是否online报表请求 if(requestPath.indexOf(UrlMatchEnum.CGREPORT_DATA.getMatchUrl())>=0 || requestPath.indexOf(UrlMatchEnum.CGREPORT_ONLY_DATA.getMatchUrl())>=0){ // 获取地址栏参数 String urlParamString = request.getParameter(CommonConstant.ONL_REP_URL_PARAM_STR); if(oConvertUtils.isNotEmpty(urlParamString)){ requestPath+="?"+urlParamString; } } log.debug("拦截请求 >> {} ; 请求类型 >> {} . ", requestPath, requestMethod); String username = JwtUtil.getUserNameByToken(request); //查询数据权限信息 //TODO 微服务情况下也得支持缓存机制 List<SysPermissionDataRuleModel> dataRules = commonApi.queryPermissionDataRule(component, requestPath, username); if(dataRules!=null && dataRules.size()>0) { //临时存储 JeecgDataAutorUtils.installDataSearchConditon(request, dataRules); //TODO 微服务情况下也得支持缓存机制 SysUserCacheInfo userinfo = commonApi.getCacheUser(username); JeecgDataAutorUtils.installUserInfo(request, userinfo); } return point.proceed(); } private String filterUrl(String requestPath){ String url = ""; if(oConvertUtils.isNotEmpty(requestPath)){ url = requestPath.replace("\\", "/"); url = url.replace("//", "/"); if(url.indexOf(SymbolConstant.DOUBLE_SLASH)>=0){ url = filterUrl(url); } /*if(url.startsWith("/")){ url=url.substring(1); }*/ } return url; } /** * 获取请求地址 * @param request * @return */ @Deprecated private String getJgAuthRequsetPath(HttpServletRequest request) { String queryString = request.getQueryString(); String requestPath = request.getRequestURI(); if(oConvertUtils.isNotEmpty(queryString)){ requestPath += "?" + queryString; } // 去掉其他参数(保留一个参数) 例如:loginController.do?login if (requestPath.indexOf(SymbolConstant.AND) > -1) { requestPath = requestPath.substring(0, requestPath.indexOf("&")); } if(requestPath.indexOf(QueryRuleEnum.EQ.getValue())!=-1){ if(requestPath.indexOf(SPOT_DO)!=-1){ requestPath = requestPath.substring(0,requestPath.indexOf(".do")+3); }else{ requestPath = requestPath.substring(0,requestPath.indexOf("?")); } } // 去掉项目路径 requestPath = requestPath.substring(request.getContextPath().length() + 1); return filterUrl(requestPath); } @Deprecated private boolean moHuContain(List<String> list,String key){ for(String str : list){ if(key.contains(str)){ return true; } } return false; } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/aspect/UrlMatchEnum.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/aspect/UrlMatchEnum.java
package org.jeecg.common.aspect; /** * @Author scott * @Date 2020/1/14 13:36 * @Description: 请求URL与菜单路由URL转换规则(方便于采用菜单路由URL来配置数据权限规则) */ public enum UrlMatchEnum { /**求URL与菜单路由URL转换规则 /online/cgform/api/getData/ */ CGFORM_DATA("/online/cgform/api/getData/", "/online/cgformList/"), /**求URL与菜单路由URL转换规则 /online/cgform/api/exportXls/ */ CGFORM_EXCEL_DATA("/online/cgform/api/exportXls/", "/online/cgformList/"), /**求URL与菜单路由URL转换规则 /online/cgform/api/getTreeData/ */ CGFORM_TREE_DATA("/online/cgform/api/getTreeData/", "/online/cgformList/"), /**求URL与菜单路由URL转换规则 /online/cgreport/api/getColumnsAndData/ */ CGREPORT_DATA("/online/cgreport/api/getColumnsAndData/", "/online/cgreport/"), /** 求URL与菜单路由URL转换规则/online/cgreport/api/getData/ 【vue3报表数据请求地址】 */ CGREPORT_ONLY_DATA("/online/cgreport/api/getData/", "/online/cgreport/"), /**求URL与菜单路由URL转换规则 /online/cgreport/api/exportXls/ */ CGREPORT_EXCEL_DATA("/online/cgreport/api/exportXls/", "/online/cgreport/"), /**求URL与菜单路由URL转换规则 /online/cgreport/api/exportManySheetXls/ */ CGREPORT_EXCEL_DATA2("/online/cgreport/api/exportManySheetXls/", "/online/cgreport/"); UrlMatchEnum(String url, String matchUrl) { this.url = url; this.matchUrl = matchUrl; } /** * Request 请求 URL前缀 */ private String url; /** * 菜单路由 URL前缀 (对应菜单路径) */ private String matchUrl; /** * 根据req url 获取到菜单配置路径(前端页面路由URL) * * @param url * @return */ public static String getMatchResultByUrl(String url) { //获取到枚举 UrlMatchEnum[] values = UrlMatchEnum.values(); //加强for循环进行遍历操作 for (UrlMatchEnum lr : values) { //如果遍历获取的type和参数type一致 if (url.indexOf(lr.url) != -1) { //返回type对象的desc return url.replace(lr.url, lr.matchUrl); } } return null; } public String getMatchUrl() { return matchUrl; } // public static void main(String[] args) { // /** // * 比如request真实请求URL: /online/cgform/api/getData/81fcf7d8922d45069b0d5ba983612d3a // * 转换匹配路由URL后(对应配置的菜单路径):/online/cgformList/81fcf7d8922d45069b0d5ba983612d3a // */ // System.out.println(UrlMatchEnum.getMatchResultByUrl("/online/cgform/api/getData/81fcf7d8922d45069b0d5ba983612d3a")); // } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/aspect/AutoLogAspect.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/aspect/AutoLogAspect.java
package org.jeecg.common.aspect; import com.alibaba.fastjson.JSONObject; import com.alibaba.fastjson.serializer.PropertyFilter; import org.apache.shiro.SecurityUtils; import org.aspectj.lang.JoinPoint; import org.aspectj.lang.ProceedingJoinPoint; import org.aspectj.lang.annotation.Around; import org.aspectj.lang.annotation.Aspect; import org.aspectj.lang.annotation.Pointcut; import org.aspectj.lang.reflect.MethodSignature; import org.jeecg.common.api.dto.LogDTO; import org.jeecg.common.api.vo.Result; import org.jeecg.common.aspect.annotation.AutoLog; import org.jeecg.common.constant.CommonConstant; import org.jeecg.common.constant.enums.ModuleType; import org.jeecg.common.constant.enums.OperateTypeEnum; import org.jeecg.modules.base.service.BaseCommonService; import org.jeecg.common.system.vo.LoginUser; import org.jeecg.common.util.IpUtils; import org.jeecg.common.util.SpringContextUtils; import org.jeecg.common.util.oConvertUtils; import org.springframework.core.StandardReflectionParameterNameDiscoverer; import org.springframework.stereotype.Component; import org.springframework.validation.BindingResult; import org.springframework.web.multipart.MultipartFile; import jakarta.annotation.Resource; import jakarta.servlet.ServletRequest; import jakarta.servlet.ServletResponse; import jakarta.servlet.http.HttpServletRequest; import java.lang.reflect.Method; import java.util.Date; /** * 系统日志,切面处理类 * * @Author scott * @email jeecgos@163.com * @Date 2018年1月14日 */ @Aspect @Component public class AutoLogAspect { @Resource private BaseCommonService baseCommonService; @Pointcut("@annotation(org.jeecg.common.aspect.annotation.AutoLog)") public void logPointCut() { } @Around("logPointCut()") public Object around(ProceedingJoinPoint point) throws Throwable { long beginTime = System.currentTimeMillis(); //执行方法 Object result = point.proceed(); //执行时长(毫秒) long time = System.currentTimeMillis() - beginTime; //保存日志 saveSysLog(point, time, result); return result; } private void saveSysLog(ProceedingJoinPoint joinPoint, long time, Object obj) { MethodSignature signature = (MethodSignature) joinPoint.getSignature(); Method method = signature.getMethod(); LogDTO dto = new LogDTO(); AutoLog syslog = method.getAnnotation(AutoLog.class); if(syslog != null){ //update-begin-author:taoyan date: String content = syslog.value(); if(syslog.module()== ModuleType.ONLINE){ content = getOnlineLogContent(obj, content); } //注解上的描述,操作日志内容 dto.setLogType(syslog.logType()); dto.setLogContent(content); } //请求的方法名 String className = joinPoint.getTarget().getClass().getName(); String methodName = signature.getName(); dto.setMethod(className + "." + methodName + "()"); //设置操作类型 if (CommonConstant.LOG_TYPE_2 == dto.getLogType()) { dto.setOperateType(getOperateType(methodName, syslog.operateType())); } //获取request HttpServletRequest request = SpringContextUtils.getHttpServletRequest(); //请求的参数 dto.setRequestParam(getReqestParams(request,joinPoint)); //设置IP地址 dto.setIp(IpUtils.getIpAddr(request)); //获取登录用户信息 LoginUser sysUser = (LoginUser) SecurityUtils.getSubject().getPrincipal(); if(sysUser!=null){ dto.setUserid(sysUser.getUsername()); dto.setUsername(sysUser.getRealname()); } //耗时 dto.setCostTime(time); dto.setCreateTime(new Date()); //保存系统日志 baseCommonService.addLog(dto); } /** * 获取操作类型 */ private int getOperateType(String methodName,int operateType) { if (operateType > 0) { return operateType; } // 代码逻辑说明: 阿里云代码扫描规范(不允许任何魔法值出现在代码中)------------ return OperateTypeEnum.getTypeByMethodName(methodName); } /** * @Description: 获取请求参数 * @author: scott * @date: 2020/4/16 0:10 * @param request: request * @param joinPoint: joinPoint * @Return: java.lang.String */ private String getReqestParams(HttpServletRequest request, JoinPoint joinPoint) { String httpMethod = request.getMethod(); String params = ""; if (CommonConstant.HTTP_POST.equals(httpMethod) || CommonConstant.HTTP_PUT.equals(httpMethod) || CommonConstant.HTTP_PATCH.equals(httpMethod)) { Object[] paramsArray = joinPoint.getArgs(); // java.lang.IllegalStateException: It is illegal to call this method if the current request is not in asynchronous mode (i.e. isAsyncStarted() returns false) // https://my.oschina.net/mengzhang6/blog/2395893 Object[] arguments = new Object[paramsArray.length]; for (int i = 0; i < paramsArray.length; i++) { if (paramsArray[i] instanceof BindingResult || paramsArray[i] instanceof ServletRequest || paramsArray[i] instanceof ServletResponse || paramsArray[i] instanceof MultipartFile || paramsArray[i] instanceof MultipartFile[]) { //ServletRequest不能序列化,从入参里排除,否则报异常:java.lang.IllegalStateException: It is illegal to call this method if the current request is not in asynchronous mode (i.e. isAsyncStarted() returns false) //ServletResponse不能序列化 从入参里排除,否则报异常:java.lang.IllegalStateException: getOutputStream() has already been called for this response //MultipartFile和MultipartFile[]不能序列化,从入参里排除 continue; } arguments[i] = paramsArray[i]; } // 代码逻辑说明: 日志数据太长的直接过滤掉 PropertyFilter profilter = new PropertyFilter() { @Override public boolean apply(Object o, String name, Object value) { int length = 500; if(value!=null && value.toString().length()>length){ return false; } if(value instanceof MultipartFile){ return false; } return true; } }; params = JSONObject.toJSONString(arguments, profilter); } else { MethodSignature signature = (MethodSignature) joinPoint.getSignature(); Method method = signature.getMethod(); // 请求的方法参数值 Object[] args = joinPoint.getArgs(); // 请求的方法参数名称 StandardReflectionParameterNameDiscoverer u= new StandardReflectionParameterNameDiscoverer(); String[] paramNames = u.getParameterNames(method); if (args != null && paramNames != null) { for (int i = 0; i < args.length; i++) { params += " " + paramNames[i] + ": " + args[i]; } } } return params; } /** * online日志内容拼接 * @param obj * @param content * @return */ private String getOnlineLogContent(Object obj, String content){ if (Result.class.isInstance(obj)){ Result res = (Result)obj; String msg = res.getMessage(); String tableName = res.getOnlTable(); if(oConvertUtils.isNotEmpty(tableName)){ content+=",表名:"+tableName; } if(res.isSuccess()){ content+= ","+(oConvertUtils.isEmpty(msg)?"操作成功":msg); }else{ content+= ","+(oConvertUtils.isEmpty(msg)?"操作失败":msg); } } return content; } /* private void saveSysLog(ProceedingJoinPoint joinPoint, long time, Object obj) { MethodSignature signature = (MethodSignature) joinPoint.getSignature(); Method method = signature.getMethod(); SysLog sysLog = new SysLog(); AutoLog syslog = method.getAnnotation(AutoLog.class); if(syslog != null){ //update-begin-author:taoyan date: String content = syslog.value(); if(syslog.module()== ModuleType.ONLINE){ content = getOnlineLogContent(obj, content); } //注解上的描述,操作日志内容 sysLog.setLogContent(content); sysLog.setLogType(syslog.logType()); } //请求的方法名 String className = joinPoint.getTarget().getClass().getName(); String methodName = signature.getName(); sysLog.setMethod(className + "." + methodName + "()"); //设置操作类型 if (sysLog.getLogType() == CommonConstant.LOG_TYPE_2) { sysLog.setOperateType(getOperateType(methodName, syslog.operateType())); } //获取request HttpServletRequest request = SpringContextUtils.getHttpServletRequest(); //请求的参数 sysLog.setRequestParam(getReqestParams(request,joinPoint)); //设置IP地址 sysLog.setIp(IPUtils.getIpAddr(request)); //获取登录用户信息 LoginUser sysUser = (LoginUser)SecurityUtils.getSubject().getPrincipal(); if(sysUser!=null){ sysLog.setUserid(sysUser.getUsername()); sysLog.setUsername(sysUser.getRealname()); } //耗时 sysLog.setCostTime(time); sysLog.setCreateTime(new Date()); //保存系统日志 sysLogService.save(sysLog); }*/ }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/aspect/DictAspect.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/aspect/DictAspect.java
package org.jeecg.common.aspect; import com.alibaba.fastjson.JSON; import com.alibaba.fastjson.JSONObject; import com.alibaba.fastjson.parser.Feature; import com.baomidou.mybatisplus.core.metadata.IPage; import com.fasterxml.jackson.core.JsonProcessingException; import com.fasterxml.jackson.databind.ObjectMapper; import lombok.extern.slf4j.Slf4j; import org.aspectj.lang.ProceedingJoinPoint; import org.aspectj.lang.annotation.Around; import org.aspectj.lang.annotation.Aspect; import org.aspectj.lang.annotation.Pointcut; import org.jeecg.common.api.CommonAPI; import org.jeecg.common.api.vo.Result; import org.jeecg.common.aspect.annotation.Dict; import org.jeecg.common.constant.CommonConstant; import org.jeecg.common.system.vo.DictModel; import org.jeecg.common.util.oConvertUtils; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.context.annotation.Lazy; import org.springframework.data.redis.core.RedisTemplate; import org.springframework.stereotype.Component; import org.springframework.util.StringUtils; import java.lang.reflect.Field; import java.util.*; import java.util.concurrent.TimeUnit; import java.util.stream.Collectors; /** * @Description: 字典aop类 * @Author: dangzhenghui * @Date: 2019-3-17 21:50 * @Version: 1.0 */ @Aspect @Component @Slf4j public class DictAspect { @Lazy @Autowired private CommonAPI commonApi; @Autowired public RedisTemplate redisTemplate; @Autowired private ObjectMapper objectMapper; private static final String JAVA_UTIL_DATE = "java.util.Date"; /** * 定义切点Pointcut */ @Pointcut("(@within(org.springframework.web.bind.annotation.RestController) || " + "@within(org.springframework.stereotype.Controller) || @annotation(org.jeecg.common.aspect.annotation.AutoDict)) " + "&& execution(public org.jeecg.common.api.vo.Result org.jeecg..*.*(..))") public void excudeService() { } @Around("excudeService()") public Object doAround(ProceedingJoinPoint pjp) throws Throwable { long time1=System.currentTimeMillis(); Object result = pjp.proceed(); long time2=System.currentTimeMillis(); log.debug("获取JSON数据 耗时:"+(time2-time1)+"ms"); long start=System.currentTimeMillis(); result=this.parseDictText(result); long end=System.currentTimeMillis(); log.debug("注入字典到JSON数据 耗时"+(end-start)+"ms"); return result; } /** * 本方法针对返回对象为Result 的IPage的分页列表数据进行动态字典注入 * 字典注入实现 通过对实体类添加注解@dict 来标识需要的字典内容,字典分为单字典code即可 ,table字典 code table text配合使用与原来jeecg的用法相同 * 示例为SysUser 字段为sex 添加了注解@Dict(dicCode = "sex") 会在字典服务立马查出来对应的text 然后在请求list的时候将这个字典text,已字段名称加_dictText形式返回到前端 * 例输入当前返回值的就会多出一个sex_dictText字段 * { * sex:1, * sex_dictText:"男" * } * 前端直接取值sext_dictText在table里面无需再进行前端的字典转换了 * customRender:function (text) { * if(text==1){ * return "男"; * }else if(text==2){ * return "女"; * }else{ * return text; * } * } * 目前vue是这么进行字典渲染到table上的多了就很麻烦了 这个直接在服务端渲染完成前端可以直接用 * @param result */ private Object parseDictText(Object result) { //if (result instanceof Result) { if (true) { if (((Result) result).getResult() instanceof IPage) { List<JSONObject> items = new ArrayList<>(); //step.1 筛选出加了 Dict 注解的字段列表 List<Field> dictFieldList = new ArrayList<>(); // 字典数据列表, key = 字典code,value=数据列表 Map<String, List<String>> dataListMap = new HashMap<>(5); //取出结果集 List<Object> records=((IPage) ((Result) result).getResult()).getRecords(); // 代码逻辑说明: 【VUEN-1230】 判断是否含有字典注解,没有注解返回----- Boolean hasDict= checkHasDict(records); if(!hasDict){ return result; } log.debug(" __ 进入字典翻译切面 DictAspect —— " ); for (Object record : records) { String json="{}"; try { //解决@JsonFormat注解解析不了的问题详见SysAnnouncement类的@JsonFormat json = objectMapper.writeValueAsString(record); } catch (JsonProcessingException e) { log.error("json解析失败"+e.getMessage(),e); } // 代码逻辑说明: 【issues/3303】restcontroller返回json数据后key顺序错乱 ----- JSONObject item = JSONObject.parseObject(json, Feature.OrderedField); //for (Field field : record.getClass().getDeclaredFields()) { // 遍历所有字段,把字典Code取出来,放到 map 里 for (Field field : oConvertUtils.getAllFields(record)) { String value = item.getString(field.getName()); if (oConvertUtils.isEmpty(value)) { continue; } if (field.getAnnotation(Dict.class) != null) { if (!dictFieldList.contains(field)) { dictFieldList.add(field); } String code = field.getAnnotation(Dict.class).dicCode(); String text = field.getAnnotation(Dict.class).dicText(); String table = field.getAnnotation(Dict.class).dictTable(); // 代码逻辑说明: [issues/#5643]解决分布式下表字典跨库无法查询问题------------ String dataSource = field.getAnnotation(Dict.class).ds(); List<String> dataList; String dictCode = code; if (!StringUtils.isEmpty(table)) { // 代码逻辑说明: [issues/#5643]解决分布式下表字典跨库无法查询问题------------ dictCode = String.format("%s,%s,%s,%s", table, text, code, dataSource); } dataList = dataListMap.computeIfAbsent(dictCode, k -> new ArrayList<>()); this.listAddAllDeduplicate(dataList, Arrays.asList(value.split(","))); } //date类型默认转换string格式化日期 //if (JAVA_UTIL_DATE.equals(field.getType().getName())&&field.getAnnotation(JsonFormat.class)==null&&item.get(field.getName())!=null){ //SimpleDateFormat aDate=new SimpleDateFormat("yyyy-MM-dd HH:mm:ss"); // item.put(field.getName(), aDate.format(new Date((Long) item.get(field.getName())))); //} } items.add(item); } //step.2 调用翻译方法,一次性翻译 Map<String, List<DictModel>> translText = this.translateAllDict(dataListMap); //step.3 将翻译结果填充到返回结果里 for (JSONObject record : items) { for (Field field : dictFieldList) { String code = field.getAnnotation(Dict.class).dicCode(); String text = field.getAnnotation(Dict.class).dicText(); String table = field.getAnnotation(Dict.class).dictTable(); // 自定义的字典表数据源 String dataSource = field.getAnnotation(Dict.class).ds(); String fieldDictCode = code; if (!StringUtils.isEmpty(table)) { // 代码逻辑说明: [issues/#5643]解决分布式下表字典跨库无法查询问题------------ fieldDictCode = String.format("%s,%s,%s,%s", table, text, code, dataSource); } String value = record.getString(field.getName()); if (oConvertUtils.isNotEmpty(value)) { List<DictModel> dictModels = translText.get(fieldDictCode); if(dictModels==null || dictModels.size()==0){ continue; } String textValue = this.translDictText(dictModels, value); log.debug(" 字典Val : " + textValue); log.debug(" __翻译字典字段__ " + field.getName() + CommonConstant.DICT_TEXT_SUFFIX + ": " + textValue); // TODO-sun 测试输出,待删 log.debug(" ---- dictCode: " + fieldDictCode); log.debug(" ---- value: " + value); log.debug(" ----- text: " + textValue); log.debug(" ---- dictModels: " + JSON.toJSONString(dictModels)); record.put(field.getName() + CommonConstant.DICT_TEXT_SUFFIX, textValue); } } } ((IPage) ((Result) result).getResult()).setRecords(items); } } return result; } /** * list 去重添加 */ private void listAddAllDeduplicate(List<String> dataList, List<String> addList) { // 筛选出dataList中没有的数据 List<String> filterList = addList.stream().filter(i -> !dataList.contains(i)).collect(Collectors.toList()); dataList.addAll(filterList); } /** * 一次性把所有的字典都翻译了 * 1. 所有的普通数据字典的所有数据只执行一次SQL * 2. 表字典相同的所有数据只执行一次SQL * @param dataListMap * @return */ private Map<String, List<DictModel>> translateAllDict(Map<String, List<String>> dataListMap) { // 翻译后的字典文本,key=dictCode Map<String, List<DictModel>> translText = new HashMap<>(5); // 需要翻译的数据(有些可以从redis缓存中获取,就不走数据库查询) List<String> needTranslData = new ArrayList<>(); //step.1 先通过redis中获取缓存字典数据 for (String dictCode : dataListMap.keySet()) { List<String> dataList = dataListMap.get(dictCode); if (dataList.size() == 0) { continue; } // 表字典需要翻译的数据 List<String> needTranslDataTable = new ArrayList<>(); for (String s : dataList) { String data = s.trim(); if (data.length() == 0) { continue; //跳过循环 } if (dictCode.contains(",")) { String keyString = String.format("sys:cache:dictTable::SimpleKey [%s,%s]", dictCode, data); if (redisTemplate.hasKey(keyString)) { try { String text = oConvertUtils.getString(redisTemplate.opsForValue().get(keyString)); List<DictModel> list = translText.computeIfAbsent(dictCode, k -> new ArrayList<>()); list.add(new DictModel(data, text)); } catch (Exception e) { log.warn(e.getMessage()); } } else if (!needTranslDataTable.contains(data)) { // 去重添加 needTranslDataTable.add(data); } } else { String keyString = String.format("sys:cache:dict::%s:%s", dictCode, data); if (redisTemplate.hasKey(keyString)) { try { String text = oConvertUtils.getString(redisTemplate.opsForValue().get(keyString)); List<DictModel> list = translText.computeIfAbsent(dictCode, k -> new ArrayList<>()); list.add(new DictModel(data, text)); } catch (Exception e) { log.warn(e.getMessage()); } } else if (!needTranslData.contains(data)) { // 去重添加 needTranslData.add(data); } } } //step.2 调用数据库翻译表字典 if (needTranslDataTable.size() > 0) { String[] arr = dictCode.split(","); String table = arr[0], text = arr[1], code = arr[2]; String values = String.join(",", needTranslDataTable); // 自定义的数据源 String dataSource = null; if (arr.length > 3) { dataSource = arr[3]; } log.debug("translateDictFromTableByKeys.dictCode:" + dictCode); log.debug("translateDictFromTableByKeys.values:" + values); // 代码逻辑说明: 微服务下为空报错没有参数需要传递空字符串--- if(null == dataSource){ dataSource = ""; } List<DictModel> texts = commonApi.translateDictFromTableByKeys(table, text, code, values, dataSource); log.debug("translateDictFromTableByKeys.result:" + texts); List<DictModel> list = translText.computeIfAbsent(dictCode, k -> new ArrayList<>()); list.addAll(texts); // 做 redis 缓存 for (DictModel dict : texts) { String redisKey = String.format("sys:cache:dictTable::SimpleKey [%s,%s]", dictCode, dict.getValue()); try { // 保留5分钟 redisTemplate.opsForValue().set(redisKey, dict.getText(), 300, TimeUnit.SECONDS); } catch (Exception e) { log.warn(e.getMessage(), e); } } } } //step.3 调用数据库进行翻译普通字典 if (needTranslData.size() > 0) { List<String> dictCodeList = Arrays.asList(dataListMap.keySet().toArray(new String[]{})); // 将不包含逗号的字典code筛选出来,因为带逗号的是表字典,而不是普通的数据字典 List<String> filterDictCodes = dictCodeList.stream().filter(key -> !key.contains(",")).collect(Collectors.toList()); String dictCodes = String.join(",", filterDictCodes); String values = String.join(",", needTranslData); log.debug("translateManyDict.dictCodes:" + dictCodes); log.debug("translateManyDict.values:" + values); Map<String, List<DictModel>> manyDict = commonApi.translateManyDict(dictCodes, values); log.debug("translateManyDict.result:" + manyDict); for (String dictCode : manyDict.keySet()) { List<DictModel> list = translText.computeIfAbsent(dictCode, k -> new ArrayList<>()); List<DictModel> newList = manyDict.get(dictCode); list.addAll(newList); // 做 redis 缓存 for (DictModel dict : newList) { String redisKey = String.format("sys:cache:dict::%s:%s", dictCode, dict.getValue()); try { redisTemplate.opsForValue().set(redisKey, dict.getText()); } catch (Exception e) { log.warn(e.getMessage(), e); } } } } return translText; } /** * 字典值替换文本 * * @param dictModels * @param values * @return */ private String translDictText(List<DictModel> dictModels, String values) { List<String> result = new ArrayList<>(); // 允许多个逗号分隔,允许传数组对象 String[] splitVal = values.split(","); for (String val : splitVal) { String dictText = val; for (DictModel dict : dictModels) { if (val.equals(dict.getValue())) { dictText = dict.getText(); break; } } result.add(dictText); } return String.join(",", result); } /** * 翻译字典文本 * @param code * @param text * @param table * @param key * @return */ @Deprecated private String translateDictValue(String code, String text, String table, String key) { if(oConvertUtils.isEmpty(key)) { return null; } StringBuffer textValue=new StringBuffer(); String[] keys = key.split(","); for (String k : keys) { String tmpValue = null; log.debug(" 字典 key : "+ k); if (k.trim().length() == 0) { continue; //跳过循环 } // 代码逻辑说明: !56 优化微服务应用下存在表字段需要字典翻译时加载缓慢问题----- if (!StringUtils.isEmpty(table)){ log.debug("--DictAspect------dicTable="+ table+" ,dicText= "+text+" ,dicCode="+code); String keyString = String.format("sys:cache:dictTable::SimpleKey [%s,%s,%s,%s]",table,text,code,k.trim()); if (redisTemplate.hasKey(keyString)){ try { tmpValue = oConvertUtils.getString(redisTemplate.opsForValue().get(keyString)); } catch (Exception e) { log.warn(e.getMessage()); } }else { tmpValue= commonApi.translateDictFromTable(table,text,code,k.trim()); } }else { String keyString = String.format("sys:cache:dict::%s:%s",code,k.trim()); if (redisTemplate.hasKey(keyString)){ try { tmpValue = oConvertUtils.getString(redisTemplate.opsForValue().get(keyString)); } catch (Exception e) { log.warn(e.getMessage()); } }else { tmpValue = commonApi.translateDict(code, k.trim()); } } if (tmpValue != null) { if (!"".equals(textValue.toString())) { textValue.append(","); } textValue.append(tmpValue); } } return textValue.toString(); } /** * 检测返回结果集中是否包含Dict注解 * @param records * @return */ private Boolean checkHasDict(List<Object> records){ if(oConvertUtils.isNotEmpty(records) && records.size()>0){ for (Field field : oConvertUtils.getAllFields(records.get(0))) { if (oConvertUtils.isNotEmpty(field.getAnnotation(Dict.class))) { return true; } } } return false; } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/aspect/annotation/AutoDict.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/aspect/annotation/AutoDict.java
package org.jeecg.common.aspect.annotation; import java.lang.annotation.*; /** * 通过此注解声明的接口,自动实现字典翻译 * * @Author scott * @email jeecgos@163.com * @Date 2022年01月05日 */ @Target(ElementType.METHOD) @Retention(RetentionPolicy.RUNTIME) @Documented public @interface AutoDict { /** * 暂时无用 * @return */ String value() default ""; }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/aspect/annotation/AutoLog.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/aspect/annotation/AutoLog.java
package org.jeecg.common.aspect.annotation; import org.jeecg.common.constant.CommonConstant; import org.jeecg.common.constant.enums.ModuleType; import java.lang.annotation.*; /** * 系统日志注解 * * @Author scott * @email jeecgos@163.com * @Date 2019年1月14日 */ @Target(ElementType.METHOD) @Retention(RetentionPolicy.RUNTIME) @Documented public @interface AutoLog { /** * 日志内容 * * @return */ String value() default ""; /** * 日志类型 * * @return 0:操作日志;1:登录日志;2:定时任务; */ int logType() default CommonConstant.LOG_TYPE_2; /** * 操作日志类型 * * @return (1查询,2添加,3修改,4删除) */ int operateType() default 0; /** * 模块类型 默认为common * @return */ ModuleType module() default ModuleType.COMMON; }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/aspect/annotation/Dict.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/aspect/annotation/Dict.java
package org.jeecg.common.aspect.annotation; import java.lang.annotation.ElementType; import java.lang.annotation.Retention; import java.lang.annotation.RetentionPolicy; import java.lang.annotation.Target; /** * 字典注解 * @author: dangzhenghui * @date: 2019年03月17日-下午9:37:16 */ @Target(ElementType.FIELD) @Retention(RetentionPolicy.RUNTIME) public @interface Dict { /** * 方法描述: 数据code * 作 者: dangzhenghui * 日 期: 2019年03月17日-下午9:37:16 * * @return 返回类型: String */ String dicCode(); /** * 方法描述: 数据Text * 作 者: dangzhenghui * 日 期: 2019年03月17日-下午9:37:16 * * @return 返回类型: String */ String dicText() default ""; /** * 方法描述: 数据字典表 * 作 者: dangzhenghui * 日 期: 2019年03月17日-下午9:37:16 * * @return 返回类型: String */ String dictTable() default ""; /** * 方法描述: 数据字典表所在数据源名称 * 作 者: chenrui * 日 期: 2023年12月20日-下午4:58 * * @return 返回类型: String */ String ds() default ""; }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/aspect/annotation/OnlineAuth.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/aspect/annotation/OnlineAuth.java
package org.jeecg.common.aspect.annotation; import java.lang.annotation.*; /** * online请求拦截专用注解 * @author: jeecg-boot */ @Retention(RetentionPolicy.RUNTIME) @Target({ElementType.TYPE,ElementType.METHOD}) @Documented public @interface OnlineAuth { /** * 请求关键字,在xxx/code之前的字符串 * @return */ String value(); }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/aspect/annotation/DynamicTable.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/aspect/annotation/DynamicTable.java
package org.jeecg.common.aspect.annotation; import java.lang.annotation.*; /** * 动态table切换 * * @author :zyf * @date:2020-04-25 */ @Target(ElementType.METHOD) @Retention(RetentionPolicy.RUNTIME) @Documented public @interface DynamicTable { /** * 需要动态解析的表名 * @return */ String value(); }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/aspect/annotation/PermissionData.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/aspect/annotation/PermissionData.java
package org.jeecg.common.aspect.annotation; import java.lang.annotation.Documented; import java.lang.annotation.ElementType; import java.lang.annotation.Retention; import java.lang.annotation.RetentionPolicy; import java.lang.annotation.Target; /** * 数据权限注解 * @Author taoyan * @Date 2019年4月11日 */ @Retention(RetentionPolicy.RUNTIME) @Target({ElementType.TYPE,ElementType.METHOD}) @Documented public @interface PermissionData { /** * 暂时没用 * @return */ String value() default ""; /** * 配置菜单的组件路径,用于数据权限 */ String pageComponent() default ""; }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/handler/IFillRuleHandler.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/handler/IFillRuleHandler.java
package org.jeecg.common.handler; import com.alibaba.fastjson.JSONObject; /** * 填值规则接口 * * @author Yan_东 * 如需使用填值规则功能,规则实现类必须实现此接口 */ public interface IFillRuleHandler { /** * 填值规则 * @param params 页面配置固定参数 * @param formData 动态表单参数 * @return */ public Object execute(JSONObject params, JSONObject formData); }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/es/JeecgElasticsearchTemplate.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/es/JeecgElasticsearchTemplate.java
package org.jeecg.common.es; import com.alibaba.fastjson.JSONArray; import com.alibaba.fastjson.JSONObject; import lombok.extern.slf4j.Slf4j; import org.apache.commons.lang3.StringUtils; import org.jeecg.common.util.RestUtil; import org.jeecg.common.util.oConvertUtils; import org.springframework.beans.factory.annotation.Value; import org.springframework.boot.autoconfigure.condition.ConditionalOnProperty; import org.springframework.http.HttpHeaders; import org.springframework.http.HttpMethod; import org.springframework.http.HttpStatus; import org.springframework.http.ResponseEntity; import org.springframework.stereotype.Component; import java.util.*; /** * 关于 ElasticSearch 的一些方法(创建索引、添加数据、查询等) * * @author sunjianlei */ @Slf4j @Component @ConditionalOnProperty(prefix = "jeecg.elasticsearch", name = "cluster-nodes") public class JeecgElasticsearchTemplate { /** es服务地址 */ private String baseUrl; private final String FORMAT_JSON = "format=json"; /** Elasticsearch 的版本号 */ private String version = null; /**ElasticSearch 最大可返回条目数*/ public static final int ES_MAX_SIZE = 10000; /**es7*/ public static final String IE_SEVEN = "7"; /**url not found 404*/ public static final String URL_NOT_FOUND = "404 Not Found"; public JeecgElasticsearchTemplate(@Value("${jeecg.elasticsearch.cluster-nodes}") String baseUrl, @Value("${jeecg.elasticsearch.check-enabled}") boolean checkEnabled) { log.debug("JeecgElasticsearchTemplate BaseURL:" + baseUrl); if (StringUtils.isNotEmpty(baseUrl)) { this.baseUrl = baseUrl; // 验证配置的ES地址是否有效 if (checkEnabled) { try { this.getElasticsearchVersion(); log.info("ElasticSearch 服务连接成功"); log.info("ElasticSearch version: " + this.version); } catch (Exception e) { this.version = ""; log.warn("ElasticSearch 服务连接失败,原因:配置未通过。可能是BaseURL未配置或配置有误,也可能是Elasticsearch服务未启动。接下来将会拒绝执行任何方法!"); } } } } /** * 获取 Elasticsearch 的版本号信息,失败返回null */ private void getElasticsearchVersion() { if (this.version == null) { String url = this.getBaseUrl().toString(); JSONObject result = RestUtil.get(url); if (result != null) { JSONObject v = result.getJSONObject("version"); this.version = v.getString("number"); } } } public StringBuilder getBaseUrl(String indexName, String typeName) { typeName = typeName.trim().toLowerCase(); return this.getBaseUrl(indexName).append("/").append(typeName); } public StringBuilder getBaseUrl(String indexName) { indexName = indexName.trim().toLowerCase(); return this.getBaseUrl().append("/").append(indexName); } public StringBuilder getBaseUrl() { return new StringBuilder("http://").append(this.baseUrl); } /** * cat 查询ElasticSearch系统数据,返回json */ private <T> ResponseEntity<T> cat(String urlAfter, Class<T> responseType) { String url = this.getBaseUrl().append("/_cat").append(urlAfter).append("?").append(FORMAT_JSON).toString(); return RestUtil.request(url, HttpMethod.GET, null, null, null, responseType); } /** * 查询所有索引 * <p> * 查询地址:GET http://{baseUrl}/_cat/indices */ public JSONArray getIndices() { return getIndices(null); } /** * 查询单个索引 * <p> * 查询地址:GET http://{baseUrl}/_cat/indices/{indexName} */ public JSONArray getIndices(String indexName) { StringBuilder urlAfter = new StringBuilder("/indices"); if (!StringUtils.isEmpty(indexName)) { urlAfter.append("/").append(indexName.trim().toLowerCase()); } return cat(urlAfter.toString(), JSONArray.class).getBody(); } /** * 索引是否存在 */ public boolean indexExists(String indexName) { try { JSONArray array = getIndices(indexName); return array != null; } catch (org.springframework.web.client.HttpClientErrorException ex) { if (HttpStatus.NOT_FOUND == ex.getStatusCode()) { return false; } else { throw ex; } } } /** * 根据ID获取索引数据,未查询到返回null * <p> * 查询地址:GET http://{baseUrl}/{indexName}/{typeName}/{dataId} * * @param indexName 索引名称 * @param typeName type,一个任意字符串,用于分类 * @param dataId 数据id * @return */ public JSONObject getDataById(String indexName, String typeName, String dataId) { String url = this.getBaseUrl(indexName, typeName).append("/").append(dataId).toString(); log.info("url:" + url); JSONObject result = RestUtil.get(url); boolean found = result.getBoolean("found"); if (found) { return result.getJSONObject("_source"); } else { return null; } } /** * 创建索引 * <p> * 查询地址:PUT http://{baseUrl}/{indexName} */ public boolean createIndex(String indexName) { String url = this.getBaseUrl(indexName).toString(); /* 返回结果 (仅供参考) "createIndex": { "shards_acknowledged": true, "acknowledged": true, "index": "hello_world" } */ try { return RestUtil.put(url).getBoolean("acknowledged"); } catch (org.springframework.web.client.HttpClientErrorException ex) { if (HttpStatus.BAD_REQUEST == ex.getStatusCode()) { log.warn("索引创建失败:" + indexName + " 已存在,无需再创建"); } else { ex.printStackTrace(); } } return false; } /** * 删除索引 * <p> * 查询地址:DELETE http://{baseUrl}/{indexName} */ public boolean removeIndex(String indexName) { String url = this.getBaseUrl(indexName).toString(); try { return RestUtil.delete(url).getBoolean("acknowledged"); } catch (org.springframework.web.client.HttpClientErrorException ex) { if (HttpStatus.NOT_FOUND == ex.getStatusCode()) { log.warn("索引删除失败:" + indexName + " 不存在,无需删除"); } else { ex.printStackTrace(); } } return false; } /** * 获取索引字段映射(可获取字段类型) * <p> * * @param indexName 索引名称 * @param typeName 分类名称 * @return */ public JSONObject getIndexMapping(String indexName, String typeName) { String url = this.getBaseUrl(indexName, typeName).append("/_mapping?").append(FORMAT_JSON).toString(); // 针对 es 7.x 版本做兼容 this.getElasticsearchVersion(); if (oConvertUtils.isNotEmpty(this.version) && this.version.startsWith(IE_SEVEN)) { url += "&include_type_name=true"; } log.info("getIndexMapping-url:" + url); /* * 参考返回JSON结构: * *{ * // 索引名称 * "[indexName]": { * "mappings": { * // 分类名称 * "[typeName]": { * "properties": { * // 字段名 * "input_number": { * // 字段类型 * "type": "long" * }, * "input_string": { * "type": "text", * "fields": { * "keyword": { * "type": "keyword", * "ignore_above": 256 * } * } * } * } * } * } * } * } */ try { return RestUtil.get(url); } catch (org.springframework.web.client.HttpClientErrorException e) { String message = e.getMessage(); if (message != null && message.contains(URL_NOT_FOUND)) { return null; } throw e; } } /** * 获取索引字段映射,返回Java实体类 * * @param indexName * @param typeName * @return */ public <T> Map<String, T> getIndexMappingFormat(String indexName, String typeName, Class<T> clazz) { JSONObject mapping = this.getIndexMapping(indexName, typeName); Map<String, T> map = new HashMap<>(5); if (mapping == null) { return map; } // 获取字段属性 JSONObject properties = mapping.getJSONObject(indexName) .getJSONObject("mappings") .getJSONObject(typeName) .getJSONObject("properties"); // 封装成 java类型 for (String key : properties.keySet()) { T entity = properties.getJSONObject(key).toJavaObject(clazz); map.put(key, entity); } return map; } /** * 保存数据,详见:saveOrUpdate */ public boolean save(String indexName, String typeName, String dataId, JSONObject data) { return this.saveOrUpdate(indexName, typeName, dataId, data); } /** * 更新数据,详见:saveOrUpdate */ public boolean update(String indexName, String typeName, String dataId, JSONObject data) { return this.saveOrUpdate(indexName, typeName, dataId, data); } /** * 保存或修改索引数据 * <p> * 查询地址:PUT http://{baseUrl}/{indexName}/{typeName}/{dataId} * * @param indexName 索引名称 * @param typeName type,一个任意字符串,用于分类 * @param dataId 数据id * @param data 要存储的数据 * @return */ public boolean saveOrUpdate(String indexName, String typeName, String dataId, JSONObject data) { String url = this.getBaseUrl(indexName, typeName).append("/").append(dataId).append("?refresh=wait_for").toString(); /* 返回结果(仅供参考) "createIndexA2": { "result": "created", "_shards": { "total": 2, "successful": 1, "failed": 0 }, "_seq_no": 0, "_index": "test_index_1", "_type": "test_type_1", "_id": "a2", "_version": 1, "_primary_term": 1 } */ try { // 去掉 data 中为空的值 Set<String> keys = data.keySet(); List<String> emptyKeys = new ArrayList<>(keys.size()); for (String key : keys) { String value = data.getString(key); //1、剔除空值 if (oConvertUtils.isEmpty(value) || "[]".equals(value)) { emptyKeys.add(key); } //2、剔除上传控件值(会导致ES同步失败,报异常failed to parse field [ge_pic] of type [text] ) if (oConvertUtils.isNotEmpty(value) && value.indexOf("[{")!=-1) { emptyKeys.add(key); log.info("-------剔除上传控件字段------------key: "+ key); } } for (String key : emptyKeys) { data.remove(key); } } catch (Exception e) { e.printStackTrace(); } try { String result = RestUtil.put(url, data).getString("result"); return "created".equals(result) || "updated".equals(result); } catch (Exception e) { log.error(e.getMessage() + "\n-- url: " + url + "\n-- data: " + data.toJSONString()); //TODO 打印接口返回异常json return false; } } /** * 批量保存数据 * * @param indexName 索引名称 * @param typeName type,一个任意字符串,用于分类 * @param dataList 要存储的数据数组,每行数据必须包含id * @return */ public boolean saveBatch(String indexName, String typeName, JSONArray dataList) { String url = this.getBaseUrl().append("/_bulk").append("?refresh=wait_for").toString(); StringBuilder bodySb = new StringBuilder(); for (int i = 0; i < dataList.size(); i++) { JSONObject data = dataList.getJSONObject(i); String id = data.getString("id"); // 该行的操作 // {"create": {"_id":"${id}", "_index": "${indexName}", "_type": "${typeName}"}} JSONObject action = new JSONObject(); JSONObject actionInfo = new JSONObject(); actionInfo.put("_id", id); actionInfo.put("_index", indexName); actionInfo.put("_type", typeName); action.put("create", actionInfo); bodySb.append(action.toJSONString()).append("\n"); // 该行的数据 data.remove("id"); bodySb.append(data.toJSONString()).append("\n"); } //System.out.println("+-+-+-: bodySb.toString(): " + bodySb.toString()); HttpHeaders headers = RestUtil.getHeaderApplicationJson(); RestUtil.request(url, HttpMethod.PUT, headers, null, bodySb, JSONObject.class); return true; } /** * 删除索引数据 * <p> * 请求地址:DELETE http://{baseUrl}/{indexName}/{typeName}/{dataId} */ public boolean delete(String indexName, String typeName, String dataId) { String url = this.getBaseUrl(indexName, typeName).append("/").append(dataId).toString(); /* 返回结果(仅供参考) { "_index": "es_demo", "_type": "docs", "_id": "001", "_version": 3, "result": "deleted", "_shards": { "total": 1, "successful": 1, "failed": 0 }, "_seq_no": 28, "_primary_term": 18 } */ try { return "deleted".equals(RestUtil.delete(url).getString("result")); } catch (org.springframework.web.client.HttpClientErrorException ex) { if (HttpStatus.NOT_FOUND == ex.getStatusCode()) { return false; } else { throw ex; } } } /* = = = 以下关于查询和查询条件的方法 = = =*/ /** * 查询数据 * <p> * 请求地址:POST http://{baseUrl}/{indexName}/{typeName}/_search */ public JSONObject search(String indexName, String typeName, JSONObject queryObject) { String url = this.getBaseUrl(indexName, typeName).append("/_search").toString(); log.info("url:" + url + " ,search: " + queryObject.toJSONString()); JSONObject res = RestUtil.post(url, queryObject); log.info("url:" + url + " ,return res: \n" + res.toJSONString()); return res; } /** * @param source (源滤波器)指定返回的字段,传null返回所有字段 * @param query * @param from 从第几条数据开始 * @param size 返回条目数 * @return { "query": query } */ public JSONObject buildQuery(List<String> source, JSONObject query, int from, int size) { JSONObject json = new JSONObject(); if (source != null) { json.put("_source", source); } json.put("query", query); json.put("from", from); json.put("size", size); return json; } /** * @return { "bool" : { "must": must, "must_not": mustNot, "should": should } } */ public JSONObject buildBoolQuery(JSONArray must, JSONArray mustNot, JSONArray should) { JSONObject bool = new JSONObject(); if (must != null) { bool.put("must", must); } if (mustNot != null) { bool.put("must_not", mustNot); } if (should != null) { bool.put("should", should); } JSONObject json = new JSONObject(); json.put("bool", bool); return json; } /** * @param field 要查询的字段 * @param args 查询参数,参考: *哈哈* OR *哒* NOT *呵* OR *啊* * @return */ public JSONObject buildQueryString(String field, String... args) { if (field == null) { return null; } StringBuilder sb = new StringBuilder(field).append(":("); if (args != null) { for (String arg : args) { sb.append(arg).append(" "); } } sb.append(")"); return this.buildQueryString(sb.toString()); } /** * @return { "query_string": { "query": query } } */ public JSONObject buildQueryString(String query) { JSONObject queryString = new JSONObject(); queryString.put("query", query); JSONObject json = new JSONObject(); json.put("query_string", queryString); return json; } /** * @param field 查询字段 * @param min 最小值 * @param max 最大值 * @param containMin 范围内是否包含最小值 * @param containMax 范围内是否包含最大值 * @return { "range" : { field : { 『 "gt『e』?containMin" : min 』?min!=null , 『 "lt『e』?containMax" : max 』}} } */ public JSONObject buildRangeQuery(String field, Object min, Object max, boolean containMin, boolean containMax) { JSONObject inner = new JSONObject(); if (min != null) { if (containMin) { inner.put("gte", min); } else { inner.put("gt", min); } } if (max != null) { if (containMax) { inner.put("lte", max); } else { inner.put("lt", max); } } JSONObject range = new JSONObject(); range.put(field, inner); JSONObject json = new JSONObject(); json.put("range", range); return json; } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/es/QueryStringBuilder.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/common/es/QueryStringBuilder.java
package org.jeecg.common.es; /** * 用于创建 ElasticSearch 的 queryString * * @author sunjianlei */ public class QueryStringBuilder { StringBuilder builder; public QueryStringBuilder(String field, String str, boolean not, boolean addQuot) { builder = this.createBuilder(field, str, not, addQuot); } public QueryStringBuilder(String field, String str, boolean not) { builder = this.createBuilder(field, str, not, true); } /** * 创建 StringBuilder * * @param field * @param str * @param not 是否是不匹配 * @param addQuot 是否添加双引号 * @return */ public StringBuilder createBuilder(String field, String str, boolean not, boolean addQuot) { StringBuilder sb = new StringBuilder(field).append(":("); if (not) { sb.append(" NOT "); } this.addQuotEffect(sb, str, addQuot); return sb; } public QueryStringBuilder and(String str) { return this.and(str, true); } public QueryStringBuilder and(String str, boolean addQuot) { builder.append(" AND "); this.addQuot(str, addQuot); return this; } public QueryStringBuilder or(String str) { return this.or(str, true); } public QueryStringBuilder or(String str, boolean addQuot) { builder.append(" OR "); this.addQuot(str, addQuot); return this; } public QueryStringBuilder not(String str) { return this.not(str, true); } public QueryStringBuilder not(String str, boolean addQuot) { builder.append(" NOT "); this.addQuot(str, addQuot); return this; } /** * 添加双引号(模糊查询,不能加双引号) */ private QueryStringBuilder addQuot(String str, boolean addQuot) { return this.addQuotEffect(this.builder, str, addQuot); } /** * 是否在两边加上双引号 * @param builder * @param str * @param addQuot * @return */ private QueryStringBuilder addQuotEffect(StringBuilder builder, String str, boolean addQuot) { if (addQuot) { builder.append('"'); } builder.append(str); if (addQuot) { builder.append('"'); } return this; } @Override public String toString() { return builder.append(")").toString(); } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/modules/base/service/BaseCommonService.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/modules/base/service/BaseCommonService.java
package org.jeecg.modules.base.service; import org.jeecg.common.api.dto.LogDTO; import org.jeecg.common.system.vo.LoginUser; /** * common接口 * @author: jeecg-boot */ public interface BaseCommonService { /** * 保存日志 * @param logDTO */ void addLog(LogDTO logDTO); /** * 保存日志 * @param logContent * @param logType * @param operateType * @param user */ void addLog(String logContent, Integer logType, Integer operateType, LoginUser user); /** * 保存日志 * @param logContent * @param logType * @param operateType */ void addLog(String logContent, Integer logType, Integer operateType); }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/modules/base/service/impl/BaseCommonServiceImpl.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/modules/base/service/impl/BaseCommonServiceImpl.java
package org.jeecg.modules.base.service.impl; import com.baomidou.mybatisplus.core.toolkit.IdWorker; import lombok.extern.slf4j.Slf4j; import org.apache.shiro.SecurityUtils; import org.jeecg.common.api.dto.LogDTO; import org.jeecg.common.constant.enums.ClientTerminalTypeEnum; import org.jeecg.common.util.BrowserUtils; import org.jeecg.modules.base.mapper.BaseCommonMapper; import org.jeecg.modules.base.service.BaseCommonService; import org.jeecg.common.system.vo.LoginUser; import org.jeecg.common.util.IpUtils; import org.jeecg.common.util.SpringContextUtils; import org.jeecg.common.util.oConvertUtils; import org.springframework.stereotype.Service; import jakarta.annotation.Resource; import jakarta.servlet.http.HttpServletRequest; import java.util.*; /** * @Description: common实现类 * @author: jeecg-boot */ @Service @Slf4j public class BaseCommonServiceImpl implements BaseCommonService { @Resource private BaseCommonMapper baseCommonMapper; @Override public void addLog(LogDTO logDTO) { if(oConvertUtils.isEmpty(logDTO.getId())){ logDTO.setId(String.valueOf(IdWorker.getId())); } //保存日志(异常捕获处理,防止数据太大存储失败,导致业务失败)JT-238 try { logDTO.setCreateTime(new Date()); baseCommonMapper.saveLog(logDTO); } catch (Exception e) { log.warn(" LogContent length : "+logDTO.getLogContent().length()); log.warn(e.getMessage()); } } @Override public void addLog(String logContent, Integer logType, Integer operatetype, LoginUser user) { LogDTO sysLog = new LogDTO(); sysLog.setId(String.valueOf(IdWorker.getId())); //注解上的描述,操作日志内容 sysLog.setLogContent(logContent); sysLog.setLogType(logType); sysLog.setOperateType(operatetype); try { //获取request HttpServletRequest request = SpringContextUtils.getHttpServletRequest(); //设置IP地址 sysLog.setIp(IpUtils.getIpAddr(request)); try { //设置客户端 if(BrowserUtils.isDesktop(request)){ sysLog.setClientType(ClientTerminalTypeEnum.PC.getKey()); }else{ sysLog.setClientType(ClientTerminalTypeEnum.APP.getKey()); } } catch (Exception e) { //e.printStackTrace(); } } catch (Exception e) { sysLog.setIp("127.0.0.1"); } //获取登录用户信息 if(user==null){ try { user = (LoginUser) SecurityUtils.getSubject().getPrincipal(); } catch (Exception e) { //e.printStackTrace(); } } if(user!=null){ sysLog.setUserid(user.getUsername()); sysLog.setUsername(user.getRealname()); } sysLog.setCreateTime(new Date()); //保存日志(异常捕获处理,防止数据太大存储失败,导致业务失败)JT-238 try { baseCommonMapper.saveLog(sysLog); } catch (Exception e) { log.warn(" LogContent length : "+sysLog.getLogContent().length()); log.warn(e.getMessage()); } } @Override public void addLog(String logContent, Integer logType, Integer operateType) { addLog(logContent, logType, operateType, null); } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/modules/base/mapper/BaseCommonMapper.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/modules/base/mapper/BaseCommonMapper.java
package org.jeecg.modules.base.mapper; import com.baomidou.mybatisplus.annotation.InterceptorIgnore; import org.apache.ibatis.annotations.Param; import org.jeecg.common.api.dto.LogDTO; /** * @Description: BaseCommonMapper * @author: jeecg-boot */ public interface BaseCommonMapper { /** * 保存日志 * @param dto */ @InterceptorIgnore(illegalSql = "true", tenantLine = "true") void saveLog(@Param("dto")LogDTO dto); }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/JeecgSmsTemplateConfig.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/JeecgSmsTemplateConfig.java
package org.jeecg.config; import lombok.Data; import org.springframework.boot.context.properties.ConfigurationProperties; import org.springframework.stereotype.Component; import java.util.Map; /** * @Description: 短信模板 * * @author: wangshuai * @date: 2024/11/5 下午3:44 */ @Data @Component("jeecgSmsTemplateConfig") @ConfigurationProperties(prefix = "jeecg.oss.sms-template") public class JeecgSmsTemplateConfig { /** * 短信签名 */ private String signature; /** * 短信模板code * * @return */ private Map<String,String> templateCode; }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/Swagger2Config.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/Swagger2Config.java
//package org.jeecg.config; // // //import io.swagger.v3.oas.annotations.Operation; //import org.jeecg.common.constant.CommonConstant; //import org.jeecg.config.mybatis.MybatisPlusSaasConfig; //import org.springframework.beans.BeansException; //import org.springframework.beans.factory.config.BeanPostProcessor; //import org.springframework.context.annotation.Bean; //import org.springframework.context.annotation.Configuration; //import org.springframework.context.annotation.Import; //import org.springframework.util.ReflectionUtils; //import org.springframework.web.bind.annotation.RestController; //import org.springframework.web.servlet.config.annotation.ResourceHandlerRegistry; //import org.springframework.web.servlet.config.annotation.WebMvcConfigurer; //import org.springframework.web.servlet.mvc.method.RequestMappingInfoHandlerMapping; //import springfox.bean.validators.configuration.BeanValidatorPluginsConfiguration; //import springfox.documentation.builders.ApiInfoBuilder; //import springfox.documentation.builders.ParameterBuilder; //import springfox.documentation.builders.PathSelectors; //import springfox.documentation.builders.RequestHandlerSelectors; //import springfox.documentation.schema.ModelRef; //import springfox.documentation.service.*; //import springfox.documentation.spi.DocumentationType; //import springfox.documentation.spi.service.contexts.SecurityContext; //import springfox.documentation.spring.web.plugins.Docket; //import springfox.documentation.spring.web.plugins.WebMvcRequestHandlerProvider; //import springfox.documentation.swagger2.annotations.EnableSwagger2WebMvc; // //import java.lang.reflect.Field; //import java.util.ArrayList; //import java.util.Collections; //import java.util.List; //import java.util.stream.Collectors; // ///** // * @Author scott // */ //@Configuration //@EnableSwagger2WebMvc //@Import(BeanValidatorPluginsConfiguration.class) //public class Swagger2Config implements WebMvcConfigurer { // // /** // * // * 显示swagger-ui.html文档展示页,还必须注入swagger资源: // * // * @param registry // */ // @Override // public void addResourceHandlers(ResourceHandlerRegistry registry) { // registry.addResourceHandler("swagger-ui.html").addResourceLocations("classpath:/META-INF/resources/"); // registry.addResourceHandler("doc.html").addResourceLocations("classpath:/META-INF/resources/"); // registry.addResourceHandler("/webjars/**").addResourceLocations("classpath:/META-INF/resources/webjars/"); // } // // /** // * swagger2的配置文件,这里可以配置swagger2的一些基本的内容,比如扫描的包等等 // * // * @return Docket // */ // @Bean(value = "defaultApi2") // public Docket defaultApi2() { // return new Docket(DocumentationType.SWAGGER_2) // .apiInfo(apiInfo()) // .select() // //此包路径下的类,才生成接口文档 // .apis(RequestHandlerSelectors.basePackage("org.jeecg")) // //加了ApiOperation注解的类,才生成接口文档 // .apis(RequestHandlerSelectors.withClassAnnotation(RestController.class)) // .apis(RequestHandlerSelectors.withMethodAnnotation(ApiOperation.class)) // .paths(PathSelectors.any()) // .build() // .securitySchemes(Collections.singletonList(securityScheme())) // .securityContexts(securityContexts()) // .globalOperationParameters(setHeaderToken()); // } // // /*** // * oauth2配置 // * 需要增加swagger授权回调地址 // * http://localhost:8888/webjars/springfox-swagger-ui/o2c.html // * @return // */ // @Bean // SecurityScheme securityScheme() { // return new ApiKey(CommonConstant.X_ACCESS_TOKEN, CommonConstant.X_ACCESS_TOKEN, "header"); // } // /** // * JWT token // * @return // */ // private List<Parameter> setHeaderToken() { // ParameterBuilder tokenPar = new ParameterBuilder(); // List<Parameter> pars = new ArrayList<>(); // tokenPar.name(CommonConstant.X_ACCESS_TOKEN).description("token").modelRef(new ModelRef("string")).parameterType("header").required(false).build(); // pars.add(tokenPar.build()); // if(MybatisPlusSaasConfig.OPEN_SYSTEM_TENANT_CONTROL){ // ParameterBuilder tenantPar = new ParameterBuilder(); // tenantPar.name(CommonConstant.TENANT_ID).description("租户ID").modelRef(new ModelRef("string")).parameterType("header").required(false).build(); // pars.add(tenantPar.build()); // } // // return pars; // } // // /** // * api文档的详细信息函数,注意这里的注解引用的是哪个 // * // * @return // */ // private ApiInfo apiInfo() { // return new ApiInfoBuilder() // // //大标题 // .title("JeecgBoot 后台服务API接口文档") // // 版本号 // .version("1.0") //// .termsOfServiceUrl("NO terms of service") // // 描述 // .description("后台API接口") // // 作者 // .contact(new Contact("北京国炬信息技术有限公司","www.jeccg.com","jeecgos@163.com")) // .license("The Apache License, Version 2.0") // .licenseUrl("http://www.apache.org/licenses/LICENSE-2.0.html") // .build(); // } // // /** // * 新增 securityContexts 保持登录状态 // */ // private List<SecurityContext> securityContexts() { // return new ArrayList( // Collections.singleton(SecurityContext.builder() // .securityReferences(defaultAuth()) // .forPaths(PathSelectors.regex("^(?!auth).*$")) // .build()) // ); // } // // private List<SecurityReference> defaultAuth() { // AuthorizationScope authorizationScope = new AuthorizationScope("global", "accessEverything"); // AuthorizationScope[] authorizationScopes = new AuthorizationScope[1]; // authorizationScopes[0] = authorizationScope; // return new ArrayList( // Collections.singleton(new SecurityReference(CommonConstant.X_ACCESS_TOKEN, authorizationScopes))); // } // // /** // * 解决springboot2.6 和springfox不兼容问题 // * @return // */ // @Bean // public static BeanPostProcessor springfoxHandlerProviderBeanPostProcessor() { // return new BeanPostProcessor() { // // @Override // public Object postProcessAfterInitialization(Object bean, String beanName) throws BeansException { // if (bean instanceof WebMvcRequestHandlerProvider) { // customizeSpringfoxHandlerMappings(getHandlerMappings(bean)); // } // return bean; // } // // private <T extends RequestMappingInfoHandlerMapping> void customizeSpringfoxHandlerMappings(List<T> mappings) { // List<T> copy = mappings.stream() // .filter(mapping -> mapping.getPatternParser() == null) // .collect(Collectors.toList()); // mappings.clear(); // mappings.addAll(copy); // } // // @SuppressWarnings("unchecked") // private List<RequestMappingInfoHandlerMapping> getHandlerMappings(Object bean) { // try { // Field field = ReflectionUtils.findField(bean.getClass(), "handlerMappings"); // field.setAccessible(true); // return (List<RequestMappingInfoHandlerMapping>) field.get(bean); // } catch (IllegalArgumentException | IllegalAccessException e) { // throw new IllegalStateException(e); // } // } // }; // } // // //}
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/RestTemplateConfig.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/RestTemplateConfig.java
package org.jeecg.config; import org.springframework.context.annotation.Bean; import org.springframework.context.annotation.Configuration; import org.springframework.http.client.ClientHttpRequestFactory; import org.springframework.http.client.SimpleClientHttpRequestFactory; import org.springframework.web.client.RestTemplate; /** * 优雅的http请求方式RestTemplate * @author: jeecg-boot * @Return: */ @Configuration public class RestTemplateConfig { @Bean public RestTemplate restTemplate(ClientHttpRequestFactory factory) { return new RestTemplate(factory); } @Bean public ClientHttpRequestFactory simpleClientHttpRequestFactory() { SimpleClientHttpRequestFactory factory = new SimpleClientHttpRequestFactory(); //ms毫秒 factory.setReadTimeout(5000); //ms毫秒 factory.setConnectTimeout(15000); return factory; } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/WebSocketConfig.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/WebSocketConfig.java
package org.jeecg.config; import org.jeecg.config.filter.WebsocketFilter; import org.springframework.boot.web.servlet.FilterRegistrationBean; import org.springframework.context.annotation.Bean; import org.springframework.context.annotation.Configuration; import org.springframework.web.socket.server.standard.ServerEndpointExporter; /** * @Description: WebSocketConfig * @author: jeecg-boot */ @Configuration public class WebSocketConfig { /** * 注入ServerEndpointExporter, * 这个bean会自动注册使用了@ServerEndpoint注解声明的Websocket endpoint */ @Bean public ServerEndpointExporter serverEndpointExporter() { return new ServerEndpointExporter(); } @Bean public WebsocketFilter websocketFilter(){ return new WebsocketFilter(); } @Bean public FilterRegistrationBean getFilterRegistrationBean(){ FilterRegistrationBean bean = new FilterRegistrationBean(); bean.setFilter(websocketFilter()); //TODO 临时注释掉,测试下线上socket总断的问题 bean.addUrlPatterns("/taskCountSocket/*", "/websocket/*","/eoaSocket/*","/eoaNewChatSocket/*", "/newsWebsocket/*", "/dragChannelSocket/*", "/vxeSocket/*"); return bean; } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/JeecgGaodeBaseConfig.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/JeecgGaodeBaseConfig.java
package org.jeecg.config; import org.jeecg.config.vo.GaoDeApi; import org.springframework.boot.context.properties.ConfigurationProperties; import org.springframework.context.annotation.Configuration; import org.springframework.context.annotation.Lazy; /** * 高德账号配置 */ @Lazy(false) @Configuration("jeecgGaodeBaseConfig") @ConfigurationProperties(prefix = "jeecg.jmreport") public class JeecgGaodeBaseConfig { /** * 高德开放API配置 */ private GaoDeApi gaoDeApi; public GaoDeApi getGaoDeApi() { return gaoDeApi; } public void setGaoDeApi(GaoDeApi gaoDeApi) { this.gaoDeApi = gaoDeApi; } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/WebMvcConfiguration.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/WebMvcConfiguration.java
package org.jeecg.config; import com.fasterxml.jackson.core.JsonGenerator; import com.fasterxml.jackson.databind.DeserializationFeature; import com.fasterxml.jackson.databind.ObjectMapper; import com.fasterxml.jackson.datatype.jsr310.JavaTimeModule; import com.fasterxml.jackson.datatype.jsr310.deser.LocalDateDeserializer; import com.fasterxml.jackson.datatype.jsr310.deser.LocalDateTimeDeserializer; import com.fasterxml.jackson.datatype.jsr310.deser.LocalTimeDeserializer; import com.fasterxml.jackson.datatype.jsr310.ser.LocalDateSerializer; import com.fasterxml.jackson.datatype.jsr310.ser.LocalDateTimeSerializer; import com.fasterxml.jackson.datatype.jsr310.ser.LocalTimeSerializer; import io.micrometer.prometheusmetrics.PrometheusMeterRegistry; import jakarta.annotation.PostConstruct; import jakarta.annotation.Resource; import lombok.extern.slf4j.Slf4j; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.beans.factory.annotation.Qualifier; import org.springframework.beans.factory.annotation.Value; import org.springframework.beans.factory.config.BeanPostProcessor; import org.springframework.context.annotation.Bean; import org.springframework.context.annotation.Conditional; import org.springframework.context.annotation.Configuration; import org.springframework.context.annotation.Primary; import org.springframework.http.CacheControl; import org.springframework.http.converter.HttpMessageConverter; import org.springframework.http.converter.json.MappingJackson2HttpMessageConverter; import org.springframework.web.cors.CorsConfiguration; import org.springframework.web.cors.UrlBasedCorsConfigurationSource; import org.springframework.web.filter.CorsFilter; import org.springframework.web.servlet.config.annotation.ResourceHandlerRegistration; import org.springframework.web.servlet.config.annotation.ResourceHandlerRegistry; import org.springframework.web.servlet.config.annotation.ViewControllerRegistry; import org.springframework.web.servlet.config.annotation.WebMvcConfigurer; import java.text.SimpleDateFormat; import java.time.LocalDate; import java.time.LocalDateTime; import java.time.LocalTime; import java.time.format.DateTimeFormatter; import java.util.List; import java.util.concurrent.TimeUnit; /** * Spring Boot 2.0 解决跨域问题 * * @Author qinfeng * */ @Slf4j @Configuration public class WebMvcConfiguration implements WebMvcConfigurer { @Resource JeecgBaseConfig jeecgBaseConfig; @Value("${spring.resource.static-locations:}") private String staticLocations; @Autowired(required = false) private PrometheusMeterRegistry prometheusMeterRegistry; /** * meterRegistryPostProcessor * for [QQYUN-12558]【监控】系统监控的头两个tab不好使,接口404 */ @Autowired(required = false) @Qualifier("meterRegistryPostProcessor") private BeanPostProcessor meterRegistryPostProcessor; /** * 静态资源的配置 - 使得可以从磁盘中读取 Html、图片、视频、音频等 */ @Override public void addResourceHandlers(ResourceHandlerRegistry registry) { ResourceHandlerRegistration resourceHandlerRegistration = registry.addResourceHandler("/**"); if (jeecgBaseConfig.getPath() != null && jeecgBaseConfig.getPath().getUpload() != null) { resourceHandlerRegistration .addResourceLocations("file:" + jeecgBaseConfig.getPath().getUpload() + "//") .addResourceLocations("file:" + jeecgBaseConfig.getPath().getWebapp() + "//"); } resourceHandlerRegistration.addResourceLocations(staticLocations.split(",")); // 设置缓存控制标头 Cache-Control有效期为30天 resourceHandlerRegistration.setCacheControl(CacheControl.maxAge(30, TimeUnit.DAYS)); } /** * 方案一: 默认访问根路径跳转 doc.html页面 (swagger文档页面) * 方案二: 访问根路径改成跳转 index.html页面 (简化部署方案: 可以把前端打包直接放到项目的 webapp,上面的配置) */ @Override public void addViewControllers(ViewControllerRegistry registry) { registry.addViewController("/").setViewName("redirect:/doc.html"); } @Bean @Conditional(CorsFilterCondition.class) public CorsFilter corsFilter() { final UrlBasedCorsConfigurationSource urlBasedCorsConfigurationSource = new UrlBasedCorsConfigurationSource(); final CorsConfiguration corsConfiguration = new CorsConfiguration(); //是否允许请求带有验证信息 corsConfiguration.setAllowCredentials(true); // 允许访问的客户端域名 corsConfiguration.addAllowedOriginPattern("*"); // 允许服务端访问的客户端请求头 corsConfiguration.addAllowedHeader("*"); // 允许访问的方法名,GET POST等 corsConfiguration.addAllowedMethod("*"); urlBasedCorsConfigurationSource.registerCorsConfiguration("/**", corsConfiguration); return new CorsFilter(urlBasedCorsConfigurationSource); } @Override public void configureMessageConverters(List<HttpMessageConverter<?>> converters) { MappingJackson2HttpMessageConverter jackson2HttpMessageConverter = new MappingJackson2HttpMessageConverter(objectMapper()); converters.add(jackson2HttpMessageConverter); } /** * 自定义ObjectMapper */ @Bean @Primary public ObjectMapper objectMapper() { ObjectMapper objectMapper = new ObjectMapper(); //处理bigDecimal objectMapper.enable(JsonGenerator.Feature.WRITE_BIGDECIMAL_AS_PLAIN); objectMapper.enable(DeserializationFeature.USE_BIG_DECIMAL_FOR_FLOATS); //处理失败 objectMapper.configure(DeserializationFeature.FAIL_ON_IGNORED_PROPERTIES, false); objectMapper.configure(DeserializationFeature.FAIL_ON_UNKNOWN_PROPERTIES, false); objectMapper.configure(DeserializationFeature.FAIL_ON_NULL_FOR_PRIMITIVES, false); objectMapper.configure(DeserializationFeature.FAIL_ON_NULL_CREATOR_PROPERTIES, false); //默认的处理日期时间格式 objectMapper.setDateFormat(new SimpleDateFormat("yyyy-MM-dd HH:mm:ss")); JavaTimeModule javaTimeModule = new JavaTimeModule(); javaTimeModule.addSerializer(LocalDateTime.class, new LocalDateTimeSerializer(DateTimeFormatter.ofPattern("yyyy-MM-dd HH:mm:ss"))); javaTimeModule.addSerializer(LocalDate.class, new LocalDateSerializer(DateTimeFormatter.ofPattern("yyyy-MM-dd"))); javaTimeModule.addSerializer(LocalTime.class, new LocalTimeSerializer(DateTimeFormatter.ofPattern("HH:mm:ss"))); javaTimeModule.addDeserializer(LocalDateTime.class, new LocalDateTimeDeserializer(DateTimeFormatter.ofPattern("yyyy-MM-dd HH:mm:ss"))); javaTimeModule.addDeserializer(LocalDate.class, new LocalDateDeserializer(DateTimeFormatter.ofPattern("yyyy-MM-dd"))); javaTimeModule.addDeserializer(LocalTime.class, new LocalTimeDeserializer(DateTimeFormatter.ofPattern("HH:mm:ss"))); objectMapper.registerModule(javaTimeModule); return objectMapper; } // /** // * SpringBootAdmin的Httptrace不见了 // * https://blog.csdn.net/u013810234/article/details/110097201 // */ // @Bean // public InMemoryHttpTraceRepository getInMemoryHttpTrace(){ // return new InMemoryHttpTraceRepository(); // } /** * 在Bean初始化完成后立即配置PrometheusMeterRegistry,避免在Meter注册后才配置MeterFilter * for [QQYUN-12558]【监控】系统监控的头两个tab不好使,接口404 * @author chenrui * @date 2025/5/26 16:46 */ @PostConstruct public void initPrometheusMeterRegistry() { // 确保在应用启动早期就配置MeterFilter,避免警告 if (null != meterRegistryPostProcessor && null != prometheusMeterRegistry) { meterRegistryPostProcessor.postProcessAfterInitialization(prometheusMeterRegistry, "prometheusMeterRegistry"); log.info("PrometheusMeterRegistry 配置完成"); } } // /** // * 注册拦截器【拦截器拦截参数,自动切换数据源——后期实现多租户切换数据源功能】 // * @param registry // */ // @Override // public void addInterceptors(InterceptorRegistry registry) { // registry.addInterceptor(new DynamicDatasourceInterceptor()).addPathPatterns("/test/dynamic/**"); // } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/JeecgBaseConfig.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/JeecgBaseConfig.java
package org.jeecg.config; import lombok.Getter; import lombok.Setter; import org.jeecg.config.tencent.JeecgTencent; import org.jeecg.config.vo.*; import org.springframework.beans.factory.config.BeanDefinition; import org.springframework.boot.context.properties.ConfigurationProperties; import org.springframework.context.annotation.Role; import org.springframework.stereotype.Component; /** * 加载项目配置 * @author: jeecg-boot */ @Component("jeecgBaseConfig") @ConfigurationProperties(prefix = "jeecg") @Role(BeanDefinition.ROLE_INFRASTRUCTURE) public class JeecgBaseConfig { /** * 签名密钥串(字典等敏感接口) * @TODO 降低使用成本加的默认值,实际以 yml配置 为准 */ private String signatureSecret = "dd05f1c54d63749eda95f9fa6d49v442a"; /** * 自定义后台资源前缀,解决表单设计器无法通过前端nginx转发访问 */ private String customResourcePrefixPath; /** * 需要加强校验的接口清单 */ private String signUrls; /** * 上传模式 * 本地:local\Minio:minio\阿里云:alioss */ private String uploadType; /** * 平台安全模式配置 */ private Firewall firewall; /** * shiro拦截排除 */ private Shiro shiro; /** * 上传文件配置 */ private Path path; /** * 前端页面访问地址 * pc: http://localhost:3100 * app: http://localhost:8051 */ private DomainUrl domainUrl; /** * 文件预览 */ private String fileViewDomain; /** * ES配置 */ private Elasticsearch elasticsearch; /** * 微信支付 * @return */ private WeiXinPay weiXinPay; /** * 百度开放API配置 */ private BaiduApi baiduApi; /** * minio配置 */ @Getter @Setter private JeecgMinio minio; /** * oss配置 */ @Getter @Setter private JeecgOSS oss; /** * 短信发送方式 aliyun阿里云短信 tencent腾讯云短信 */ @Getter @Setter private String smsSendType = "aliyun"; /** * 腾讯配置 */ @Getter @Setter private JeecgTencent tencent; public String getCustomResourcePrefixPath() { return customResourcePrefixPath; } public void setCustomResourcePrefixPath(String customResourcePrefixPath) { this.customResourcePrefixPath = customResourcePrefixPath; } public Elasticsearch getElasticsearch() { return elasticsearch; } public void setElasticsearch(Elasticsearch elasticsearch) { this.elasticsearch = elasticsearch; } public Firewall getFirewall() { return firewall; } public void setFirewall(Firewall firewall) { this.firewall = firewall; } public String getSignatureSecret() { return signatureSecret; } public void setSignatureSecret(String signatureSecret) { this.signatureSecret = signatureSecret; } public Shiro getShiro() { return shiro; } public void setShiro(Shiro shiro) { this.shiro = shiro; } public Path getPath() { return path; } public void setPath(Path path) { this.path = path; } public DomainUrl getDomainUrl() { return domainUrl; } public void setDomainUrl(DomainUrl domainUrl) { this.domainUrl = domainUrl; } public String getSignUrls() { return signUrls; } public void setSignUrls(String signUrls) { this.signUrls = signUrls; } public String getFileViewDomain() { return fileViewDomain; } public void setFileViewDomain(String fileViewDomain) { this.fileViewDomain = fileViewDomain; } public String getUploadType() { return uploadType; } public void setUploadType(String uploadType) { this.uploadType = uploadType; } public WeiXinPay getWeiXinPay() { return weiXinPay; } public void setWeiXinPay(WeiXinPay weiXinPay) { this.weiXinPay = weiXinPay; } public BaiduApi getBaiduApi() { return baiduApi; } public void setBaiduApi(BaiduApi baiduApi) { this.baiduApi = baiduApi; } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/Swagger3Config.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/Swagger3Config.java
package org.jeecg.config; import io.swagger.v3.oas.annotations.Operation; import io.swagger.v3.oas.models.Components; import io.swagger.v3.oas.models.OpenAPI; import io.swagger.v3.oas.models.info.Contact; import io.swagger.v3.oas.models.info.Info; import io.swagger.v3.oas.models.info.License; import io.swagger.v3.oas.models.security.SecurityRequirement; import io.swagger.v3.oas.models.security.SecurityScheme; import lombok.extern.slf4j.Slf4j; import org.jeecg.common.constant.CommonConstant; import org.springdoc.core.customizers.OperationCustomizer; import org.springdoc.core.filters.GlobalOpenApiMethodFilter; import org.springframework.boot.autoconfigure.condition.ConditionalOnProperty; import org.springframework.context.annotation.Bean; import org.springframework.context.annotation.Configuration; import org.springframework.context.annotation.PropertySource; import org.springframework.web.bind.annotation.RequestMapping; import org.springframework.web.method.HandlerMethod; import org.springframework.web.servlet.config.annotation.ResourceHandlerRegistry; import org.springframework.web.servlet.config.annotation.WebMvcConfigurer; import java.util.Arrays; import java.util.HashSet; import java.util.Map; import java.util.Set; import java.util.concurrent.ConcurrentHashMap; /** * @author eightmonth */ @Slf4j @Configuration @ConditionalOnProperty(prefix = "knife4j", name = "production", havingValue = "false", matchIfMissing = true) @PropertySource("classpath:config/default-spring-doc.properties") public class Swagger3Config implements WebMvcConfigurer { // 路径匹配结果缓存,避免重复计算 private static final Map<String, Boolean> EXCLUDED_PATHS_CACHE = new ConcurrentHashMap<>(); // 定义不需要注入安全要求的路径集合 private static final Set<String> excludedPaths = new HashSet<>(Arrays.asList( "/sys/randomImage/**", "/sys/login", "/sys/phoneLogin", "/sys/mLogin", "/sys/sms", "/sys/cas/client/validateLogin", "/test/jeecgDemo/demo3", "/sys/thirdLogin/**", "/sys/user/register" )); // 预处理通配符模式,提高匹配效率 private static final Set<String> wildcardPatterns = new HashSet<>(); private static final Set<String> exactPatterns = new HashSet<>(); static { // 初始化时分离精确匹配和通配符匹配 for (String pattern : excludedPaths) { if (pattern.endsWith("/**")) { wildcardPatterns.add(pattern.substring(0, pattern.length() - 3)); } else { exactPatterns.add(pattern); } } } /** * * 显示swagger-ui.html文档展示页,还必须注入swagger资源: * * @param registry */ @Override public void addResourceHandlers(ResourceHandlerRegistry registry) { registry.addResourceHandler("swagger-ui.html").addResourceLocations("classpath:/META-INF/resources/"); registry.addResourceHandler("doc.html").addResourceLocations("classpath:/META-INF/resources/"); registry.addResourceHandler("/webjars/**").addResourceLocations("classpath:/META-INF/resources/webjars/"); } @Bean public GlobalOpenApiMethodFilter globalOpenApiMethodFilter() { return method -> method.isAnnotationPresent(Operation.class); } @Bean public OperationCustomizer operationCustomizer() { return (operation, handlerMethod) -> { String path = getFullPath(handlerMethod); if (!isExcludedPath(path)) { operation.addSecurityItem(new SecurityRequirement().addList(CommonConstant.X_ACCESS_TOKEN)); }else{ log.info("忽略加入 X_ACCESS_TOKEN 的 PATH:" + path); } return operation; }; } private String getFullPath(HandlerMethod handlerMethod) { StringBuilder fullPath = new StringBuilder(); // 获取类级别的路径 RequestMapping classMapping = handlerMethod.getBeanType().getAnnotation(RequestMapping.class); if (classMapping != null && classMapping.value().length > 0) { fullPath.append(classMapping.value()[0]); } // 获取方法级别的路径 RequestMapping methodMapping = handlerMethod.getMethodAnnotation(RequestMapping.class); if (methodMapping != null && methodMapping.value().length > 0) { String methodPath = methodMapping.value()[0]; // 确保路径正确拼接,处理斜杠 if (!fullPath.toString().endsWith("/") && !methodPath.startsWith("/")) { fullPath.append("/"); } fullPath.append(methodPath); } return fullPath.toString(); } private boolean isExcludedPath(String path) { // 使用缓存避免重复计算 return EXCLUDED_PATHS_CACHE.computeIfAbsent(path, p -> { // 精确匹配 if (exactPatterns.contains(p)) { return true; } // 通配符匹配 return wildcardPatterns.stream().anyMatch(p::startsWith); }); } @Bean public OpenAPI customOpenAPI() { return new OpenAPI() .info(new Info() .title("JeecgBoot 后台服务API接口文档") .version("3.9.0") .contact(new Contact().name("北京国炬信息技术有限公司").url("www.jeccg.com").email("jeecgos@163.com")) .description("后台API接口") .termsOfService("NO terms of service") .license(new License().name("Apache 2.0").url("http://www.apache.org/licenses/LICENSE-2.0.html"))) .addSecurityItem(new SecurityRequirement().addList(CommonConstant.X_ACCESS_TOKEN)) .components(new Components().addSecuritySchemes(CommonConstant.X_ACCESS_TOKEN, new SecurityScheme() .name(CommonConstant.X_ACCESS_TOKEN) .type(SecurityScheme.Type.APIKEY) .in(SecurityScheme.In.HEADER) // 关键:指定为 header )); } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/DruidWallConfigRegister.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/DruidWallConfigRegister.java
package org.jeecg.config; import org.springframework.boot.SpringApplication; import org.springframework.boot.SpringApplicationRunListener; import org.springframework.context.ConfigurableApplicationContext; import org.springframework.core.env.ConfigurableEnvironment; import org.springframework.core.env.MapPropertySource; import org.springframework.core.env.MutablePropertySources; import org.springframework.core.env.PropertySource; import java.util.HashMap; import java.util.Map; /** * @author eightmonth@qq.com * 启动程序修改DruidWallConfig配置 * 允许SELECT语句的WHERE子句是一个永真条件 * @author eightmonth * @date 2024/4/8 11:37 */ public class DruidWallConfigRegister implements SpringApplicationRunListener { public SpringApplication application; private String[] args; /** * 必备,否则启动报错 * @param application * @param args */ public DruidWallConfigRegister(SpringApplication application, String[] args) { this.application = application; this.args = args; } @Override public void contextLoaded(ConfigurableApplicationContext context) { ConfigurableEnvironment env = context.getEnvironment(); Map<String, Object> props = new HashMap<>(); props.put("spring.datasource.dynamic.druid.wall.selectWhereAlwayTrueCheck", false); MutablePropertySources propertySources = env.getPropertySources(); PropertySource<Map<String, Object>> propertySource = new MapPropertySource("jeecg-datasource-config", props); propertySources.addLast(propertySource); } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/StaticConfig.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/StaticConfig.java
package org.jeecg.config; import lombok.Data; import org.springframework.beans.factory.annotation.Value; import org.springframework.context.annotation.Lazy; import org.springframework.stereotype.Component; /** * 设置静态参数初始化 * @author: jeecg-boot */ @Lazy(false) @Component @Data public class StaticConfig { @Value("${jeecg.oss.accessKey:}") private String accessKeyId; @Value("${jeecg.oss.secretKey:}") private String accessKeySecret; @Value(value = "${spring.mail.username:}") private String emailFrom; /** * 是否开启定时发送 */ @Value(value = "${spring.mail.timeJobSend:false}") private Boolean timeJobSend; // /** // * 签名密钥串 // */ // @Value(value = "${jeecg.signatureSecret}") // private String signatureSecret; /*@Bean public void initStatic() { DySmsHelper.setAccessKeyId(accessKeyId); DySmsHelper.setAccessKeySecret(accessKeySecret); EmailSendMsgHandle.setEmailFrom(emailFrom); }*/ }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/CorsFilterCondition.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/CorsFilterCondition.java
package org.jeecg.config; import org.jeecg.common.constant.CommonConstant; import org.springframework.context.annotation.Condition; import org.springframework.context.annotation.ConditionContext; import org.springframework.core.type.AnnotatedTypeMetadata; /** * 跨域配置加载条件 * @author: jeecg-boot */ public class CorsFilterCondition implements Condition { @Override public boolean matches(ConditionContext context, AnnotatedTypeMetadata metadata) { Object object = context.getEnvironment().getProperty(CommonConstant.CLOUD_SERVER_KEY); //如果没有服务注册发现的配置 说明是单体应用 则加载跨域配置 返回true if(object==null){ return true; } return false; } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/AutoPoiConfig.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/AutoPoiConfig.java
package org.jeecg.config; import org.jeecgframework.core.util.ApplicationContextUtil; import org.springframework.context.annotation.Bean; import org.springframework.context.annotation.Configuration; import org.springframework.context.annotation.Lazy; /** * @Author: Scott * @Date: 2018/2/7 * @description: autopoi 配置类 */ @Lazy(false) @Configuration public class AutoPoiConfig { /** * excel注解字典参数支持(导入导出字典值,自动翻译) * 举例: @Excel(name = "性别", width = 15, dicCode = "sex") * 1、导出的时候会根据字典配置,把值1,2翻译成:男、女; * 2、导入的时候,会把男、女翻译成1,2存进数据库; * @return */ @Bean public ApplicationContextUtil applicationContextUtil() { return new org.jeecgframework.core.util.ApplicationContextUtil(); } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/JeecgCloudCondition.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/JeecgCloudCondition.java
package org.jeecg.config; import org.jeecg.common.constant.CommonConstant; import org.springframework.context.annotation.Condition; import org.springframework.context.annotation.ConditionContext; import org.springframework.core.type.AnnotatedTypeMetadata; /** * 微服务环境加载条件 * @author: jeecg-boot */ public class JeecgCloudCondition implements Condition { @Override public boolean matches(ConditionContext context, AnnotatedTypeMetadata metadata) { Object object = context.getEnvironment().getProperty(CommonConstant.CLOUD_SERVER_KEY); //如果没有服务注册发现的配置 说明是单体应用 if(object==null){ return false; } return true; } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/DruidConfig.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/DruidConfig.java
package org.jeecg.config; import java.io.IOException; import com.alibaba.druid.spring.boot3.autoconfigure.DruidDataSourceAutoConfigure; import com.alibaba.druid.spring.boot3.autoconfigure.properties.DruidStatProperties; import jakarta.servlet.*; import org.springframework.boot.autoconfigure.AutoConfigureAfter; import org.springframework.boot.autoconfigure.condition.ConditionalOnProperty; import org.springframework.boot.autoconfigure.condition.ConditionalOnWebApplication; import org.springframework.boot.web.servlet.FilterRegistrationBean; import org.springframework.context.annotation.Bean; import org.springframework.context.annotation.Configuration; import com.alibaba.druid.util.Utils; /** * @Description: DruidConfig配置类 * @author: jeecg-boot */ @Configuration @AutoConfigureAfter(DruidDataSourceAutoConfigure.class) public class DruidConfig { /** * 带有广告的common.js全路径,druid-1.1.14 */ private static final String FILE_PATH = "support/http/resources/js/common.js"; /** * 原始脚本,触发构建广告的语句 */ private static final String ORIGIN_JS = "this.buildFooter();"; /** * 替换后的脚本 */ private static final String NEW_JS = "//this.buildFooter();"; /** * 去除Druid监控页面的广告 * * @param properties DruidStatProperties属性集合 * @return {@link FilterRegistrationBean} */ @Bean @ConditionalOnWebApplication @ConditionalOnProperty(name = "spring.datasource.druid.stat-view-servlet.enabled", havingValue = "true") public FilterRegistrationBean<RemoveAdFilter> removeDruidAdFilter( DruidStatProperties properties) throws IOException { // 获取web监控页面的参数 DruidStatProperties.StatViewServlet config = properties.getStatViewServlet(); // 提取common.js的配置路径 String pattern = config.getUrlPattern() != null ? config.getUrlPattern() : "/druid/*"; String commonJsPattern = pattern.replaceAll("\\*", "js/common.js"); // 获取common.js String text = Utils.readFromResource(FILE_PATH); // 屏蔽 this.buildFooter(); 不构建广告 final String newJs = text.replace(ORIGIN_JS, NEW_JS); FilterRegistrationBean<RemoveAdFilter> registration = new FilterRegistrationBean<>(); registration.setFilter(new RemoveAdFilter(newJs)); registration.addUrlPatterns(commonJsPattern); return registration; } /** * 删除druid的广告过滤器 * * @author BBF */ private class RemoveAdFilter implements Filter { private final String newJs; public RemoveAdFilter(String newJs) { this.newJs = newJs; } @Override public void doFilter(ServletRequest request, ServletResponse response, FilterChain chain) throws IOException, ServletException { chain.doFilter(request, response); // 重置缓冲区,响应头不会被重置 response.resetBuffer(); response.getWriter().write(newJs); } } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/AutoPoiDictConfig.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/AutoPoiDictConfig.java
package org.jeecg.config; import java.util.ArrayList; import java.util.List; import jakarta.annotation.Resource; import org.jeecg.common.api.CommonAPI; import org.jeecg.common.system.vo.DictModel; import org.jeecg.common.util.oConvertUtils; import org.jeecgframework.dict.service.AutoPoiDictServiceI; import org.springframework.context.annotation.Lazy; import org.springframework.stereotype.Service; import lombok.extern.slf4j.Slf4j; /** * 描述:AutoPoi Excel注解支持字典参数设置 * 举例: @Excel(name = "性别", width = 15, dicCode = "sex") * 1、导出的时候会根据字典配置,把值1,2翻译成:男、女; * 2、导入的时候,会把男、女翻译成1,2存进数据库; * * @Author:scott * @since:2019-04-09 * @Version:1.0 */ @Slf4j @Lazy(false) @Service public class AutoPoiDictConfig implements AutoPoiDictServiceI { final static String EXCEL_SPLIT_TAG = "_"; final static String TEMP_EXCEL_SPLIT_TAG = "---"; @Lazy @Resource private CommonAPI commonApi; /** * 通过字典查询easypoi,所需字典文本 * * @Author:scott * @since:2019-04-09 * @return */ @Override public String[] queryDict(String dicTable, String dicCode, String dicText) { List<String> dictReplaces = new ArrayList<String>(); List<DictModel> dictList = null; // step.1 如果没有字典表则使用系统字典表 if (oConvertUtils.isEmpty(dicTable)) { dictList = commonApi.queryDictItemsByCode(dicCode); } else { try { dicText = oConvertUtils.getString(dicText, dicCode); dictList = commonApi.queryTableDictItemsByCode(dicTable, dicText, dicCode); } catch (Exception e) { log.error(e.getMessage(),e); } } for (DictModel t : dictList) { // 代码逻辑说明: [issues/4917]excel 导出异常--- if(t!=null && t.getText()!=null && t.getValue()!=null){ // 代码逻辑说明: [issues/I4MBB3]@Excel dicText字段的值有下划线时,导入功能不能正确解析--- if(t.getValue().contains(EXCEL_SPLIT_TAG)){ String val = t.getValue().replace(EXCEL_SPLIT_TAG,TEMP_EXCEL_SPLIT_TAG); dictReplaces.add(t.getText() + EXCEL_SPLIT_TAG + val); }else{ dictReplaces.add(t.getText() + EXCEL_SPLIT_TAG + t.getValue()); } } } if (dictReplaces != null && dictReplaces.size() != 0) { log.info("---AutoPoi--Get_DB_Dict------"+ dictReplaces.toString()); return dictReplaces.toArray(new String[dictReplaces.size()]); } return null; } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/shiro/ShiroConfig.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/shiro/ShiroConfig.java
package org.jeecg.config.shiro; import jakarta.annotation.Resource; import jakarta.servlet.DispatcherType; import jakarta.servlet.Filter; import lombok.extern.slf4j.Slf4j; import org.apache.commons.pool2.impl.GenericObjectPoolConfig; import org.apache.shiro.mgt.DefaultSessionStorageEvaluator; import org.apache.shiro.mgt.DefaultSubjectDAO; import org.apache.shiro.mgt.SecurityManager; import org.apache.shiro.spring.LifecycleBeanPostProcessor; import org.apache.shiro.spring.security.interceptor.AuthorizationAttributeSourceAdvisor; import org.apache.shiro.spring.web.ShiroFilterFactoryBean; import org.apache.shiro.spring.web.ShiroUrlPathHelper; import org.apache.shiro.web.mgt.DefaultWebSecurityManager; import org.crazycake.shiro.*; import org.jeecg.common.constant.CommonConstant; import org.jeecg.common.util.oConvertUtils; import org.jeecg.config.JeecgBaseConfig; import org.jeecg.config.shiro.filters.CustomShiroFilterFactoryBean; import org.jeecg.config.shiro.filters.JwtFilter; import org.springframework.aop.framework.autoproxy.DefaultAdvisorAutoProxyCreator; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.beans.factory.config.BeanDefinition; import org.springframework.boot.web.servlet.FilterRegistrationBean; import org.springframework.context.annotation.*; import org.springframework.core.annotation.AnnotationUtils; import org.springframework.core.env.Environment; import org.springframework.core.type.filter.AnnotationTypeFilter; import org.springframework.data.redis.connection.lettuce.LettuceConnectionFactory; import org.springframework.boot.autoconfigure.data.redis.RedisProperties; import org.springframework.util.CollectionUtils; import org.springframework.util.StringUtils; import org.springframework.web.bind.annotation.*; import org.springframework.web.filter.DelegatingFilterProxy; import org.springframework.web.servlet.mvc.method.annotation.RequestMappingHandlerMapping; import redis.clients.jedis.HostAndPort; import redis.clients.jedis.JedisCluster; import java.lang.reflect.Method; import java.util.*; /** * @author: Scott * @date: 2018/2/7 * @description: shiro 配置类 */ @Slf4j @Configuration public class ShiroConfig { @Resource private LettuceConnectionFactory lettuceConnectionFactory; @Autowired private Environment env; @Resource private JeecgBaseConfig jeecgBaseConfig; @Autowired(required = false) private RedisProperties redisProperties; /** * Filter Chain定义说明 * * 1、一个URL可以配置多个Filter,使用逗号分隔 * 2、当设置多个过滤器时,全部验证通过,才视为通过 * 3、部分过滤器可指定参数,如perms,roles */ @Bean("shiroFilterFactoryBean") public ShiroFilterFactoryBean shiroFilter(SecurityManager securityManager) { CustomShiroFilterFactoryBean shiroFilterFactoryBean = new CustomShiroFilterFactoryBean(); shiroFilterFactoryBean.setSecurityManager(securityManager); // 拦截器 Map<String, String> filterChainDefinitionMap = new LinkedHashMap<String, String>(); //支持yml方式,配置拦截排除 if(jeecgBaseConfig!=null && jeecgBaseConfig.getShiro()!=null){ String shiroExcludeUrls = jeecgBaseConfig.getShiro().getExcludeUrls(); if(oConvertUtils.isNotEmpty(shiroExcludeUrls)){ String[] permissionUrl = shiroExcludeUrls.split(","); for(String url : permissionUrl){ filterChainDefinitionMap.put(url,"anon"); } } } // 配置不会被拦截的链接 顺序判断 filterChainDefinitionMap.put("/sys/cas/client/validateLogin", "anon"); //cas验证登录 filterChainDefinitionMap.put("/sys/randomImage/**", "anon"); //登录验证码接口排除 filterChainDefinitionMap.put("/sys/checkCaptcha", "anon"); //登录验证码接口排除 filterChainDefinitionMap.put("/sys/smsCheckCaptcha", "anon"); //短信次数发送太多验证码排除 filterChainDefinitionMap.put("/sys/login", "anon"); //登录接口排除 filterChainDefinitionMap.put("/sys/mLogin", "anon"); //登录接口排除 filterChainDefinitionMap.put("/sys/logout", "anon"); //登出接口排除 filterChainDefinitionMap.put("/sys/thirdLogin/**", "anon"); //第三方登录 filterChainDefinitionMap.put("/sys/getEncryptedString", "anon"); //获取加密串 filterChainDefinitionMap.put("/sys/sms", "anon");//短信验证码 filterChainDefinitionMap.put("/sys/phoneLogin", "anon");//手机登录 filterChainDefinitionMap.put("/sys/user/checkOnlyUser", "anon");//校验用户是否存在 filterChainDefinitionMap.put("/sys/user/register", "anon");//用户注册 filterChainDefinitionMap.put("/sys/user/phoneVerification", "anon");//用户忘记密码验证手机号 filterChainDefinitionMap.put("/sys/user/passwordChange", "anon");//用户更改密码 filterChainDefinitionMap.put("/auth/2step-code", "anon");//登录验证码 filterChainDefinitionMap.put("/sys/common/static/**", "anon");//图片预览 &下载文件不限制token filterChainDefinitionMap.put("/sys/common/pdf/**", "anon");//pdf预览 //filterChainDefinitionMap.put("/sys/common/view/**", "anon");//图片预览不限制token //filterChainDefinitionMap.put("/sys/common/download/**", "anon");//文件下载不限制token filterChainDefinitionMap.put("/generic/**", "anon");//pdf预览需要文件 filterChainDefinitionMap.put("/sys/getLoginQrcode/**", "anon"); //登录二维码 filterChainDefinitionMap.put("/sys/getQrcodeToken/**", "anon"); //监听扫码 filterChainDefinitionMap.put("/sys/checkAuth", "anon"); //授权接口排除 filterChainDefinitionMap.put("/openapi/call/**", "anon"); // 开放平台接口排除 // 代码逻辑说明: 排除静态资源后缀 filterChainDefinitionMap.put("/", "anon"); filterChainDefinitionMap.put("/doc.html", "anon"); filterChainDefinitionMap.put("/**/*.js", "anon"); filterChainDefinitionMap.put("/**/*.css", "anon"); filterChainDefinitionMap.put("/**/*.html", "anon"); filterChainDefinitionMap.put("/**/*.svg", "anon"); filterChainDefinitionMap.put("/**/*.pdf", "anon"); filterChainDefinitionMap.put("/**/*.jpg", "anon"); filterChainDefinitionMap.put("/**/*.png", "anon"); filterChainDefinitionMap.put("/**/*.gif", "anon"); filterChainDefinitionMap.put("/**/*.ico", "anon"); filterChainDefinitionMap.put("/**/*.ttf", "anon"); filterChainDefinitionMap.put("/**/*.woff", "anon"); filterChainDefinitionMap.put("/**/*.woff2", "anon"); filterChainDefinitionMap.put("/**/*.glb", "anon"); filterChainDefinitionMap.put("/**/*.wasm", "anon"); filterChainDefinitionMap.put("/druid/**", "anon"); filterChainDefinitionMap.put("/swagger-ui.html", "anon"); filterChainDefinitionMap.put("/swagger**/**", "anon"); filterChainDefinitionMap.put("/webjars/**", "anon"); filterChainDefinitionMap.put("/v3/**", "anon"); filterChainDefinitionMap.put("/sys/annountCement/show/**", "anon"); //积木报表排除 filterChainDefinitionMap.put("/jmreport/**", "anon"); filterChainDefinitionMap.put("/**/*.js.map", "anon"); filterChainDefinitionMap.put("/**/*.css.map", "anon"); //积木BI大屏和仪表盘排除 filterChainDefinitionMap.put("/drag/view", "anon"); filterChainDefinitionMap.put("/drag/page/queryById", "anon"); filterChainDefinitionMap.put("/drag/page/addVisitsNumber", "anon"); filterChainDefinitionMap.put("/drag/page/queryTemplateList", "anon"); filterChainDefinitionMap.put("/drag/share/view/**", "anon"); filterChainDefinitionMap.put("/drag/onlDragDatasetHead/getAllChartData", "anon"); filterChainDefinitionMap.put("/drag/onlDragDatasetHead/getTotalData", "anon"); filterChainDefinitionMap.put("/drag/onlDragDatasetHead/getMapDataByCode", "anon"); filterChainDefinitionMap.put("/drag/onlDragDatasetHead/getTotalDataByCompId", "anon"); filterChainDefinitionMap.put("/drag/mock/json/**", "anon"); filterChainDefinitionMap.put("/drag/onlDragDatasetHead/getDictByCodes", "anon"); filterChainDefinitionMap.put("/drag/onlDragDatasetHead/queryAllById", "anon"); filterChainDefinitionMap.put("/jimubi/view", "anon"); filterChainDefinitionMap.put("/jimubi/share/view/**", "anon"); //大屏模板例子 filterChainDefinitionMap.put("/test/bigScreen/**", "anon"); filterChainDefinitionMap.put("/bigscreen/template1/**", "anon"); filterChainDefinitionMap.put("/bigscreen/template2/**", "anon"); //filterChainDefinitionMap.put("/test/jeecgDemo/rabbitMqClientTest/**", "anon"); //MQ测试 //filterChainDefinitionMap.put("/test/jeecgDemo/html", "anon"); //模板页面 //filterChainDefinitionMap.put("/test/jeecgDemo/redis/**", "anon"); //redis测试 //websocket排除 filterChainDefinitionMap.put("/websocket/**", "anon");//系统通知和公告 filterChainDefinitionMap.put("/newsWebsocket/**", "anon");//CMS模块 filterChainDefinitionMap.put("/vxeSocket/**", "anon");//JVxeTable无痕刷新示例 //App vue3版本查询版本接口 filterChainDefinitionMap.put("/sys/version/app3version", "anon"); //仪表盘(按钮通信) filterChainDefinitionMap.put("/dragChannelSocket/**","anon"); //性能监控——安全隐患泄露TOEKN(durid连接池也有) //filterChainDefinitionMap.put("/actuator/**", "anon"); //测试模块排除 filterChainDefinitionMap.put("/test/seata/**", "anon"); //错误路径排除 filterChainDefinitionMap.put("/error", "anon"); // 企业微信证书排除 filterChainDefinitionMap.put("/WW_verify*", "anon"); // 添加自己的过滤器并且取名为jwt Map<String, Filter> filterMap = new HashMap<String, Filter>(1); //如果cloudServer为空 则说明是单体 需要加载跨域配置【微服务跨域切换】 Object cloudServer = env.getProperty(CommonConstant.CLOUD_SERVER_KEY); filterMap.put("jwt", new JwtFilter(cloudServer==null)); shiroFilterFactoryBean.setFilters(filterMap); // <!-- 过滤链定义,从上向下顺序执行,一般将/**放在最为下边 filterChainDefinitionMap.put("/**", "jwt"); // 未授权界面返回JSON shiroFilterFactoryBean.setUnauthorizedUrl("/sys/common/403"); shiroFilterFactoryBean.setLoginUrl("/sys/common/403"); shiroFilterFactoryBean.setFilterChainDefinitionMap(filterChainDefinitionMap); return shiroFilterFactoryBean; } /** * spring过滤装饰器 <br/> * 因为shiro的filter不支持异步请求,导致所有的异步请求都会报错. <br/> * 所以需要用spring的FilterRegistrationBean再代理一下shiro的filter.为他扩展异步支持. <br/> * 后续所有异步的接口都需要再这里增加registration.addUrlPatterns("/xxx/xxx"); * @return * @author chenrui * @date 2024/12/3 19:49 */ @Bean public FilterRegistrationBean shiroFilterRegistration() { FilterRegistrationBean registration = new FilterRegistrationBean(); registration.setFilter(new DelegatingFilterProxy("shiroFilterFactoryBean")); registration.setEnabled(true); // 代码逻辑说明: [issues/7491]运行耗时长,效率慢 registration.addUrlPatterns("/test/ai/chat/send"); registration.addUrlPatterns("/airag/flow/run"); registration.addUrlPatterns("/airag/flow/debug"); registration.addUrlPatterns("/airag/chat/send"); registration.addUrlPatterns("/airag/app/debug"); registration.addUrlPatterns("/airag/app/prompt/generate"); registration.addUrlPatterns("/airag/chat/receive/**"); //支持异步 registration.setAsyncSupported(true); registration.setDispatcherTypes(DispatcherType.REQUEST, DispatcherType.ASYNC); return registration; } @Bean("securityManager") public DefaultWebSecurityManager securityManager(ShiroRealm myRealm) { DefaultWebSecurityManager securityManager = new DefaultWebSecurityManager(); securityManager.setRealm(myRealm); /* * 关闭shiro自带的session,详情见文档 * http://shiro.apache.org/session-management.html#SessionManagement- * StatelessApplications%28Sessionless%29 */ DefaultSubjectDAO subjectDAO = new DefaultSubjectDAO(); DefaultSessionStorageEvaluator defaultSessionStorageEvaluator = new DefaultSessionStorageEvaluator(); defaultSessionStorageEvaluator.setSessionStorageEnabled(false); subjectDAO.setSessionStorageEvaluator(defaultSessionStorageEvaluator); securityManager.setSubjectDAO(subjectDAO); //自定义缓存实现,使用redis securityManager.setCacheManager(redisCacheManager()); return securityManager; } /** * 下面的代码是添加注解支持 * @return */ @Bean @DependsOn("lifecycleBeanPostProcessor") public DefaultAdvisorAutoProxyCreator defaultAdvisorAutoProxyCreator() { DefaultAdvisorAutoProxyCreator defaultAdvisorAutoProxyCreator = new DefaultAdvisorAutoProxyCreator(); defaultAdvisorAutoProxyCreator.setProxyTargetClass(true); /** * 解决重复代理问题 github#994 * 添加前缀判断 不匹配 任何Advisor */ defaultAdvisorAutoProxyCreator.setUsePrefix(true); defaultAdvisorAutoProxyCreator.setAdvisorBeanNamePrefix("_no_advisor"); return defaultAdvisorAutoProxyCreator; } @Bean public static LifecycleBeanPostProcessor lifecycleBeanPostProcessor() { return new LifecycleBeanPostProcessor(); } @Bean public AuthorizationAttributeSourceAdvisor authorizationAttributeSourceAdvisor(DefaultWebSecurityManager securityManager) { AuthorizationAttributeSourceAdvisor advisor = new AuthorizationAttributeSourceAdvisor(); advisor.setSecurityManager(securityManager); return advisor; } /** * cacheManager 缓存 redis实现 * 使用的是shiro-redis开源插件 * * @return */ public RedisCacheManager redisCacheManager() { log.info("===============(1)创建缓存管理器RedisCacheManager"); RedisCacheManager redisCacheManager = new RedisCacheManager(); redisCacheManager.setRedisManager(redisManager()); //redis中针对不同用户缓存(此处的id需要对应user实体中的id字段,用于唯一标识) redisCacheManager.setPrincipalIdFieldName("id"); //用户权限信息缓存时间 redisCacheManager.setExpire(200000); return redisCacheManager; } /** * RedisConfig在项目starter项目中 * jeecg-boot-starter-github\jeecg-boot-common\src\main\java\org\jeecg\common\modules\redis\config\RedisConfig.java * * 配置shiro redisManager * 使用的是shiro-redis开源插件 * * @return */ @Bean public IRedisManager redisManager() { log.info("===============(2)创建RedisManager,连接Redis.."); IRedisManager manager; // sentinel cluster redis(【issues/5569】shiro集成 redis 不支持 sentinel 方式部署的redis集群 #5569) if (Objects.nonNull(redisProperties) && Objects.nonNull(redisProperties.getSentinel()) && !CollectionUtils.isEmpty(redisProperties.getSentinel().getNodes())) { RedisSentinelManager sentinelManager = new RedisSentinelManager(); sentinelManager.setMasterName(redisProperties.getSentinel().getMaster()); sentinelManager.setHost(String.join(",", redisProperties.getSentinel().getNodes())); sentinelManager.setPassword(redisProperties.getPassword()); sentinelManager.setDatabase(redisProperties.getDatabase()); return sentinelManager; } // redis 单机支持,在集群为空,或者集群无机器时候使用 add by jzyadmin@163.com if (lettuceConnectionFactory.getClusterConfiguration() == null || lettuceConnectionFactory.getClusterConfiguration().getClusterNodes().isEmpty()) { RedisManager redisManager = new RedisManager(); redisManager.setHost(lettuceConnectionFactory.getHostName() + ":" + lettuceConnectionFactory.getPort()); //(lettuceConnectionFactory.getPort()); redisManager.setDatabase(lettuceConnectionFactory.getDatabase()); redisManager.setTimeout(0); if (!StringUtils.isEmpty(lettuceConnectionFactory.getPassword())) { redisManager.setPassword(lettuceConnectionFactory.getPassword()); } manager = redisManager; }else{ // redis集群支持,优先使用集群配置 RedisClusterManager redisManager = new RedisClusterManager(); Set<HostAndPort> portSet = new HashSet<>(); lettuceConnectionFactory.getClusterConfiguration().getClusterNodes().forEach(node -> portSet.add(new HostAndPort(node.getHost() , node.getPort()))); //update-begin--Author:scott Date:20210531 for:修改集群模式下未设置redis密码的bug issues/I3QNIC if (oConvertUtils.isNotEmpty(lettuceConnectionFactory.getPassword())) { JedisCluster jedisCluster = new JedisCluster(portSet, 2000, 2000, 5, lettuceConnectionFactory.getPassword(), new GenericObjectPoolConfig()); redisManager.setPassword(lettuceConnectionFactory.getPassword()); redisManager.setJedisCluster(jedisCluster); } else { JedisCluster jedisCluster = new JedisCluster(portSet); redisManager.setJedisCluster(jedisCluster); } manager = redisManager; } return manager; } /** * 解决 ShiroRequestMappingConfig 获取 requestMappingHandlerMapping Bean 冲突 * spring-boot-autoconfigure:3.4.5 和 spring-boot-actuator-autoconfigure:3.4.5 */ @Primary @Bean public RequestMappingHandlerMapping overridedRequestMappingHandlerMapping() { RequestMappingHandlerMapping mapping = new RequestMappingHandlerMapping(); mapping.setUrlPathHelper(new ShiroUrlPathHelper()); return mapping; } private List<String> rebuildUrl(String[] bases, String[] uris) { List<String> urls = new ArrayList<>(); for (String base : bases) { for (String uri : uris) { urls.add(prefix(base)+prefix(uri)); } } return urls; } private String prefix(String seg) { return seg.startsWith("/") ? seg : "/"+seg; } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/shiro/IgnoreAuth.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/shiro/IgnoreAuth.java
package org.jeecg.config.shiro; import java.lang.annotation.ElementType; import java.lang.annotation.Retention; import java.lang.annotation.RetentionPolicy; import java.lang.annotation.Target; /** * 免Token认证注解 * * 认证系统结合spring MVC的@RequestMapping获取请求路径进行免登录配置 * @author eightmonth * @date 2024/2/28 9:58 */ @Target(ElementType.METHOD) @Retention(RetentionPolicy.RUNTIME) public @interface IgnoreAuth { }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/shiro/JwtToken.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/shiro/JwtToken.java
package org.jeecg.config.shiro; import org.apache.shiro.authc.AuthenticationToken; /** * @Author Scott * @create 2018-07-12 15:19 * @desc **/ public class JwtToken implements AuthenticationToken { private static final long serialVersionUID = 1L; private String token; public JwtToken(String token) { this.token = token; } @Override public Object getPrincipal() { return token; } @Override public Object getCredentials() { return token; } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/shiro/ShiroRealm.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/shiro/ShiroRealm.java
package org.jeecg.config.shiro; import lombok.extern.slf4j.Slf4j; import org.apache.shiro.authc.AuthenticationException; import org.apache.shiro.authc.AuthenticationInfo; import org.apache.shiro.authc.AuthenticationToken; import org.apache.shiro.authc.SimpleAuthenticationInfo; import org.apache.shiro.authz.AuthorizationInfo; import org.apache.shiro.authz.SimpleAuthorizationInfo; import org.apache.shiro.realm.AuthorizingRealm; import org.apache.shiro.subject.PrincipalCollection; import org.jeecg.common.api.CommonAPI; import org.jeecg.common.config.TenantContext; import org.jeecg.common.constant.CacheConstant; import org.jeecg.common.constant.CommonConstant; import org.jeecg.common.system.util.JwtUtil; import org.jeecg.common.system.vo.LoginUser; import org.jeecg.common.util.RedisUtil; import org.jeecg.common.util.SpringContextUtils; import org.jeecg.common.util.TokenUtils; import org.jeecg.common.util.oConvertUtils; import org.jeecg.config.mybatis.MybatisPlusSaasConfig; import org.springframework.beans.factory.config.BeanDefinition; import org.springframework.context.annotation.Lazy; import org.springframework.context.annotation.Role; import org.springframework.stereotype.Component; import jakarta.annotation.Resource; import jakarta.servlet.http.HttpServletRequest; import java.util.Set; /** * @Description: 用户登录鉴权和获取用户授权 * @Author: Scott * @Date: 2019-4-23 8:13 * @Version: 1.1 */ @Component @Slf4j @Role(BeanDefinition.ROLE_INFRASTRUCTURE) public class ShiroRealm extends AuthorizingRealm { @Lazy @Resource private CommonAPI commonApi; @Lazy @Resource private RedisUtil redisUtil; /** * 必须重写此方法,不然Shiro会报错 */ @Override public boolean supports(AuthenticationToken token) { return token instanceof JwtToken; } /** * 权限信息认证(包括角色以及权限)是用户访问controller的时候才进行验证(redis存储的此处权限信息) * 触发检测用户权限时才会调用此方法,例如checkRole,checkPermission * * @param principals 身份信息 * @return AuthorizationInfo 权限信息 */ @Override protected AuthorizationInfo doGetAuthorizationInfo(PrincipalCollection principals) { log.debug("===============Shiro权限认证开始============ [ roles、permissions]=========="); String username = null; String userId = null; if (principals != null) { LoginUser sysUser = (LoginUser) principals.getPrimaryPrincipal(); username = sysUser.getUsername(); userId = sysUser.getId(); } SimpleAuthorizationInfo info = new SimpleAuthorizationInfo(); // 设置用户拥有的角色集合,比如“admin,test” Set<String> roleSet = commonApi.queryUserRolesById(userId); //System.out.println(roleSet.toString()); info.setRoles(roleSet); // 设置用户拥有的权限集合,比如“sys:role:add,sys:user:add” Set<String> permissionSet = commonApi.queryUserAuths(userId); info.addStringPermissions(permissionSet); //System.out.println(permissionSet); log.debug("===============Shiro权限认证成功=============="); return info; } /** * 用户信息认证是在用户进行登录的时候进行验证(不存redis) * 也就是说验证用户输入的账号和密码是否正确,错误抛出异常 * * @param auth 用户登录的账号密码信息 * @return 返回封装了用户信息的 AuthenticationInfo 实例 * @throws AuthenticationException */ @Override protected AuthenticationInfo doGetAuthenticationInfo(AuthenticationToken auth) throws AuthenticationException { log.debug("===============Shiro身份认证开始============doGetAuthenticationInfo=========="); String token = (String) auth.getCredentials(); if (token == null) { HttpServletRequest req = SpringContextUtils.getHttpServletRequest(); log.info("————————身份认证失败——————————IP地址: "+ oConvertUtils.getIpAddrByRequest(req) +",URL:"+req.getRequestURI()); throw new AuthenticationException("token为空!"); } // 校验token有效性 LoginUser loginUser = null; try { loginUser = this.checkUserTokenIsEffect(token); } catch (AuthenticationException e) { log.error("—————校验 check token 失败——————————"+ e.getMessage(), e); // 重新抛出异常,让JwtFilter统一处理,避免返回两次错误响应 throw e; } return new SimpleAuthenticationInfo(loginUser, token, getName()); } /** * 校验token的有效性 * * @param token */ public LoginUser checkUserTokenIsEffect(String token) throws AuthenticationException { // 解密获得username,用于和数据库进行对比 String username = JwtUtil.getUsername(token); if (username == null) { throw new AuthenticationException("Token非法无效!"); } // 查询用户信息 log.debug("———校验token是否有效————checkUserTokenIsEffect——————— "+ token); LoginUser loginUser = TokenUtils.getLoginUser(username, commonApi, redisUtil); //LoginUser loginUser = commonApi.getUserByName(username); if (loginUser == null) { throw new AuthenticationException("用户不存在!"); } // 判断用户状态 if (loginUser.getStatus() != 1) { throw new AuthenticationException("账号已被锁定,请联系管理员!"); } // 校验token是否超时失效 & 或者账号密码是否错误 if (!jwtTokenRefresh(token, username, loginUser.getPassword())) { // 用户登录Token过期提示信息 String userLoginTokenErrorMsg = oConvertUtils.getString(redisUtil.get(CommonConstant.PREFIX_USER_TOKEN_ERROR_MSG + token)); throw new AuthenticationException(oConvertUtils.isEmpty(userLoginTokenErrorMsg)? CommonConstant.TOKEN_IS_INVALID_MSG: userLoginTokenErrorMsg); } // 代码逻辑说明: 校验用户的tenant_id和前端传过来的是否一致 String userTenantIds = loginUser.getRelTenantIds(); if(MybatisPlusSaasConfig.OPEN_SYSTEM_TENANT_CONTROL && oConvertUtils.isNotEmpty(userTenantIds)){ String contextTenantId = TenantContext.getTenant(); log.debug("登录租户:" + contextTenantId); log.debug("用户拥有那些租户:" + userTenantIds); //登录用户无租户,前端header中租户ID值为 0 String str ="0"; if(oConvertUtils.isNotEmpty(contextTenantId) && !str.equals(contextTenantId)){ // 代码逻辑说明: /issues/I4O14W 用户租户信息变更判断漏洞 String[] arr = userTenantIds.split(","); if(!oConvertUtils.isIn(contextTenantId, arr)){ boolean isAuthorization = false; //======================================================================== // 查询用户信息(如果租户不匹配从数据库中重新查询一次用户信息) String loginUserKey = CacheConstant.SYS_USERS_CACHE + "::" + username; redisUtil.del(loginUserKey); LoginUser loginUserFromDb = commonApi.getUserByName(username); if (oConvertUtils.isNotEmpty(loginUserFromDb.getRelTenantIds())) { String[] newArray = loginUserFromDb.getRelTenantIds().split(","); if (oConvertUtils.isIn(contextTenantId, newArray)) { isAuthorization = true; } } //======================================================================== //********************************************* if(!isAuthorization){ log.info("租户异常——登录租户:" + contextTenantId); log.info("租户异常——用户拥有租户组:" + userTenantIds); throw new AuthenticationException("登录租户授权变更,请重新登陆!"); } //********************************************* } } } return loginUser; } /** * JWTToken刷新生命周期 (实现: 用户在线操作不掉线功能) * 1、登录成功后将用户的JWT生成的Token作为k、v存储到cache缓存里面(这时候k、v值一样),缓存有效期设置为Jwt有效时间的2倍 * 2、当该用户再次请求时,通过JWTFilter层层校验之后会进入到doGetAuthenticationInfo进行身份验证 * 3、当该用户这次请求jwt生成的token值已经超时,但该token对应cache中的k还是存在,则表示该用户一直在操作只是JWT的token失效了,程序会给token对应的k映射的v值重新生成JWTToken并覆盖v值,该缓存生命周期重新计算 * 4、当该用户这次请求jwt在生成的token值已经超时,并在cache中不存在对应的k,则表示该用户账户空闲超时,返回用户信息已失效,请重新登录。 * 注意: 前端请求Header中设置Authorization保持不变,校验有效性以缓存中的token为准。 * 用户过期时间 = Jwt有效时间 * 2。 * * @param userName * @param passWord * @return */ public boolean jwtTokenRefresh(String token, String userName, String passWord) { String cacheToken = String.valueOf(redisUtil.get(CommonConstant.PREFIX_USER_TOKEN + token)); if (oConvertUtils.isNotEmpty(cacheToken)) { // 校验token有效性 if (!JwtUtil.verify(cacheToken, userName, passWord)) { // 从token中解析客户端类型,保持续期时使用相同的客户端类型 String clientType = JwtUtil.getClientType(token); String newAuthorization = JwtUtil.sign(userName, passWord, clientType); // 根据客户端类型设置对应的缓存有效时间 long expireTime = CommonConstant.CLIENT_TYPE_APP.equalsIgnoreCase(clientType) ? JwtUtil.APP_EXPIRE_TIME * 2 / 1000 : JwtUtil.EXPIRE_TIME * 2 / 1000; redisUtil.set(CommonConstant.PREFIX_USER_TOKEN + token, newAuthorization); redisUtil.expire(CommonConstant.PREFIX_USER_TOKEN + token, expireTime); log.debug("——————————用户在线操作,更新token保证不掉线—————————jwtTokenRefresh——————— "+ token); } // else { // // 设置超时时间 // redisUtil.set(CommonConstant.PREFIX_USER_TOKEN + token, cacheToken); // redisUtil.expire(CommonConstant.PREFIX_USER_TOKEN + token, JwtUtil.EXPIRE_TIME / 1000); // } return true; } //redis中不存在此TOEKN,说明token非法返回false return false; } /** * 清除当前用户的权限认证缓存 * * @param principals 权限信息 */ @Override public void clearCache(PrincipalCollection principals) { super.clearCache(principals); // 代码逻辑说明: 【TV360X-1320】分配权限必须退出重新登录才生效,造成很多用户困扰--- super.clearCachedAuthorizationInfo(principals); } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/shiro/ignore/InMemoryIgnoreAuth.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/shiro/ignore/InMemoryIgnoreAuth.java
package org.jeecg.config.shiro.ignore; import org.springframework.util.AntPathMatcher; import org.springframework.util.PathMatcher; import java.util.ArrayList; import java.util.List; /** * 使用内存存储通过@IgnoreAuth注解的url,配合JwtFilter进行免登录校验 * PS:无法使用ThreadLocal进行存储,因为ThreadLocal装载时,JwtFilter已经初始化完毕,导致该类获取ThreadLocal为空 * @author eightmonth * @date 2024/4/18 15:02 */ public class InMemoryIgnoreAuth { private static final List<String> IGNORE_AUTH_LIST = new ArrayList<>(); private static PathMatcher MATCHER = new AntPathMatcher(); public InMemoryIgnoreAuth() {} public static void set(List<String> list) { IGNORE_AUTH_LIST.addAll(list); } public static List<String> get() { return IGNORE_AUTH_LIST; } public static void clear() { IGNORE_AUTH_LIST.clear(); } public static boolean contains(String url) { for (String ignoreAuth : IGNORE_AUTH_LIST) { if(MATCHER.match(ignoreAuth,url)){ return true; } } return false; } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/shiro/ignore/IgnoreAuthPostProcessor.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/shiro/ignore/IgnoreAuthPostProcessor.java
package org.jeecg.config.shiro.ignore; import lombok.AllArgsConstructor; import lombok.extern.slf4j.Slf4j; import org.jeecg.config.shiro.IgnoreAuth; import org.springframework.beans.factory.InitializingBean; import org.springframework.context.annotation.Lazy; import org.springframework.stereotype.Component; import org.springframework.util.CollectionUtils; import org.springframework.web.bind.annotation.*; import org.springframework.web.method.HandlerMethod; import org.springframework.web.servlet.mvc.method.annotation.RequestMappingHandlerMapping; import java.lang.reflect.Method; import java.util.*; import java.util.stream.Collectors; /** * 在spring boot初始化时,根据@RestController注解获取当前spring容器中的bean * @author eightmonth * @date 2024/4/18 11:35 */ @Slf4j @Lazy(false) @Component @AllArgsConstructor public class IgnoreAuthPostProcessor implements InitializingBean { private RequestMappingHandlerMapping requestMappingHandlerMapping; @Override public void afterPropertiesSet() throws Exception { long startTime = System.currentTimeMillis(); List<String> ignoreAuthUrls = new ArrayList<>(); // 优化:直接从HandlerMethod过滤,避免重复扫描 requestMappingHandlerMapping.getHandlerMethods().values().stream() .filter(handlerMethod -> handlerMethod.getMethod().isAnnotationPresent(IgnoreAuth.class)) .forEach(handlerMethod -> { Class<?> clazz = handlerMethod.getBeanType(); Method method = handlerMethod.getMethod(); ignoreAuthUrls.addAll(processIgnoreAuthMethod(clazz, method)); }); log.info("Init Token ignoreAuthUrls Config [ 集合 ] :{}", ignoreAuthUrls); if (!CollectionUtils.isEmpty(ignoreAuthUrls)) { InMemoryIgnoreAuth.set(ignoreAuthUrls); } // 计算方法的耗时 long endTime = System.currentTimeMillis(); long elapsedTime = endTime - startTime; log.info("Init Token ignoreAuthUrls Config [ 耗时 ] :" + elapsedTime + "ms"); } // 优化:新方法处理单个@IgnoreAuth方法,减少重复注解检查 private List<String> processIgnoreAuthMethod(Class<?> clazz, Method method) { RequestMapping base = clazz.getAnnotation(RequestMapping.class); String[] baseUrl = Objects.nonNull(base) ? base.value() : new String[]{}; String[] uri = null; if (method.isAnnotationPresent(RequestMapping.class)) { uri = method.getAnnotation(RequestMapping.class).value(); } else if (method.isAnnotationPresent(GetMapping.class)) { uri = method.getAnnotation(GetMapping.class).value(); } else if (method.isAnnotationPresent(PostMapping.class)) { uri = method.getAnnotation(PostMapping.class).value(); } else if (method.isAnnotationPresent(PutMapping.class)) { uri = method.getAnnotation(PutMapping.class).value(); } else if (method.isAnnotationPresent(DeleteMapping.class)) { uri = method.getAnnotation(DeleteMapping.class).value(); } else if (method.isAnnotationPresent(PatchMapping.class)) { uri = method.getAnnotation(PatchMapping.class).value(); } return uri != null ? rebuildUrl(baseUrl, uri) : Collections.emptyList(); } private List<String> rebuildUrl(String[] bases, String[] uris) { List<String> urls = new ArrayList<>(); if (bases.length > 0) { for (String base : bases) { for (String uri : uris) { // 如果uri包含路径占位符, 则需要将其替换为* if (uri.matches(".*\\{.*}.*")) { uri = uri.replaceAll("\\{.*?}", "*"); } urls.add(prefix(base) + prefix(uri)); } } } else { Arrays.stream(uris).forEach(uri -> { urls.add(prefix(uri)); }); } return urls; } private String prefix(String seg) { return seg.startsWith("/") ? seg : "/"+seg; } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/shiro/filters/CustomShiroFilterFactoryBean.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/shiro/filters/CustomShiroFilterFactoryBean.java
package org.jeecg.config.shiro.filters; import lombok.extern.slf4j.Slf4j; import org.apache.shiro.spring.web.ShiroFilterFactoryBean; import org.apache.shiro.web.filter.InvalidRequestFilter; import org.apache.shiro.web.filter.mgt.DefaultFilter; import org.apache.shiro.web.filter.mgt.FilterChainManager; import org.apache.shiro.web.filter.mgt.FilterChainResolver; import org.apache.shiro.web.filter.mgt.PathMatchingFilterChainResolver; import org.apache.shiro.web.mgt.WebSecurityManager; import org.apache.shiro.web.servlet.AbstractShiroFilter; import org.apache.shiro.mgt.SecurityManager; import org.springframework.beans.factory.BeanInitializationException; import jakarta.servlet.Filter; import java.util.Map; /** * 自定义ShiroFilterFactoryBean解决资源中文路径问题 * @author: jeecg-boot */ @Slf4j public class CustomShiroFilterFactoryBean extends ShiroFilterFactoryBean { @Override public Class getObjectType() { return MySpringShiroFilter.class; } @Override protected AbstractShiroFilter createInstance() throws Exception { SecurityManager securityManager = getSecurityManager(); if (securityManager == null) { String msg = "SecurityManager property must be set."; throw new BeanInitializationException(msg); } if (!(securityManager instanceof WebSecurityManager)) { String msg = "The security manager does not implement the WebSecurityManager interface."; throw new BeanInitializationException(msg); } FilterChainManager manager = createFilterChainManager(); //Expose the constructed FilterChainManager by first wrapping it in a // FilterChainResolver implementation. The AbstractShiroFilter implementations // do not know about FilterChainManagers - only resolvers: PathMatchingFilterChainResolver chainResolver = new PathMatchingFilterChainResolver(); chainResolver.setFilterChainManager(manager); Map<String, Filter> filterMap = manager.getFilters(); Filter invalidRequestFilter = filterMap.get(DefaultFilter.invalidRequest.name()); if (invalidRequestFilter instanceof InvalidRequestFilter) { //此处是关键,设置false跳过URL携带中文400,servletPath中文校验bug ((InvalidRequestFilter) invalidRequestFilter).setBlockNonAscii(false); } //Now create a concrete ShiroFilter instance and apply the acquired SecurityManager and built //FilterChainResolver. It doesn't matter that the instance is an anonymous inner class //here - we're just using it because it is a concrete AbstractShiroFilter instance that accepts //injection of the SecurityManager and FilterChainResolver: return new MySpringShiroFilter((WebSecurityManager) securityManager, chainResolver); } private static final class MySpringShiroFilter extends AbstractShiroFilter { protected MySpringShiroFilter(WebSecurityManager webSecurityManager, FilterChainResolver resolver) { if (webSecurityManager == null) { throw new IllegalArgumentException("WebSecurityManager property cannot be null."); } else { this.setSecurityManager(webSecurityManager); if (resolver != null) { this.setFilterChainResolver(resolver); } } } } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false
jeecgboot/JeecgBoot
https://github.com/jeecgboot/JeecgBoot/blob/e533af285c68b205f4ee8cf059d34fbb21d222d3/jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/shiro/filters/ResourceCheckFilter.java
jeecg-boot/jeecg-boot-base-core/src/main/java/org/jeecg/config/shiro/filters/ResourceCheckFilter.java
package org.jeecg.config.shiro.filters; import jakarta.servlet.ServletRequest; import jakarta.servlet.ServletResponse; import jakarta.servlet.http.HttpServletRequest; import jakarta.servlet.http.HttpServletResponse; import org.apache.shiro.subject.Subject; import org.apache.shiro.web.filter.AccessControlFilter; import lombok.extern.slf4j.Slf4j; /** * @Author Scott * @create 2019-02-01 15:56 * @desc 鉴权请求URL访问权限拦截器 */ @Slf4j public class ResourceCheckFilter extends AccessControlFilter { private String errorUrl; public String getErrorUrl() { return errorUrl; } public void setErrorUrl(String errorUrl) { this.errorUrl = errorUrl; } /** * 表示是否允许访问 ,如果允许访问返回true,否则false; * * @param servletRequest * @param servletResponse * @param o 表示写在拦截器中括号里面的字符串 mappedValue 就是 [urls] 配置中拦截器参数部分 * @return * @throws Exception */ @Override protected boolean isAccessAllowed(ServletRequest servletRequest, ServletResponse servletResponse, Object o) throws Exception { Subject subject = getSubject(servletRequest, servletResponse); String url = getPathWithinApplication(servletRequest); log.info("当前用户正在访问的 url => " + url); return subject.isPermitted(url); } /** * onAccessDenied:表示当访问拒绝时是否已经处理了; 如果返回 true 表示需要继续处理; 如果返回 false * 表示该拦截器实例已经处理了,将直接返回即可。 * * @param servletRequest * @param servletResponse * @return * @throws Exception */ @Override protected boolean onAccessDenied(ServletRequest servletRequest, ServletResponse servletResponse) throws Exception { log.info("当 isAccessAllowed 返回 false 的时候,才会执行 method onAccessDenied "); HttpServletRequest request = (HttpServletRequest) servletRequest; HttpServletResponse response = (HttpServletResponse) servletResponse; response.sendRedirect(request.getContextPath() + this.errorUrl); // 返回 false 表示已经处理,例如页面跳转啥的,表示不在走以下的拦截器了(如果还有配置的话) return false; } }
java
Apache-2.0
e533af285c68b205f4ee8cf059d34fbb21d222d3
2026-01-04T14:45:57.045651Z
false