Shiro登录流程

我们先从一段最基础的代码开始

@Test
    public void testHelloWorld(){
        // 获取SecurityManager工厂,此处使用ini配置文件初始化SecurityManager
        IniSecurityManagerFactory managerFactory = new IniSecurityManagerFactory
                ("classpath:shiro.ini");
        // 得到SecurityManager实例 并绑定给SecurityUtils
        SecurityManager manager = managerFactory.getInstance();
        SecurityUtils.setSecurityManager(manager);
        // 得到Subject及创建用户名/密码身份验证Token(即用户身份/凭证)
        Subject subject = SecurityUtils.getSubject();
        UsernamePasswordToken token = new UsernamePasswordToken("zhang","123".toCharArray(),true);

        try {
            subject.login(token);
        } catch (AuthenticationException e) {
            // 身份验证失败
            e.printStackTrace();
        }

        // 断言 登录是否成功
        Assert.assertEquals(true,subject.isAuthenticated());

        Session session = subject.getSession();
        System.out.println(session.getId());
        System.out.println(subject.getPrincipal());// zhang
        // 设置属性
        session.setAttribute("name",subject.getPrincipal());
        // 获取属性
        session.getAttribute("name");
        Collection<Object> attributeKeys = session.getAttributeKeys();

        Iterator<Object> iterator = attributeKeys.iterator();
        while (iterator.hasNext()){
            System.out.println("所有的属性KEY :"+iterator.next());
        }

        // 退出
        subject.logout();

    }

这里我们可以不用关心SecurityManager到底是怎么创建的,反正就是加载配置文件。

跟踪代码

SecurityUtils.setSecurityManager(manager);

public abstract class SecurityUtils {
    
    private static SecurityManager securityManager;

    public SecurityUtils() {
    }
    public static void setSecurityManager(SecurityManager securityManager) {
        SecurityUtils.securityManager = securityManager;
    }

SecurityUtils.getSubject();

public abstract class SecurityUtils {
    public static Subject getSubject() {
        // 第一步:
        // 注意这里的ThreadContext是个什么鬼
        Subject subject = ThreadContext.getSubject();
        if(subject == null) {
            // 第二步:
            subject = (new Builder()).buildSubject();
            ThreadContext.bind(subject);
        }
        return subject;
     }

第一步:
        // 注意这里的ThreadContext是个什么鬼
       Subject subject = ThreadContext.getSubject();

public abstract class ThreadContext {
     private static final Logger log = LoggerFactory.getLogger(ThreadContext.class);
    public static final String SECURITY_MANAGER_KEY = 
                                ThreadContext.class.getName() + "_SECURITY_MANAGER_KEY";
    public static final String SUBJECT_KEY = 
                                  ThreadContext.class.getName() + "_SUBJECT_KEY";
    // 注意这个变量,ThreadLocal是当前线程用来保存信息的,每个线程都有一个ThreadLocal,
      //多线程环境下只能各自取各自ThreadLocal中保存的信息
    private static final ThreadLocal<Map<Object, Object>> resources = 
                                      new ThreadContext.InheritableThreadLocalMap();

    public static Subject getSubject() {
        return (Subject)get(SUBJECT_KEY);
    }

    private static Object getValue(Object key) {
        return ((Map)resources.get()).get(key);
    }

    public static Object get(Object key) {
        if(log.isTraceEnabled()) {
            String value = "get() - in thread [" + Thread.currentThread().getName() + "]";
            log.trace(value);
        }

        Object value1 = getValue(key);
        if(value1 != null && log.isTraceEnabled()) {
            String msg = "Retrieved value of type [" + value1.getClass().getName() + "] for key [" + key + "] " + "bound to thread [" + Thread.currentThread().getName() + "]";
            log.trace(msg);
        }

        return value1;
    }

       可以看到,ThreadContext.getSubject();最终调用的是getValue()方法,然后从ThreadLocal中取出Subject。那ThreadLocal中的Subject怎么来的呢?看第二步。

第二步:
(new Builder()).buildSubject()

public interface Subject {
    xxxx省略其他代码,重点是Subject里面有一个静态的Builder类
    public static class Builder {
        private final SubjectContext subjectContext;
        private final SecurityManager securityManager;

        public Builder() {
            this(SecurityUtils.getSecurityManager());
        }

    public Subject buildSubject() {
            return this.securityManager.createSubject(this.subjectContext);
    }

来看看buildSubject干了啥:

public interface SecurityManager extends Authenticator, Authorizer, SessionManager {
    Subject login(Subject var1, AuthenticationToken var2) throws AuthenticationException;

    void logout(Subject var1);

    Subject createSubject(SubjectContext var1);
}

它是一个接口,我们找一个实现类,就找DefaultSecurityManager看看吧

public class DefaultSecurityManager extends SessionsSecurityManager {
    private static final Logger log = LoggerFactory.getLogger(DefaultSecurityManager.class);
    protected RememberMeManager rememberMeManager;
    protected SubjectDAO subjectDAO;
    protected SubjectFactory subjectFactory;

  protected Subject createSubject(AuthenticationToken token, AuthenticationInfo info, Subject existing) {
        // 这里的token是我们之前写的UsernamePasswordToken
        SubjectContext context = this.createSubjectContext();
        context.setAuthenticated(true);
        context.setAuthenticationToken(token);
        context.setAuthenticationInfo(info);
        if(existing != null) {
            context.setSubject(existing);
        }

        return this.createSubject(context);
    }

这里都是在组装必要的参数,我们直接看最后一句:

public Subject createSubject(SubjectContext subjectContext) {
        SubjectContext context = this.copy(subjectContext);
        context = this.ensureSecurityManager(context);
        context = this.resolveSession(context);
        context = this.resolvePrincipals(context);
        Subject subject = this.doCreateSubject(context);
        this.save(subject);
        return subject;
    }

注意其中的两个方法:doCreateSubject(context)和save(subject)
先来看创建的:

protected Subject doCreateSubject(SubjectContext context) {
        return this.getSubjectFactory().createSubject(context);
    }

// 使用工厂类创建Subject
public class DefaultSubjectFactory implements SubjectFactory {
    public DefaultSubjectFactory() {
    }

    public Subject createSubject(SubjectContext context) {
        SecurityManager securityManager = context.resolveSecurityManager();
        Session session = context.resolveSession();
        boolean sessionCreationEnabled = context.isSessionCreationEnabled();
        PrincipalCollection principals = context.resolvePrincipals();
        boolean authenticated = context.resolveAuthenticated();
        String host = context.resolveHost();
        return new DelegatingSubject(principals, authenticated, host, session, sessionCreationEnabled, securityManager);
    }

// 注意这里有个SecurityManager,这个就是SecurityUtils中的那个静态变量
public class DelegatingSubject implements Subject {
  public DelegatingSubject(PrincipalCollection principals, boolean authenticated, String host, Session session, boolean sessionCreationEnabled, SecurityManager securityManager) {
        if(securityManager == null) {
            throw new IllegalArgumentException("SecurityManager argument cannot be null.");
        } else {
            this.securityManager = securityManager;
            this.principals = principals;
            this.authenticated = authenticated;
            this.host = host;
            if(session != null) {
                this.session = this.decorate(session);
            }

            this.sessionCreationEnabled = sessionCreationEnabled;
        }
    }

再看save(subject)方法,它是怎么保存的,其实应该也能想到了,肯定是用ThreadLocal来保存的,我们来看看:先回到DefaultSecurityManager

protected void save(Subject subject) {
        this.subjectDAO.save(subject);
    }

public interface SubjectDAO {
    Subject save(Subject var1);
    void delete(Subject var1);
}

找个SubjectDAO的实现类:

public class DefaultSubjectDAO implements SubjectDAO {
    public Subject save(Subject subject) {
        if(this.isSessionStorageEnabled(subject)) {
            this.saveToSession(subject);
        } else {
            log.trace("Session storage of subject state for Subject [{}] has been disabled: identity and authentication state are expected to be initialized on every request or invocation.", subject);
        }

        return subject;
    }
public Subject save(Subject subject) {
        if(this.isSessionStorageEnabled(subject)) {
            this.saveToSession(subject);
        } else {
            log.trace("Session storage of subject state for Subject [{}] has been disabled: identity and authentication state are expected to be initialized on every request or invocation.", subject);
        }

        return subject;
    }

    protected void saveToSession(Subject subject) {
        this.mergePrincipals(subject);// 保存principals信息
        this.mergeAuthenticationState(subject);// 保存验证的状态
    }

咦,咋跟我想象的不一样呢?
原因是我忽略了SecurityUtils.getSubject();中还有重要的一步,ThreadContext.bind(subject);这才是我之前设想那样。进入这个方法来看看:

public abstract class ThreadContext {
    private static final Logger log = LoggerFactory.getLogger(ThreadContext.class);
    public static final String SECURITY_MANAGER_KEY = ThreadContext.class.getName() + "_SECURITY_MANAGER_KEY";
    public static final String SUBJECT_KEY = ThreadContext.class.getName() + "_SUBJECT_KEY";
    private static final ThreadLocal<Map<Object, Object>> resources = new ThreadContext.InheritableThreadLocalMap();

    public static void bind(Subject subject) {
        if(subject != null) {
            put(SUBJECT_KEY, subject);
        }
    }

    public static void put(Object key, Object value) {
        if(key == null) {
            throw new IllegalArgumentException("key cannot be null");
        } else if(value == null) {
            remove(key);
        } else {
            ((Map)resources.get()).put(key, value);
            if(log.isTraceEnabled()) {
                String msg = "Bound value of type [" + value.getClass().getName() + "] for key [" + key + "] to thread " + "[" + Thread.currentThread().getName() + "]";
                log.trace(msg);
            }

        }
    }

看到put(Object key, Object value)方法中的((Map)resources.get()).put(key, value);你还想不到这是个什么操作吗。

subject.login(token);
public void login(AuthenticationToken token) throws AuthenticationException {
        this.clearRunAsIdentitiesInternal();
        Subject subject = this.securityManager.login(this, token);
}

public class DefaultSecurityManager extends SessionsSecurityManager {
  public Subject login(Subject subject, AuthenticationToken token) throws AuthenticationException {
        AuthenticationInfo info;
        try {
            info = this.authenticate(token);
        } catch (AuthenticationException var7) {
            AuthenticationException loggedIn = var7;

            try {
                this.onFailedLogin(token, loggedIn, subject);
            } catch (Exception var6) {
                if(log.isInfoEnabled()) {
                    log.info("onFailedLogin method threw an exception.  Logging and propagating original AuthenticationException.", var6);
                }
            }

            throw var7;
        }

        Subject loggedIn1 = this.createSubject(token, info, subject);
        this.onSuccessfulLogin(token, info, loggedIn1);
        return loggedIn1;
    }

登录就是将Subject交给SecurityManager去一步步的验证,然后根据配置保存需要保存的信息。

总结:1、理解Subject,SecurityManager之间的关系
                       一个SecurityManager可以管理多个Subject,且能在多线程下良好使用
            2、ThreadLocal的使用

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

推荐阅读更多精彩内容

  • Spring Cloud为开发人员提供了快速构建分布式系统中一些常见模式的工具(例如配置管理,服务发现,断路器,智...
    卡卡罗2017阅读 134,646评论 18 139
  • Shiro的使用方法参见跟我学shiro Shiro的验证过程分析如下: 获取SecurityManager 并绑...
    王兆阳阅读 1,555评论 0 0
  • 1. Java基础部分 基础部分的顺序:基本语法,类相关的语法,内部类的语法,继承相关的语法,异常的语法,线程的语...
    子非鱼_t_阅读 31,608评论 18 399
  • 几天的学习就要结束了,我很高兴和满足,因为我学到了很多治疗的方法和技术,更重要的是学习治病的思想、思路,如...
    1040ad7b6a89阅读 535评论 1 2
  • 一、概念 1.Core Data 是数据持久化存储的最佳方式2.数据最终的存储类型可以是:SQLite数据库,XM...
    秀才不才阅读 721评论 0 3