728x90
복잡한 객체의 생성 과정을 단계별로 나누는 방법을 제공하는 디자인 패턴이다.
객체 생성의 복잡성을 줄이고, 코드의 가독성을 높일 수 있다.
특징
1. 생성 과정을 분리하여 복잡한 객체 생성과정을 단순화 할 수 있다.
2. 객체를 다양한 형태로 생성할 수 있다.
3. 객체 생성 코드가 명확해질 수 있다.
자동차의 객체가 다음과 같다고 가정한다.
위의 코드는 아마 클라이언트가 전부 내용을 한번에 전달해줘야 하는 상황일 것이다.
또는 생성자를 통해 초기화 하지 않고 아래의 그림처럼 Set.. 같은 함수로 설정할 수 있겠지만
어느 설정을 깜빡할 가능성도 있다.
이를 좀더 쉽게 구성하기 위해 빌더를 통해 구조를 좀더 괜찮은 방식으로 생성할 수 있다.
좀더 소통을 간결하며 명확하게 전달하는 방식이다.
클라이언트의 오더를 받고 빌더내부에서 각 설정을 해준 뒤에 최종 객체를 반환받는 방식이다.
<자동차 클래스>
public class Car
{
private string _engine;
private string _wheel;
private string _brand;
private string _name;
private int _price;
private int _number;
public Car(string m_engine,string m_wheel,string m_brand,
string m_name, int m_price, int m_num )
{
this._engine = m_engine;
this._wheel = m_wheel;
this._brand = m_brand;
this._name = m_name;
this._price = m_price;
this._number = m_num;
}
}
<자동차 빌더>
public class CarBuilder
{
private string _engine;
private string _wheel;
private string _brand;
private string _name;
private int _price;
private int _number;
public CarBuilder SetEngine(string m_engine)
{
this._engine = m_engine;
return this;
}
public CarBuilder SetWheel(string m_wheel)
{
this._wheel = m_wheel;
return this;
}
public CarBuilder SetBrand(string m_brand)
{
this._brand = m_brand;
return this;
}
public CarBuilder SetName(string m_name)
{
this._name = m_name;
return this;
}
public CarBuilder SetPrice(int m_price)
{
this._price = m_price;
return this;
}
public CarBuilder SetNumber(int m_number)
{
this._number = m_number;
return this;
}
public Car Build()
{
return new Car(_engine, _wheel, _brand, _name, _price, _number);
}
}
<클라이언트>
CarBuilder builder = new CarBuilder();
Car newCar = builder
.SetBrand("Kx")
.SetPrice(200000)
.SetName("Aaa")
.SetNumber(1234)
.SetEngine("V4")
.SetWheel("Nx")
.Build();
// 또는
builder.SetEngine("V3");
builder.SetPrice(123334);
Car newCar = builder.Build();
'디자인 패턴' 카테고리의 다른 글
Factory Pattern 팩토리 패턴 (0) | 2024.08.08 |
---|