作者按:《每天一個設計模式》旨在初步領會設計模式的精髓,目前採用 和`python`兩種語言實現。誠然,每種設計模式都有多種實現方式,但此小冊只記錄最直截了當的實現方式 :) 原文地址是: "《每天一個設計模式之命令模式》" 歡迎關註個人技術博客: "godbmw.com" 。每周 1 篇原創技術分 ...
作者按:《每天一個設計模式》旨在初步領會設計模式的精髓,目前採用
javascript
和python
兩種語言實現。誠然,每種設計模式都有多種實現方式,但此小冊只記錄最直截了當的實現方式 :)
原文地址是:《每天一個設計模式之命令模式》
歡迎關註個人技術博客:godbmw.com。每周 1 篇原創技術分享!開源教程(webpack、設計模式)、面試刷題(偏前端)、知識整理(每周零碎),歡迎長期關註!
如果您也想進行知識整理 + 搭建功能完善/設計簡約/快速啟動的個人博客,請直接戳theme-bmw
0. 示例代碼
1. 什麼是“命令模式”?
命令模式是一種數據驅動的設計模式,它屬於行為型模式。
- 請求以命令的形式包裹在對象中,並傳給調用對象。
- 調用對象尋找可以處理該命令的合適的對象,並把該命令傳給相應的對象。
- 該對象執行命令。
在這三步驟中,分別有 3 個不同的主體:發送者、傳遞者和執行者。在實現過程中,需要特別關註。
2. 應用場景
有時候需要向某些對象發送請求,但是又不知道請求的接受者是誰,更不知道被請求的操作是什麼。此時,命令模式就是以一種松耦合的方式來設計程式。
3. 代碼實現
3.1 python3 實現
命令對象將動作的接收者設置在屬性中,並且對外暴露了execute
介面(按照習慣約定)。
在其他類設置命令並且執行命令的時候,只需要按照約定調用Command
對象的execute()
即可。到底是誰接受命令,並且怎麼執行命令,都交給Command
對象來處理!
__author__ = 'godbmw.com'
# 接受到命令,執行具體操作
class Receiver(object):
def action(self):
print("按鈕按下,執行操作")
# 命令對象
class Command:
def __init__(self, receiver):
self.receiver = receiver
def execute(self):
self.receiver.action()
# 具體業務類
class Button:
def __init__(self):
self.command = None
# 設置命令對戲那個
def set_command(self, command):
self.command = command
# 按下按鈕,交給命令對象調用相關函數
def down(self):
if not self.command:
return
self.command.execute()
if __name__ == "__main__":
receiver = Receiver()
command = Command(receiver)
button = Button()
button.set_command(command)
button.down()
3.2 ES6 實現
setCommand
方法為按鈕指定了命令對象,命令對象為調用者(按鈕)找到了接收者(MenuBar
),並且執行了相關操作。而按鈕本身並不需要關心接收者和接受操作。
// 接受到命令,執行相關操作
const MenuBar = {
refresh() {
console.log("刷新菜單頁面");
}
};
// 命令對象,execute方法就是執行相關命令
const RefreshMenuBarCommand = receiver => {
return {
execute() {
receiver.refresh();
}
};
};
// 為按鈕對象指定對應的 對象
const setCommand = (button, command) => {
button.onclick = () => {
command.execute();
};
};
let refreshMenuBarCommand = RefreshMenuBarCommand(MenuBar);
let button = document.querySelector("button");
setCommand(button, refreshMenuBarCommand);
下麵是同級目錄的 html 代碼,在谷歌瀏覽器中打開創建的index.html
,並且打開控制台,即可看到效果。
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8" />
<meta name="viewport" content="width=device-width, initial-scale=1.0" />
<meta http-equiv="X-UA-Compatible" content="ie=edge" />
<title>命令模式</title>
</head>
<body>
<button>按鈕</button>
<script src="./main.js"></script>
</body>
</html>
4. 參考
- 《JavaScript 設計模式和開發實踐》
- 如何實現命令模式