基于token身份认证的完整实例

前言

基于Token的身份认证是无状态的,服务器或者Session中不会存储任何用户信息。

一、基于Token的身份认证工作流程

1.用户通过用户名和密码请求访问

2.服务器验证用户,通过校验则向客户端返回一个token

3.客户端存储token,并且在随后的每一次请求中都带着它

4.服务器校验token并返回数据

每一次请求都需要token -Token应该放在请求header中 -我们还需要将服务器设置为接受来自所有域的请求,用Access-Control-Allow-Origin: *

二、实现步骤

1.配置过滤请求

在web-xml中配置需要认证的请求

<filter>
        <filter-name>authFilter</filter-name>
        <filter-class>com.demo.filter.AuthFilter</filter-class>
        <init-param>
            <param-name>ignore</param-name>
            <param-value>
                /**
            </param-value>
        </init-param>
        <init-param>
            <param-name>noIgnore</param-name>
            <param-value>
                /**/userApi/**/**
            </param-value>
        </init-param>
    </filter>

2.实现过滤器

代码如下(示例):

public class AuthFilter implements Filter {
    protected Pattern[] ignorePattern = null;
    PathMatcher matcher = new AntPathMatcher();
    // 不用过滤的请求
    String[] ignoreStrs = null;
    // 需要过滤的请求
    String[] noIgnoreStrs = null;

    public AuthFilter() {
    }

    @Override
    public void destroy() {
    }

    @Override
    public void doFilter(ServletRequest servletRequest, ServletResponse servletResponse, FilterChain chain) throws IOException, ServletException {
        HttpServletRequest request = (HttpServletRequest)servletRequest;
        HttpServletResponse response = (HttpServletResponse)servletResponse;
        String uri = request.getRequestURI();
        // 判断是否需要认证
        if (this.checkIgnore(uri) && !this.checkNoIgnore(uri)) {
            chain.doFilter(request, response);
        } else {
            // 用户认证
            Author.checkAuthorLocal(request, response, chain);
        }
    }

    @Override
    public void init(FilterConfig config) throws ServletException {
        String ignore = config.getInitParameter("ignore");
        String noIgnore = config.getInitParameter("noIgnore");
        ignore = StringUtils.defaultIfEmpty(ignore, "");
        this.ignoreStrs = ignore.replaceAll("\\s", "").split(",");
        this.noIgnoreStrs = noIgnore.replaceAll("\\s", "").split(",");
    }

    public boolean checkIgnore(String requestUrl) {
        boolean flag = false;
        String[] var6 = this.ignoreStrs;
        int var5 = this.ignoreStrs.length;
        for(int var4 = 0; var4 < var5; ++var4) {
            String pattern = var6[var4];
            if (flag = this.matcher.match(pattern, requestUrl)) {
                break;
            }
        }
        return flag;
    }

    public boolean checkNoIgnore(String requestUrl) {
        boolean flag = false;
        String[] var6 = this.noIgnoreStrs;
        int var5 = this.noIgnoreStrs.length;
        for(int var4 = 0; var4 < var5; ++var4) {
            String pattern = var6[var4];
            if (flag = this.matcher.match(pattern, requestUrl)) {
                break;
            }
        }
        return flag;
    }
}

简单认证的实现类

public class Author {

    public Author() {
    }

    public static void checkAuthorLocal(HttpServletRequest request, HttpServletResponse response, FilterChain chain) throws IOException, ServletException {
        if (!request.getMethod().equals("OPTIONS")) {
            // 获取token
            String token = request.getHeader("oauth_token");
            if (!StringUtil.hasText(token)) {
                token = request.getParameter("oauth_token");
            }
            String loginUserId;
            if (StringUtil.hasText(token)) {
                // 判断token有效性
                loginUserId = getLoginUserId(token);
                if (StringUtil.hasText(loginUserId)) {
                    setLoginUserId(token, loginUserId);
                    chain.doFilter(request, response);
                } else {
                    response.setStatus(HttpServletResponse.SC_METHOD_NOT_ALLOWED);
                    PrintWriter writer = response.getWriter();
                    writer.print("no access");
                    return;
                }
            } else {
                response.setStatus(HttpServletResponse.SC_METHOD_NOT_ALLOWED);
                PrintWriter writer = response.getWriter();
                writer.print("no access");
                return;
            }
        }
    }

    private static String getLoginUserId(String accessToken) {
        String userId = RedisClient.get(accessToken);
        return userId;
    }

    public static void setLoginUserId(String accessToken, String userId) {
        try {
            RedisClient.set(accessToken, userId, Cluster.getTimeoutSecond());
        } catch (Exception var3) {
            var3.printStackTrace();
        }
    }
}
 if (!request.getMethod().equals("OPTIONS")) {...}

这段代码主要是解决后端接收不到前端传入的header参数信息的问题,前面也提过。

用户存储的工具类
代码如下(示例):

public class AuthSessionContext extends UserSessionContext {

    public static String USER_KEY = "userKey";
    public static String CACHE_KEY_USER_IDENTITY = "USER_IDENTITY_DATA";
    public static String CACHE_KEY_USER_IDENTITY_ID = "USER_IDENTITY_ID";
    //private static ICaheManager RedisClient = CacheManagerFactory.getCentralizedCacheManager();


    public static UserSessionContextService getContextService() {
        return (UserSessionContextService) BeanManager.getBean(UserSessionContextService.class);
    }

    /** @deprecated */
    @Deprecated
    public static String getLoginPersonKey(HttpServletRequest request) {
        return getLoginUserId(request);
    }

    public static String getLoginIdentityId(HttpServletRequest request) {
        String loginUserId = getLoginUserId(request);
        String loginIdentityId = (String) RedisClient.get(CACHE_KEY_USER_IDENTITY_ID + loginUserId);
        if (!StringUtil.hasText(loginIdentityId)) {
            UserIdentityVO identity = getIdentity();
            if (identity != null) {
                loginIdentityId = identity.getId();
                RedisClient.set(CACHE_KEY_USER_IDENTITY_ID + loginUserId, loginIdentityId, 60);
            }
        }

        return loginIdentityId;
    }

    public static String getLoginIdentityId() {
        HttpServletRequest request = WsbpWebContextListener.getRequest();
        return getLoginIdentityId(request);
    }



    public static String getIdentityId() {
        UserIdentityVO identity = getIdentity();
        return identity != null ? identity.getId() : "";
    }

    public static void setLoginIdentityId(String loginUserId, String loginIdentityId) {
        RedisClient.set(CACHE_KEY_USER_IDENTITY_ID + loginUserId, loginIdentityId, Cluster.getTimeoutMillisecond());
    }

    public static String getLoginUserId(HttpServletRequest request) {
        String token = request.getHeader("oauth_token");
        String userId = null;
        if (token != null && !token.isEmpty()) {
            userId = (String)RedisClient.get(token);
        }
        return userId;
    }

    public static String getLoginUserId() {
        HttpServletRequest request = WsbpWebContextListener.getRequest();
        return getLoginUserId(request);
    }

    public static String getLoginUserName() {
        UserVO loginUser = getLoginUser();
        return loginUser != null ? loginUser.getUserName() : "";
    }

    public static UserVO getLoginUser() {
        return getContextService().getUserByUserId(getLoginUserId());
    }

    public static String getLoginDepartment(HttpServletRequest request) {
        String identityId = getLoginIdentityId(request);
        return getContextService().getLoginDepartment(identityId);
    }

    public static String getDeptId() {
        HttpServletRequest request = WsbpWebContextListener.getRequest();
        String identityId = getLoginIdentityId(request);
        return getContextService().getLoginDepartment(identityId);
    }

    public static DepartmentVO getDept() {
        return getContextService().getDepartment(getDeptId());
    }

    public static String getDeptName() {
        DepartmentVO department = getDept();
        return department != null ? department.getName() : "";
    }

    public static String getLoginOrganization(HttpServletRequest request) {
        String identityId = getLoginIdentityId(request);
        return getContextService().getLoginOrganization(identityId);
    }

    public static String getOrgId() {
        HttpServletRequest request = WsbpWebContextListener.getRequest();
        String identityId = getLoginIdentityId(request);
        return getContextService().getLoginOrganization(identityId);
    }

    public static OrganizationVO getOrg() {
        DepartmentVO dept = getDept();
        return dept != null ? dept.getOrg() : null;
    }

    public static String getOrgName() {
        OrganizationVO org = getOrg();
        return org != null ? org.getName() : "";
    }

    public static boolean isInAnyRole(HttpServletRequest request, String roles) {
        String identityId = getLoginIdentityId(request);
        return getContextService().checkIsInAnyRole(identityId, roles);
    }

    public static boolean isInRole(HttpServletRequest request, String roles) {
        String identityId = getLoginIdentityId(request);
        return getContextService().checkIsInRole(identityId, roles);
    }

    public static List<RoleVO> getRoleListInRoles(HttpServletRequest request, String roles) {
        String identityId = getLoginIdentityId(request);
        return getContextService().getRoleListInRoles(identityId, roles);
    }

    public static boolean isInAnyCase(HttpServletRequest request, String cases) {
        String identityId = getLoginIdentityId(request);
        return getContextService().checkIsInAnyCase(identityId, cases);
    }

    public static boolean isInCase(HttpServletRequest request, String cases) {
        String identityId = getLoginIdentityId(request);
        boolean checkIsInCase = getContextService().checkIsInCase(identityId, cases);
        return checkIsInCase;
    }

    public static List<RoleVO> getmyUserRoleList(HttpServletRequest request) {
        String identityId = getLoginIdentityId(request);
        return getContextService().getmyUserRoleList(identityId);
    }

    public static RoleVO getmyUserhighestRole(HttpServletRequest request) {
        String identityId = getLoginIdentityId(request);
        return getContextService().getmyUserhighestRole(identityId);
    }

    public static String getmyTenementIdByUserId(HttpServletRequest request) {
        String userId = getLoginUserId(request);
        return getContextService().getLoginTenementId(userId);
    }


    public static void setLoginUser(HttpServletResponse response, TsysUserVO user, String userKey) {
        try {
            String userId = user.getId();
            addCookie(response, USER_KEY, userKey, "/", getSessionTimeout());//单位分钟
            addCookie(response, Cluster.SESSION_KEY, userKey, "/", getSessionTimeout());//单位分钟
            RedisClient.set(userKey, userId, Cluster.getTimeoutSecond());//单位秒
            RedisClient.set(userKey+"Username", user.getUserName(), Cluster.getTimeoutSecond());//单位秒
            RedisClient.set(user.getUserName(), user.getPasswd(), Cluster.getTimeoutSecond());//单位秒
        } catch (Exception e) {
            e.printStackTrace();
        }
    }

    private static void addCookie(HttpServletResponse response, String name, String value, String path, int maxAge) {
        Cookie cookie = new Cookie(name, value);
        cookie.setPath(path);
        cookie.setMaxAge(maxAge);
        response.addCookie(cookie);
    }

3.登录接口

登录逻辑判断用户名密码,通过则将用户信息返回,同时将用户信息存在Redis中,向前端返回token
代码如下(示例):

    @RequestMapping(value = "/login", method = RequestMethod.POST, produces = "application/json;charset=utf-8")
    @ResponseBody
    public String login(@RequestBody String jsonStr, HttpServletResponse response) {
        JSONObject object = JSON.parseObject(jsonStr);
        String account = object.getString("account");
        String password = object.getString("password");
        JSONObject result = new JSONObject(3);
        if (StringUtils.isEmpty(account) || StringUtils.isEmpty(password)) {
            result .put("state", false);
            result .put("msg", "账号或密码不能为空");
            return result.toString();
        }
        // 判断用户名和密码
        User userInfo = userService.login(account, password);
        if (userInfo instanceof String) {
            return (String) userInfo;
        } else {
            User user = (User) userInfo;
            String id = user.getId();
            String s = id + System.currentTimeMillis();
            String token = MD5Util.MD5(s);
            Author.setLoginUserId(token, user.getId());
            AuthSessionContext.setLoginUser(response, user, token);
            result .put("state", true);
            result .put("oauth_token", token);
        }
        return result.toString();
    }

4.登录之后获取用户信息

通过扩展工具类获取信息。
代码如下(示例):

String userId = AuthSessionContext.getLoginUserId();
User userInfo = AuthSessionContext.getLoginUser();

总结

基于token最直观的好处就是无状态和可扩展性,token可以设置过期时间,超过时间之后,用户将重新登录。还可以根据相同的授权许可使特定的token甚至一组token无效来实现用户退出登录。

创作不易,关注、点赞就是对作者最大的鼓励,欢迎在下方评论留言
求关注,定期分享Java知识,一起学习,共同成长。

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

推荐阅读更多精彩内容