Basic Sample - How To Keep ASP.NET ViewState On The Server
Ref: Article
During recent few engagements with my customers I've noticed VIewState is extensively [unintentionally] used. ViewState is on by default. The result is heavy weight Html that round trips on the network. This causes slow response time and high network utilization that affects another applications using the same network.
How to remove ViewState from the network completely while taking an advantage if its functionality at same time?
This post walks through basic steps of creating ASP.NET Base Page that implements functionality allowing saving ViewState on the server. The approach reduces dramatically network utilization.
Summary of steps
- Step 1 - Create Visual Studio Solution.
- Step 2 - Implement Base Page
- Step 3 - Inherit Each ASPX page from Custom Base Page
- Step 4 - Test The Solution
The following section describes each step in details.
using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.IO; using System.Web.UI; using System.Web;
namespace MyBasePage { class LeaveViewStateOnTheServer : Page { } }Override two relevant methods that handle Loading and Saving of ViewState:
protected override object LoadPageStateFromPersistenceMedium() { object viewStateBag; string m_viewState = (string)Session["ViewState"]; LosFormatter m_formatter = new LosFormatter(); try { viewStateBag = m_formatter.Deserialize(m_viewState); } catch { throw new HttpException("The View State is invalid."); } return viewStateBag; } protected override void SavePageStateToPersistenceMedium(object viewState) { MemoryStream ms = new MemoryStream(); LosFormatter m_formatter = new LosFormatter(); m_formatter.Serialize(ms, viewState); ms.Position = 0; StreamReader sr = new StreamReader(ms); string viewStateString = sr.ReadToEnd(); Session["ViewState"] = viewStateString; ms.Close(); return; }This is a basic code that can be adopted and adapted to specific needs. The code mostly based on Dino Esposito's code.
using MyBasePage; namespace SampleWebToUseExternalBasePage { public partial class _Default : LeaveViewStateOnTheServer
And here is how it looks without: