day 3 agenda

38
What we have learned last time? In Day 2 we have learned following things 1. Namespaces 2. Classes 3. Abstraction 4. Encapsulation 5. Inheritance 6. Properties 7. Access Modifiers Before going ahead I would strongly recommend you to watch and learn .net in 60 days series for in depth practical knowledge of c#. Day 3 Agenda 1. Interface 2. Abstract class

Upload: saillesh-pawar

Post on 12-Jul-2016

40 views

Category:

Documents


0 download

DESCRIPTION

Learn Tiny Bit of C# in 7 days : As the Subject Line says we are going to Learn Tiny Bit of C# in 7 days stay tuned.

TRANSCRIPT

Page 1: Day 3 Agenda

What we have learned last time?In Day 2 we have learned following things

1. Namespaces2. Classes3. Abstraction4. Encapsulation5. Inheritance6. Properties7. Access Modifiers

Before going ahead I would strongly recommend you to watch and learn .net in 60 days series for in depth practical knowledge of c#.

Day 3 Agenda

1. Interface2. Abstract class3. Abstract classes vs Interface

Page 2: Day 3 Agenda

In Day 3 we have kept few topics but these topics are important that need in depth knowledge in order to understand them, I hope that you will enjoy Day 3 of Learn tiny bit of C#.

InterfaceInterface is like a class that cannot contains the definition i.e. it contains empty events, methods and properties. We create Interface using interface keyword. Just like classes interface contains properties, methods, members, delegates or event but only declaration and no implementation.

In one term we call Interface as a Contract because they force the class to follow the contract between Class and Interface.

SYNTAX:

interface ICustomer //Write Interface and name of Interface{void Bonus();//definition of method

}

Interface cannot contain Fields(variables)

E.g.

Page 3: Day 3 Agenda

public interface ICustomer { int CustomerName; }

If we try to declare a field inside an Interface we face a compile time error saying Interface cannot contain fields. We can declare a public

Interface member cannot have a definition.

This means that a function of Interface cannot have its definition of its own.

E.g.

public interface ICustomer { void Print() { Console.WriteLine("Hello"); } }.

Page 4: Day 3 Agenda

How to implement Interface

As we inherit a class in C# using (:) same we have to do when we want to implement an

Interface.

We need to Implement the Interface members

If we just implement the Interface and does not implement the properties or function it will threw a compile time error as shown below:

public interface ICustomer {

int _Name { get; set; } void Print(); }

public class Customer : ICustomer {

}

Page 5: Day 3 Agenda

When we implement the Interface the members should be Public E.g.

public interface ICustomer {

int _Name { get; set; } void Print(); }

public class Customer : ICustomer {

public int _Name { get { throw new NotImplementedException(); } set { throw new NotImplementedException(); } }

void Print() { throw new NotImplementedException(); } }

Page 6: Day 3 Agenda

public interface ICustomer {

int _Name { get; set; } void Print(); }

public class Customer : ICustomer {

public int _Name { get { throw new NotImplementedException(); } set { throw new NotImplementedException(); } }

public void Print() {

Page 7: Day 3 Agenda

throw new NotImplementedException(); } }

namespace Interface{ interface ICustomer { void Bonus();

}

class Customer:ICustomer //implementing Interface { public void Bonus() //implementing the function of ICustomer Interface { Console.WriteLine("Bonus of this year"); Console.ReadLine(); } }

Interface member are public by default, and they allow explicit modifiers if a class inherits from an interface it must provide implementation for all interface members. Otherwise, we get a compiler error, as shown below.

Page 8: Day 3 Agenda

Now once we implement the interface the above mentioned error gets resolved.

We can see the command prompt window with the output.

What if a Class implementing an Interface inherits another Interface?

using System;

namespace Interface{

interface ICustomer { void Print();

}

interface Icustomer2:ICustomer { void Print2(); } public class Customer:Icustomer2 {

public void Print2() { Console.WriteLine("ICustomer2 Method"); }

Page 9: Day 3 Agenda

}

class Program { static void Main(string[] args) { Customer objCustomer = new Customer(); objCustomer.Print2(); } }}

Now once I try to build the same I face the below error:

I.E. when a Class implements an Interface which inherits the other Interface than the Class has to provide the implementation for both the Interface methods.

public class Customer:Icustomer2 {

public void Print2() { Console.WriteLine("ICustomer2 Method"); }

public void Print() { Console.WriteLine("ICustomer1 Method"); } }

Now once I implement the other Interface method and try to build the application. The application gets successfully build.

Page 10: Day 3 Agenda

We cannot create an instance of Interface, but an Interface reference variable can be point towards a class object which is implementing the Interface.

Now the questions comes why we should use of Interface

1. ENFORCE the Standardization/ consistency(Contract)2. Decoupling

ENFORCE the Standardization/ consistency (Contract).

In law, a contract (or informally known as an agreement in some jurisdictions) is an agreement having a lawful object entered into voluntarily by two or more parties, each of whom intends to create one or more legal obligations between them. Source Wikipedia

Basically by the words contract we mean that class will implement all methods of Interface. Class that implements the Interface here by signs the Contract that I will implement all the methods, etc. of the Interface. We will be showing the example for the same in below example.

Decoupling

Decoupling as the word specifies dissociate (something) from something else, so here in programming world decoupling stand where we separate the dependency between our business layer concrete classes , UI layer and DAL Layer as shown below. As we have seen we

Page 11: Day 3 Agenda

cannot create an object of the Interface, but an Interface reference variable can point towards a derived class object.

So let’s get started we will create a Registration Page where will be inserting the User Details into the database without directly calling BAL or DAL from the concrete classes rather we will call these classes via an Interface. This topic will be little bit difficult to understand please focus a try to do practical of the same.

So switch to Visual studio.

I have created a web Application Named TestInterface which is basically a Web Form based application.

We create a UI as shown below

So when we create an Enterprise application we should make them in 3 layer architecture which means UI, BAL(Business Layer or Concrete classes) and DAL Data Access Layer.

So we have created our UI which generally talks to the concrete classes and then the concrete classes talks with DAL class to insert or update to delete information vice versa. In this scenario we make a strong coupling between our Layers that means that our Layers are not decoupled from each other in order to make them decoupled we make use of an Interface.

Now we will create our Business Class called User.cs which will contain properties related to the User like (FirstName, LastName, Address and MobileNo).

We create an Interface called ICRUD(Create, Read, Update and Delete) where we will define our Methods that are will be enforced to be implemented by the User Class.

We create our IRegister Interface which will implement ICRUD and will contains properties as shown below

public interface IRegister {

Page 12: Day 3 Agenda

string FirstName { get; set; } string LastName { get; set; } string Address { get; set; } string MobileNo { get; set; }

}

Now we will also create an Interface which responsible for communicating between our BAL and DAL layer and will also decide which DB to be used. (sql server or oracle.

public interface IDb {

/// <summary> /// Insert to method will take 4 parameters to save the information to the db /// and return the generated ID for the User and same will be displayed to the User /// </summary> /// <param name="_FirstName">Coming from BAL RegisterUser _FirstName property</param> /// <param name="_LastName">Coming from BAL RegisterUser _LastName property</param> /// <param name="_Address">Coming from BAL RegisterUser _Address property</param> /// <param name="_MobileNo">Coming from BAL RegisterUser _MobileNo property</param> /// <returns></returns> int Insert(string _FirstName, string _LastName, string _Address, string _MobileNo);

}

Here I have only created on method while we can create all the operations that we need to perform as per our Business requirements.

Now once we have create our Interface lets implement the Interface in our BAL class

using System;using System.Collections.Generic;using System.Linq;using System.Text;using System.Threading.Tasks;using Interface;

Page 13: Day 3 Agenda

namespace BAL{ public class User:IRegister {

public string FirstName { get { throw new NotImplementedException(); } set { throw new NotImplementedException(); } }

public string LastName { get { throw new NotImplementedException(); } set { throw new NotImplementedException(); } }

public string Address { get { throw new NotImplementedException(); } set { throw new NotImplementedException(); } }

public string MobileNo { get { throw new NotImplementedException(); } set { throw new NotImplementedException(); } }

public int InsertUser() { throw new NotImplementedException();

Page 14: Day 3 Agenda

} }}

*Note- Our IRegister Interface implements ICRUD interface so now class has to implement both the functionality of IRegister as well as ICRUD Interface as shown above.

We will write our implementation functionality for UserClass .

using System;using System.Collections.Generic;using System.Linq;using System.Text;using System.Threading.Tasks;using Interface;

namespace BAL{ public class User:IRegister { private int _UserId; private string _FirstName; private string _Address; private string _LastName; private string _MobileNo;

public string FirstName { get { return _FirstName; } set { _FirstName = value; } }

public string LastName { get { return _LastName; } set { _LastName = value; } }

public string Address { get

Page 15: Day 3 Agenda

{ return _Address; } set { _Address = value; } }

public string MobileNo { get { return _MobileNo; } set { _MobileNo = value; } }

public int InsertUser(IDb obj) {

_UserId= obj.Insert(_FirstName,_LastName,_Address,_MobileNo); return _UserId;

} }}

*Note: Here IDb Interface will communicate between BAL and DAL layer and will also decide which DB server will be used Sql server or Oracle.

Now we will create or DAL layer. Here I am not using stored procedure to insert User Records to the Database but will request you to use stored procedure for the same.

using System;using System.Collections.Generic;using System.Linq;using System.Text;using System.Threading.Tasks;using System.Data;using System.Data.SqlClient;using System.Data.OracleClient;using Interface;using System.Configuration;

namespace DAL{ public class SqlServer : IDb {

Page 16: Day 3 Agenda

//connection string static private string connectionString; //sql connection static private SqlConnection con;

static SqlServer() { connectionString = ConfigurationManager.ConnectionStrings["SqlDB"].ConnectionString; con = new SqlConnection(connectionString); }

public int Insert(string firstName, string lastName, string mobileNo, string addreess) { try { string query = "insert into tblRegistration values ('" + firstName + "','" + lastName + "','" + mobileNo + "','" + addreess + "')"; //creating sql command object and passing query and connection object SqlCommand cmd = new SqlCommand(query, con); con.Open(); cmd.ExecuteScalar(); string query2 = "select IDENT_CURRENT('tblRegistration')"; SqlCommand cmd2 = new SqlCommand(query2, con); decimal value = (decimal)cmd2.ExecuteScalar();

return Convert.ToInt32(value);

}

catch (Exception ex) { throw new Exception(ex.Message.ToString()); } finally { con.Close(); } } }

public class Oracle : IDb { static private string connectionString; static private OracleConnection con;

static Oracle() { connectionString = ConfigurationManager.ConnectionStrings["OracleDB"].ConnectionString; con = new OracleConnection(connectionString); }

Page 17: Day 3 Agenda

public int Insert(string firstName, string lastName, string mobileNo, string addreess) { try { string query = "insert into tblRegistration values ('" + firstName + "','" + lastName + "','" + mobileNo + "','" + addreess + "')"; OracleCommand cmd = new OracleCommand(query, con);

con.Open(); cmd.ExecuteScalar(); string query2 = "select INCR_USERID.currval from dual"; OracleCommand cmd2 = new OracleCommand(query2, con); decimal value = (decimal)cmd2.ExecuteScalar();

return Convert.ToInt32(value);

}

catch (Exception ex) { throw new Exception(ex.Message.ToString()); } finally { con.Close(); } } }}

Now here we have created our DAL class which implements IDb Interface which works as a communication between BAL and DAL layer. It has only one method as shown above:

Now in the UI rather than creating an object of the Business class we give this job to a Factory Class which will be responsible for creating objects of the desired class which is needed. Factory class basically is a type of creational pattern. As we know that Interface cannot create object of its own but it can reference to the object of the implemented class. Here we have only one class but in real time project we will have lots of classes this may vary for the same and can be improvise with other design patterns.

using Interface;using BAL;

namespace Factory{ public class Factory {

public static IRegister getRegisterobject() { return new User(); }

Page 18: Day 3 Agenda

}}

Now once we have implemented the Factory class let’s get the Information from UI and try to insert the same.

using System;using Interface;using System.Configuration;using DAL;namespace TestInterface{ public partial class Register : System.Web.UI.Page { IDb objIDB = null; string DBname=ConfigurationManager.AppSettings["DB"].ToString().ToLower();

protected void Page_Load(object sender, EventArgs e) { if(DBname=="oracle") { objIDB = new Oracle(); } else { objIDB = new SqlServer(); }

}

protected void Button1_Click(object sender, EventArgs e) { IRegister objRegister = Factory.Factory.getRegisterobject();

setObjectFromUi(objRegister); int Id = objRegister.InsertUser(objIDB); Response.Write("User Registered successfully with UserId " + Id);

}

private void setObjectFromUi(IRegister userInformation) { userInformation.FirstName = txtFirstName.Text; userInformation.LastName = txtLastName.Text; userInformation.MobileNo = txtMobile.Text; userInformation.Address = txtAddress.Text;

} }

Page 19: Day 3 Agenda

}

Here at the start of the application we check from the web.config file which DB to be used based upon the entry IDb Interface will reference towards the Sql Server or Oracle Server.

IDb objIDB = null; string DBname=ConfigurationManager.AppSettings["DB"].ToString().ToLower();// retrieving information about Db from the app settings

protected void Page_Load(object sender, EventArgs e) { if(DBname=="oracle") {//if string contains oracle than reference towards Oracle else towards Sqlserver objIDB = new Oracle(); } else { objIDB = new SqlServer(); }

}

Now once the User enters the information IRegister will call Factory class to create object of User and IRegister will refer towards User Class.

IRegister objRegister = Factory.Factory.getRegisterobject();

Than setObjectFromUi(objRegister);

//All user information will be set to Properties.

private void setObjectFromUi(IRegister userInformation) { userInformation.FirstName = txtFirstName.Text; userInformation.LastName = txtLastName.Text; userInformation.MobileNo = txtMobile.Text; userInformation.Address = txtAddress.Text;

Page 20: Day 3 Agenda

}

int Id = objRegister.InsertUser(objIDB);

IRegiter reference object will call InsertUser method and pass IDb reference object and at the User class same will be received and than Idb will communicate with DAL layer.

public int InsertUser(IDb obj) {

_UserId= obj.Insert(_FirstName,_LastName,_Address,_MobileNo); return _UserId;

}

We can see that there is no object creation of Concrete class and Db classes rather Interface has been used to reference to those classes making our project decoupled from each other. Let’s run our application and see how it works.

Phase 1

Phase 2: IDb referencing towards SqlServer Class

Page 21: Day 3 Agenda

Phase 3: Loading connection string

Phase 4: Register Page Appear

Phase 5: As soon as User Enters the information.

Page 22: Day 3 Agenda

Factory class getRegisterObject function will be called and Iregister reference variable will point towards User class

Phase 6: creation of User Object

Phase 7. Setting User Information into properties of Class

We can clearly see that all work is done by Interface we are not creating any object of class Interface is communicating with all.

Phase 8. Class method InsertUser will be called and Reference variable of IDb will passed which which will point towards the DB which we want to use.

Page 23: Day 3 Agenda

Phase 9: Here we can see Idb ibj contains referenece variable towards Sql Server, now all the fields value will passed to the db Insert function as shown below we have used _UsedId field to receive the generated UserId of the User.

Phase 10: Now Swl server class metho will be called by IDb interface and the queries are executed and the genrated UserId will be returned back to User UI screen.

Phase 11: Showing UserId generated and same will be returned to User UI.

Page 24: Day 3 Agenda

So here we learnt how Interface helps us to follow the standardization of Vocabulary and helps in Decoupling. I hope this all phases would be helpful so that you can learn them phase by phase. I have attached the project and will request you to execute the same.

Explicit Interface

Think of a scenario where we have two Interfaces with same method name than how we will be able to tell the method which we are implemented is of which Interface?

public interface IPrintSony {

void Print(); }

public interface IPrintHP { void Print(); }

public class Customer:IPrintHP,IPrintSony { public void Print() { Console.WriteLine("I am an Interface function"); Console.ReadLine(); }

public static void Main() { Customer objCustomer = new Customer(); objCustomer.Print();

} }

Here as you can see there are two Interface IPrintSony and IPrintHP. Customer class is implementing both the Interface and implementing the methods, we run the program and found that it runs. So how do we figure out which interface method was called so in order to achieve that we make use of Explicit Interfaces as shown below.

namespace ConsoleApplication1{

Page 25: Day 3 Agenda

public interface IPrintSony { void Print(); }

public interface IPrintHP { void Print(); }

public class Customer:IPrintHP,IPrintSony { void IPrintSony.Print() { Console.WriteLine("I am an IPrintSony Interface function"); Console.ReadLine(); } void IPrintHP.Print() { Console.WriteLine("I am an IPrintHP Interface function"); Console.ReadLine(); }

public static void Main() { Customer objCustomer = new Customer();

((IPrintHP)objCustomer).Print();

((IPrintSony)objCustomer).Print();

} } }

Here by I conclude that once the class explicitly implements the Interface the Interface member can no longer be accessed through class reference variable, but only via Interface reference variable as shown above.

Page 26: Day 3 Agenda

Abstract ClassAn Abstract class is a half defined Base class in C# and we cannot create the object of the Abstract class. You can create your own Abstract class by using the modifier called Abstract. An abstract class means we cannot create of object of the same but we can inherit the Abstract class in our Child classes.

Abstract Class only comes in Inheritance hierarchy i.e. Is A relationship. Abstract is used in order to remove duplication in Inheritance model using

Generalization and Specialization relationship.

Abstract keyword is used to create Abstract class eg:

abstract class Customer {

}

An Abstract Class can contain abstract methods i.e. that only contain definition they don’t have implementation of their own, abstract methods implementation is done in Child or Derived classes otherwise it will throw error note(all the child has to implement all abstract methods). Abstract method can also contain non abstract methods.

namespace AbstractClass{ abstract class Customer { public abstract void print();

}}But if I try to give implementation to the abstract class we will face an Error. We cannot define an Abstract class as static or sealed(it will not be inherited). We cannot define the access modifier for Abstract class it is by default Public.

Page 27: Day 3 Agenda

I.e. Abstract methods cannot contain implementation.

As discussed above we cannot create object of the Abstract class let us try the same, so as soon as we create an instance of the Abstract class. Abstract class can be used as a Base class for other classes.

Page 28: Day 3 Agenda

When we declare a method as Abstract and we inherit the Abstract class we have to implement the Abstract method otherwise it will threw an exception.

namespace Abstract{

abstract class PERSON { public abstract void Print(); }

class Program:PERSON { static void Main(string[] args) {

} }}

But if we don’t want to provide the implementation for the Abstract method we can put Abstract keyword in class Program, it will not throw an error and will mark it as an Abstract class i.e. that means this Abstract class has some Abstract members.

In order to implement abstract methods in Derived class we have to use override in the abstract methods of Abstract class. Small example is shown below:

Page 29: Day 3 Agenda

Here Employee is a generalized entity which has generalized properties which later inherited and override by the Child entity to defined specialized relationship.

Like Consultant Employee, FullTime Employee.

using System;

namespace AbstractClass{ abstract class Customer { public int ID { get; set; } public String UserName { get; set; } public abstract void Details();

} class Consultant:Customer { public int HourlySalary { get; set; } public override void Details() { Console.WriteLine("The Consultant name {0} , id {1} and Hourly salary is {2}",this.ID,this.UserName,this.HourlySalary); } }

class Fulltime : Customer

Page 30: Day 3 Agenda

{ public int YearlySalary { get; set; } public override void Details() { Console.WriteLine("The Consultant name {0} , id is {1} and yearly salary is {2}", this.ID, this.UserName,this.YearlySalary); } }

}

using System;

namespace AbstractClass{ class Program { static void Main(string[] args) { Consultant objcons = new Consultant(); objcons.HourlySalary = 4000; objcons.ID = 1; objcons.UserName = "Akansha Bakshi"; objcons.Details(); Console.ReadLine(); } }}

In derived class the abstract method of Abstract class should be of same return type and definition otherwise it will show error.

Non Abstract Methods:If we declare method without Abstract keyword it is a Non Abstract method i.e. that means it’s not mandatory to have Abstract members in Abstract class.

We cannot create an object of the Abstract class but we can point the Abstract class object to the child class object as shown in below example:

public class Program:PERSON {

public override void Print() { Console.WriteLine("I am child class inheriting abstract class"); }

static void Main(string[] args)

Page 31: Day 3 Agenda

{

PERSON objPerson = new Program(); objPerson.Print(); Console.ReadLine(); } }

Abstract class cannot be Sealed.

Why and when should be use Abstract class?Lets’ take an example if we implement the above example doing Inheritance method and creating a concrete class as base and child class Fulltime Employee and Parttime Employee inheriting the Base Class BaseEmployee.

We would be able to create the object of the BaseEmployeeClass, where in real time we only have two employees FullTime and PartTime so it would be wrong if we allow developers the object creation of BaseEmployeeClass. So we want prevent them to create instance of the BaseEmployee to solve this problem we use the concept of Abstract class. Once we mark the Class as Abstract we cannot create object the Abstract classes, preventing us from creating object of BaseEmployeeClass.

Hence I can conclude that we should use Abstract class when we want to move common functionality of two or more classes into a single base class and when we don’t want anyone to instantiate the base class.

Page 32: Day 3 Agenda

Abstract classes vs Interface

Abstract Interface Abstract classes can have

implementation for some of its members.

Interface cannot have implementation for any of its members.

Abstract class members are by default Private

Interface members are by default Public (they cannot have access modifiers).

Abstract class can have fields. Interface cannot contain fields.

A class can implement multiple interfaces at the same time.

A class cannot inherit multiple classes at the same time.

Abstract classes can be inherited from a class

Interface can only be inherited from an Interface.

Abstract classes are used when we want to share common functionality in parent child relationship, which cannot be initiated.

Interfaces are used to define the contract enforce the standardization, decoupling

Abstract classes are inherited Interface are implemented

Abstract class member can have Access Modifiers.

Interface members are Public because purpose of an interface is to enable other types to access a class or struct. No access modifiers can be applied to interface members.