JSF MVC design question

后端 未结 1 1536
梦如初夏
梦如初夏 2021-02-06 16:33

I have a JSF backing bean design question. right now, my backing bean is holding UI display information and also business modal data. people suggest that model and view should b

1条回答
  •  囚心锁ツ
    2021-02-06 17:17

    so is it good idea to create different bean the holding UI display data and have backing have reference to it?

    Yes, otherwise you keep mapping the data from model to view yourself while you can also just let JSF/EL do that. It does by the way not necessarily need to be a JSF @ManagedBean.

    E.g. this is poor:

    @ManagedBean
    @RequestScoped
    public class ProductEditor {
    
        private String productName;
        private String productDescription;
        private BigDecimal productPrice;
    
        public String add() {
            Product product = new Product();
            product.setName(productName);
            product.setDescription(productDescription);
            product.setPrice(productPrice);
            productService.save(product);
            return "view";
        }
    
        // In total 6 getters and setters.
    }
    

    with

    
        
        
        
            
        
        
    
    

    This is better

    @ManagedBean
    @RequestScoped
    public class ProductEditor {
    
        private Product product;
    
        @PostConstruct
        public void init() {
            product = new Product(); // You could also preload from DB based on some ID as request parameter.
        }
    
        public String add() {
            productService.save(product);
            return "view";
        }
    
        // Only 1 getter.
    }
    

    with

    
        
        
        
            
        
        
    
    

    See also the examples as presented by this JSF 2.0 tutorial.

    0 讨论(0)
提交回复
热议问题