April 29, 2011

Dispose Vs Finalize

Dispose method is mainly controlled by the developer, and it frees all the resource upon the completion of the event. While Finalize method is controlled by the Garbage Collector(GC) and there is no predictability as to when the GC will call the finalize method to free the resources.


Finalize method cannot be overridden or called explicitly. It is basically used for implicit resource clean-up.


C# provides a USING statement , which ensures that Dispose() method will be called at the earliest possible time (Dispose method is automatically called if the class implements IDisposable and used in USING statement).



April 25, 2011

IDisposable Interface (Disposable Pattern)


Introduction:
    IDisposable Interface is primarily designed to provide a standard way to manage the unmanged resources in the .net applications.
  
Description:
    We know that Garbage Collector(GC) is designed to manage memory allocation in .net applications. So developer have no headache to manage the managed resources as GC manage it implicitly. But when it comes about the unmanaged resources GC have no control over it, because GC is not designed to deal with unmanaged resources, so it is the developers responsibility to manage this unmanaged resources.
   A developer can achieve this by overriding the Finalize method, but the problem with finalize method is that as Garbage Collector does not run in deterministically and in result the object may be wait for finalization for a longer period of time. And this situation becomes more complected if our object is using expensive resources like database connection or file handles, then waiting a long period of time to free these resource is not acceptable. To avoid this waiting of Garbage Collection for an indeterminate amount of time to free resource Disposable Pattern (IDisposable pattern) is used.
      
This Disposable Pattern/IDisposable Interface is basically designed to ensure predictable and reliable cleanup of resource to prevent resource leak and to provide a standard pattern for disposable classes. IDisposable interface defines a single method called Dispose() that need to be implemented by the implemented class. And the developers have to ensure that they implements clean up code using this method.

Example:

   public class MyDisposableClass : IDisposable
    {
        private bool isDisposted = false;

        ~MyDisposableClass()
        {
            Dispose(false);
        }

        public void Dispose()
        {
            Dispose(true);
        }

        private void Dispose(bool disposing)
        {
            if (!isDisposted)
            {
                if (disposing)
                {
                    //TODO: Wtire your clean up code here
                   
                    //This will remove the object from the finalization queue as the clean up
                    //is already done and finaliztion is not required.
                    GC.SuppressFinalize(this);

                }
                // flag set to ture as dispose is done
                isDisposted = true;
            }
        }
    }



April 21, 2011

HTTP Modules Vs Global.asax File

Differences:
    If you view the functionality provided by the HTTP Modules and the Global.asax file you find both are almost similar, But the advantage of using the HTTP Module over Global.aspx file is that they can be re-used by adding them to the GAC (Global Assembly Cache) and registering in the Machine.config file you can use it across all the application running on that server, while global.asax files are application specific.

   And the advantage of using Global.asax file over HTTP Modules is that it provides some extra events that can not be available during  in the HTTP Module implementation. Those events are :
                            1. Application_start
                            2. Session_Start
                            3. Session_End
                            4. Application_End
Along with this Global.asax also enables you to declare and initialize your global objects in your application. 

Another difference is that you can have one Global.asax file in your application and you have to implement all your required logic on that, But in the case of HTTP Module you can divide your required logic in different modules and can have more than one HTTP Module attached in your application.


April 20, 2011

MVP Design Pattern Implementation using ASP.NET/Win Form

Introduction:
    We have given a task to implement our next project in two different interfaces, One using traditional ASP.NET web pages and another one using the new rich silver-light user interface . And we have to follow the MVP design pattern to implement this. During this process I have gone through the MVP design pattern documents and implementation processes and writing this blog to provide a little bit introductory idea about what is MVP pattern and a simple example to implement this using a web and windows application.


    I have not used the silver-light in this example, because CLR for web application and silver-light CLR are completely different. To implement this you have to develop separate set of view, presenter and model component for web application and for silver-light. There is a trick to solve this by developing the different components for Web application  first and later adding parallel components for silver-light by just adding the link of all the classes and interfaces developed for respective web application components. But my main purpose is to focus on the MVP pattern, so i have taken a example of windows application in place of silver-light.

Description:
MVP pattern stand for Model-View-Presenter design pattern. It is basically built of using three components View, Model and Presenter. It is a derivative of the MVC (Model-View-Control) pattern. 



Model-View-Presenter Pattern




View: It represents the applications presentation layer and responsible for displaying and receiving the user inputs  and handling the user events (i.e. mouse clicks, key down, click etc.) on the controls only. Views does not call directly to the  Models, Instead it invokes the Presenter methods which in-turn calls the Model to get the data and in return updates the view. All concrete view components must implement an interface which defines all the methods and properties which required to be implemented.



Presenter: This component basically communicates with the view to accept user inputs for processing, connect to the model to retrieve the required data or process the requested  business logic and return the view the desired data to show. Presenter have access to the interface of the view. It has no idea about the implementation.


Model: It contains all the business logic of the application. It processes the request from the presenter and do the processing to return it's result to the presenter.


Implementation:
    To describe MVP implementation using asp.net i have created a small application (for giving a general idea of implementation) that search employee by employee code and display employee information on the page. At this moment i have not implemented any logic at model level and just returning a hard coded value for testing purpose. Later we have used the model, view and presenter to implement the same functionality on a windows application without making any change on the core components (Model, View and Presenter).


Implementation Using ASP.NET (Web Page)


Implementation using Windows Application (Win Form)

Creating & Implementing View in Web and Windows application:
   View is basically defines an interface which need to be implemented by the UI layer. This interface is later used by the presenter. This provides the way to lose coupling between view and presenter. Here I have created an interface called IEmpView. This is the interface that is going to be implemented by both the web application and windows application.

Code (IEmpView):
  public interface IEmpView
    {
        string Code { get; }
        string EmpName { set;  }
        string Address { set; }
    }
  
Code (Aspx page code behind): 
  In the code behind of the web application we have implemented the IEmpView interface and implemented the properties exposed by it. And in the Click event of the search button it instantiate the presenter class and call the required method for processing.


  public partial class EmployeeInfo : System.Web.UI.Page, IEmpView
    {
        public string Code
        {
            get  { return txtCode.Text ; }
        }

        public string EmpName
        {
            set { lblName.Text = value; }
        }

        public string Address
        {
            set { lblAddress.Text = value; }
        }

        protected void btnSearch_Click(object sender, EventArgs e)
        {
            mvpPresenter.EmpPresenter empPresenter = new mvpPresenter.EmpPresenter(this);
            empPresenter.BindData();
        }
    }

Code (Windows application):
    In this section i have used the same interface to develop the application using Windows Form. Similar like the above implementation in web form the windows form implements the IEmpView and implements the properties.
     public partial class EmployeeForm : Form, IEmpView
    {
        public string Code
        {
            get { return txtCode.Text; }
        }

        public string EmpName
        {
            set { lblName.Text = value;}
        }

        public string Address
        {
            set { lblAddress.Text = value; }
        }
        
        private void btnSearch_Click(object sender, EventArgs e)
        {
            mvpPresenter.EmpPresenter empPresenter = new mvpPresenter.EmpPresenter(this);
            empPresenter.BindData();
        }
    }

Creating the Presenter:
    Presenter have no idea about the UI. It does not know the view interface it is interacting is implemented by a windows or web application.Its constructor takes the IEmpView (interface) as parameter.

Code (Presenter):
    public class EmpPresenter
    {
        private readonly IEmpView empView;

        public EmpPresenter(IEmpView view)
        {
            empView = view;
        }

        public void BindData()
        {
            EmpModel model = new EmpModel();
            EmpDTO employee = model.GetEmployee(empView.Code);
            empView.EmpName = employee.Name;
            empView.Address = employee.Address;
        }
    }

This is the DTO class I have used to transfer data between the Model and Presenter.

Code (Employee DTO): 
    public class EmpDTO
    {
        public string Code { set; get; }
        public string Name { set; get; }
        public string Address { set; get; }
        public EmpDTO(string code, string name, string address)
        {
            Code = code;
            Name = name;
            Address = address;
        }
    }

Creating Model: 
    Model class basically holds the business logic of the application. In this example i have hard coded the process logic of GetEmployee() method and it will be replaced by the code to fetch data from database or some external source by communicating with the respective layer.

Code (Interface of Model):
 public interface IEmpModel
    {
        EmpDTO GetEmployee(string empCode);
    }

Code (Concrete Model Class):
    public class EmpModel:IEmpModel
    {
        public EmpModel()
        {
        }

        public EmpDTO GetEmployee(string empCode)
        {
            return new EmpDTO(
empCode, "Prasant Swain", "Kolkata");
        }
    }

So you have noticed that we have implemented our application using different UI without modifying our core components (Model, View and Presenter).



Advantages:
1. Provide the ability to test all the code in the application except the visual appearance and the interaction.
2. Ability to interchange view without modification on the code (Example. it can be easily changed the presentation layer from the web page to a windows form without modification in the core components ( Presenter and Model Component.).
3. It simplifies the testing process.

April 16, 2011

Steps to create a HTTP Handler

Description:
    In this article I am just trying to writing down the steps with code example (C#) to create a simple custom HTTP handler. and configure it on IIS 5.1. The detail description about the HTTP Handler are described on this blog "HTTP Handlers (ASP.NET)"


Step 1: Creation of Handler:
     1. Create a web application (in this example i have created with name HTTPHandlerTest).
     2. Add a class to (I have used MyTestHandler in this example) your application and implement the IHttpHandler Interface. You can also implement the IRequireSessionState Interface if you want to access the session and IReadOnlySessionState if you want to access session data in read only mode.
     3. Implement the ProcessRequest() method and IsReusable Property. IsReusable property  determines whether the handler is pooled or not. If it returns true then the handler is kept on the pool for further user and the ProcessRequest() method to the processing.


    4. Modify the web.config file to register the handler. In this example i have registered the handler to process the the files having extension .test.



<httpHandlers>
    <add verb="*" path="*.test" type="HTTPHandlerTest.MyTestHandler, HTTPHandlerTest"/>
</httpHandlers>


Step 2: Configure the IIS 5.1
     1. Open the Internet Information Services (Control Panel--> Administrative Tool-->Internet Information Services).
     2. Go to "Default Web Site", Right click on it and open Properties.
     3. On the Properties window click on the "Home Directory" tab and click on the "Configuration" Button.
     4. Click on the "Add" button to register the new mapping. 
         In the Executable text box browse the path of the "aspnet_isapi.dll" files location on your machine (i.e. C:\WINDOWS\Microsoft.NET\Framework\v2.0.50727\aspnet_isapi.dll) and in the Extension text box enter the extension of the file that is going to process (i.e. i have used .test extension). Press OK to save setting.

Step 3: Testing Your Handler
    1. Add a file with extension .test to your application to test the application (I have added a file called MyTest.test to test it).
    2. Run the application and type "http://localhost:4611/MyTest.test" as URL.

April 13, 2011

HTTP Handlers (ASP.NET)

Description:
    HTTP handlers are .net components that is used the process the incoming request based on the mapped file name extension  in the configuration files (machine.config or web.config). ASP.NET framework defines some built-in handlers for processing. 


Example:
     ASP.NET Page Handler: Handles the request from ASP.NET web pages having extention .aspx
      Web Service Handler: Handlers the web service files having extenstion (*.asmx)
      User Control Handler: Handlers user controls files with extension (*.ascx)
        
List of the mapped HTTP Handler you will find in the config file

HTTP handlers are divided in to two types depending upon the way of generating output of the incoming request.
          1. Synchronous HTTP Handler
          2. Asynchronous HTTP Handler

Synchronous handlers does not return it's processed output until it finishes complete processing of the request, while asynchronous handlers runs a separate process independently to send the response back to user asynchronously.



Creating Custom HTTP Handler:
    To create a custom synchronous HTTP handler you need to implement the IHttpHandler interface and similarly for creating a custom asynchronous HTTP handler it is required to implement IHttpAsyncHandler interface. In both the cases it is required to implement the IsReusable property and ProcessRequest() method. 


IsReusable property determines whether the handler is placed in pool for re-use  or it is re-created every time it is required and ProcessRequest() method do the processing of each request.


Note: Session state is not by default enabled for HTTP Handlers, to enable it you have to implement the IRequiresSessionState or IReadOnlySessionState interface. These two are marker interfaces and there is no method to implement.


Configuring Custom HTTP Handler:
    After creating custom HTTP handler it is required to configure the web server and application to map the incoming request to be handled by the handler.


Steps to configure:
    1. Map the file extension that is going to be processed by your custom handler to ASP.NET ISAPI dll  (aspnet_isapi.dll) in the Internet Service Manager.
    2. Modify the web.config or machine.config file to register your handler.


Note: I have described steps to create a HTTP Handler on this post "Steps to create HTTP Handler"

April 12, 2011

Control State in ASP.NET

Description:
    Sometimes a control needs to store some essential data to work properly. For this purpose we can use view state to store the information. But one of the disadvantages of using view state is that it has the functionality that it can be turned off at control level as well as page level. So you cannot trust on view state to store control’s essential data as you have no control of the page where your control is going to be placed, you have to take care of this to preserve the data required to function control properly. To handle this situation ASP.NET page framework provides a feature called Control State.
    Control state works similar to view state but you cannot disable it like you allowed doing for view state. And it shares the same location with view state in the page to store its data (__VIEWSTATE hidden field).

Implementation:
To implement this you have to follow the following steps.
  1. Override the OnInit() Method and invoke the RegisterRequiredsControlState() method to register the page to participate in control state.
  2. Override the SaveControlState() method to save the control state data.
  3. Override the LoadControlState() method to load the control state data.
Example:
 
Advantages:
     1.       Other user using your control cannot disable the control state.
     2.       Disabling view state will not affect the control.
     3.       Server resource is not required as data is stored on the page.
Disadvantages:
     1.       It is not fully ready made; you have to write a little bit of code to implement this.
     2.       Like the same as view state, if large amount of data is stored then it will affect page performance as these data will travel with the page.

April 10, 2011

State Management in ASP.NET

Description:
    This is the process of maintaining the state of the page information over multiple requests. As we know web pages developed in ASP.NET uses HTTP protocol which is state less. It means each web request is treated as a new request at the web server end. So to build an interactive web application it is very much necessary  to keep the state of the page and user information.
    Depending upon the storage location and process of storage state management is divided in to two categories. 
                        1. Client side state management.
                        2. Server side state management.


Client side state management:
    Client side state management involves storing information on the client side inside the pages or on the client machine. The different types of client side state management options available in ASP.NET are
                                     1. View State
                                     2. Control State
                                     3. Cookies
                                     4. Query String
                                     5. Hidden Field


View State: 
    View State is the technique used by ASP.NET to keep the state of the page across post backs. This section is explained on this blog What is view state and its advantages and disadvantages.


Control State:
    This is almost similar to the view state but its functionality is independent of view state,    it cannot be turned off like we did in view state. This state is mainly designed to keep the essential information of the custom controls. The information of this state are stored in the same hidden field that is used to store the view state data. 


Hidden Fields:
    Hidden fields  provides a way to store information without displaying. It stores a single value in its value field and stores information in HTML format inside the page. This is not a secure way as it can be easily tampered.


Cookies:
    Cookies are basically designed to store small amount of information  that frequently changes. This data are always sent with the request to the web server. Cookies are stored as a text file in the clients file system (persistent cookie) or in memory in the client browser session (temporary cookie). And ASP.NET allow users to set the expiration policy on them. The main disadvantage of using cookie are the size limitation (4096 bytes, new versions of browser now starting supports of 8MB size) which is restricted by most of the browsers. And the other one is user have the option to disallowing cookies on their machine, in this situation cookies have no use.


Query String:
    This is the process of sending information on the URL. The query string data is appended at the end of the URL. This is basically used to submit information back to the current page or to another page. Similar to the cookies query string have also a size limitation on its length and another one is it is not much secure as it is visible in the URL.


Server side state management:
    Server side state management involves storing data at the server end. This technique has high security compared to the client side state management options. But the main disadvantage is that it uses server resource to store information, increase in storage data volume affects the server performance.
    The different server side state management options available in ASP.NET are.
                           1. Application State
                           2. Session State
                           3. Profile Properties
                           4. Database Supports


Application State:
     An application state is basically used to store global application specific information. These are available by the entire application and not user specific like the session data. ASP.NET provides Application state via the HttpApplicationState class.


Session State:
    Session state is used to store the user specific data in the server. It is described in details in the article "What is a session in ASP.NET". 


Profile Properties:
    Like the session state profile properties provide the functionality to store user specific  information. But the difference between them are session data expires with the expiration of the session or on the restart of the application and server while the profile data is never lost, even if on the restarts of application and server. ASP.NET profiler allows to easily mange user information without requiring you to create and maintain your own database. 


Database Support:
    This is in use when you require to persist large amount of information which need to be preserved regardless of application  and server restarts.

April 09, 2011

What is Session State in ASP.NET?

Description:
     As we know HTTP is a state less protocol, this means every request in the web server is treated as a independent request. The web server has no knowledge of values that are used in previous request. ASP.NET session state provides its solution, It helps to identify  requests from the same browser for a configured time period and provides the way to persists the values and variables.
   So a session is defined as the period of time that a unique user interacts with a web application. When the user first try to access a web page the session is created. ASP.NET maintains session state by providing the client a unique id called SessionID and which was either stored in a cookie by default or passed through the URL. Then after that the session cookie travels along with the page on every request to the server. ASP.NET uses this key to identify the user and its session information. Session variables are stored in a SessionStateItemCollection object and exposes by the HttpContext.Session property. 


    ASP.NET session state provides several storage  options for session variable, Those are
        1. InProc (Default mode)
        2. StateServer
        3. SQLServer
        4. CustomMode
        5. Off Mode (Session state is disabled for the web application)


InProc Mode:
    This is the default mode for storing session data. In this mode session data and variables are stored inside the memory of the local web server. It works faster than the other modes as data is stored in the same process with the application and also provides the Session_OnEnd event which is not available by other session state modes. One of the disadvantage of using this mode is that it loses all the session information when the application restarts as both are reside in the same process and another is it does not support the web firm situations. 


State Server Mode:
    In this mode session data is stored in a separate process called ASP.NET state server. In this mode it is ensured that the session state preserved even if the web application restarts or in the case of web firm situations.


SQL Server Mode:
   This mode uses the SQL Server to store the session state information. Like the State Server mode this mode also ensures that the session data is available even if the web application restarts or in web firms. This is the most reliable mode of storing the session even if the sql server restarts the data preserved (if the data is configured to be stored in user database not in tempDB). And the disadvantage is it is the slowest in storing and retrieving among all the available modes.


Note: Since both the State Server and SQL Server mode session state is stored our of process , it should be ensured that the data you are storing in session are serializable. while this restriction is not applicable to the InProc session mode, it allows all kind of object for storage.


Custom Mode:
   In this mode session data is stored using the custom session state provides and provides complete control over session. It allows to store data on different data sources like oracle, Access, MySql etc.











April 08, 2011

What is View State and its Advantages and Disadvantages?

 Definition:
           View State is the technique used by ASP.NET web pages to keep the state of the page across post backs. It stores data in a hidden field named __VIEWSTATE inside the page in Base-64 encoded formats. The encoding and decoding of the view state data is done by the LosFormatter class. 


There is a provision of turning off ViewState at control level and also at page level using the property EnableViewState.


Advantages:
    1. It does not require any server resource.
    2. Automatically retains the state of the page, which removes the headache of the     developer to maintain it manually.
    3.Provide the flexibility of enabling and disabling at control and page level. Also provide control to check and validate whether the view state data is tampered or not (when you set the EnableViewStateMac to true ASP.NET runs a message authentication check(mac) on the viewstate data to check whether the data is modified on the client end).


Disadvantages:
    1. Since the view state data is stored inside the page it increases network overhead as all the data travel along with the page.
    2. As data is stored in encoded format, it can be easily decoded. so it is advised not to store sensitive data in view state.


to be continue..

April 07, 2011

Object reference not set error when creating a new Report Project in Visual studio 2008

This is the problem i have faced while working one of my project. I have to do the reporting of that project using SSRS reports, when i try to create a report project in visual studio 2008 i got the error "object refference not set to an instance of an object". So i tried to uninstall and re-install the visual studio but have no luck. And finally the following command solved my issue.

I go to the command prompt and execute this command  "%ProgramFiles%\Microsoft Visual Studio 9.0\Common7\IDE\devenv.exe" /ResetSkipPkgs

This command clears all options to skip loading tags added to VSPackages.

April 05, 2011

SSRS Report Viewer control not rendering images on its toolbar

This is the problem i have faced during the deployment of one of my projects in Windows Server 2008 machine. While accessing the SSRS reports from asp.net pages using Report Viewer control the imanges in the toolbar are not rendering properly. And i have used the following steps to resolve this issue. I am posting this, so that if someone having similar problem can resolve it quickly.


Following are the steps:
Step 1: Goto Control Pannel\Administrative Tool\Internet Information Services (IIS) Manager.
Step 2: Open the Handler Mapping icon (you will find it on the IIS area on the middle panel)
Step 3: Click on the "Add Managed Handler." (you will get this option if the application pool is set to default applicaton pool)
step 4: a. Put Reserved.ReportViewerWebControl.axd on the "Request Path" text box.
           b. Put Microsoft.Reporting.WebForms.HttpHandler on "Type"
           c. Click on Ok.