自定义注解实现解密+单个属性解密

自定义注解+拦截器实现参数解密

1、首先定义自定义注解类

// 定义注解使用的位置方法和参数上,保留到运行时期
@Target({ ElementType.PARAMETER, ElementType.METHOD })
@Retention(RetentionPolicy.RUNTIME)
@Documented
public @interface CipherParam {

    /**
     * 入参是否解密,默认解密
     */
    boolean inDecode() default true;
}

2、定义RequestBodyAdvice实现请求前的解密操作

/**
 * @Description 拦截controller层方法,根据自定义注解CipherParam配置,做入参解密处理
 */
@Component
//basePackages  需要拦截的包
@ControllerAdvice(basePackages = { "com.*.*"})
public class DecodeRequestBodyAdvice implements RequestBodyAdvice {
    private static final Logger LOG = LoggerFactory.getLogger(DecodeRequestBodyAdvice.class);
    @Autowired
    private RsaUtils rsaUtils;
    @Value("")
    private String dev;
    @Override
    public boolean supports(MethodParameter methodParameter, Type targetType,
                            Class<? extends HttpMessageConverter<?>> converterType) {
        return true;
    }

    @Override
    public Object handleEmptyBody(Object body, HttpInputMessage request, MethodParameter parameter, Type targetType,
                                  Class<? extends HttpMessageConverter<?>> converterType) {
        return body;
    }

    /**
     * 入参解密
     */
    @Override
    public HttpInputMessage beforeBodyRead(HttpInputMessage inputMessage, MethodParameter methodParameter, Type type,
                                           Class<? extends HttpMessageConverter<?>> aClass) {
        //获取自定义注解
        CipherParam cipherParam = methodParameter.getMethodAnnotation(CipherParam.class);
        // controller方法没配置加解密
        if (cipherParam == null) {
            return inputMessage;
        }
        if (cipherParam.inDecode() == false) {
            return inputMessage;
        }

        try {
            LOG.info("对方法 :【" + methodParameter.getMethod().getName() + "】入参进行解密");
            return new MyHttpInputMessage(inputMessage);
        } catch (Exception e) {
            return inputMessage;
        }
    }

    @Override
    public Object afterBodyRead(Object body, HttpInputMessage inputMessage, MethodParameter parameter, Type targetType,
                                Class<? extends HttpMessageConverter<?>> converterType) {
        return body;
    }

    class MyHttpInputMessage implements HttpInputMessage {
        private HttpHeaders headers;

        private InputStream body;

        public MyHttpInputMessage(HttpInputMessage inputMessage) throws Exception {
            this.headers = inputMessage.getHeaders();
            String data = IOUtils.toString(inputMessage.getBody(), "UTF-8");
            //使用工具类实现解密   --------------- rsaUtils.decrypt(data) ----------------------
            this.body = IOUtils.toInputStream(rsaUtils.decrypt(data), "UTF-8");
        }

        @Override
        public InputStream getBody() throws IOException {
            return body;
        }

        @Override
        public HttpHeaders getHeaders() {
            return headers;
        }
    }

}

加在方法上的注解

升级解密(单个属性加解密)

@Target({ ElementType.PARAMETER, ElementType.METHOD })
@Retention(RetentionPolicy.RUNTIME)
@Documented
public @interface CipherField {
    /**
     * 入参是否解密,默认解密
     */
    boolean inDecode() default true;
    /**
     * 对象
     */
    Class<?> clazz();
    /**
     * 对象类型
     */
    BodyType bodyType() default BodyType.OBJECT;
    /**
     * 请求对象类型
     * @author FeiFei.Huang
     * @date 2022年06月14日
     */
    enum BodyType {
        /**
         * 对象
         */
        OBJECT,
        /**
         * 数据
         */
        ARRAY,
        ;
    }
}

加在字段上的注解

/**
 * 字段解密
 *
 */
@Target({ ElementType.PARAMETER, ElementType.METHOD })
@Retention(RetentionPolicy.RUNTIME)
@Documented
public @interface CipherField {

    /**
     * 入参是否解密,默认解密
     */
    boolean inDecode() default true;
    /**
     * 对象 
     */
    Class<?> clazz();

    /**
     * 对象类型
     */
    BodyType bodyType() default BodyType.OBJECT;

    enum BodyType {
        /**
         * 对象 就是遍历字段寻找有自定义注解的字段去解密--适用于几个字段加密
         */
        OBJECT,
        /**
         * 数据 就是整个实体类加密
         */
        ARRAY,
        ;
    }
}

拦截方法

@Slf4j
@Component
@ControllerAdvice(basePackages = { "com.*.*"})
public class DecodeRequestBodyAdvice implements RequestBodyAdvice {

    @Value("${spring.profiles.active}")
    private String dev;
    @Value("${crypt.rsa.privateKey}")
    private String privateKey;

    @Override
    public boolean supports(MethodParameter methodParameter, Type targetType,
                            Class<? extends HttpMessageConverter<?>> converterType) {
        return true;
    }

    @Override
    public Object handleEmptyBody(Object body, HttpInputMessage request, MethodParameter parameter, Type targetType,
                                  Class<? extends HttpMessageConverter<?>> converterType) {
        return body;
    }

    /**
     * 入参解密
     */
    @Override
    public HttpInputMessage beforeBodyRead(HttpInputMessage inputMessage, MethodParameter methodParameter, Type type,
                                           Class<? extends HttpMessageConverter<?>> aClass) {

        CipherType cipherType = this.getCipherType(methodParameter);
        if (cipherType == null) {
            return inputMessage;
        }

        if (!this.isDecode(inputMessage)) {
            return inputMessage;
        }

        log.info("对方法 :【" + methodParameter.getMethod().getName() + "】入参进行解密");
        try {
            switch (cipherType) {
                case BODY:
                    return new BodyInputMessage(inputMessage, privateKey);
                case FIELD:
                    return new FieldInputMessage(inputMessage, methodParameter, privateKey);
                default:
                    return inputMessage;
            }
        } catch (Exception e) {
            log.error("接口 :【" + methodParameter.getMethod().getName() + "】入参解密出现异常", e);
            return inputMessage;
        }
    }

    @Override
    public Object afterBodyRead(Object body, HttpInputMessage inputMessage, MethodParameter parameter, Type targetType,
                                Class<? extends HttpMessageConverter<?>> converterType) {
        return body;
    }

    /**
     * 获取类型
     *
     * @param methodParameter methodParameter
     * @return CipherType
     * @author FeiFei.Huang
     * @date 2022年06月14日
     */
    private CipherType getCipherType(MethodParameter methodParameter) {

        CipherParam cipherParam = methodParameter.getMethodAnnotation(CipherParam.class);
        if (cipherParam != null) {
            return CipherType.BODY;
        }

        CipherField cipherField = methodParameter.getMethodAnnotation(CipherField.class);
        if (cipherField != null) {
            return CipherType.FIELD;
        }

        return null;
    }

    /**
     * 是否需要解密
     *
     * @param inputMessage inputMessage
     * @return true=表示要解密, false=表示不需要解密
     * @author FeiFei.Huang
     * @date 2022年06月15日
     */
    private boolean isDecode(HttpInputMessage inputMessage) {

        boolean isDev = CommonConstant.DEV.equals(dev) || CommonConstant.TEST.equals(dev);
        if (!isDev) {
            return true;
        }

        HttpHeaders headers = inputMessage.getHeaders();
        List<String> inDecodes = headers.get("in_decode");
        if (!CollectionUtils.isEmpty(inDecodes)) {
            return Boolean.FALSE;
        }
        return Boolean.TRUE;
    }
}


展示其中一个解密方式

package com.loan.app.intercepter.support;

import com.alibaba.fastjson.JSONObject;
import com.loan.app.intercepter.DecodeInputMessage;
import com.loan.business.utils.RsaUtils;
import com.loan.common.annotation.CipherField;
import com.loan.common.annotation.FieldEncrypt;
import lombok.extern.slf4j.Slf4j;
import org.apache.commons.lang3.StringUtils;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.core.MethodParameter;
import org.springframework.http.HttpHeaders;
import org.springframework.http.HttpInputMessage;

import java.io.InputStream;
import java.lang.reflect.Field;

/**
 * 请求参数
 */
@Slf4j
public class FieldInputMessage extends DecodeInputMessage implements HttpInputMessage {

    private static final Logger LOG = LoggerFactory.getLogger(FieldInputMessage.class);

    public FieldInputMessage(HttpInputMessage inputMessage, MethodParameter methodParameter, String privateKey) throws Exception {

        super(inputMessage);

        CipherField cipherField = methodParameter.getMethodAnnotation(CipherField.class);
        String inputStream = this.getInputStream();
        LOG.info("接收入参解密 data:{}", inputStream);

        String decrypt = this.decodeMessage(inputStream, privateKey, cipherField);
        this.body = this.setInputStream(decrypt);
    }

    @Override
    public InputStream getBody() {
        return this.body;
    }

    @Override
    public HttpHeaders getHeaders() {
        return this.headers;
    }

    /**
     * 解密消息
     *
     * @param inputStream 请求体
     * @param privateKey  私钥
     * @param cipherField cipherField
     * @return 解密后的消息
     */
    private String decodeMessage(String inputStream, String privateKey, CipherField cipherField) throws Exception {

        Object objBody = null;
        if (cipherField.bodyType() == CipherField.BodyType.ARRAY) {
            objBody = JSONObject.parseArray(inputStream, cipherField.clazz());
        } else {
            objBody = JSONObject.parseObject(inputStream, cipherField.clazz());
        }

        Field[] allFields = objBody.getClass().getDeclaredFields();
        for (int i = 0; i < allFields.length; i++) {
            Field field = allFields[i];
            if (!field.isAnnotationPresent(FieldEncrypt.class)) {
                continue;
            }
            field.setAccessible(true);
            String value = field.get(objBody).toString();
            if (StringUtils.isBlank(value)) {
                continue;
            }
            String decrypt = RsaUtils.decrypt(value, privateKey);
            if (decrypt.startsWith("\"")){
                decrypt = decrypt.replaceAll("\"","");
            }
            field.set(objBody, decrypt);
        }

        return JSONObject.toJSONString(objBody);
    }
}

使用演示

//注解默认是对字段解密
@CipherField(clazz = H5RegisterDTO.class)
@PostMapping("/registerAndApplyV2")
public GlobalResponseEntity<String> registerAndApplyV2(@Valid @RequestBody H5RegisterDTO paramsDTO) {
  //部分解密演示  
}

实体类 只需要对手机号和身份证加密,名称不加密

@Data
public class H5RegisterDTO {

    /**
     * 手机号
     */
    @FieldEncrypt(algorithm = EncryptAlgorithm.RSA)
    private String mobile;

    /**
    *  用户名称
    */
    private String userName;

    /**
    *  身份证
    */
    @FieldEncrypt(algorithm = EncryptAlgorithm.RSA)
    private String idCard;

最后编辑于
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 212,294评论 6 493
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 90,493评论 3 385
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 157,790评论 0 348
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 56,595评论 1 284
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 65,718评论 6 386
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 49,906评论 1 290
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 39,053评论 3 410
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 37,797评论 0 268
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 44,250评论 1 303
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 36,570评论 2 327
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 38,711评论 1 341
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 34,388评论 4 332
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 40,018评论 3 316
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 30,796评论 0 21
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 32,023评论 1 266
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 46,461评论 2 360
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 43,595评论 2 350

推荐阅读更多精彩内容