- Python 设计模式教程
- Python 设计模式 - 主页
- 介绍
- Python 设计模式 - 要点
- 模型视图控制器模式
- Python 设计模式 - 单例
- Python 设计模式 - 工厂
- Python 设计模式 - 构建器
- Python 设计模式 - 原型
- Python 设计模式 - 外观
- Python 设计模式 - 命令
- Python 设计模式 - 适配器
- Python 设计模式 - 装饰器
- Python 设计模式 - 代理
- 责任链模式
- Python 设计模式 - 观察者
- Python 设计模式 - 状态
- Python 设计模式 - 策略
- Python 设计模式 - 模板
- Python 设计模式 - 享元
- 抽象工厂
- 面向对象
- 面向对象的概念实现
- Python 设计模式 - 迭代器
- 词典
- 列表数据结构
- Python 设计模式 - 集
- Python 设计模式 - 队列
- 字符串和序列化
- Python 中的并发
- Python 设计模式 - 反
- 异常处理
- Python 设计模式资源
- 快速指南
- Python 设计模式 - 资源
- 讨论
模型视图控制器模式
模型视图控制器是最常用的设计模式。开发人员发现实现这种设计模式很容易。
以下是模型视图控制器的基本架构 -
现在让我们看看该结构是如何工作的。
模型
它由与数据库交互的纯应用程序逻辑组成。它包括向最终用户表示数据的所有信息。
看法
视图代表与最终用户交互的 HTML 文件。它向用户代表模型的数据。
控制器
它充当视图和模型之间的中介。它监听视图触发的事件并查询模型。
Python代码
让我们考虑一个名为“Person”的基本对象并创建一个 MVC 设计模式。
模型.py
import json class Person(object): def __init__(self, first_name = None, last_name = None): self.first_name = first_name self.last_name = last_name #returns Person name, ex: John Doe def name(self): return ("%s %s" % (self.first_name,self.last_name)) @classmethod #returns all people inside db.txt as list of Person objects def getAll(self): database = open('db.txt', 'r') result = [] json_list = json.loads(database.read()) for item in json_list: item = json.loads(item) person = Person(item['first_name'], item['last_name']) result.append(person) return result
它调用一个方法,该方法获取数据库中 Person 表的所有记录。记录以 JSON 格式呈现。
看法
它显示模型中获取的所有记录。视图从不与模型交互;控制器完成这项工作(与模型和视图通信)。
from model import Person def showAllView(list): print 'In our db we have %i users. Here they are:' % len(list) for item in list: print item.name() def startView(): print 'MVC - the simplest example' print 'Do you want to see everyone in my db?[y/n]' def endView(): print 'Goodbye!'
控制器
控制器通过getAll()方法与模型交互,该方法获取显示给最终用户的所有记录。
from model import Person import view def showAll(): #gets list of all Person objects people_in_db = Person.getAll() #calls view return view.showAllView(people_in_db) def start(): view.startView() input = raw_input() if input == 'y': return showAll() else: return view.endView() if __name__ == "__main__": #running controller function start()