一、构建者模式概念
- 建造者模式属于创建型模式。
- 建造者模式主要用来创建复杂的对象,用户可以不用关心其建造过程和细节。
例如:当要组装一台电脑时,我们选择好CPU、内存、硬盘等等,然后交给装机师傅,装机师傅就把电脑给组装起来,我们不需要关心是怎么拼装起来的。
二、Android源码中的构建者模式
Android中的AlertDialog.Builder就是使用了Builder模式来构建AlertDialog的。
1、AlertDialog.Builder的简单用法
AlertDialog.Builder builder = new AlertDialog.Builder(activity);//创建一个Builder对象
builder.setIcon(R.drawable.icon);
builder.setTitle("标题");
builder.setMessage("信息");
builder.setPositiveButton("确定",
new DialogInterface.OnClickListener() {
@Override
public void onClick(DialogInterface dialog, int which) {
}
});
AlertDialog alertDialog = builder.create();//创建AlertDialog对象
alertDialog.show();//展示AlertDialog
通过Builder对象来构建Icon、Title、Message等,将AlertDialog的构建过程和细节隐藏了起来。
2、AlertDialog源码
//AlertDialog源码
public class AlertDialog extends Dialog implements DialogInterface {
private AlertController mAlert;//接受Builder成员变量P的参数
AlertDialog(Context context, @StyleRes int themeResId, boolean createContextThemeWrapper) {
super(context, createContextThemeWrapper ? resolveDialogTheme(context, themeResId) : 0, createContextThemeWrapper);
mWindow.alwaysReadCloseOnTouchAttr();
mAlert = AlertController.create(getContext(), this, getWindow());//创建AlertController对象
}
@Override
public void setTitle(CharSequence title) {//设置Title
super.setTitle(title);
mAlert.setTitle(title);//保存在AlertController对象中
}
public void setMessage(CharSequence message) {//设置Message
mAlert.setMessage(message);//保存在AlertController对象中
}
public void setIcon(@DrawableRes int resId) {//设置Icon
mAlert.setIcon(resId);//保存在AlertController对象中
}
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
mAlert.installContent();//安装AlertDialog的内容
}
//AlertDialog其他代码略
public static class Builder {
private final AlertController.AlertParams P;//构建AlertDialog对象所需要的参数都存放在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)));//初始化AlertParams对象
}
public Context getContext() {
return P.mContext;
}
public android.app.AlertDialog.Builder setTitle(CharSequence title) {
P.mTitle = title;//保存title到P中
return this;
}
public android.app.AlertDialog.Builder setMessage(CharSequence message) {
P.mMessage = message;//保存message
return this;
}
public android.app.AlertDialog.Builder setIcon(@DrawableRes int iconId) {
P.mIconId = iconId;//保存IconId
return this;
}
//Builder其他代码略
public android.app.AlertDialog create() {//构建AlertDialog
final android.app.AlertDialog dialog = new android.app.AlertDialog(P.mContext, 0, false);//创建一个AlertDialog对象
P.apply(dialog.mAlert);//将P中的参数设置到AlertController中
//其他设置代码略
return dialog;
}
}
}
调用builder.create()即可返回一个AlertDialog对象。