记一次实战项目所学(通用接口篇)

记一次实战项目所学(通用接口篇)

1.加解密工具(AES,RSA,MD5) 账号登录时可用

a.引依赖
   		<dependency><groupId>commons-codec</groupId><artifactId>commons-codec</artifactId><version>1.14</version></dependency>
b. AES加密

import org.apache.tomcat.util.codec.binary.Base64;import javax.crypto.Cipher;
import javax.crypto.KeyGenerator;
import javax.crypto.SecretKey;
import java.nio.charset.StandardCharsets;
import java.security.SecureRandom;/*** AES: Advanced Encryption Standard 高级加密标准* 最常见的对称加密算法,即加密和解密使用同样的密钥,加密结果可逆* 特点:加密速度非常快,适合经常发送数据的场合**/
public class AESUtil {private static final String KEY_ALGORITHM = "AES";private static final char[] HEX_CHAR = { '0', '1', '2', '3', '4', '5', '6', '7', '8', '9', 'a', 'b', 'c', 'd', 'e', 'f' };private final Cipher decryptCipher;private final Cipher encryptCipher;private final String seed;public AESUtil(String seed) throws Exception {this.seed = seed;decryptCipher = Cipher.getInstance(KEY_ALGORITHM);encryptCipher = Cipher.getInstance(KEY_ALGORITHM);decryptCipher.init(Cipher.DECRYPT_MODE, this.getSecretKey());encryptCipher.init(Cipher.ENCRYPT_MODE, this.getSecretKey());}public String decrypt(String content) throws Exception {byte[] bytes = Base64.decodeBase64(content);byte[] result = decryptCipher.doFinal(bytes);return new String(result, StandardCharsets.UTF_8);}public String encrypt(String content) throws Exception {byte[] result = encryptCipher.doFinal(content.getBytes(StandardCharsets.UTF_8));return Base64.encodeBase64String(result);}public SecretKey getSecretKey() throws Exception {SecureRandom random = SecureRandom.getInstance("SHA1PRNG");random.setSeed(seed.getBytes());KeyGenerator kg = KeyGenerator.getInstance(KEY_ALGORITHM);kg.init(128, random);return kg.generateKey();}}

encrypt 方法用于加密

decrypt 方法用于解密

c. RSA加密
import org.apache.commons.codec.binary.Base64;import javax.crypto.Cipher;
import java.nio.charset.StandardCharsets;
import java.security.*;
import java.security.interfaces.RSAPrivateKey;
import java.security.interfaces.RSAPublicKey;
import java.security.spec.PKCS8EncodedKeySpec;
import java.security.spec.X509EncodedKeySpec;/*** RSA加密* 非对称加密,有公钥和私钥之分,公钥用于数据加密,私钥用于数据解密。加密结果可逆* 公钥一般提供给外部进行使用,私钥需要放置在服务器端保证安全性。* 特点:加密安全性很高,但是加密速度较慢* 用于用户登录场景*/
public class RSAUtil {private static final String PUBLIC_KEY = "MIGfMA0GCSqGSIb3DQEBAQUAA4GNADCBiQKBgQCQk33iNdA8Iey7J6XrBsidqn6u8EDLWPHsfEUgLQ3qiTikhPKDTzZkpAfU/O0x6NvSKa7Dp0+uqWT3vnW1De0+3u8mCYdVfOdH94VG4xg5U5UrRJei8HhPiXuvKQ+6NBtebCCW5adZ4pBgOiU14cJLhVmm+dYiLo3IDD5LqrlomQIDAQAB";private static final String PRIVATE_KEY = "MIICdgIBADANBgkqhkiG9w0BAQEFAASCAmAwggJcAgEAAoGBAJCTfeI10Dwh7LsnpesGyJ2qfq7wQMtY8ex8RSAtDeqJOKSE8oNPNmSkB9T87THo29IprsOnT66pZPe+dbUN7T7e7yYJh1V850f3hUbjGDlTlStEl6LweE+Je68pD7o0G15sIJblp1nikGA6JTXhwkuFWab51iIujcgMPkuquWiZAgMBAAECgYA1UT9mciQWWQh9yNRmhXzssFjB2TZ8B5RIe1fe0t7D9NEf0yvAgzDzEo8U3CX5dv/CVL7vxr8bEbt7phCwsa8hJiLEOr7hLZaJzXVTbvfqb91oCZGNkqDQ3NJfGBMVgUmltEYF2Bbk3U0NDyat+Gu54tRd2OH+adJYKsD0XYeDBQJBAN5FE8E04A4FA1q8mQbVTSVJDYIEJwOrdC0r3iZ7za5CyXGk+br8pFalRePFaksRGdN32+mYhDKVNrNHspAObVMCQQCmhBsD+xiWrmpnrzeIfCW1cX8qRC3/RMkq0ACw3l6YedNFdN2Tb5WsRHmcbCI9y8mfLHiG/X1R+zHZKG67EKjjAkAmvAkGSY2mQ89i160fWLq5/bIh71FRPWbgnF15fWfJr4/lgyeWI4MMKn80g2nTrSZACQpE+jRHkGNY+OywWCNLAkEAli5nvztkfeJpDYK2b16pE/B9ZL2BTs3XMcnQFbU5VAPsTKSOgz8MmwZXOIE+kMWP3wPY4McXlC0eVGFnHUh1SQJAeAl3RPk+XbZDMYfPkStRJwocG9Ap+88mwTgR1I7uPzZ1aM84/WsQskiVMXv2SZLmMWvYtnhIKosL6IACp2AcDA==";public static void main(String[] args) throws Exception{String str = RSAUtil.encrypt("123456");System.out.println(str);}public static String getPublicKeyStr(){return PUBLIC_KEY;}public static RSAPublicKey getPublicKey() throws Exception {byte[] decoded = Base64.decodeBase64(PUBLIC_KEY);return (RSAPublicKey) KeyFactory.getInstance("RSA").generatePublic(new X509EncodedKeySpec(decoded));}public static RSAPrivateKey getPrivateKey() throws Exception {byte[] decoded = Base64.decodeBase64(PRIVATE_KEY);return (RSAPrivateKey) KeyFactory.getInstance("RSA").generatePrivate(new PKCS8EncodedKeySpec(decoded));}//获得公钥和私钥public static RSAKey generateKeyPair() throws NoSuchAlgorithmException {KeyPairGenerator keyPairGen = KeyPairGenerator.getInstance("RSA");keyPairGen.initialize(1024, new SecureRandom());KeyPair keyPair = keyPairGen.generateKeyPair();RSAPrivateKey privateKey = (RSAPrivateKey) keyPair.getPrivate();RSAPublicKey publicKey = (RSAPublicKey) keyPair.getPublic();String publicKeyString = new String(Base64.encodeBase64(publicKey.getEncoded()));String privateKeyString = new String(Base64.encodeBase64(privateKey.getEncoded()));return new RSAKey(privateKey, privateKeyString, publicKey, publicKeyString);}public static String encrypt(String source) throws Exception {byte[] decoded = Base64.decodeBase64(PUBLIC_KEY);RSAPublicKey rsaPublicKey = (RSAPublicKey) KeyFactory.getInstance("RSA").generatePublic(new X509EncodedKeySpec(decoded));Cipher cipher = Cipher.getInstance("RSA");cipher.init(1, rsaPublicKey);return Base64.encodeBase64String(cipher.doFinal(source.getBytes(StandardCharsets.UTF_8)));}public static Cipher getCipher() throws Exception {byte[] decoded = Base64.decodeBase64(PRIVATE_KEY);RSAPrivateKey rsaPrivateKey = (RSAPrivateKey) KeyFactory.getInstance("RSA").generatePrivate(new PKCS8EncodedKeySpec(decoded));Cipher cipher = Cipher.getInstance("RSA");cipher.init(2, rsaPrivateKey);return cipher;}public static String decrypt(String text) throws Exception {Cipher cipher = getCipher();byte[] inputByte = Base64.decodeBase64(text.getBytes(StandardCharsets.UTF_8));return new String(cipher.doFinal(inputByte));}public static class RSAKey {private RSAPrivateKey privateKey;private String privateKeyString;private RSAPublicKey publicKey;public String publicKeyString;public RSAKey(RSAPrivateKey privateKey, String privateKeyString, RSAPublicKey publicKey, String publicKeyString) {this.privateKey = privateKey;this.privateKeyString = privateKeyString;this.publicKey = publicKey;this.publicKeyString = publicKeyString;}public RSAPrivateKey getPrivateKey() {return this.privateKey;}public void setPrivateKey(RSAPrivateKey privateKey) {this.privateKey = privateKey;}public String getPrivateKeyString() {return this.privateKeyString;}public void setPrivateKeyString(String privateKeyString) {this.privateKeyString = privateKeyString;}public RSAPublicKey getPublicKey() {return this.publicKey;}public void setPublicKey(RSAPublicKey publicKey) {this.publicKey = publicKey;}public String getPublicKeyString() {return this.publicKeyString;}public void setPublicKeyString(String publicKeyString) {this.publicKeyString = publicKeyString;}}
}

把公钥返回前端,用公钥把前端输入密码进行加密,将暗文返回后端

generateKeyPair用于生成公钥和私钥

encrypt 方法用于加密 (根据公钥)

decrypt 方法用于解密

MD5加密

import org.apache.commons.codec.digest.DigestUtils;import java.io.UnsupportedEncodingException;/*** MD5加密* 单向加密算法* 特点:加密速度快,不需要秘钥,但是安全性不高,需要搭配随机盐值使用**/
public class MD5Util {public static String sign(String content, String salt, String charset) {content = content + salt;return DigestUtils.md5Hex(getContentBytes(content, charset));}public static boolean verify(String content, String sign, String salt, String charset) {content = content + salt;String mysign = DigestUtils.md5Hex(getContentBytes(content, charset));return mysign.equals(sign);}private static byte[] getContentBytes(String content, String charset) {if (!"".equals(charset)) {try {return content.getBytes(charset);} catch (UnsupportedEncodingException var3) {throw new RuntimeException("MD5签名过程中出现错误,指定的编码集错误");}} else {return content.getBytes();}}
}

sign用于加密 (内容,加密盐,编码)

verify用于解密

2. Json返回数据类

public class JsonResponse<T> {private  String code;private  String msg;private   T data;public String getCode() {return code;}public void setCode(String code) {this.code = code;}public String getMsg() {return msg;}public void setMsg(String msg) {this.msg = msg;}public T getData() {return data;}public void setData(T data) {this.data = data;}public JsonResponse(String code, String msg) {this.code = code;this.msg = msg;}public JsonResponse(T data) {this.data = data;msg="成功";code="0";}//不需要返回前端但请求成功public  static  JsonResponse<String> success(){return  new JsonResponse<>(null);}public  static  JsonResponse<String> success(String data){return  new JsonResponse<>(data);}public static  JsonResponse<String> fail(){return new JsonResponse<>("1","失败");}public  static  JsonResponse<String> fail(String code ,String msg){return new JsonResponse<>(code,msg);}
}

将 状态码和状态与数据封装

3.Json转化配置(将返回的json搞成看得懂的)

引入依赖
   <dependency><groupId>com.alibaba</groupId><artifactId>fastjson</artifactId><version>1.2.78</version></dependency>
import com.alibaba.fastjson.JSONObject;
import com.alibaba.fastjson.serializer.SerializerFeature;
import com.alibaba.fastjson.support.config.FastJsonConfig;
import com.alibaba.fastjson.support.spring.FastJsonHttpMessageConverter;
import org.springframework.boot.autoconfigure.http.HttpMessageConverters;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
import org.springframework.context.annotation.Primary;import java.util.ArrayList;
import java.util.List;@Configuration
public class JsonHttpMsgConvertConfig {@Bean@Primarypublic HttpMessageConverters fastJsonHttpMessageConvertes(){//json转化FastJsonHttpMessageConverter fastConverter=new FastJsonHttpMessageConverter();FastJsonConfig fastJsonConfig=new FastJsonConfig();fastJsonConfig.setDateFormat("yyyy-MM-dd HH:mm:ss");fastJsonConfig.setSerializerFeatures(SerializerFeature.PrettyFormat, //格式化输出SerializerFeature.WriteNullStringAsEmpty, //把null值的属性转化为空字符串SerializerFeature.WriteNullListAsEmpty,   //同上SerializerFeature.WriteMapNullValue,   //同上SerializerFeature.MapSortField,SerializerFeature.DisableCircularReferenceDetect); //禁用循环引用fastConverter.setFastJsonConfig(fastJsonConfig);return  new HttpMessageConverters(fastConverter);}
}

4.全局异常处理

import com.imooc.bilibili.domain.JsonResponse;
import com.imooc.bilibili.domain.except.ConditionException;
import org.springframework.core.Ordered;
import org.springframework.core.annotation.Order;
import org.springframework.stereotype.Controller;
import org.springframework.web.bind.annotation.ControllerAdvice;
import org.springframework.web.bind.annotation.ExceptionHandler;
import org.springframework.web.bind.annotation.ResponseBody;import javax.servlet.http.HttpServletRequest;@ControllerAdvice //@ControllerAdvice,是Spring3.2提供的新注解,它是一个Controller增强器,可对controller中被 @RequestMapping注解的方法加一些逻辑处理。最常用的就是异常处理@Order(Ordered.HIGHEST_PRECEDENCE)
public class CommonGlobalExceptionHandler {@ExceptionHandler(value = Exception.class)@ResponseBody   //返回参数是responsebodypublic JsonResponse<String> commonExceptionHandler(HttpServletRequest httpServletRequest,Exception e){String errorMsg =e.getMessage();//如果e是condiException类型的话就会有个code状态码if(e instanceof ConditionException){String errorCode=((ConditionException)e).getCode();return new JsonResponse<>(errorCode,errorMsg);}else {return new JsonResponse<>("500",errorMsg);}}
}

如果exception是conditionException的话,可以获得一个状态码,再用Json返回数据类返回,用于主动抛出异常,如密码错误等

配置分情况处理异常(ConditionException)

补充runtimeException里没有的东西,多了一个code返回值表示状态码。

public class ConditionException extends RuntimeException {private  static  final  long serialVersionUID =1L; //序列版本号private  String code;public  ConditionException(String code,String name){super(name);this.code=code;}public  ConditionException(String name){super(name);code="500";}public String getCode() {return code;}public void setCode(String code) {this.code = code;}
}

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/738087.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

一、什么是 HarmonyOS ?

HarmonyOS 是华为开发的一款面向未来的全场景分布式智慧操作系统&#xff0c;将逐步覆盖 18N 全场景终端设备。 对消费者而言&#xff0c;HarmonyOS 用一个“统一的软件系统”&#xff0c;从根本上解决消费者面对大量智能终端体验割裂的问题&#xff0c;为消费者带来统一、便利…

Kafka Stream入门

1. 什么是流式计算 流式计算&#xff08;Stream Processing&#xff09;是一种计算模型&#xff0c;旨在处理连续的数据流。与传统的批处理模型不同&#xff0c;流式计算可以实时或接近实时地处理和分析数据&#xff0c;这意味着数据在生成后不久就被处理&#xff0c;而不是存…

基于android的物业管理系统的设计与实现19.8

目录 基于android的物业管理系统的设计与实现 3 摘 要 3 Android property managemengt system 5 Abstract 5 1 绪论 6 1.1 选题背景 6 1.2 课题研究现状 6 1.3 设计研究主要内容 7 1.4 系统主要设计思想 8 2 开发环境 8 2.1 Android系统的结构 8 图2-1 Android系统架构图 9 2…

Python绘图-14绘制3D图(下)

14.7绘制3D等高线图个性化colormap 14.7.1图像呈现 14.7.2绘图代码 import numpy as np # 导入numpy库&#xff0c;numpy是Python的一个强大的数值计算扩展程序库&#xff0c;支持大量的维度数组与矩阵运算。 import matplotlib.pyplot as plt # 导入matplotlib的绘图模块p…

UDP编程及特点

目录 1.UDP编程流程 2.recvfrom()、sento() 3.代码演示 3.udp特点 1.UDP编程流程 socket()用来创建套接字&#xff0c;使用 udp 协议时&#xff0c;选择数据报服务 SOCK_DGRAM。sendto()用来发送数据&#xff0c;由于 UDP 是无连接的&#xff0c;每次发送数据都需要指定对端…

神经网络基本使用

1. 卷积层 convolution layers import torch import torchvision from torch import nn from torch.nn import Conv2d from torch.utils.data import DataLoader from torch.utils.tensorboard import SummaryWriterdataset torchvision.datasets.CIFAR10(./dataset,trainFa…

Aspose.Words指定位置插入table

如果在创建书签&#xff0c;然后在书签位置插入表格&#xff0c;会出现格式错乱&#xff0c;在单元格位置里面有一个表格&#xff0c;不符合实际使用。正确做法是复制模板文件里面的表格行&#xff0c;然后插入若干行。 如图标记红色位置插入动态数据行&#xff0c;是先复制标…

day1_C++:实现C++风格字符串输出

1.提示并输入一个字符串&#xff0c;统计该字符中大写、小写字母个数、数字个数、空格个数以及其他字符个数&#xff0c;要求使用C风格字符串完成 程序代码&#xff1a; #include <iostream>//标准输入输出流 #include <string.h>//C中字符串相关头文件 using na…

HBase分布式数据库的原理和架构

一、HBase简介 HBase是是一个高性能、高可靠性、面向列的分布式数据库&#xff0c;它是为了在廉价的硬件集群上存储大规模数据而设计的。HBase利用Hadoop HDFS作为其文件存储系统&#xff0c;且Hbase是基于Zookeeper的。 二、HBase架构 *图片引用 Hbase采用Master/Slave架构…

1、设计模式之认识设计模式

设计模式是一种经过验证的、被广泛应用的解决特定问题的软件设计方案&#xff0c;它提供了一种在软件设计中反复使用的解决方案。设计模式通常描述了一个问题的情境、解决方案和解决方案的优点和缺点。设计模式不是一种具体的编程语言特性或库&#xff0c;而是一种通用的设计思…

HDFS(Hadoop分布式文件系统)具有高吞吐量特点的原因

数据分块和分布式存储&#xff1a;HDFS将大文件分割成多个数据块&#xff0c;并通过数据块的复制和分布式存储在集群中的多台机器上存储这些数据块。这样&#xff0c;可以利用多台机器的并行处理能力&#xff0c;并同时读取或写入多个数据块&#xff0c;从而提高整体的吞吐量。…

LeetCode226题:翻转二叉树(python3)

class Solution:def invertTree(self, root: Optional[TreeNode]) -> Optional[TreeNode]:if not root:return rootleft self.invertTree(root.left)right self.invertTree(root.right)root.left,root.right right,leftreturn root复杂度分析 时间复杂度&#xff1a;O(N…

HTML 学习笔记(十一)表单

一、分块 1.单行文本框控件–文本框和密码框 文本框控件通过单标签input实现&#xff0c;其具有必要属性type来控制输入控件的类型(默认为text即文本信息)&#xff0c;密码框的type为password(口令)。   表单的动作属性定义了目的文件的文件名。由动作属性定义的这个文件通常…

Docker 安装部署MySQL教程

前言 Docker安装MySQL镜像以及启动容器&#xff0c;大致都是三步&#xff1a;查询镜像–>拉取镜像–>启动容器 1、查询镜像 docker search mysql2、拉取镜像 拉取镜像时选择stars值较高的 docker pull mysql:5.7 #这里指定拉取对应的版本Mysql5.7&#xff0c;没有指…

安卓kotlin面试题 71-80

71. Kotlin中的@Metadata注解介绍以及生成流程 ?kotlin中的@Metadata注解是一个很特殊的注解,它记录了Kotlin代码中的一些信息,比如 class 的可见性,function 的返回值,参数类型,property 的 lateinit,nullable 的属性,typealias类型别名声明等。 我们都知道Kotlin代码…

ArcGIS学习(十六)基于交通网络的城市情景分析

ArcGIS学习(十六)基于交通网络的城市情景分析 本任务给大家带来一个非常重要的内容一一基于交通网络的城市情景分析。基于交通网络模拟交通出行并进行相关分析是ArcGIS里面一种常用的分析方法,大家一定要掌握!本任务包括三个关卡: 交通网络模型构建基于交通网络模型的基本…

Gitlab CICD 下载artifacts文件并用allure打开,或bat文件打开

allure命令行打开aritfacts报告 首先下载allure.zip&#xff0c;并解压 配置环境变量 使用命令行打开allure文件夹 allure open 2024-03-11-14-54-40 2024-03-11-14-54-40 包含index.html Bat文件打开artifacts There are 2 html reports in the download artifacts.zip S…

EXCEL根据某列的数字N,增加N-1行相同的数据

因为工作需要&#xff0c;需要将表格数据拆分&#xff0c;类似于相同的订单有6笔&#xff0c;数据表中就是一行数据但是订单数为6&#xff0c;但是需要将其拆分成相同6笔的订单数为1的数据行。 需要使用VBA代码&#xff0c;具体做法如下&#xff1a; Dim i As Long, j As Long…

【Office】Word、Excel和PowerPoint中常用的一些快捷键

以下是Word、Excel和PowerPoint中常用的一些快捷键&#xff1a; Word中的快捷键&#xff1a; Ctrl S&#xff1a;保存文件Ctrl C&#xff1a;复制选定的内容Ctrl X&#xff1a;剪切选定的内容Ctrl V&#xff1a;粘贴剪切或复制的内容Ctrl Z&#xff1a;撤销上一步操作Ct…

Rust接收命令行参数和新建文件读写和追加操作与IO

接收命令行参数 命令行程序是计算机程序最基础的存在形式&#xff0c;几乎所有的操作系统都支持命令行程序并将可视化程序的运行基于命令行机制。 命令行程序必须能够接收来自命令行环境的参数&#xff0c;这些参数往往在一条命令行的命令之后以空格符分隔。 在很多语言中&a…