커맨드 패턴(Command pattern)이란 요청을 객체의 형태로 캡슐화하여 사용자가 보낸 요청을 나중에 이용할 수 있도록 매서드 이름, 매개변수 등 요청에 필요한 정보를 저장 또는 로깅, 취소할 수 있게 하는 패턴이다.
커맨드 패턴에는 명령(command), 수신자(receiver), 발동자(invoker), 클라이언트(client)의 네개의 용어가 항상 따른다. 커맨드 객체는 수신자 객체를 가지고 있으며, 수신자의 메서드를 호출하고, 이에 수신자는 자신에게 정의된 메서드를 수행한다. 커맨드 객체는 별도로 발동자 객체에 전달되어 명령을 발동하게 한다. 발동자 객체는 필요에 따라 명령 발동에 대한 기록을 남길 수 있다. 한 발동자 객체에 다수의 커맨드 객체가 전달될 수 있다. 클라이언트 객체는 발동자 객체와 하나 이상의 커맨드 객체를 보유한다. 클라이언트 객체는 어느 시점에서 어떤 명령을 수행할지를 결정한다. 명령을 수행하려면, 클라이언트 객체는 발동자 객체로 커맨드 객체를 전달한다.
구조
예
C++
#include<iostream>#include<vector>#include<string>usingnamespacestd;classCommand{public:virtualvoidexecute(void)=0;virtual~Command(void){};};classIngredient:publicCommand{public:Ingredient(stringamount,stringingredient){_ingredient=ingredient;_amount=amount;}voidexecute(void){cout<<" *Add "<<_amount<<" of "<<_ingredient<<endl;}private:string_ingredient;string_amount;};classStep:publicCommand{public:Step(stringaction,stringtime){_action=action;_time=time;}voidexecute(void){cout<<" *"<<_action<<" for "<<_time<<endl;}private:string_time;string_action;};classCmdStack{public:voidadd(Command*c){commands.push_back(c);}voidcreateRecipe(void){for(vector<Command*>::size_typex=0;x<commands.size();x++){commands[x]->execute();}}voidundo(void){if(commands.size()>=1){commands.pop_back();}else{cout<<"Can't undo"<<endl;}}private:vector<Command*>commands;};intmain(void){CmdStacklist;//Create ingredientsIngredientfirst("2 tablespoons","vegetable oil");Ingredientsecond("3 cups","rice");Ingredientthird("1 bottle","Ketchup");Ingredientfourth("4 ounces","peas");Ingredientfifth("1 teaspoon","soy sauce");//Create StepStepstep("Stir-fry","3-4 minutes");//Create Recipecout<<"Recipe for simple Fried Rice"<<endl;list.add(&first);list.add(&second);list.add(&step);list.add(&third);list.undo();list.add(&fourth);list.add(&fifth);list.createRecipe();cout<<"Enjoy!"<<endl;return0;}
자바
/*the Invoker class*/publicclassSwitch{privateCommandflipUpCommand;privateCommandflipDownCommand;publicSwitch(CommandflipUpCmd,CommandflipDownCmd){this.flipUpCommand=flipUpCmd;this.flipDownCommand=flipDownCmd;}publicvoidflipUp(){flipUpCommand.execute();}publicvoidflipDown(){flipDownCommand.execute();}}/*Receiver class*/publicclassLight{publicLight(){}publicvoidturnOn(){System.out.println("The light is on");}publicvoidturnOff(){System.out.println("The light is off");}}/*the Command interface*/publicinterfaceCommand{voidexecute();}/*the Command for turning on the light*/publicclassTurnOnLightCommandimplementsCommand{privateLighttheLight;publicTurnOnLightCommand(Lightlight){this.theLight=light;}publicvoidexecute(){theLight.turnOn();}}/*the Command for turning off the light*/publicclassTurnOffLightCommandimplementsCommand{privateLighttheLight;publicTurnOffLightCommand(Lightlight){this.theLight=light;}publicvoidexecute(){theLight.turnOff();}}/*The test class*/publicclassTestCommand{publicstaticvoidmain(String[]args){Lightlight=newLight();CommandswitchUp=newTurnOnLightCommand(light);CommandswitchDown=newTurnOffLightCommand(light);Switchs=newSwitch(switchUp,switchDown);s.flipUp();s.flipDown();}}
파이썬
classSwitch(object):"""The INVOKER class"""def__init__(self,flip_up_cmd,flip_down_cmd):self.flip_up=flip_up_cmdself.flip_down=flip_down_cmdclassLight(object):"""The RECEIVER class"""defturn_on(self):print("The light is on")defturn_off(self):print("The light is off")classLightSwitch(object):"""The CLIENT class"""def__init__(self):lamp=Light()self._switch=Switch(lamp.turn_on,lamp.turn_off)defswitch(self,cmd):cmd=cmd.strip().upper()ifcmd=="ON":self._switch.flip_up()elifcmd=="OFF":self._switch.flip_down()else:print("Argument 'ON' or 'OFF' is required.")# 파일이 모듈로 로딩되지 않고 스크립트로 실행될 때만 아래를 수행if__name__=="__main__":light_switch=LightSwitch()print("Switch ON test.")light_switch.switch("ON")print("Switch OFF test.")light_switch.switch("OFF")print("Invalid Command test.")light_switch.switch("****")