How do I get and set an object in session scope in JSF?

前端 未结 3 1772
情书的邮戳
情书的邮戳 2020-12-07 16:18

I need to persist just one object in session scope of my JSF application. Where do I define a session variable, and how do I get and set it from either a view file or backin

3条回答
  •  星月不相逢
    2020-12-07 16:51

    Just moving along to JSF 2.2 and CDI 1.2 - Injection will at least be simpler. Keeping in line with the original answer of @BalusC:

    import javax.enterprise.context.RequestScoped;
    import javax.annotation.PostConstruct;
    import javax.inject.Inject;
    import javax.inject.Named;
    
    @Named
    @RequestScoped
    public class RequestBean {
        @Inject
        private SessionBean sessionBean;
        // ...
        @PostConstruct
        void init() {
          // Interact with sessionBean during construction
          // but after Injection.
        }
    }
    

    with

    import java.io.Serializable;
    import javax.enterprise.context.RequestScoped;
    import javax.inject.Inject;
    import javax.inject.Named;
    
    @Named
    @SessionScoped
    public class SessionBean implements Serializable {
        private SomeObject someVariable;
        // ...
    }
    

    There are several important notes to be made - particularly the switch to @Named, and the Fully Qualified Package Name for RequestScoped and SessionScoped. Also for making a Class SessionScoped it should also be made Serializable.

    The addition of @Inject makes it really simple - but understand that the injected sessionBean object is only available after construction, not during. This means you do not have access to sessionBean within the constructor of RequestBean. This is solved by the use of @PostConstruct which gets triggered after injection is complete, and RequestBean is otherwise fully initialized.

提交回复
热议问题