Introduction To C-Sharp PDF
Introduction To C-Sharp PDF
                                                                        Naveed Zaman
                                       Senior Software Engineer and Database Developer
                                                                               Sam Hobbs
                                                                          Editor, C# Corner
                                                                          ©2013 C# CORNER.
          SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
This book is a basic introduction to “Object Oriented Programming Using C#” for beginners who have never used C#
before. After completing this book, you will understand:                                                           3
       Basic introduction to C# Classes
       C# Class Properties
       Use of Constructor
       OOP’s Concepts like encapsulation, polymorphism etc.
       Interface & Delegates
Table of Contents
   1.   Introduction to C# Classes
   2.   Introduction to C# Class Properties
   3.   More about C# Class Properties
            a.    Read only property.
            b. Write only property.
            c.    Auto implemented property.
   4.   Constructor
            a.    Default Constructor
            b.    Constructor Overloading
            c.    Private Constructors
            d.    Constructor Chaining
            e.    Static Constructors
            f.    Destructors
   5.   Encapsulation
   6.   Inheritance
   7.   Polymorphism
   8.   Abstract Methods
   9.   User Activity Log Using OOP
   10. Difference between Encapsulation and Abstraction
   11. Interface
   12. Virtual Methods
   13. Delegates
                                                                                 ©2013 C# CORNER.
                 SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
1. Introduction to C# Classes
                                                                                                                            4
C# is totally based on Object Oriented Programming (OOP). First of all, a class is a group of similar methods and
variables. A class contains definitions of variables, methods etcetera in most cases. When you create an instance of this
class it is referred to as an object. On this object, you use the defined methods and variables.
Step 1
Step 2
Using "Project" -> "Add Class" we add a new class to our project with the name "FLOWER".
                                                                              ©2013 C# CORNER.
              SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
                                                                                                   5
Step 3
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
namespace LearnClass
{
  class FLOWER
  {
     public string flowercolor;
     public FLOWER(string color)
     {
        this.flowercolor = color;
     }
     public string display()
     {
        return "Color of the flower : " + this.flowercolor;
     }
    }
}
                                                                               ©2013 C# CORNER.
               SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
In this example we have created the class FLOWER. In this class we declared one public variable flowercolor. Our FLOWER      6
class defines a constructor. It takes a parameter that allows us to initialize FLOWER objects with a color. In our case we
initialize it with the color yellow. The Describe() method shows the message. It simply returns a string with the
information we provided.
Step 4
using System;
namespace LearnClass
{
   class Program
   {
      static void Main(string[] args)
      {
         FLOWER flow;
         flow = new FLOWER("YELLOW");
         Console.WriteLine(flow.display());
         Console.ReadLine();
      }
   }
 }
                                                                                ©2013 C# CORNER.
                SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
                                                                                                                             7
Note: Method name FLOWER and class FLOWER are the same name but the method is a constructor of the class. (We will
discuss that topic in detail later on.)
Properties play a vital role in Object Oriented Programming. They allow us to access the private variables of a class from
outside the class. It is good to use a private variable in a class. Properties look like a combination of variables and
methods. Properties have sections: "a get and a set" method .The get method should return the variable, while the set
method should assign a value to it.
Step 1
                                                                              ©2013 C# CORNER.
              SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
                                                                                                                   8
Step 2
Now to add the new classes to the project use "Project" -> "Add class" with the class name "BikeColor" as in the
following:
                                                                              ©2013 C# CORNER.
              SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
                                                                                                  9
.
Step 3
After adding the new class your codes looks like the following:
                                                                              ©2013 C# CORNER.
              SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
Step 4
                                                                                                             10
Insert the following code in the class BikeColor as in the following:
Step 5
Insert the following code in the Main Module. After adding the following code it will show the error.
This is because you are accessing the private variable from outside the class; that is not allowed in OOP.
                                                                              ©2013 C# CORNER.
              SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
                                                                                                          11
Step 6
Now we will try to access the private variable using the property _MyBikeColor. Then it will work fine.
                                                                               ©2013 C# CORNER.
               SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
                                                                                                                           12
Conclusion
After creating this simple example we have learned the importance of properties in OOP. Properties help us to access the
private variable of the class. Moreover, properties help us to protect the private variable of the class from the
unauthorized access.
                                                                              ©2013 C# CORNER.
              SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
3. More about C# Class Properties
                                                                                                                 13
Types of Properties
Using a simple technique we can apply the read only property by just defining the get accessor in the property
implementation.
Example
using System;
namespace Readonlyproperties
{
  class Program
  {
     static void Main(string[] args)
     {
        Car SportCar = new Car();
        Console.WriteLine(
          "Model: {0}",SportCar.Model_ID);
        Console.WriteLine(
         "Maker: {0}",SportCar.Maker_Name);
       Console.ReadKey();
     }
     public class Car
     {
       private int model = 2012;
       private string maker = "mercedes";
    }
}
In the example above we create the Car class with two read-only properties, Model_ID and Maker_Name. You can say
that each property is read-only because they only have get accessors. We assign the values for the model and maker at
the time of defining the variables. In this case, the values are 2012 and "mercedes".
The Main method of the Readonlyproperties class instantiates a new Car object named SportCar. The instantiation of
SportCar uses the default constructor of the Car class.
Since the model and maker properties of the Car class are read-only, if you insert SportCar.Model_ID = 2013 into the
example, the program will generate an error and not compile, because Model_ID is read-only; the same goes for
Maker_Name. When the Model_ID and Maker_Name properties are used in Console.WriteLine, they work fine. This is
because these are read operations that only invoke the get accessor of the Model_ID and Maker_Name properties.
We have discussed read only properties. Now we will discuss the write-only property; there is very little difference
between the read-only and write-only properties. A write-only property only has a set accessor.
Example
using System;
namespace WriteOnlyProperty
{
  class Program
  {
     static void Main(string[] args)
     {
        Car SportsCar = new Car();
        SportsCar._model = 2013;
        SportsCar._maker = "lamborghini";
        SportsCar.DisplayCustomerData();
        Console.ReadKey();
        }
        public class Car
{
    private int model = -1;
                                                                                   ©2013 C# CORNER.
                   SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
    public int _model
    {                                                                                                                      15
      set
      {
         model = value;
      }
    }
        Console.WriteLine(
         "Maker: {0}", maker );
    }
}
In the example above we create the Car class with two write-only properties, Model_ID and Maker_Name. You can say
that each property is write-only because they only have set accessors. Using the set property we have assigned values to
model and maker. In this case, the values are 2013 and "lamborghini".
The Main method of the WriteOnlyProperty class instantiates a new Car object named SportCar. The instantiation of
SportCar uses the default constructor of the Car class.
Since the model and maker properties of the Car class are write-only, if you inserted Console.WriteLine (SportCar.
Model_ID) into the example, the program will generate an error and not compile, because Model_ID is write-only; the
same goes for Maker_Name. When the Model_ID and Maker_Name properties are used in SportCar.Model_ID =2012,
they work fine. This is because these are write operations that only invoke the set accessor of the Model_ID and
Maker_Name properties.
                                                                                 ©2013 C# CORNER.
                 SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
C# 3.0 introduced a new class property, called auto implemented property, that creates properties without get and set
accessor implementations.                                                                                                16
Example
using System;
namespace AutoImplementedproperty
{
  class Program
  {
     static void Main(string[] args)
     {
        car SportCar = new car();
          SportCar.model = 2014;
          SportCar.maker = "ferrari";
          Console.WriteLine(
            "Model: {0}", SportCar.model);
          Console.WriteLine(
           "Maker: {0}", SportCar.maker);
Console.ReadKey();
        }
        public class car
        {
          public int model { get; set; }
          public string maker { get; set; }
        }
    }
}
Please note that the get and set accessor in this example do not have implementations. In an an auto-implemented
property, the C# compiler performs the traditional properties behind the scenes. Main methods use the same traditional
properties in auto-implemented property that we discussed earlier.
                                                                                 ©2013 C# CORNER.
                 SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
4. Constructor
                                                                                                                            17
Types of Properties
        Default Constructor
        Constructor Overloading
        Private Constructors
        Constructor Chaining
        Static Constructors
        Destructors
Please note a few basic concepts of constructors and ensure that your understanding is crystal clear, otherwise you can't
understand OOP (constructors).
The modifiers can be private, public, protected or internal. The name of a constructor must be the name of the class for
which it is defined. A constructor can take zero or more arguments. A constructor with zero arguments (that is no-
argument) is known as the default constructor. Remember that there is not a return type for a constructor.
Default Constructors
A constructor without arguments is known as the default constructor. Remember that there is no return type for a
constructor. That default constructor simply invokes the parameterless constructor of the direct base class.
Example 1
using System;
namespace DefaultConstructors
{
  class Program
  {
     static void Main(string[] args)
     {
        car sportscar = new car();
                                                                              ©2013 C# CORNER.
              SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
            Console.WriteLine("Car Model is :{0} ", sportscar.model_Id);
            Console.WriteLine("Car Name is :{0}", sportscar.Maker_Name);                                                 18
            Console.ReadKey();
        }
        class car
        {
           private int model=-1;
           private string maker = string.Empty;
            public car()
            {
            //Default Constructor
            }
            public int model_Id
            {
              get {
                    return model ;
                 }
            }
            public string Maker_Name
            {
              get
              {
                 return maker;
              }
            }
        }
    }
}
Output Example 1
In this simple example we have the constructor without arguments or zero parameters that is the default constructor of
the class. The output of the preceding example is empty member variables.
Please note one more point; if we remove the following code from Example 1 then the output is the same.
public car()
{
  //Default Constructor
}
Which means that if we did not define the constructor of the class the system will call the default constructor.
                                                                                  ©2013 C# CORNER.
                  SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
Constructors Overloading                                                                                                      19
First we will discuss the purpose of constructor overloading; it's very important to have the clear understating of the
preceding topic. There are many complex conditions that exist when designing OOP models and we need to initialize a
different set of member variables for different purposes of a class. So we need to use constructor overloading. The
definition of constructor overloading is:
Just like member functions, constructors can also be overloaded in a class. The overloaded constructor must differ in their
number of arguments and/or type of arguments and/or order of arguments.
Example 2
using System;
namespace ConstructorsOverloading
{
  class Program
  {
     static void Main(string[] args)
     {
       Console.ReadKey();
     }
     class car
     {
        private int model = -1;
        private string maker = string.Empty;
        private double Enginetype= 0.0;
                                                                                ©2013 C# CORNER.
                SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
public car()                                                                              20
{
  //Default Constructor
}
public car( int _model,string _maker)
{
  model = _model;
  maker = _maker;
}
public car(string _maker, double _power)
{
  maker = _maker;
  Enginetype = _power;
}
public int model_Id
{
  get
  {
     return model;
  }
  set
  {
     model = value;
  }
}
public string Maker_Name
{
  get
  {
     return maker;
  }
  set
  {
     maker = value;
  }
}
public double Engine
{
  get
  {
     return Enginetype;
  }
  set
  {
     Enginetype = value;
  }
}
                                                                      ©2013 C# CORNER.
      SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
        }
    }                                                                                                                         21
}
Output Example 2
Dear reader, please note that in this example we have overload the constructor using three different objects, these are
sportscar1, sportscar2 and sportscar3.
We notice that:
    sportscar1 has no arguments (the default constructor is out of topic scope). So that member variable has that
       default values that was assigned at the time of initialization.
           sportscar2 has two arguments that initializes the member variables model and name with the values 2013 and
            Mercedes respectively but does not initialize the Enginetype variable so it has the default value zero.
           sportscar3 has two arguments that initialize the member variables name and Enginetype with the values
            Mercedes and 7.8 respectively but does not initialize the model variable so it is has the default value -1.
Private Constructors
Dear reader, as we know, the private access modifier is a bit of a special case. We neither create the object of the class,
nor can we inherit the class with only private constructors. But yes, we can have the set of public constructors along with
the private constructors in the class and the public constructors can access the private constructors from within the class
through constructor chaining. Private constructors are commonly used in classes that contain only static members.
using System;
namespace PrivateConstructors
{
                                                                                  ©2013 C# CORNER.
                  SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
    class Program
    {                                                                                                                          22
       static void Main(string[] args)
       {
          car sportscar = new car(2013);
          Console.Read();
       }
       class car
       {
          public string carname;
          private car()
          {
            carname = "lamborghini";
          }
          public car(int model):this()
          {
             Console.WriteLine("Model Year:{0}",model);
             Console.WriteLine("Maker Name:{0}",carname);
          }
        }
    }
}
This is a very simple example of private constructors in which we use a public constructor to call the private constructor.
Constructors Chaining
Dear reader, when a constructor invokes another constructor in the same class or in the base class of this class it is known
as constructor chaining. It is a very useful technique for avoiding code duplication.
using System;
namespace Constructorchaining
{
  class Program
  {
     static void Main(string[] args)
     {
        car sportscar = new car(7.8);
        Console.Read();
     }
     class car
     {
        public string carname;
        public int model;
        public double engine;
        public car(string _carname)
        {
           carname = _carname;
                                                                               ©2013 C# CORNER.
               SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
            }
                                                                                                                                   23
            public car(int _model): this("lamborghini")
            {
              model= _model;
            }
            public car(double _engine) : this(2013)
            {
              engine = _engine;
              Console.WriteLine("Model Year:{0}", model);
              Console.WriteLine("Maker Name:{0}", carname);
              Console.WriteLine("Engine Type:{0}", engine);
            }
        }
    }
}
In the preceding example we created three different classes with the name car having different parameter types, each
one chain the previous one to invoke the other constructor.
Static Constructors
The static constructor is the special type that does not take access modifiers or have parameters. It is called automatically
to initialize the class before the first instance is created or any static members are referenced. The static constructor is not
called directly. Users can't control the execution of the static constructor.
using System;
namespace staticconstructors
{
  class Program
  {
     public class car
     {
        static car()
        {
           System.Console.WriteLine(@"Lamborghini is the best sports car owned by Audi AG 1998 (its static info)");
        }
        public static void Drive()
        {
           System.Console.WriteLine("Audi is the stable company");
        }
     }
     static void Main()
     {
        car.Drive();
        car.Drive();
        Console.ReadKey();
                                                                                  ©2013 C# CORNER.
                  SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
        }
    }                                                                                                                            24
}
Output
Note that the static constructor is called when the class is loaded the first time. When we again call "car.Drive" it will not
call the static constructor.
Destructors
Dear reader, when we are working with OOP and creating objects in system memory it's necessary to clean the unwanted
objects from the system memory The .NET framework has built-in Garbage Collection to de-allocate memory occupied
by the unused objects. A Destructor is a function with the same name as the name of the class but starting with the
character ~. The Destructor can't have any of the modifiers private, public etcetera.
Example
class car
{
public car()
{
// constructor
}
~car()
{
// Destructor
}
}
5. Encapsulation
"Encapsulation” is a process of binding data members (variables and properties) and member functions (methods) into a
single unit". And Class is the best example of encapsulation.
                                                                                 ©2013 C# CORNER.
                 SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
                                                                                                                               25
In very simple words we can say that encapsulation is a technique to hide the complexity of a class (its member variables
and methods) from the user. It makes it easier for the user to use only the accessible required methods plus it will protect
the data from accidental corruption.
Example
using System;
namespace Encapsulation
{
  class Program
  {
     static void Main(string[] args)
     {
        credit_Card_Info cr = new credit_Card_Info("Naveed Zaman", "002020-1",5000,16.5);
        cr.disbursement=6999;
        cr.display();
        Console.ReadKey();
     }
     class credit_Card_Info
     {
        private string customername=string.Empty ;
        private string cardno = string.Empty;
        private double creditamount=-1;
        private double markuprate = -1;
        }
    }
}
In that example we have created the class credit_Card_Info with four member variables having private access modifiers.
Then we have defined the constructor of the class that initializes the four member variables of a class. After that we used
get and set properties of the class to access the private variable of a class. The last display method will show the output
of the class member variables.
So we can observe that the user must provide only the "cr.disbursement=6999" amount and encapsulation will calculate
the markup and outstanding of the client. In that simple example the user did know the complexity of the class member
variables and methods.
For Example:
Inheritance means to inherit something from the source. For example a son can inherit habits from his father. The same
concept is used in of Object Oriented Programming; it's the second pillar of OOP.
Inheritance enables creation of a new class that inherits the properties from another class or base class and the class that
inherits those members is called the derived class. So the derived class has the properties of the base class and its own
class properties as well.
Example:
using System;
namespace Inheritance
{
   class Program
  {
     public class vehicle
     {
        public vehicle()
        {
          Console.WriteLine("I am Vehicle");
        }
     }
Out Put:
                                                                                 ©2013 C# CORNER.
                 SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
                                                                                                                                 29
In this simple example we have designed a base class, vehicle, and then we derived two classes, car and truck; these are
derived classes of the vehicle class. After that we again create two classes derived from the car class. The Patrol and
electric classes are derived classes of the car class which is the base class for the derived classes. Then we just create the
object of the truck class that automatically calls the base class vehicle and the same for the patrol and electric classes, we
create an object of these classes that automatically call the car class and then the car class calls the vehicle class.
                                                                              ©2013 C# CORNER.
              SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
7. Polymorphism
                                                                                                                       30
How often do we use polymorphism in our programs? Polymorphism is the third main pillar of Object Oriented
Programming languages and we use it nearly daily without thinking about it.
Here is a very simple diagram that will explain the polymorphism itself.
In simple words we can say that whenever we are overloading the methods of a class it is called polymorphism. Or you
can say polymorphism is often expressed as "one interface, multiple functions". This means we have more than one
function with the same name but different parameters.
Example
using System;
namespace Polymorphism
{
  class Program
  {
     class car
     {
        public void CarDetail()
        {
           Console.WriteLine("Car Toyota is available");
        }
                                                                              ©2013 C# CORNER.
              SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
                  Console.WriteLine("Car lamborghini is available its expensive car");
             }                                                                                                                   31
             public void CarDetail(int priceRange, string colour)
             {
               Console.WriteLine("Car mercedes is available in white color");
             }
         }
         static void Main(string[] args)
         {
            car cr = new car();
            cr.CarDetail();
            cr.CarDetail(2200000);
            cr.CarDetail(2200000, "White");
            Console.ReadKey();
         }
    }
}
In this example we have created three different functions with the same name (CarDetail) having a different set of
parameters. In the next topic I will discuss Polymorphism in more detail with its two types:
        1.       Static Polymorphism
        2.       Dynamic Polymorphism
8. Abstract Methods
"Abstraction is used to manage complexity. No objects of an abstract class are can be created. An abstract class is used for
inheritance."
For Example
When we drive a car we often need to change the gears of the vehicle but we are otherwise not concerned about the
inner details of the vehicle engine. What matters to us is that we must shift gears, that's it. This is abstraction; show only
the details that matter to the user.
Example
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
                                                                                      ©2013 C# CORNER.
                      SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
namespace @abstract
{                                                                                                           32
  class Program
  {
                                                                               ©2013 C# CORNER.
               SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
}
                                                                                                                      33
Output
Step 1
I have defined one abstract class "pay" with protected variable that can only be accessed by the same class or in a
derived class. These member variables are initiated with values.
Step 2
Step 3
In the void main session we have created the object of the "Netpay" class. Using the object we call the
"CalculatePay" method that will do the calculation of the pay.
So the user is only concerned with the pay of the employee and its output. How this pay is calculated is not necessary to
be understood.
Now, we will create a small application. Please follow this link user-activity-log-using-C-Sharp-with-sql-server/ before
continuing. Here we will again redesign the same application using the following concepts. It will help us to understand
these concepts more clearly plus how to implement them in our own applications.
    1.   Class
    2.   Member variables
    3.   Read only Properties
    4.   Methods
    5.   Object
    6.   Default Constructor
    7.   Constructor Overloading
Application Detail
Keep track of user activities in a Database Managements System. Specially while working on the Client server
environment where we need to keep track of the System IP/System Name, Login Id, Time stamp and the action
performed on any of database applications. Either the user edits any client record or does a transition etcetera.
Step 1
GO
SET ANSI_PADDING OFF
Step 2
GO
SET ANSI_PADDING OFF
Step 3
Step 4
Start Visual Studio and create a new Desktop project with the name "UserActivityLog_OOP_Concept".
                                                                              ©2013 C# CORNER.
              SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
                                                                                                                            36
Step 5
First of all we create the login form that will help us to understand the basic concepts of the topic. Create the form as
shown in the picture.
                                                                              ©2013 C# CORNER.
              SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
                                                                                                 37
Step 6
                                                                             ©2013 C# CORNER.
             SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
                                                                                                                       38
Step 7
Now add a few buttons on it. For example "Add-New", "Save", "Discard" and "Logout" buttons on a form as showm in the
following picture.
                                                                             ©2013 C# CORNER.
             SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
                                                                                                 39
Step 8
                                                                             ©2013 C# CORNER.
             SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
                                                                                                                      40
Step 9
Now we will create the function GetDBConnection. It is a public function so it can be accessed from anywhere in the
project. But you must modify the data source settings relevant to your own settings.
For example:
Step 10
                                                                               ©2013 C# CORNER.
               SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
Now we will create another class login that will help us to verify the anthorication of the user. After providing username
and password.                                                                                                                41
Step 11
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Data.SqlClient;
using System.Data;
namespace UserActivityLog_OOP_Concept
{
  class Login
  {
                                                                              ©2013 C# CORNER.
              SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
static string userid;
static string password;                                                                         42
static string ip;
public string EmpNo = string.Empty;
SqlConnection con = Main.GetDBConnection();
public Login()
{}
      {
          return userid;
      }
  }
    }
}
We have create the class login and in that class we define four member variables, three of them static and one is public.
We have already discussed access modifiers in prevoius topics. After that we have created an object icon of the class
Main that we defined in Step 6. It will help us to create the connnection between C# and SQL Server.
After that we have defined the default constructor of a class Login and overloaded the Constructor with two parameters.
Its very important to understand the importance of the overloaded constructor. It will be initlized whenever we create the
object of the class with the two parameters, userid and password. We have defined a default constructor as well that will
help us when we need an object on a class without parameters.
                                                                                   ©2013 C# CORNER.
                   SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
                                                                                                                               44
Further we have defined read-only properties of the class login that will help us to read member variables.
In this session we have defined a method validation of a class login that will help us to validate the login info and return
EmpNo.
                                                                              ©2013 C# CORNER.
              SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
Step 12
                                                                                                                            45
Please insert the following code in the UserActivityLog class.
Block A
Block B
                                                                                ©2013 C# CORNER.
                SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
         A method task will be used to insert the data into the database, so we need to create the object on the main
          class with the nameof icon.                                                                                      46
         Using an insert statement we can insert the new row into the database that will get the parameter action which
          can be "login", "add new", "save" etcetera.
Step 13
                                                                               ©2013 C# CORNER.
               SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
Please insert the following code in form1.
                                                                                                  47
                                                                              ©2013 C# CORNER.
              SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
                                                                                                            48
Block A
Block B
Block C
Block D
         Creating object LG that will activate the constructor of the class login with three parameters.
         Call the method validation using the object LG.
         Using "LG.EmpNo" public variable we check either user and password correct.
         Message box if information is not correct.
                                                                                ©2013 C# CORNER.
                SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
         If information is correct then we will create object "alog" of the class UserActivityLog; it calls the constructor with
          four parameters.                                                                                                          49
         Using the "alog" object we call the method task that will insert the data in the database.
         FrmActivity creates the object of the form.
         Load the form using the object name frmmain.
Step 14
                                                                                ©2013 C# CORNER.
                SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
                                                                                    50
                                                                ©2013 C# CORNER.
SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
                                                                                                                          51
Block A
Block B
Step 15
Now press F5. You will see the login screen; just enter:
                                                                                ©2013 C# CORNER.
                SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
                                                                                                     52
Now press the "Add-New" button, "Save" button, "Discard" button and then press the "Login" button.
Step 16
                                                                              ©2013 C# CORNER.
              SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
Now open then SQL Server table; you will get a result like the following:
                                                                                                                      53
There is a very basic difference between encapsulation and abstraction for beginners of OOP. They might get
confused by it. But there is huge difference between them if you understand both the topics in detail.
Abstraction means to hide the unnecessary data from the user. The user only needs the required functionality or the
output according to his requirements. For example a digital camera.
Dear reader, whenever we use a digital camera, we just click on the Zoom In and Zoom Out buttons and the camera
zooms in and out but we can feel the lens moving. If we open the camera then we will see its complex mechanism that
we can't understand. So pressing the button and getting the results according to your demand is the abstraction.
                                                                              ©2013 C# CORNER.
              SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
                                                                                                                        54
Encapsulation is simply combining the data members and functions into a single entity called an object.
If we consider the camera example again, when we press zoom In/Out buttons, inside the camera it uses mechanisms
that consists of gears and lenses to zoom in or zoom out. The combination of gears and lenses is called encapsulation
that will help the zooming functionality to work smoothly.
Or
Abstraction solves the problem in the design side while encapsulation is the implementation.
Example:
                                                                              ©2013 C# CORNER.
              SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
                                                                                              55
Output:
                                                                          ©2013 C# CORNER.
          SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
                                                                                                                          56
Block A
Block B
         In this session we have defined a class with an abstract class as the base class.
         With two public variables and two functions.
         One property zoomresult that is overriden from the base class
         In this block we have changed the value of the gear and lens in order to change the size of the _picturesize
          variable.
Block C
11. Interface
Dear reader, today we will discuss another important component of OOP, interfaces. This topic again confuses OOP
bginners. I have even found many questions in various forums regarding interfaces.
         What is an interface?
         When to use an interface?
         Why use an interface?
         Where to use an interface?
So I will explain interfaces with an example. When you press the "power" button of your machine, it's an interface
between you and the electrical wiring on the other side of its plastic casing. You press the "power" button to turn the
machine on and off.
                                                                                ©2013 C# CORNER.
                SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
                                                                                                                           57
In simple words, an interface defines how you can interact with a class, in other words what methods it supports.
What is an interface?
An interface is a programming structure/syntax that allows the computer to enforce certain properties on an object
(class).
This is a very important question for the new developer. For example we have a core banking system. We all know that
bank data is very sensitive. A little negligence is risky. So if the bank decided to develop a mobile banking web
application from a third party developer then we can't provide full access to our main core banking application. So we
must design the interface in our core banking application. You might use a DLL as well.
The other developers can use that DLL and send data for the transition in the main application. The third-party
developers only access the core banking application with the limited rights that we have given them in the interface. So
the interface is very useful in such conditions.
Simple Example
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
namespace Interfacelesson
{
  class Program
  {
     interface ISupercar
     {
        /// Interface method declaration
        bool smartcar();
     }
      class mercedes : ISupercar
     {
        public mercedes()
        {
        }
                                                                              ©2013 C# CORNER.
              SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
            /// Interface method definition in the class that implements it
            public bool smartcar()                                                                          58
            {
               Console.WriteLine("you have smart car");
               return true;
            }
        }
        static void Main(string[] args)
        {
           ISupercar mycar = new mercedes();
           mycar.smartcar();
           Console.Read();
        }
    }
}
Output:
Block A
Block A is:
Block B
Block B is:
           In this sessoion we have defined the class Mercedes with the implemented interface ISupercar.
           Having one method smartcar with implementation.
Block C
Block C is:
           Create one object of the interface using "ISupercar mycar = new mercedes();".
           Using that object "mycar" we access the method that we have defined in the class mercedes.
                                                                                  ©2013 C# CORNER.
                  SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
         Allow for pluggable software
         Allow objects to interact easily                                                                                        59
         Hide implementation details of classes from each other
         Facilitate reuse of software
C# does not support multiple inheritances. An interface on the other hand resolves the multiple inheritances problem.
One class can implement many interfaces.
An Advance Example
In this example we will create the two small projects. In the first project we will create a DLL file and define one interface.
In the second project we will call the DLL file that we have designed in the first project, then we will use the interface of
the first project. This will help us to understand the concept of interfces more clearly.
In this project our concept is very simple. We will create the core banking application concept and then we will create the
DLL of the core banking project and use it in the mobilebanking project.
Step 1:
Create the new project with the name of "learninterface" with project type Class Library.
Step 2:
Step 3:
Now we will define the interface with the name of "Icorebanking" with the one method "void updatetransition(int a, int
b);" without implementation because an interface does not allow implementation of the method in the interface and it's a
good practice to always use the capital "I" for the interface name.
Step 4:
Now we will implement the interface in a class Corebanking. So we must implement all the methods of the interface in
the class Corebanking.
Step 5:
                                                                              ©2013 C# CORNER.
              SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
                                                                                                                  61
Step 6:
Now we will create the function GetDBConnection as a public function so it can be accessed from anywhere in the
project. But you must modify the data source setting according to your own settings.
For Example:
Step 7:
Add the new class with the name "Transition" and insert the following method into it.
Step 9:
Step 10:
Now add another project as shown in the diagram with the name of MobileBanking:
                                                                              ©2013 C# CORNER.
              SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
                                                                                               63
Step 11:
                                                                           ©2013 C# CORNER.
           SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
                                                                                    64
                                                                ©2013 C# CORNER.
SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
It's an important step. First we must add the referance of the DLL file to the MobileBanking project, then we will design
the form1.                                                                                                                  65
Step 12:
Step 13:
                                                                              ©2013 C# CORNER.
              SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
                                                                                                                        66
Now we need to design the form as shown in the picture to send data into the datecase using the interface DLL created
in the first project.
Step 14:
In that step we will insert the following code into the button.
Step 15:
                                                                              ©2013 C# CORNER.
              SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
                                                                                                                                 67
Now execute the project and enter the following data into the textboxes and click the Save button.
Step 16:
Now check the database and you will see the following result.
Dear reader today we will discuss another important component of OOP, virtual methods. I will explain this using a
simple example. Fig (1.0) shows Class A having one virtual method AA and its implementation is a shirt with a yellow
flower. Class B inherits Class A and overrides the method AA; its implementation is different since it wears a different shirt
style with cap.
                                                                                  ©2013 C# CORNER.
                  SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
                                                                                                                          68
In simple words:
A virtual method is a method that can be redefined in derived classes. A virtual method has an implementation in a base
class as well as in a derived class. It is used when a method's basic functionality is the same but sometimes more
functionality is needed in the derived class.
Simple Example
                                                                              ©2013 C# CORNER.
              SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
                                                                                                                            69
Output:
Block A:
Block B:
         In this session we have defined the class Grade1 that inherts the class pay.
         After that we have overriden the class calculatepay having the same signature.
         Now we have the implementation of that calculatepay method that will calculate and print the pay.
Block C:
         First we have defined the object of the class pay, then we call the methods of the class pay with two arguments
          that will calculate the ordinary pay.
         Then we will again create the object of the Grade1 class and using that object we call overrode the method
          calculatepay.
                                                                                ©2013 C# CORNER.
                SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
Real Example:
                                                                                                                                 70
In this example we will create the small application that will calculate the tax of the gross pay. In our application we allow
the tax exemption for employees whose age is greater than 50 years.
Step 1:
Step 2:
                                                                              ©2013 C# CORNER.
              SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
                                                                                                   71
Step 3:
Create a new class with name of tax as in the following. Having one virtual method calculateTax.
                                                                              ©2013 C# CORNER.
              SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
                                                                                                                          72
Block A:
Block B:
 In this session we have defined the two gettax and getslab properties that will help to get the result.
Block C:
         In this session we have defined the class caltax that inherts the class tax.
         After that we have overriden the class calculateTax having the same signature.
         Now we need to implement the calculateTax method to calculate the tax for the employee whose ages is greater
          the 50 years.
Step 4:
Block A:
         In this session we have used an if statement that will determeine whether to create the object of the virtual
          method or overriden method.
                                                                                ©2013 C# CORNER.
                SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
         Then it will calculate the tax and return the result in text boxes.
                                                                                                    73
Step 5:
To execute the program press F5 and enter the gross pay 70000 and click on the button.
Step 6:
Now click the check box button and again click the click button Calculate tax.
                                                                                ©2013 C# CORNER.
                SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
                                                                                                                              74
13. Delegates
Dear reader, today we will discuss another important component of OOP, which is delegates. It's the modern approach to
call methods. Using that approach you can call any method with the same signature as the delegate. So we can say that a
delegate is the launching pad for methods; any method can be launched that matches the pattern. Or a Delegate is a
class. When you create an instance of it, you pass in the function name (as a parameter for the delegate's constructor) to
which this delegate will refer.
In simple words, a delegate is a type that safely encapsulates a method; a delegate is a pointer to a method. Just like you
can pass a variable by reference, you can pass a reference to a method. Delegates are often used to implement callbacks
and event listeners. A delegate does not need to know anything about the classes or methods it works with.
       Declare a Delegate
       Instantiate the Delegate
                                                                               ©2013 C# CORNER.
               SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
      Execute the Delegate
                                                                                                75
Simple Example 1:
                                                                            ©2013 C# CORNER.
            SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
                                                                                                     76
Output:
Block A:
 In this sessoion we have defined a delegate with the name Delegate_Pro with two parameters.
Block B:
Block C:
      First we have defined the object of the delegate passing method as the parameter.
      Then we will input two parameters from the user and save them in two variables.
                                                                            ©2013 C# CORNER.
            SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
           Now we will activate the delegate using the object we created and save the result in another variable.
           In the end we will show the result in the console.                                                          77
Events
A hook on an object where the code outside of the object can say "When that something happens, that fires this event,
please call my code".
Simple Example 2:
using System;
using System.Collections.Generic;
using System.ComponentModel;
using System.Data;
using System.Drawing;
using System.Linq;
using System.Text;
using System.Windows.Forms;
namespace @event
{
  public partial class Form1 : Form
  {
    public int a=1;
        public Form1()
        {
              InitializeComponent();
              this.button1.Click += new System.EventHandler(this.button1_Click);
              this.button1.Click += new System.EventHandler(this.button1_Click);
            MessageBox.Show(a.ToString());
            a++;
        }
    }
}
Output:
                                                                                  ©2013 C# CORNER.
                  SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
                                                                                                                            78
In the preceding example we have defined the simple event on button click. When we click the button once, it will display
the message box three times or call the click event three times.
The best uses of delegates are in the events and we have daily use delegates with events without knowing them.
Simple Example 3:
                                                                              ©2013 C# CORNER.
              SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
                                                                                                      79
Output:
Block A:
 In this session we have defined a delegate with the name OnEventHandler with two parameters.
                                                                            ©2013 C# CORNER.
            SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.
Block B:
                                                                                                                  80
       In this session we have tagged the delegate with the event FiveEvent.
       We have defined the method Gotfive. In that method we have activated the delegate using FiveEvent(this,
        EventArgs.Empty);
       Another method callback having the same signature with delegates.
Block C:
       In this sessoion we have defined an object of the class FEvent that is fevent.
       Using that fevent we have instantiated the Delegate with the callback method.
       Create the object of the Random class with the name of random.
       We use a for loop and generate five numbers using the random object.
       It will check the numbers; for each one that's five, it will activate the delegate.
                                                                              ©2013 C# CORNER.
              SHARE THIS DOCUMENT AS IT IS. PLEASE DO NOT REPRODUCE, REPUBLISH, CHANGE OR COPY.