封装[encapsulation]
- 封装介绍
- 封装好处
- 封装的实现步骤(三步)
- 入门案例
- 封装与构造器
封装介绍
封装就是把抽象的数据[属性]和对数据的操作[方法]封装在一起,数据被保护在内部,程序的其它部分只有通过被授权的操作[方法],才能对数据进行操作。
封装好处
1)隐藏实现细节:方法(连接数据库)<——调用(传入参数…)
2)可以对数据进行验证,保证数据的安全合理性
封装的实现步骤(三步)
1)将属性进行私有化 private
2)提供一个公共的 (public)set 方法,用于对属性判断并赋值
public void setXxx(类型 参数名){ //Xxx表示某个属性
//加入数据验证的业务逻辑
属性 = 参数名;
}
3)提供一个公共的 (public)get 方法,用于获取属性的值
public 数据类型 getXxx(){ //权限判断,Xxx表示某个属性
return xx;
}
入门案例
package encapsulation;
/*
* 设计一个小程序
* 不能随便查看人的年龄、工资等隐私,并对年龄进行合理的验证。
* 年龄: 在1-120岁 名字: 长度在 2-6 个字符之间
* */
public class Encapsulation01 {
public static void main(String[] args) {
Person person = new Person();
person.setName("Tom");
person.setAge(25);
person.setSalary(30000);
System.out.println(person.info());
}
}
class Person{
public String name; // 名字公开
private int age; // age 私有化
private double salary; // salary 私有化
public Person(){
}
public String getName() {
// 对数据进行校验
if (name.length() >= 2 && name.length() <= 6){
return name;
}else {
System.out.println("输入的名字有误,长度需要2-6个字符");
return null;
}
}
public void setName(String name) {
this.name = name;
}
public int getAge() {
return age;
}
public void setAge(int age) {
// 判断
if (age >= 1 && age <= 120){
this.age = age;
}else {
System.out.println("输入的年龄有误,需要在1-120岁");
}
}
public double getSalary() {
return salary;
}
public void setSalary(double salary) {
this.salary = salary;
}
// 返回属性信息
public String info(){
return "信息: 名字 = " + name + " 年龄 = " + age + " 薪水 = " + salary;
}
}
运行结果:
封装与构造器
public class Encapsulation01 {
public static void main(String[] args) {
Person smith = new Person("smith", 20, 20000);
System.out.println("======smith的信息======");
System.out.println(smith.info());
}
}
class Person{
public Person(String name, int age, double salary){
// 可以将set方法写在构造器中,仍然可以对数据进行验证
setName(name);
setAge(age);
setSalary(salary);
}
}
运行结果: