重构第七章
8.Introduce Local Extension(引入本地扩展)
你所使用的server class需要一些额外函数,但你无法修改这个class 。建立一个新class使它包含这些额外函数,让这个扩展品成为source class 的subclass(子类)或者wrapper(外覆类)
1.使用subclass(子类)
Example:
private static Date nextDay(Date arg) {
return new Date(arg.getYear(), arg.getMonth(), arg.getDate() + 1);
}
End:
class JDate extends Date //JDate 继承于Date
class JDate...
Date nextDat() {
return new Date(getYear(), getMonth(), getDate()+ 1);
}
Analyse:
JDate class继承于Date class,所以从JDate中可以调用到父类的函数,如此就可以添加新的特性到JDate class中而不修改Date class的代码。
2.使用wrapper(外覆类)
Example:
private static Date nextDay(Date arg) {
return new Date(arg.getYear(), arg.getMonth(), arg.getDate() + 1);
}
End:
class DateWrapper...
private :
Date _original;
public :
int getYear() {
return _original.getYear();
}
...
最后实现新的接口:
Date nextDat() {
return new Date(getYear(), getMonth(), getDate()+ 1);
}
Analyse:
DateWrapper class拥有Date class的成员变量,所以从DateWrapper中可以通过委托调用Date class中的函数,如此就可以添加新的特性到DateWrapper class中而不修改Date class的代码。
Conclusion:
Introduce Local Extension(引入本地扩展)是Introduce Foreign Method(引入本地函数)的扩展版本,需求是由于新增特性太多,导致不得不新建一个class将这些特性封装起来。
subclass的方法,通过继承调用,这样可能会有的问题是,如果其他地方也有调用了 original class的时候,我的程序中就包含了两个类含有相同的数据。同时,一个修改动作,无法作用于两个类中。
wrapper的方法,则在修改的同时可以保证 original class一起修改,因为它保留了一个original class的成员。但wrapper针对以original class为参数的函数,可能会有歧义,或者无法使用。
例如:
class Date...
bool equals (Date date);
class wrapperDate...
bool equalDate (Date date);
bool equalDate (wrapperDate date);
如上,需要重载两个函数,才能保证equalDate使用时不考虑参数类型。
其实,我觉得wrapper这种问题不算是一个问题,因为参数在运行时一定是确定的,这个时候可以根据参数类型去进行符合功能的代码;不过确实如上图这样子的函数是需要两个函数去完成相同的功能,有一些累赘。这个问题可以日后在仔细留意一下。
注意
重构必须在有单元测试的情况下,保证之前的功能修改后不收影响。切记!!!
网友评论