-
Notifications
You must be signed in to change notification settings - Fork 8
/
Copy pathAggregationExample.java
69 lines (56 loc) · 2.48 KB
/
AggregationExample.java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
/*
聚合是一个对象(整体)包含或引用其他对象(部分),但这些部分对象在逻辑上可以独立于整体对象。
本示例:
- 聚合关系:Department类聚合了Employee。Department类包含一个Employee列表,但这些员工的生命周期不依赖于部门。如果部门被销毁,员工对象仍然可以继续存在。这种关系是典型的聚合关系。
- 松散耦合:聚合允许整体和部分对象之间具有较低的耦合度,这使得系统更易于维护和扩展。部分对象可以独立存在,整体对象只是引用它们。
- 部分-整体关系:部门包含员工,但员工可以属于多个部门,也可以独立存在。这种关系使得代码更加灵活,并允许部分对象在整体对象之外被重用。
*/
import java.util.ArrayList;
import java.util.List;
// 定义一个员工类
class Employee {
private String name;
public Employee(String name) {
this.name = name; // 初始化员工名字
}
public String getName() {
return name; // 获取员工名字
}
}
// 定义一个部门类
class Department {
private String departmentName; // 部门名称
private List<Employee> employees; // 部门包含的员工列表
public Department(String departmentName) {
this.departmentName = departmentName; // 初始化部门名称
this.employees = new ArrayList<>(); // 初始化员工列表
}
// 添加员工到部门
public void addEmployee(Employee employee) {
employees.add(employee); // 将员工添加到列表
}
// 获取部门的所有员工名字
public void listEmployees() {
System.out.println("Employees in " + departmentName + ":");
for (Employee employee : employees) {
System.out.println(employee.getName()); // 输出员工名字
}
}
}
// 测试验证
public class AggregationExample {
public static void main(String[] args) {
// 创建几个员工对象
Employee tom = new Employee("Tom");
Employee jerry = new Employee("Jerry");
// 创建一个部门,并将员工添加到部门
Department itDepartment = new Department("IT Resources");
itDepartment.addEmployee(tom);
itDepartment.addEmployee(jerry);
// 列出部门中的员工
itDepartment.listEmployees(); // 输出:Employees in IT Resources: Tom, Jerry
// 即使部门被销毁,员工对象仍然可以继续存在
itDepartment = null; // 删除部门对象
System.out.println("Employee Tom still exists: " + tom.getName()); // 输出:Tom
}
}