Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Why does my save use the initial value of my TextBox and not the entered value?

I have a textbox on my website:

<asp:TextBox ID="Latitude" runat="server" ClientIDMode="Static" ></asp:TextBox>

On page load I fill that textbox with something from a databse:

protected void Page_Load(object sender, EventArgs e)
{
    Latitude.Text = thisPlace.Latitude;
}

When I want to update my databse with a new value in that textbox, it still updated the database with the one put in on page load:

protected void Save_Click(object sender, EventArgs e)
{
    setCoordinates(Latitude.Text);
}

How can I make sure that setCoordinates() retrieves the new value from the textbox and not the initial value from the database from Latitude.Text = thisPlace.Latitude;?

like image 555
jt123 Avatar asked Jan 21 '14 15:01

jt123


3 Answers

I think its because PostBack

If you're calling setCoordinates() on some button's click event textbox's new value will be lost. If that's right change Page_Load like this one

protected void Page_Load(object sender, EventArgs e)
{
    if(!IsPostBack)
    {
        Latitude.Text = thisPlace.Latitude;
    }    
}
like image 95
Jaztingo Avatar answered Oct 23 '22 17:10

Jaztingo


This is because the Page_Load event happens before your method setCoordinates is called. This mean that the Latitude.Text value is the same as before.

You should change the load function so it does not always set the initial value of the textbox.

By changing the page_load event with !Page.IsPostBack, the only time the initial value is given, is the first time the page originaly loads.

protected void Page_Load(object sender, EventArgs e)
{
    if (!Page.IsPostBack) 
    {
        Latitude.Text = thisPlace.Latitude;
    }
}
like image 10
GercoOnline Avatar answered Oct 23 '22 16:10

GercoOnline


Page_Load executed each time page is loaded. Add IsPostBack check to reset text only on first page load:

protected void Page_Load(object sender, EventArgs e)
{
    if (!IsPostBack)
    {
        Latitude.Text = thisPlace.Latitude;
    }
}
like image 5
PashaPash Avatar answered Oct 23 '22 17:10

PashaPash