asp.netc#-4.0webforms

How to share variable between all methods in code behind?


I am trying to fix an ASP.NET 4.0 program that did not use the normal ASP.NET standards. I myself am fairly new to ASP.NET and try to learn more about it any chance I can get. In any event it is an ASP.NET 4.0 Webforms app with C# code behind.

I am dealing with a page where it has a call to a code behind method in the markup itself. We can call this method get detailById. This method makes a call to a web service which queries the database with this id and returns a dataset to the code behind. Once all this data is received, it is written to the screen in a table. That is it for this method. At the bottom of this page exists various buttons that do different functions. Lets take one button called Hello, for example. All this button has to do is access one of the fields(ex: Username) that were gotten in the detailById method. How do I do make this variable value available to all code behind methods? I considered the following thoughts:

  1. Re-query database like detailById did to get this field, but this seems awfully inefficient.

  2. Created a class level variable for the page and set the value of it to the Username variable in the detailById method. This didn't work. When I clicked on the "Hello" button, the Username was missing. I know for a fact it was acquired in the detailById method.

  3. Then I thought that postback might be responsible for the value disappearing, so I stored the Username value in a ViewState variable while in the detailById method. When I tried to access this variable it too was null. I have no idea why.

  4. Finally, I put this value in Session while in the detailById method. This worked and the value was able to be referenced in my various code behind methods. This feels like a wrong way to do this. Am I right?

What is the good/correct way to do this?


Solution

  • I suggest to put it in ViewState (#3). But you have to make sure that you have EnableViewState=True and ViewStateMode=Enabled on the @Page markup (actually these are the defaults). I prefer to use a property to wrap the store/retrieve work by a property like:

    private string UserName
    {
        get
        {
            return ViewState["__userId"] as string;
        }
    
        set
        {
            ViewState["__userId"] = value;
        }
    }
    

    And more importantly, you will have to call that getDetailById method from Page_Load. Because, embedded code on aspx page gets called at rendering stage, before which ViewState is already saved (check here). If it is impossible to move that code into Page_Load, Session (#4) is left to do the work.