解析Token工具类

public class JwtUtil {

    /**
     * 过期时间一天,正式运行时修改为30分钟
     */
    private static final long EXPIRE_TIME = 86400000;

    /**
     * token私钥
     */
    private static final String TOKEN_SECRET = "8a80c107466a0b9c01466cfd0003";

    /**
     * 校验token是否正确
     *
     * @param token 密钥
     * @return 是否正确
     */
    public static boolean verify(String token) {
        try {
            Algorithm algorithm = Algorithm.HMAC256(TOKEN_SECRET);
            JWTVerifier verifier = JWT.require(algorithm).build();
            DecodedJWT jwt = verifier.verify(token);
            return true;
        } catch (Exception exception) {
            return false;
        }
    }

    /**
     * 获得token中的信息无需secret解密也能获得
     *
     * @return token中包含的用户名
     */
    public static String getuimUserid(String token) {
        try {
            DecodedJWT jwt = JWT.decode(token);
            return jwt.getClaim("uimUserid").asString();
        } catch (JWTDecodeException e) {
            return null;
        }
    }

    /**
     * 获取登陆用户ID
     *
     * @param token
     * @return
     */
    public static String getuimUserName(String token) {
        try {
            DecodedJWT jwt = JWT.decode(token);
            return jwt.getClaim("uimUserName").asString();
        } catch (JWTDecodeException e) {
            return null;
        }
    }

    /**
     * 生成签名执行体
     * @param username 用户名
     * @return 加密的token
     */
    public static String sign(String uimUserid,String uimUserName) {
        try {
            // 过期时间
            Date date = new Date(System.currentTimeMillis() + EXPIRE_TIME);
            // 私钥及加密算法
            Algorithm algorithm = Algorithm.HMAC256(TOKEN_SECRET);
            // 设置头部信息
            Map<String, Object> header = new HashMap<>(2);
            header.put("typ", "JWT");
            header.put("alg", "HS256");
            // 附带uimUserid,uimUserName信息,生成签名
            return JWT.create()
                    .withHeader(header)
                    .withClaim("uimUserid", uimUserid)
                    .withClaim("uimUserName",uimUserName)
                    .withExpiresAt(date)
                    .sign(algorithm);
        } catch (Exception e) {
            return null;
        }
    }
}

你可能感兴趣的:(java,安全,http,网络协议)