两个类都需要使用对方特性,但其间只有一个单向连接
重构:添加一个反向指针,并使修改函数能够同时更新两条连接
由哪个类负责控制关联关系。建议单个类来操控,因为这样就可以将所有处理关联关系的逻辑安置于一地。
1、如果两者都是引用对象,而期间的关联是“一对多”关系,那么就由“拥有单一引用”的那一方承担“控制者”角色。
2、如果某个对象是组成另一个对象的部件,那么由后者(整体)负责控制关联关系。
3、如果两者都是引用对象,而期间的关联是“多对多”关系,那么随便哪个对象控制关联关系都可。
public class Order {private Customer customer;public Customer getCustomer() {return customer;}// 建议:一对多关系里,【一方】维护关系.public void setCustomer(Customer arg) {if (this.customer != null) {this.customer.friendOrders().remove(this);}this.customer = arg;if (this.customer != null) {this.customer.friendOrders().add(this);}}
}public class Customer {private Set<Order> orders = new HashSet<>();public Set<Order> friendOrders() {/*should only be used by Order when modifying the association*/return orders;}// 【多方】也修改连接,直接调用【一方】的函数.public void addOrder(Order arg) {arg.setCustomer(this);}
}
多对多场景:
public class Order {private Set<Customer> customers;// controlling methods.public void addCustomer(Customer arg) {arg.friendOrders().add(this);this.customers.add(arg);}public void removeCustomer(Customer arg) {arg.friendOrders().remove(this);this.customers.remove(arg);}
}public class Customer {private Set<Order> orders = new HashSet<>();public Set<Order> friendOrders() {/*should only be used by Order when modifying the association*/return orders;}// 使用控制方函数.public void addOrder(Order arg) {arg.addCustomer(this);}public void removOrder(Order arg) {arg.removeCustomer(this);}
}