Author Archives: admin
Comparable vs Comparator
Comparable is for objects with a natural ordering. The object itself knows how it is to be ordered.If any class implement Comparable interface in Java then collection of that object either List or Array can be sorted automatically by using Collections.sort() or Arrays.sort() method and object will be sorted based on there natural order defined by CompareTo method.
Comparator is for objects without a natural ordering or when you wish to use a different ordering.
Natural ordering is the Ordering implemented on the objects of each class. This ordering is referred to as the class’s natural ordering.For example Strings Natural Ordering is defined in String Class
Comparable
Compares object of itself with some other objects.Comparable overrides compareTo
Employee.java
package com.acme.users; public class Employee implements Comparable<Employee> { public String EmpName; public Integer EmpId; public Integer Age; public Employee(Integer pEmpId, String pEmpName, Integer pAge) { this.EmpName = pEmpName; this.EmpId = pEmpId; this.Age = pAge; } public String getEmpName() { return EmpName; } public void setEmpName(String empName) { EmpName = empName; } public Integer getEmpId() { return EmpId; } public void setEmpId(Integer empId) { EmpId = empId; } public Integer getAge() { return Age; } public void setAge(Integer age) { Age = age; } @Override public int compareTo(Employee arg0) { if(this.getEmpId() == arg0.getEmpId()) return 0; else if (this.getEmpId() > arg0.getEmpId()) return 1; else return -1; } }
EmpDashBoard.java
package com.acme.users; import java.util.ArrayList; import java.util.Collections; import java.util.List; public class EmpDashBoard { public static void main(String[] args) { List<Employee> arrEmpList = new ArrayList(); Employee objEmp1 = new Employee(101, "Ahmed", 31); Employee objEmp2 = new Employee(127, "Mahesh", 24); Employee objEmp3 = new Employee(109, "Viparna", 85); Employee objEmp4 = new Employee(101, "Abdul", 26); Employee objEmp5 = new Employee(104, "Muthu", 23); Employee objEmp6 = new Employee(115, "Monalisa", 25); arrEmpList.add(objEmp1); arrEmpList.add(objEmp2); arrEmpList.add(objEmp3); arrEmpList.add(objEmp4); arrEmpList.add(objEmp5); arrEmpList.add(objEmp6); System.out.println("Sorted based on Natural Sorting(Emp Id)"); System.out.println("Before Sorting"); dispListContent(arrEmpList); Collections.sort(arrEmpList); System.out.println("After Sorting"); dispListContent(arrEmpList); } public static void dispListContent(List<Employee> parrEmployeeLst) { System.out.println(" "); System.out.println("EmpId" + " " + "EmpName" + " " + "Age"); System.out.println("---------------------------"); for (Employee object : parrEmployeeLst) { System.out.print(object.getEmpId() + " "); System.out.print(object.getEmpName() + " "); System.out.println(object.getAge() + " "); } } }
Output
Sorted based on Natural Sorting(Emp Id) Before Sorting EmpId EmpName Age --------------------------- 101 Ahmed 31 127 Mahesh 24 109 Viparna 85 101 Abdul 26 104 Muthu 23 115 Monalisa 25 After Sorting EmpId EmpName Age --------------------------- 101 Ahmed 31 101 Abdul 26 104 Muthu 23 109 Viparna 85 115 Monalisa 25 127 Mahesh 24
Comparator
In some situations, you may not want to change a class and make it comparable. In such cases, Comparator can be used.Comparator overrides compare
Comparator provides a way for you to provide custom comparison logic for types that you have no control over.
In the below Example I have Sorted the Employee class Objects based on Name(EmpNameComparator), Age(EmpAgeComparator) and based on EmpIDName(EmpIdNameComparator)
EmpDashBoard.java
package com.acme.users; import java.util.ArrayList; import java.util.Collections; import java.util.List; public class EmpDashBoard { public static void main(String[] args) { List<Employee> arrEmpList = new ArrayList(); Employee objEmp1 = new Employee(101, "Ahmed", 31); Employee objEmp2 = new Employee(127, "Mahesh", 24); Employee objEmp3 = new Employee(109, "Viparna", 85); Employee objEmp4 = new Employee(101, "Abdul", 26); Employee objEmp5 = new Employee(104, "Muthu", 23); Employee objEmp6 = new Employee(115, "Monalisa", 25); arrEmpList.add(objEmp1); arrEmpList.add(objEmp2); arrEmpList.add(objEmp3); arrEmpList.add(objEmp4); arrEmpList.add(objEmp5); arrEmpList.add(objEmp6); System.out.println("Sorted based on Natural Sorting(Emp Id)"); System.out.println("Before Sorting"); dispListContent(arrEmpList); System.out.println("Sorting based on Emp Name"); Collections.sort(arrEmpList, new EmpNameComparator()); dispListContent(arrEmpList); System.out.println("Sorting based on Emp Age"); Collections.sort(arrEmpList, new EmpAgeComparator()); dispListContent(arrEmpList); System.out.println("Sorting based on EmpId and Name"); Collections.sort(arrEmpList, new EmpIdNameComparator()); dispListContent(arrEmpList); } public static void dispListContent(List<Employee> parrEmployeeLst) { System.out.println(" "); System.out.println("EmpId" + " " + "EmpName" + " " + "Age"); System.out.println("---------------------------"); for (Employee object : parrEmployeeLst) { System.out.print(object.getEmpId() + " "); System.out.print(object.getEmpName() + " "); System.out.println(object.getAge() + " "); } } }
EmpNameComparator.java
public class EmpNameComparator implements Comparator<Employee>{ @Override public int compare(Employee o1, Employee o2) { String a = o1.getEmpName(); String b = o2.getEmpName(); //Strings Natural Order Comparable Method int compare = a.compareTo(b); if (compare > 0){ return 1; } else if (compare < 0) { return -1; } else { return 0; } } }
EmpAgeComparator.java
public class EmpAgeComparator implements Comparator<Employee> { @Override public int compare(Employee o1, Employee o2) { Integer a = o1.getAge(); Integer b = o2.getAge(); if (a > b){ return 1; } else if (a < b) { return -1; } else { return 0; } } }
EmpIdNameComparator.java
public class EmpIdNameComparator implements Comparator<Employee>{ @Override public int compare(Employee o1, Employee o2) { String a = o1.getEmpName(); String b = o2.getEmpName(); int i = Integer.compare(o1.getEmpId(), o2.getEmpId()); if (i != 0) return i; return a.compareTo(b); } }
Output
Before Sorting EmpId EmpName Age --------------------------- 101 Ahmed 31 127 Mahesh 24 109 Viparna 85 101 Abdul 26 104 Muthu 23 115 Monalisa 25 Sorting based on Emp Name EmpId EmpName Age --------------------------- 101 Abdul 26 101 Ahmed 31 127 Mahesh 24 115 Monalisa 25 104 Muthu 23 109 Viparna 85 Sorting based on Emp Age EmpId EmpName Age --------------------------- 104 Muthu 23 127 Mahesh 24 115 Monalisa 25 101 Abdul 26 101 Ahmed 31 109 Viparna 85 Sorting based on EmpId and Name EmpId EmpName Age --------------------------- 101 Abdul 26 101 Ahmed 31 104 Muthu 23 109 Viparna 85 115 Monalisa 25 127 Mahesh 24
comparable for natural order, (natural order definition is obviously open to interpretation), and write a comparator for other sorting or comparison needs.
If there is a natural or default way of sorting Object already exist during development of Class than use Comparable. This is intuitive and you given the class name people should be able to guess it correctly like Strings are sorted chronically, Employee can be sorted by there Id etc. On the other hand if an Object can be sorted on multiple ways and client is specifying on which parameter sorting should take place than use Comparator interface. for example Employee can again be sorted on name, salary or department and clients needs an API to do that. Comparator implementation can sort out this problem.
Dependency Injection, Bean factory and Application Context Spring
As others have said, Dependency Injection(DI) removes the responsibility of direct creation, and management of the lifespan, of other object instances upon which our class of interest (consumer class) is dependent. These instances are instead passed to our consumer class, typically as constructor parameters or via property setters (the management of the dependency object instancing and passing to the consumer class is usually performed by an Inversion of Control (IoC) container, but that’s another topic).
Any application is composed of many objects that collaborate with each other to perform some useful stuff. Traditionally each object is responsible for obtaining its own references to the dependent objects (dependencies) it collaborate with. This leads to highly coupled classes and hard-to-test code.
For example, consider a Car object.
A Car depends on wheels, engine, fuel, battery, etc. to run. Traditionally we define the brand of such dependent objects along with the definition of the Car object.
Without Dependency Injection (DI):
class Car{ private Wheel wh= new NepaliRubberWheel(); private Battery bt= new ExcideBattery(); //The rest }
Here, the Car object is responsible for creating the dependent objects.
What if we want to change the type of its dependent object – say Wheel – after the initial NepaliRubberWheel() punctures? We need to recreate the Car object with its new dependency say ChineseRubberWheel(), but only the Car manufacturer can do that.
Then what does the Dependency Injection do us for…?
When using dependency injection, objects are given their dependencies at run time rather than compile time (car manufacturing time). So that we can now change the Wheel whenever we want. Here, the dependency (wheel) can be injected into Car at run time.
After using dependency injection:
class Car{ private Wheel wh= [Inject an Instance of Wheel at runtime] private Battery bt= [Inject an Instance of Battery at runtime] Car(Wheel wh,Battery bt) { this.wh = wh; this.bt = bt; } //Or we can have setters void setWheel(Wheel wh) { this.wh = wh; } }
BeanFactory
The BeanFactory is the actual container which instantiates, configures, and manages a number of beans. These beans typically collaborate with one another, and thus have dependencies between themselves. These dependencies are reflected in the configuration data used by the BeanFactory (although some dependencies may not be visible as configuration data, but rather be a function of programmatic interactions between beans at runtime).
ApplicationContext
While the beans package provides basic functionality for managing and manipulating beans, often in a programmatic way, the context package adds ApplicationContext, which enhances BeanFactory functionality in a more framework-oriented style. Many users will use ApplicationContext in a completely declarative fashion, not even having to create it manually, but instead relying on support classes such as ContextLoader to automatically start an ApplicationContext as part of the normal startup process of a Java EE web-app. Of course, it is still possible to programmatically create an ApplicationContext.
The basis for the context package is the ApplicationContext interface, located in the org.springframework.context package. Deriving from the BeanFactory interface, it provides all the functionality of BeanFactory. To allow working in a more framework-oriented fashion, using layering and hierarchical contexts, the context package also provides the following:
- MessageSource, providing access to messages in, i18n-style
- Access to resources, such as URLs and files
- Event propagation to beans implementing the ApplicationListener interface
- Loading of multiple (hierarchical) contexts, allowing each to be focused on one particular layer, for example the web layer of an application
As the ApplicationContext includes all functionality of the BeanFactory, it is generally recommended that it be used over the BeanFactory, except for a few limited situations such as perhaps in an applet, where memory consumption might be critical, and a few extra kilobytes might make a difference. The following sections described functionality which ApplicationContext adds to basic BeanFactory capabilities.
Abstract Factory Pattern – Reading Config from JSON
How it Works
- We have JSON file with Location and Name of Factory Class
- Using Configuration.java we read the JSON File and read the Configuration
- We run TasteFoodFromMenu.java by supplying the JSON file Location as Input
- Now by the above method the JAR’s could be built independently and by changing the JSON file we could make changes and deploy the code without restarting the Server
For more detail refer here
Configuration.java
import java.io.IOException; import java.nio.charset.StandardCharsets; import java.nio.file.FileSystems; import java.nio.file.Files; import java.nio.file.Path; import com.fasterxml.jackson.databind.ObjectMapper; public class Configuration { public static Configuration loadConfiguration(String fileName) throws IOException { //Read Name of File Path path = FileSystems.getDefault().getPath(fileName); //Read Contents of File String contents = new String(Files.readAllBytes(path), StandardCharsets.UTF_8); ObjectMapper mapper = new ObjectMapper(); //Map Location and FactoryType Configuration config = mapper.readValue(contents, Configuration.class); return config; } private String factoryType; private String location; public String getLocation() { return location; } public void setLocation(String location) { this.location = location; } public String getFactoryType() { return factoryType; } public void setFactoryType(String factoryType) { this.factoryType = factoryType; } }
TasteFoodFromMenu.java
public class TasteFoodFromMenu { public static void main(String[] args) throws IOException, ClassNotFoundException, IllegalAccessException, InstantiationException { Configuration configuration = Configuration.loadConfiguration(args[0]); String location = configuration.getLocation(); URL url = new URL(location); URLClassLoader ucl = new URLClassLoader(new URL[]{url}); Class<IFoodFactory> cls = (Class<IFoodFactory>) Class.forName(configuration.getFactoryType(), true, ucl); IFoodFactory cameraFactory = cls.newInstance(); IFood camera = cameraFactory.prepareFood(); camera.serveFood(); } }
config.json
{ "factoryType": "com.mugil.food.ChineseFoodFactory", "location": "file:///D:/java/ReadConfFromJSON/lib/FoodMenu.jar" }
Dependency Injection
Dependency Injection
What is Dependency
Quick Example:EMPLOYEE OBJECT WHEN CREATED, IT WILL AUTOMATICALLY CREATE ADDRESS OBJECT (if address is defines as dependency by Employee object)
Now in the above EMPLOYEE Class is dependent on ADDRESS Class.
You can not create the Address Object unless you create Employee Object
EMPLOYEE Class is dependent and ADDRESS Class is dependency
What is the purpose of DI?
With dependency injection, objects don’t define their dependencies themselves, the dependencies are injected to them as needed.The purpose of Dependency Injection is to reduce coupling in your application to make it more flexible and easier to test.
How does it benefit ? The objects don’t need to know where and how to get their dependencies, which results in loose coupling between objects, which makes them a lot easier to test.
When to use Dependency Injection
One of the most compelling reasons for DI is to allow easier unit testing without having to hit a database and worry about setting up ‘test’ data.Dependency Injection gives you the ability to test specific units of code in isolation.
Dependency injection is basically providing the objects that an object needs (its dependencies) instead of having it construct them itself. It’s a very useful technique for testing, since it allows dependencies to be mocked or stubbed out.
Dependencies can be injected into objects by many means (such as constructor injection or setter injection). One can even use specialized dependency injection frameworks (e.g Spring) to do that, but they certainly aren’t required.
Example
A Car depends on wheels, engine, fuel, battery, etc. to run. Traditionally we define the brand of such dependent objects along with the definition of the Car object
Without Dependency Injection (DI):
class Car { private Wheel wh = new ApolloWheel(); private Battery bt = new ExideBattery(); //The rest }
Here, the Car object is responsible for creating the dependent objects.
What if we want to change the type of its dependent object – say Wheel – after the initial ApolloWheel() punctures? We need to recreate the Car object with its new dependency say SpareWheel(), but only the Car manufacturer can do that.
Then what does the Dependency Injection do us for…?
When using dependency injection, objects are given their dependencies at run time rather than compile time (car manufacturing time). So that we can now change the Wheel whenever we want. Here, the dependency (wheel) can be injected into Car at run time.
After using dependency injection:
class Car { private Wheel wh = [Inject an Instance of Wheel at runtime]; private Battery bt = [Inject an Instance of Battery at runtime]; Car(Wheel wh,Battery bt) { this.wh = wh; this.bt = bt; } //Or we can have setters void setWheel(Wheel wh) { this.wh = wh; } }
Lets take the below example
public class Foo { private Bar _bar; public Foo(Bar bar) { _bar = bar; } public bool IsPropertyOfBarValid() { return _bar.SomeProperty == PropertyEnum.ValidProperty; } }
without dependency injection the Bar object is dependent and tightly coupled with Foo class like below
public class Foo { private Bar _bar = new Bar(); . . }
But by using dependency injection like before code you can mock the Bar Object at runtime and call the IsPropertyOfBarValid() method over it.
Invesrion of Control(IoC)
IoC is a generic term meaning rather than having the application call the methods in a framework, the framework calls implementations provided by the application.
Say the Excel Jar files with utility methods used the application uses the methods in the Utility Class and the flow is controlled by the way the method gets called in order the get the things done.
whereas
In framework like spring the implementation is defined in XML files and by using annotation and the framework calls the methods as per defined in xml.
Without Ioc
Application -> Methods -> Framework
With Ioc
Framework -> XML File -> Method Call (or) Implementation
Inversion of Control(IoC) Container:
Common characteristic of frameworks IOC manages java objects
- From instantiation to destruction through its BeanFactory.
- Java components that are instantiated by the IoC container are called beans, and the IoC container manages a bean’s scope, lifecycle events, and any AOP features for which it has been configured and coded.
Flow of control is “inverted” by dependency injection because you have effectively delegated dependencies to some external system
The Inversion of Control (IoC) and Dependency Injection (DI) patterns are all about removing dependencies from your code.
For example, say your application has a text editor component and you want to provide spell checking. Your standard code would look something like this:
public class TextEditor { private SpellChecker checker; public TextEditor() { this.checker = new SpellChecker(); } }
What we’ve done here is create a dependency between the TextEditor and the SpellChecker. In an IoC scenario we would instead do something like this:
public class TextEditor { private ISpellChecker checker; public TextEditor(ISpellChecker checker) { this.checker = checker; } }
Now, the client creating the TextEditor class has the control over which SpellChecker implementation to use. We’re injecting the TextEditor with the dependency.
Without IoC: you ask for “apple”, and you are always served apple when you ask more.
With IoC: You can ask for “fruit”. You can get different fruits each time you get served. for example, apple, orange, or water melon.
Inversion of Control, (or IoC), is about getting
freedom (You get married, you lost freedom and you are being controlled. You divorced, you have just implemented Inversion of Control. That’s what we called, “decoupled”. Good computer system discourages some very close relationship.)
flexibility (The kitchen in your office only serves clean tap water, that is your only choice when you want to drink. Your boss implemented Inversion of Control by setting up a new coffee machine. Now you get the flexibility of choosing either tap water or coffee.)
less dependency (Your partner has a job, you don’t have a job, you financially depend on your partner, so you are controlled. You find a job, you have implemented Inversion of Control. Good computer system encourages in-dependency.)
Inversion of Control vs Dependency Injection
IoC is a generic term meaning rather than having the application call the methods in a framework, the framework calls implementations provided by the application.Inversion of Control (IoC) means any sort of programming style where an overall framework or run-time controlled the program flow.
Dependency Injection is a Type of IoC
IoC means that objects do not create other objects on which they rely to do their work. Instead, they get the objects that they need from an outside service (for example, xml file or single app service).
DI means the IoC principle of getting dependent object is done without using concrete objects but abstractions (interfaces). This makes all components chain testable, cause higher level component doesn’t depend on lower level component, only from interface.
Techniques to implement inversion of control
- using a factory pattern
- using a service locator pattern
- using a dependency injection of any given below type:
- a constructor injection
- a setter injection
- an interface injection
DI is a form of IoC, where implementations are passed into an object through constructors/setters/service look-ups, which the object will ‘depend’ on in order to behave correctly.
IoC without using DI, for example would be the Template pattern because the implementation can only be changed through sub-classing.
DI Frameworks are designed to make use of DI and can define interfaces (or Annotations in Java) to make it easy to pass in implementations.
மகாபாரதம் – கண்டிரத பொருள் விளக்கம்
மகாபாரதம்:
———————
- குந்தி தேவி சூரியனை தோத்திரம் செய்து கர்ணனை பெற்றாள்
- குந்தி தேவியும், மாத்திரியும் தேவர்களை தோத்திரம் செய்து ஐந்து பிள்ளைகளை பெற்றனர்
- திரெளபதிக்கு ஐவரும் புருசர்கள் ஆனார்கள்.
- கௌரவர்கள் நூறு பேர். அவர்கள் பிறந்த விதம்.
இவைகள் உலகியல் அறிவுக்கு பொருந்துமா? என்று கேட்டுக் கொள்கிறேன்.
மாகாபாரதம் ஊர் உண்மை ஞான பொருளின் தத்துவ கதையாகும். உண்மையாக நடந்தது அல்ல என்பது ஞானிகளின் கருத்தாகும்.
பஞ்ச பாண்டவர்கள்:
➖➖➖➖➖➖➖➖
தருமா சிந்தனை உள்ளவர்கள் ஐம்பூதத்தால் ஆன மனித தேகத்தின் கண் உள்ள ஐம்புலன்கள் ஞானேந்திரியங்கள் ஆன்ம உணர்வுள்ளவர்கள் பஞ்ச பாண்டவர்களாகும்.
திரெளபதி
➖➖➖➖
மனித தேகத்தை காக்கும் இரத்தமாகிய சக்தி, பெண் அம்சம் (குங்குமம்) என்பதாகும். இச்சக்தியைக் கொண்டு ஐம்புலன்கள் செயல்படுவதால் ஐவருக்கு பத்தினி என்ற தத்துவ கருத்தாகும்.
கண்ணன்:
➖➖➖➖
ஆன்ம அறிவு மாயன், தேர் ஓட்டி, பாண்டவர்களின் மைத்துனன், உலக உயிர்களாகிய தேர்களை வழி நடத்துபவன் என்ற தத்துவமாகும்.
துரியோதனன்:
➖➖➖➖➖
நான், எனது என்ற அகங்கார மமகாரங்களின் உருவம், அஞ்ஞானத்திற்கு அதிபதி. அறிவுக்கும், நீதிக்கும் ஊசிமுனையிடமும் கொடுக்க மறுத்தவன்.
சகுனி:
➖➖➖
கெளரவர்களின் மைத்துனன், தீவினைகளுக்கு வழிகாட்டும் வஞ்சக அமைச்சர்.
கருத்து நம் மானிட தேகத்தின்கண் அறிவுக்கும், அறியாமைக்கும், தர்மத்திற்கும், அதர்மத்திற்கும், நீதிக்கும், அநீதிக்கும், புண்ணியம், பாவம் என்ற எண்ணங்களாகிய இருவினை போர் வீர்களுக்கு இடையில் நாள் தோறும் நடக்கும் மனப்போராட்டமே பாரத போராகும். இப்போர் மானிடன் என்ற ஒருவன் இருக்கும் வரை மனதிற்கும் அறிவிற்கும் ஓயாது நடக்கின்ற போராகும்.
திருநீறு அணியும் முறை
திருநீற்றை ஒரு விரலால் தொட்டு நெற்றியில் பொட்டு போல வைத்துக்கொள்ள கூடாது. அதுபோல தண்ணீர் விட்டு குழைத்தும் பூசக் கூடாது.
நெற்றியில் ஒரு கோடிடுபவர்கள் ஆள்காட்டி விரலுக்கும் பெருவிரலுக்கும் இடையில் எவ்வளவு திருநீறு எடுக்க முடிகிறதோ அவ்வளவு எடுத்து நெற்றியில் கோடிட வேண்டும்.
மூன்று கோடு இடுவதற்கு சுண்டு விரல் தவிர்த்து மீதி நான்கு விரல்களால் திருநீரை எடுத்து, பெருவிரல் இல்லாமல் மீதி மூன்று விரலால் நெற்றி முழுவதும் கோடக அணிந்துக்கொள்ள வேண்டும்.
மேலும் தீட்சை பெற்றவர்கள் மட்டுமே திருநீரை தண்ணீர் சேர்த்து குழைத்து அணியலாம். தீட்சை பெறாதவர்கள் கண்டிப்பாக திருநீரை தண்ணீரில் குழைத்து அணிய கூடாது.
தினமும் திருநீறு அணியும் போது
“நம் தேகமும் ஒருநாள் இந்த பிடி சம்பலாகத்தான் ஆக போகிறது, ஆகவே இந்த உலக வாழ்வில் அதிக ஆசை கொள்ளாது, பொன் பொருள் மீது ஆசை கொள்ளாது, இறை வழிபாட்டில் மனம் ஒன்றி, ஆன்மா வளம் பெற வாழவேண்டும்.”
என்று எண்ணிக்கொள்ள வேண்டும். இதுவே சைவ மதம் போதிக்கும் சிறந்த கோட்பாடாகும்.
சைவ வழிபாடு
சைவ வழிபாடு
சைவ சமயத்தில் கடவுள் வழிபாடும் நன்கு வரையறுக்கப்பட்டுள்ளன.வாழ்ந்தே ஆக வேண்டும் என்ற நியதிக்கு உட்பட்ட நமது விதிகள் மூன்று மூலங்களைக் கொண்டு அமைக்கப்படுவது.
- பதி (கடவுள்)
- பசு (உயிர்)
- பாசம் (பற்று)
இவற்றில் பதிக்கு பாசத்தால் ஆக வேண்டியது ஒன்றும் இல்லை.அதுபோல பாசம் பதியை தொழுது பயன்களை பெற்றுக்கொள்ள முடியாது
இவை இரண்டிற்கும் இடைப்பட்ட பசுவே இவை இரண்டிற்கும் உள்ள தொடர்பு
அதாவது பசுவாகிய உயிர் பாசமாகிய பற்றில் இருந்து விடுபட்டு பதியாகிய கடவுளை(சிவனை) அடைவதே வழிபாட்டின் நோக்கம்
அப்படி உயிர் கடவுளை அடையும் நிலையே “ஞானம்” எனப்படுகிறது
சைவ நெறியின் சிவ வழிபாட்டின் நோக்கம் ஞானத்தை பெறுவதே
“பாசமாம் பற்றறுத்து பாரிக்கும் ஆரியனே” என்ற சிவ புராணத்தின் வரிகள் சிவ வழிபாட்டின் நோக்கத்தை நமக்கு விளக்குகின்றது
எனவே இந்த உலக இன்பதுன்ப உறவுகளில் இருந்து நம்மை விடுவித்து கொண்டு சிவ வழிபாட்டின் மூலம் சிவ கதி அடையவே நாம் முயல வேண்டும்….