In C#, Encapsulation is a principle of wrapping data (fields) and code (methods and properties) together as a single unit. In object-oriented programming, Encapsulation is the first, and main principle that is required to protect the data members of an object.
Why Encapsulation is needed?
This concept is often used to hide the internal representation, or state, of an object from the outside, which helps to protect data from being corrupted.
How to implement Encapsulation in C#?
With the help of access specifies (public, private, protracted, etc.) we bind data members, methods, and properties that operate on it into a single unit. For an example:
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
public class User | |
{ | |
private int _age; //not accessable outside the class | |
public int Age | |
{ | |
get | |
{ | |
return _age; | |
} | |
set | |
{ | |
if (value > 0 && value <= 100) | |
{ | |
_age = value; | |
} | |
} | |
} | |
private string _name; //not accessable outside the class | |
public string Name | |
{ | |
get | |
{ | |
return _name; | |
} | |
set | |
{ | |
if (value?.Length > 0 && value?.Length <= 15) | |
{ | |
_name = value; | |
} | |
} | |
} | |
public void DisplayInfo() | |
{ | |
Console.WriteLine($"Name: {(!string.IsNullOrEmpty(_name) ? _name : "N/A")}\n Age: {(_age > 0 ? _age : "N/A")}"); | |
} | |
} | |
public class Program | |
{ | |
public static void Main(string[] args) | |
{ | |
var ramuser = new User | |
{ | |
Name = "Ram", | |
Age = 25 | |
}; | |
ramuser.DisplayInfo(); | |
} | |
} |