6

私の状況は次のようになります。ユーザーが[追加]ボタンを押すと、データが挿入されたこれらのリストがありますが、ポストバックでリストが再ゼロ化されると思います。それらをどのように保存しますか?答えを探していましたが、セッションの使い方などがよくわからないと思います。

私はASP.netに非常に慣れていないので、C#ではそれほど良くないようです。

public partial class Main : System.Web.UI.Page
{


 List<string> code = new List<string>();


protected void Page_Load(object sender, EventArgs e)
{
    //bleh   

}

protected void cmdAdd_Click(object sender, EventArgs e)
{

    code.Add(lstCode.Text);
}
4

3 に答える 3

16

Just use this property to store information:

public List<string> Code
{
    get
    {
        if(HttpContext.Current.Session["Code"] == null)
        {
            HttpContext.Current.Session["Code"] = new List<string>();
        }
        return HttpContext.Current.Session["Code"] as List<string>;
    }
    set
    {
        HttpContext.Current.Session["Code"] = value;
    }

}
于 2012-04-23T20:26:35.653 に答える
3

これはASP.NETでは奇妙なことです。プログラムでアイテムをコレクションコントロール(リストボックス、コンボボックス)に追加する場合は常に、各ポストバックでコントロールを再設定する必要があります。

これは、ビューステートがページのレンダリングサイクル中に追加されたアイテムについてのみ認識しているためです。クライアント側でのアイテムの追加は最初にのみ機能し、その後アイテムは削除されます。

これを試して:

public partial class Main : System.Web.UI.Page
{

        protected void Page_Load(object sender, EventArgs e)
        {
            if (!IsPostBack)
            {
                 Session["MyList"] = new List<string>();
            }   
            ComboBox cbo = myComboBox; //this is the combobox in your page
            cbo.DataSource = (List<string>)Session["MyList"];
            cbo.DataBind();
        }




        protected void cmdAdd_Click(object sender, EventArgs e)
        {
            List<string> code = Session["MyList"];
            code.Add(lstCode.Text);
            Session["MyList"] = code;  
            myComboBox.DataSource = code;
            myComboBox.DataBind();
        }
    }
于 2012-04-23T20:22:02.853 に答える
1

You can't keep values between post backs.

You can use session to preserve list:

// store the list in the session
List<string> code=new List<string>();

protected void Page_Load(object sender, EventArgs e)
{
 if(!IsPostBack)
  Session["codeList"]=code;

}
 // use the list
void fn()
{
 code=List<string>(Session["codeList"]); // downcast to List<string> 
 code.Add("some string"); // insert in the list
 Session["codeList"]=code; // save it again
}
于 2012-04-23T20:24:56.543 に答える