Click here to Skip to main content
15,867,568 members
Articles / Web Development / ASP.NET
Article

Object Oriented Programming In VB.NET

Rate me:
Please Sign up or sign in to vote.
4.19/5 (150 votes)
18 Nov 20048 min read 744.6K   8.6K   257   52
A must read for anyone who is interested in VB.NET. This article uncovers some basic Object Oriented Programming features of Visual Basic .NET. The whole article is divided into 10 lessons. The source code for these lessons is provided with the article.

Contents

Introduction

VB.NET is completely object oriented. This article uncovers some basic Object Oriented Programming features of Visual Basic. NET. The whole article is divided into ten lessons. The source code for these lessons is provided with the article.

This tutorial is designed with the following objectives:

  1. To provide a sound knowledge about Object Oriented Programming in VB.NET.
  2. To educate how Object Oriented techniques are used in VB.NET.
  3. To explain the following concepts in an easy and simple way:
    • Creating and using classes and objects in VB.NET.
    • Encapsulation, Abstraction, Inheritance and Polymorphism.
    • Overloading and Overriding.
    • Constructors and Destructors.
    • Static functions.

Go through this tutorial and you will start making sense of almost any .NET code. Also, Java/CPP programmers can use this to understand OOPs in VB.NET.

Using the code

The source code for each lesson is available as a .vb source code file. You need Microsoft .NET framework SDK installed in your system to compile and execute the exercises in this article. You can download it from the Microsoft website. The VB.NET compiler (vbc.exe) normally resides in your FrameworkSDK\bin folder.

To manually compile a source code file, you may use the command prompt to type: vbc filename.vb /out:"filename.exe" /r:"System.Windows.Forms.dll","System.dll"

Lesson 1: Namespaces, Classes & Objects, Modules

  • A Namespace

    In VB.NET, classes and other data structures for a specific purpose are grouped together to form a namespace. You can use the classes in a namespace, by simply importing the namespace. The Imports keyword is used to import a namespace to your project. .NET framework provides a rich set of built in classes, grouped together to various namespaces. In this lesson, we are using the System namespace. Import the System namespace (already available in .NET).

    VB
    Imports System
  • A Class

    Probably, you are already familiar with classes and objects. Simply speaking, a Class is a definition of a real life object. For example, Human is a class for representing all human beings. Dog is a class to represent all Dogs. Classes can contain functions too. Animals is a namespace.

    VB
    Namespace Animals

    Dog is a class in the namespace Animals:

    VB
    Class Dog

    Bark is a function in this Class:

    VB
        Function Bark()
            Console.Writeline ("Dog is barking")
        End Function
    End Class
    End Namespace
  • An Object

    An object is an instance of a Class. For example, Jimmy is an object of type Dog. We will create an object in the next section. Read on.

  • Modules

    You can use modules to write common functions. A Module is a group of functions. Unlike functions in classes, Public functions in modules can be called directly from anywhere else. VB provides Functions and Subroutines. Functions and Subroutines are almost the same, but the difference is that a subroutine can't return a value.

    VB
    Public Module modMain

    Execution will start from the Main() subroutine:

    VB
    Sub Main()
           'Call our function. See below
           OurFunction()    
    End sub

    OurFunction: Our own little function to use the class Dog:

    VB
    Function OurFunction()    
           'Here is how we declare a variable Jimmy of type Dog.
           'We use Animals.Dog because, the class Dog is in the
           'namespace Animals (see above).
        
           Dim Jimmy as Animals.Dog
        
           'Create an object. Unlike in VB 6, it is not required to use
           'the 'set' keyword.
               
           Jimmy = new Animals.Dog()
        
           'Another way to create an object is
           'Dim Jimmy as new Dog
        
           'Call Jimmy's Main Function     
           Jimmy.Bark()
    End Function
    End module

Lesson 2: Access Types

The major access types are Public, Private, Friend and Protected. A Class may contain functions, variables etc., which can be either Public or Private or Protected or Friend. If they are Public, they can be accessed by creating objects of the Class. Private and Protected members can be accessed only by the functions inside the Class. Protected members are much like Private members, but they have some special use while inheriting a Class. We will see this later, in Inheritance (Lesson 5). Friend members can be accessed only by elements of the same project, and not by the ones outside the current project. Let us expand our dog class.

Import the System namespace (already available in .NET).

VB
Imports System

Animals is a namespace.

VB
Namespace Animals

Dog is a class in the namespace Animals.

VB
Public Class Dog
    'A public variable    
    Public AgeOfDog as Integer

Bark is a function in this class. It is Public:

VB
Public Function Bark()
    Console.Writeline ("Dog is barking")
End Function

Walk is a function in this class. It is Private.

VB
    Private Function Walk()
        Console.Writeline ("Dog is walking")
    End Function
End Class
End Namespace

Our Module:

VB
Public Module modMain

Execution will start from the Main() subroutine:

VB
Sub Main()
       'Call our function. See below
       OurFunction()    
End sub
    'OurFunction: Called from Main()
    Function OurFunction()
        Dim Jimmy as Animals.Dog
        Jimmy=new Animals.Dog()
        'This will work, because Bark & Ageofdog are public
        Jimmy.Bark
        Jimmy.AgeOfDog=10
         'Calling the Walk function will not work here, because
        'Walk() is outside the class Dog        
        'So this is wrong. Uncomment this and try to compile, it will
        'cause an error.
        'Jimmy.Walk
    End Function        
End Module

Additional Notes:

  • Encapsulation

    Putting all the data and related functions in a Class is called Encapsulation.

  • Data Hiding or Abstraction:

    Normally, in a Class, variables used to hold data (like the age of a dog) is declared as Private. Functions or property routines are used to access these variables. Protecting the data of an object from outside functions is called Abstraction or Data Hiding. This prevents accidental modification of data by functions outside the class.

Lesson 3: Shared Functions

The shared members in a class (both functions and variables) can be used without creating objects of a class as shown. The Shared modifier indicates that the method does not operate on a specific instance of a type and may be invoked directly from a type rather than through a particular instance of a type.

Import the System namespace (already available in .NET).

VB
Imports System

Animals is a namespace.

VB
Namespace Animals

Dog is a class in the namespace Animals.

VB
Class Dog

Bark is a now a Public, shared function in this class.

VB
Public Shared Function Bark()
    Console.Writeline ("Dog is barking")
End Function

Walk is a Public function in this class. It is not shared.

VB
    Public Function Walk()
        Console.Writeline ("Dog is walking")
    End Function
End Class
End Namespace

Our Module:

VB
Public Module modMain

Execution will start from the Main() subroutine.

VB
Sub Main()
        'We can call the Bark() function directly,
        'with out creating an object of type Dog -
        'because it is shared.
        Animals.Dog.Bark()
        'We can call the Walk() function only
        'after creating an object, because
        'it is not shared.
        Dim Jimmy as Animals.Dog
        Jimmy=new Animals.Dog()
        Jimmy.Walk()
        'Now Guess? The WriteLine() function we used so far
        'is a shared function in class Console :)
        'Also, we can write the Main() function itself as a shared
        'function in a class. i.e Shared Sub Main(). Try
        'moving Main() from this module to the above class
End sub
End Module

Lesson 4: Overloading

Overloading is a simple technique, to enable a single function name to accept parameters of different type. Let us see a simple Adder class. Import the System namespace (already available in .NET).

VB
Imports System
Class Adder

Here, we have two Add() functions. This one adds two integers. Convert.ToString is equivalent to the good old CStr.

VB
Overloads Public Sub Add(A as Integer, B as Integer)
    Console.Writeline ("Adding Integers: " + Convert.ToString(a + b))
End Sub

This one adds two strings.

VB
    Overloads Public Sub Add(A as String, B as String)
        Console.Writeline ("Adding Strings: " + a + b)
    End Sub
    'And both have the same name. This is possible because, we used the
    'Overloads keyword, to overload them.
    'Here, we have the Main Function with in this class. When you write.
    'your main function inside the class, it should be a shared function.
    Shared Sub Main()
        Dim AdderObj as Adder
        'Create the object
        AdderObj=new Adder
        'This will invoke first function
        AdderObj.Add(10,20)
        'This will invoke second function
        AdderObj.Add("hello"," how are you")
    End Sub
End Class

Lesson 5: Inheritance

Inheritance is the property in which, a derived class acquires the attributes of its base class. In simple terms, you can create or 'inherit' your own class (derived class), using an existing class (base class). You can use the Inherits keyword for this.

Let us see a simple example. Import the System namespace (already available in .NET).

VB
Imports System

Our simple base class:

VB
Class Human
    'This is something that all humans do
    Public Sub Walk()
        Console.Writeline ("Walking")
    End Sub
End Class

Now, let us derive a class from Human.

A Programmer is a Human.

VB
Class Programmer
    Inherits Human
    'We already have the above Walk() function
    'This is something that all programmers do ;)
    Public Sub StealCode()
        Console.Writeline ("Stealing code")
    End Sub
End Class

Just a MainClass.

VB
Class MainClass
    'Our main function
    Shared Sub Main()
        Dim Tom as Programmer
        Tom=new Programmer
        
        'This call is okie because programmer got this function
        'from its base class
        Tom.Walk()
        
        'This is also correct because Tom is a programmer
        Tom.StealCode()
    End Sub
End Class

Additional Notes:

  • MustInherit

    The MustInherit keyword specifies that a class cannot be instantiated and can be used only as a base class. I.e., if you declare our Human class as "MustInherit Class Human", then you can't create objects of type Human without inheriting it.

  • NotInheritable

    The NotInheritable keyword specifies that a class cannot be inherited. I.e., if you specify 'NotInheritable Class Human', no derived classes can be made from the Human class.

Lesson 6: Overriding

By default, a derived class Inherits methods from its base class. If an inherited property or method needs to behave differently in the derived class it can be overridden; that is, you can define a new implementation of the method in the derived class. The Overridable keyword is used to mark a function as overridable. The keyword Overrides is used to mark that a function is overriding some base class function. Let us see an example.

Import the System namespace (already available in .NET).

VB
Imports System

Our simple base class:

VB
Class Human
    'Speak() is declared Overridable
    Overridable Public Sub Speak()
        Console.Writeline ("Speaking")
    End Sub
End Class

Now, let us derive a class from Human:

An Indian is a Human:

VB
Class Indian
    Inherits Human
    'Let us make Indian speak Hindi, the National Language
    'in India
    'Speak() is overriding Speak() in its base class (Human)
    Overrides Public Sub Speak()
        Console.Writeline ("Speaking Hindi")
    'Important: As you expect, any call to Speak() inside this class
    'will invoke the Speak() in this class. If you need to
    'call Speak() in base class, you can use MyBase keyword.
    'Like this
    'Mybase.Speak()
    End Sub
End Class

Just a class to put our Main().

VB
Class MainClass
    'Our main function
    Shared Sub Main()
        'Tom is a generic Human
        Dim Tom as Human
        Tom=new Human
        'Tony is a human and an Indian
        Dim Tony as Indian
        Tony=new Indian
        'This call will invoke the Speak() function
        'in class Human
        Tom.Speak()
        'This call will invoke the Speak() function
        'in class Indian
        Tony.Speak()
    End Sub
End Class

Lesson 7: Polymorphism

Polymorphism is the property in which a single object can take more than one form. For example, if you have a base class named Human, an object of Human type can be used to hold an object of any of its derived type. When you call a function in your object, the system will automatically determine the type of the object to call the appropriate function. For example, let us assume that you have a function named speak() in your base class. You derived a child class from your base class and overloaded the function speak(). Then, you create a child class object and assign it to a base class variable. Now, if you call the speak() function using the base class variable, the speak() function defined in your child class will work. On the contrary, if you are assigning an object of the base class to the base class variable, then the speak() function in the base class will work. This is achieved through runtime type identification of objects. See the example.

Import the System namespace (already available in .NET).

VB
Imports System

This example is exactly the same as the one we saw in the previous lesson. The only difference is in the Shared Sub Main() in the class MainClass. So scroll down and see an example:

Our simple base class:

VB
Class Human
    'Speak() is declared Overridable
    Overridable Public Sub Speak()
        Console.Writeline ("Speaking")
    End Sub
End Class

Now, let us derive a class from Human.

An Indian is a Human.

VB
Class Indian
    Inherits Human
    'Let us make Indian speak Hindi, the National Language
    'in India
    'Speak() is overriding Speak() in its base class (Human)
    Overrides Public Sub Speak()
        Console.Writeline ("Speaking Hindi")
    'Important: As you expect, any call to Speak() inside this class
    'will invoke the Speak() in this class. If you need to
    'call Speak() in base class, you can use MyBase keyword.
    'Like this
    'Mybase.Speak()
    End Sub
End Class

Carefully examine the code in Main():

VB
Class MainClass
    'Our main function
    Shared Sub Main()
        'Let us define Tom as a human (base class)
        Dim Tom as Human
        'Now, I am assiging an Indian (derived class)
        Tom=new Indian
        'The above assignment is legal, because
        'Indian IS_A human.
        'Now, let me call Speak as
        Tom.Speak()
        'Which Speak() will work? The Speak() in Indian, or the
        'Speak() in human?
        'The question arises because, Tom is declared as a Human,
        'but an object of type Indian is assigned to Tom.
        'The Answer is, the Speak() in Indian will work. This is because,
        'most object oriented languages like Vb.net can automatically
        'detect the type of the object assigned to a base class variable.
        'This is called Polymorphism
    End Sub
End Class

Lesson 8: Constructors & Destructors

Import the System namespace (already available in .NET).

VB
Imports System

A Constructor is a special function which is called automatically when a class is created. In VB.NET, you should use useNew() to create constructors. Constructors can be overloaded (see Lesson 4), but unlike the functions, the Overloads keyword is not required. A Destructor is a special function which is called automatically when a class is destroyed. In VB.NET, you should use useFinalize() routine to create Destructors. They are similar to Class_Initialize and Class_Terminate in VB 6.0.

Dog is a class:

VB
Class Dog
    'The age variable
    Private Age as integer

The default constructor:

VB
Public Sub New()
    Console.Writeline ("Dog is Created With Age Zero")
    Age=0
End Sub

The parameterized constructor:

VB
Public Sub New(val as Integer)
    Console.Writeline ("Dog is Created With Age " + Convert.ToString(val))
    Age=val
End Sub

This is the destructor:

VB
    Overrides Protected Sub Finalize()
        Console.Writeline ("Dog is Destroyed")
    End Sub
    'The Main Function
    Shared Sub Main()
        Dim Jimmy, Jacky as Dog
        'Create the objects
        'This will call the default constructor
        Jimmy=new Dog
        'This will call the parameterized constructor
        Jacky=new Dog(10)
    End Sub
    'The Destruction will be done automatically, when
    'the program ends. This is done by the Garbage
    'Collector.
End Class

Lesson 9: Property Routines

You can use both properties and fields to store information in an object. While fields are simply Public variables, properties use property procedures to control how values are set or returned. You can use the Get/Set keywords for getting/setting properties. See the following example. Import the System namespace (already available in .NET).

VB
Imports System

Dog is a class.

VB
Public Class Dog
    'A private variable    to hold the value
    Private mAgeOfDog as Integer

This is our property routine:

VB
Public Property Age() As Integer
    'Called when someone tries to retreive the value
Get
    Console.Writeline ("Getting Property")
    Return mAgeOfdog
End Get
Set(ByVal Value As Integer)
    'Called when someone tries to assign a value     
    Console.Writeline ("Setting Property")
    mAgeOfDog=Value
End Set
End Property
End Class

Another class:

VB
Class MainClass
    'Our main function. Execution starts here.
    Shared Sub Main()
    'Let us create an object.
    Dim Jimmy as Dog
    Jimmy=new Dog        
    'We can't access mAgeofDog directly, so we should
    'use Age() property routine.
    'Set it. The Age Set routine will work
    Jimmy.Age=30
    'Get it back. The Age GEt routine will work
    Dim curAge=Jimmy.Age()
    End Sub
End Class

Lesson 10: A simple program

Let us analyze a simple program. First, let us import the required namespaces:

VB
Imports System
Imports System.ComponentModel
Imports System.Windows.Forms
Imports System.Drawing
    'We are inheriting a class named SimpleForm, from the
    'class System.Windows.Forms.Form
    '
    'i.e, Windows is a namespace in system, Forms is a
    'namespace in Windows, and Form is a class in Forms.
Public Class SimpleForm
Inherits System.Windows.Forms.Form
        'Our constructor
Public Sub New()
    'This will invoke the constructor of the base
    'class
MyBase.New()

Set the text property of this class. We inherited this property from the base class:

VB
Me.Text = "Hello, How Are You?"
End Sub
End Class
VB
Public Class MainClass
    Shared Sub Main()
        'Create an object from our SimpleForm class
        Dim sf as SimpleForm
        sf=new SimpleForm
        
        'Pass this object to the Run() function to start
         System.Windows.Forms.Application.Run(sf)
    End Sub
End Class

That is it. Now you can atleast read and understand most of those VB.NET source code, and probably implement more OOP features in your VB.NET programs. Now, in my next article, I'll try to cover the patterns and practices in VB.NET.

History

  • Nov 13th, 2004
    • Prepared this article for publishing.

License

This article has no explicit license attached to it but may contain usage terms in the article text or the download files themselves. If in doubt please contact the author via the discussion board below.

A list of licenses authors might use can be found here


Written By
Architect
India India
Architect, Developer, Speaker | Wannabe GUT inventor & Data Scientist | Microsoft MVP in C#

Comments and Discussions

 
PraiseDo not neglect OOP Pin
ExcelVBAMaster26-Jan-16 10:46
ExcelVBAMaster26-Jan-16 10:46 
Questionvery useful Pin
User 418025418-Jul-15 4:52
User 418025418-Jul-15 4:52 
GeneralMy vote of 1 Pin
Member 1070075729-Oct-14 0:18
Member 1070075729-Oct-14 0:18 
SuggestionVery nice, suggestion! Pin
bluesathish6-Dec-13 4:18
bluesathish6-Dec-13 4:18 
QuestionThanks,great help Pin
theexplorerneverstop6-Jun-13 23:32
theexplorerneverstop6-Jun-13 23:32 
Generalmy 5+++ Pin
ssd_coolguy5-Sep-12 23:52
ssd_coolguy5-Sep-12 23:52 
QuestionExcellent Pin
Agyemang14-Aug-12 22:22
Agyemang14-Aug-12 22:22 
GeneralMy vote of 5 Pin
Agyemang14-Aug-12 22:05
Agyemang14-Aug-12 22:05 
GeneralMy vote of 5 Pin
IBAAB5-Jul-12 15:49
IBAAB5-Jul-12 15:49 
GeneralThank you Pin
nethelp114-Jul-12 22:49
professionalnethelp114-Jul-12 22:49 
GeneralThank you 5 *****r Pin
Ash Shafiee26-Apr-12 2:44
Ash Shafiee26-Apr-12 2:44 
GeneralThank you 5 ***** Pin
Ash Shafiee26-Apr-12 2:44
Ash Shafiee26-Apr-12 2:44 
GeneralExcellent Pin
adeelgr8one17-Mar-12 2:25
adeelgr8one17-Mar-12 2:25 
I am just loving this site.Almost everything which I need,I am able to find here

Always believe in God and never let misfortunes make you give up
Questioncool Pin
lukman-cp1-Mar-12 15:10
lukman-cp1-Mar-12 15:10 
QuestionCongrats!!! Pin
Member 864988416-Feb-12 8:37
Member 864988416-Feb-12 8:37 
QuestionThank you Pin
jkjerome18-Aug-11 6:09
jkjerome18-Aug-11 6:09 
GeneralMy vote of 5 Pin
Saumitra Kumar Paul15-Jul-11 10:50
Saumitra Kumar Paul15-Jul-11 10:50 
GeneralGreate Job!!! Pin
chirag.khatsuriya30-May-11 16:02
chirag.khatsuriya30-May-11 16:02 
GeneralGreat job. Pin
dranko28-May-11 22:03
dranko28-May-11 22:03 
GeneralSuperb Pin
Member 29055262-May-11 19:41
Member 29055262-May-11 19:41 
GeneralThanks Pin
MedMost14-Jan-11 0:18
MedMost14-Jan-11 0:18 
GeneralMy vote of 5 Pin
MedMost14-Jan-11 0:17
MedMost14-Jan-11 0:17 
GeneralThanks! Pin
Member 17250856-Jan-11 5:56
Member 17250856-Jan-11 5:56 
GeneralMy vote of 4 Pin
Vishal Waman4-Jan-11 19:22
Vishal Waman4-Jan-11 19:22 
GeneralMy vote of 3 Pin
Hayk Aleksanyan7-Aug-10 0:00
Hayk Aleksanyan7-Aug-10 0:00 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.