ASP.NET中,动态加载用户控件

ASP.NET中,动态加载用户控件,有些人可能会碰到用户控件中的事件(比如按钮等)没有触发,用户控件消失等情形。我也曾遇到这样的情况,将一些经验总结如下,实际上,如果你对ASP.NET的页面模型及其生命周期很熟悉的话,这样的问题很容易想到解决方法的。

用户控件中的事件会导致其所在的页面回发,在回发时必须将用户控件重新载入。
在载入用户控件的方法中,将最后一次载入的用户控件路径保存起来,以便在页面Load方法中重新载入该控件。

        protected  void Page_Load( object sender , EventArgs e ){
             if( this.LatestLoadedControlName != "" )
                   this.LoadUserControl( LatestLoadedControlName , container );
        }

        protected string LatestLoadedControlName
        {
            get
            {
                return (string)ViewState["LatestLoadedControlName"];
            }
            set
            {
                ViewState["LatestLoadedControlName"] = value;
            }
        }
        public void LoadUserControl(string controlName, Control container)
        {
            //先移出已有的控件
            if (LatestLoadedControlName != null)
            {
                Control previousControl = container.FindControl(LatestLoadedControlName.Split('.')[0]);
                if (previousControl != null)
                {
                    container.Controls.Remove(previousControl);
                }
            }
            string userControlID = controlName.Split('.')[0];
            Control targetControl = container.FindControl(userControlID);
            if (targetControl == null)
            {
                UserControl userControl = (UserControl)this.LoadControl(controlName);
                userControl.ID = userControlID;
                container.Controls.Add(userControl);
                LatestLoadedControlName = controlName;
            }
        }

 

你可能感兴趣的:(ASP.NET中,动态加载用户控件)