Android 中的建造者模式
概述
建造者模式(Builder Pattern)也叫生成器模式笛丙,其定義如下:
separate the construction of a complex object from its representation so that the same construction process can create different representations.將一個復雜對象的構建與它的標示分離修陡,這樣的話就可以使同樣的構建過程可以創(chuàng)建不同的表示枕赵。
我的理解:就是把一個產品(對象)表示(展示)和構建(創(chuàng)建)過程分離開來传透,這樣產品的構建流程相同卻可以有不同的產品表示机杜。
應用場景
這里舉出Android中常見的例子:
android中的AlertDialog對話框的構建過程就是建造者模式的典型應用饼疙。
UML
看一下Builder源碼
public static class Builder {
private final AlertController.AlertParams P;
public Builder(Context context) {
this(context, resolveDialogTheme(context, 0));
}
public Builder(Context context, int themeResId) {
P = new AlertController.AlertParams(new ContextThemeWrapper(
context, resolveDialogTheme(context, themeResId)));
}
//各種set參數方法
setTitle()
...
...
...
/**
* Creates an {@link AlertDialog} with the arguments supplied to this
* builder.
* <p>
* Calling this method does not display the dialog. If no additional
* processing is needed, {@link #show()} may be called instead to both
* create and display the dialog.
*/
public AlertDialog create() {
// Context has already been wrapped with the appropriate theme.
final AlertDialog dialog = new AlertDialog(P.mContext, 0, false);
P.apply(dialog.mAlert);
dialog.setCancelable(P.mCancelable);
if (P.mCancelable) {
dialog.setCanceledOnTouchOutside(true);
}
dialog.setOnCancelListener(P.mOnCancelListener);
dialog.setOnDismissListener(P.mOnDismissListener);
if (P.mOnKeyListener != null) {
dialog.setOnKeyListener(P.mOnKeyListener);
}
return dialog;
}
// 這個show方法是builder對象的迅细,里面封裝了create()和show()可以直接調取創(chuàng)建并顯示對話框
public AlertDialog show() {
final AlertDialog dialog = create();
dialog.show();
return dialog;
}
}
分析源碼可以看到內部類Builder是用來構建這個對話框的:
1巫橄、創(chuàng)建builder的時候,會把這個AlertController.AlertParams P;對象P創(chuàng)建new出來
2茵典、在對bilder設置各種參數的時湘换,這些參數都存在了對象P中
3、然后builder參數設置完畢后在調用create方法敬尺。
final AlertDialog dialog = new AlertDialog(P.mContext, 0, false);
P.apply(dialog.mAlert); // mAlert是外部類中的
這個方法中會首先調用外部類AlertDialog的構造方法枚尼,new出一個外部類對象,然后p.apply()方法會將P這個對象作為內部類的屬性賦值給AlertController的對象mAlert。這樣就完成了一次的構建砂吞。
下面是AlertDialog的部分源碼
public class AlertDialog extends Dialog implements DialogInterface {
// 這個對象用來承接builder內部所設置的參數
private AlertController mAlert;
//以下幾個構造方法決定只能通過內部類builder來構建
protected AlertDialog(Context context) {
this(context, 0);
}
protected AlertDialog(Context context, boolean cancelable, OnCancelListener cancelListener) {
this(context, 0);
setCancelable(cancelable);
setOnCancelListener(cancelListener);
}
protected AlertDialog(Context context, @StyleRes int themeResId) {
this(context, themeResId, true);
}
AlertDialog(Context context, @StyleRes int themeResId, boolean createContextThemeWrapper) {
super(context, createContextThemeWrapper ? resolveDialogTheme(context, themeResId) : 0,
createContextThemeWrapper);
mWindow.alwaysReadCloseOnTouchAttr();
mAlert = new AlertController(getContext(), this, getWindow());
}
}