【iOS】架构模式

文章目录

  • 前言
  • 一、MVC
  • 二、MVP
  • 三、MVVM


前言

之前写项目一直用的是MVC架构,现在来学一下MVP与MVVM两种架构,当然还有VIPER架构,如果有时间后面会单独学习

一、MVC

在这里插入图片描述

MVC架构先前已经详细讲述,这里不再赘述,我们主要讲一下MVC的优化【iOS】MVC

众所周知,MVC最大的问题是我们的C层十分臃肿,因为所有的事件处理逻辑都写在了C层

我们分几步来解决这个问题:

  • 业务逻辑分离:将业务逻辑移出视图控制器,放入单独的模型或管理类中。例如,数据处理、网络请求和数据转换等应该在模型或专门的业务逻辑类中处理

例如我们可以单独抽象出来一个单例Manager类负责网络请求在这里插入图片描述

  • 委托和数据源分离:尽量将UITableViewUICollectionViewdataSourcedelegate方法移到其他类中,比如创建专门的类来处理这些逻辑。

例如可以单独抽象出一个类负责协议处理

TableViewDataSourceAndDelegate.h

#import <Foundation/Foundation.h>
#import <UIKit/UIKit.h>@interface TableViewDataSourceAndDelegate : NSObject <UITableViewDataSource, UITableViewDelegate>@property (strong, nonatomic) NSArray *data;- (instancetype)initWithData:(NSArray *)data;@end

TableViewDataSourceAndDelegate.m

#import "TableViewDataSourceAndDelegate.h"@implementation TableViewDataSourceAndDelegate- (instancetype)initWithData:(NSArray *)data {self = [super init];if (self) {_data = data;}return self;
}- (NSInteger)tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger)section {return self.data.count;
}- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath {static NSString *cellIdentifier = @"Cell";UITableViewCell *cell = [tableView dequeueReusableCellWithIdentifier:cellIdentifier forIndexPath:indexPath];cell.textLabel.text = self.data[indexPath.row];return cell;
}// Implement other delegate methods as needed
- (void)tableView:(UITableView *)tableView didSelectRowAtIndexPath:(NSIndexPath *)indexPath {NSLog(@"Selected row at index path: %@", indexPath);
}@end

使用这个类

ViewController.m

#import "ViewController.h"@implementation ViewController- (void)viewDidLoad {[super viewDidLoad];// Initialize the tableViewself.tableView = [[UITableView alloc] initWithFrame:self.view.bounds style:UITableViewStylePlain];[self.tableView registerClass:[UITableViewCell class] forCellReuseIdentifier:@"Cell"];[self.view addSubview:self.tableView];// Initialize and set the tableView helperNSArray *data = @[@"Item 1", @"Item 2", @"Item 3"]; // Data for the tableViewself.tableViewHelper = [[TableViewDataSourceAndDelegate alloc] initWithData:data];self.tableView.dataSource = self.tableViewHelper;self.tableView.delegate = self.tableViewHelper;
}
@end

二、MVP

所谓设计模式,就是设计过程中为了解决普遍性问题提出的方案,我们当前的问题就是MVC的C层十分臃肿,为了解决这个问题我们提出了MVP
在这里插入图片描述
看上去与MVC相似,但是实际上表示的意义是
View层持有Presenter层,Presenter层持有Model层,View层并不可直接访问到Model层

其本质就是我们抽象出一个Presenter层去处理用户操作以及更新UI的逻辑,以减少V层的代码量,现在的V层就是View+ViewController层

首先我们需要定义一个PresenterDelegate来抽象出一些UI交互的方法,例如点击按钮更新UI或是数据

@protocol PresenterProtocol <NSObject>@required@optional
-(void)didClickAddBtnWithNum:(int)num indexPath:(NSIndexPath *)indexPath;
-(void)reloadUI;
@end

然后我们即可以在V层去实现协议中的方法,也可以在P层去实现方法,当然也可以将方法定义在P层去实现,例如
在这里插入图片描述

V层发生的变化通知P层后,由P层去处理这些变化,处理完毕后再回调给V层更新UI,同时更新M层中的数据

例如这段P层代码中这个方法

//P层
-(void)didClickAddBtnWithNum:(int)num indexPath:(NSIndexPath *)indexPath {@synchronized (self) {// 处理数据if (indexPath.row < self.dataArray.count) {UserInfoModel *model = self.dataArray[indexPath.row];model.num = [NSString stringWithFormat:@"%d",num];}if (num == 100) {UserInfoModel *model = self.dataArray[indexPath.row];[self.dataArray removeAllObjects];[self.dataArray addObject:model];//处理完毕后进行回调if(self.delegate && [self.delegate respondsToSelector:@selector(reloadUI)]) {[self.delegate reloadUI];}}}
}//V层
//在这里需要更新Model层数据, 通过中介presenter来把数据变化信息传递给Model层
-(void)setNum:(int)num {_num = num;self.numLabel.text = [NSString stringWithFormat:@"%d",num];if ((self.delegate) && [self.delegate respondsToSelector:@selector(didClickAddBtnWithNum:indexPath:)]) {[self.delegate didClickAddBtnWithNum:num indexPath:self.indexPath];}
}

可以看到现在的P层就是把原来V层的代码单独抽象出一个类,就像我们之前的网络请求单例类,然后让V层持有这个类,需要更新的时候调用P层中的方法,然后P层回调更新UI

在这里插入图片描述

同时P层因为只包含逻辑,所以更好进行测试,也就是使用断点等工具
在这里插入图片描述

MVP优缺点

  • UI布局和数据逻辑代码划分界限更明确。
  • 理解难度尚可,较容易推广。
  • 解决了Controller的臃肿问题
  • Presenter-Model层可以进行单元测试
  • 需要额外写大量接口定义和逻辑代码(或者自己实现KVO监视)。

在MVP中,ViewPresenter之间通常是双向的。View通过接口将用户操作传递给PresenterPresenter处理完毕后,再通过接口更新View

三、MVVM

随着UI交互的复杂,MVP的缺点也暴露了出来,就是会出现十分多的借口,同时每一次更新P层都会进行回调,同时回调需要细细处理

此时P层也会变得十分臃肿,这个时候就出现了MVVM

Model:同样负责应用的数据和业务逻辑。
View负责展示界面,不处理任何逻辑,只负责将用户操作传递给ViewModel
ViewModel:作为数据转换器,负责逻辑和数据的转换,以便数据可以方便地显示在View上。它反映了特定View的数据状态
在这里插入图片描述
这张图的基本逻辑还是没变,就是将我们的P层改成了ViewModel

首先ViewModel-Model层和之前的Present-Model层一样,没有什么大的变化。View持有ViewModel,这个和MVP也一样。变化主要在两个方面:

  • MVP在处理逻辑时并不会存储数据,但是MVVM中的ViewModel会对处理的数据进行一个存储
  • View与ViewModel实现了数据绑定View不需要传递操作来控制ViewModel,同时ViewModel也不会直接回调来修改View

MVVM的亮点在于:

ViewViewModel之间主要通过数据绑定(Data
Binding)进行通信。ViewModel不直接引用View,任何状态的改变都通过绑定机制自动更新到View上,这减少了大量的胶水代码。
甚至有很多人觉得应该称MVVM为MVB(Model-View-Binder)。

我们在这里多次提到了数据绑定,那么在iOS中我们使用什么来实现数据绑定呢
这里有两种方式,一种是RAC编程,后面会专门讲
我们来讲一下用KVO实现数据绑定

示例:简单的用户界面和用户数据交互
我们将构建一个小应用,显示一个用户的名字和年龄,并允许通过界面更新名字。

  • Model

模型层保持简单,只包含基本的用户数据

// UserModel.h
#import <Foundation/Foundation.h>@interface UserModel : NSObject@property (strong, nonatomic) NSString *firstName;
@property (strong, nonatomic) NSString *lastName;
@property (assign, nonatomic) NSInteger age;- (instancetype)initWithFirstName:(NSString *)firstName lastName:(NSString *)lastName age:(NSInteger)age;@end// UserModel.m
#import "UserModel.h"@implementation UserModel- (instancetype)initWithFirstName:(NSString *)firstName lastName:(NSString *)lastName age:(NSInteger)age {self = [super init];if (self) {_firstName = firstName;_lastName = lastName;_age = age;}return self;
}@end
  • 创建ViewModel

ViewModel将使用KVO来通知视图关于数据变化。

// UserViewModel.h
#import <Foundation/Foundation.h>
#import "UserModel.h"@interface UserViewModel : NSObject
@property (strong, nonatomic) UserModel *user;
@property (strong, nonatomic, readonly) NSString *userInfo;
- (instancetype)initWithUser:(UserModel *)user;
@end// UserViewModel.m
#import "UserViewModel.h"@implementation UserViewModel- (instancetype)initWithUser:(UserModel *)user {if (self = [super init]) {_user = user;[self.user addObserver:self forKeyPath:@"name" options:NSKeyValueObservingOptionNew context:nil];[self.user addObserver:self forKeyPath:@"age" options:NSKeyValueObservingOptionNew context:nil];}return self;
}- (void)dealloc {[self.user removeObserver:self forKeyPath:@"name"];[self.user removeObserver:self forKeyPath:@"age"];
}- (void)observeValueForKeyPath:(NSString *)keyPath ofObject:(id)object change:(NSDictionary<NSKeyValueChangeKey,id> *)change context:(void *)context {if ([keyPath isEqualToString:@"name"] || [keyPath isEqualToString:@"age"]) {[self updateUserInfo];}
}- (void)updateUserInfo {self->_userInfo = [NSString stringWithFormat:@"%@, %ld years old", self.user.name, (long)self.user.age];
}@end
  • 配置ViewController

在视图控制器中,我们将使用ViewModel,并观察ViewModeluserInfo属性

// ViewController.m
#import "ViewController.h"
#import "UserViewModel.h"
#import "UserModel.h"@interface ViewController ()
@property (strong, nonatomic) UserViewModel *viewModel;
@property (strong, nonatomic) UILabel *userInfoLabel;
@end@implementation ViewController- (void)viewDidLoad {[super viewDidLoad];// Setup user and viewModelUserModel *user = [[UserModel alloc] init];user.name = @"John";user.age = 30;self.viewModel = [[UserViewModel alloc] initWithUser:user];// Setup UIself.userInfoLabel = [[UILabel alloc] initWithFrame:CGRectMake(20, 100, 300, 20)];[self.view addSubview:self.userInfoLabel];// Bind ViewModel to the label[self.viewModel addObserver:self forKeyPath:@"userInfo" options:NSKeyValueObservingOptionNew context:nil];[self updateUserInfoDisplay];
}- (void)dealloc {[self.viewModel removeObserver:self forKeyPath:@"userInfo"];
}- (void)updateUserInfoDisplay {self.userInfoLabel.text = self.viewModel.userInfo;
}- (void)observeValueForKeyPath:(NSString *)keyPath ofObject:(id)object change:(NSDictionary<NSKeyValueChangeKey,id> *)change context:(void *)context {if ([keyPath isEqualToString:@"userInfo"]) {[self updateUserInfoDisplay];}
}@end

这段代码中就是ViewModel监听Model,View监听ViewModel从而实现自动更新变化,避免了重复的接口定义以及回调

上面的代码时ViewModel->View的绑定,那么如何实现View->ViewModel呢,接下来也有一个例子

  • ViewModel
// UserViewModel.h
#import <Foundation/Foundation.h>
#import "UserModel.h"@interface UserViewModel : NSObject
@property (strong, nonatomic) UserModel *user;
- (instancetype)initWithUser:(UserModel *)user;
- (void)updateUsername:(NSString *)username;
- (void)updatePassword:(NSString *)password;
@end// UserViewModel.m
#import "UserViewModel.h"@implementation UserViewModel- (instancetype)initWithUser:(UserModel *)user {if (self = [super init]) {_user = user;}return self;
}- (void)updateUsername:(NSString *)username {self.user.username = username;
}- (void)updatePassword:(NSString *)password {self.user.password = password;
}@end
  • VC
// ViewController.h
#import <UIKit/UIKit.h>
#import "UserViewModel.h"@interface ViewController : UIViewController
@property (strong, nonatomic) UserViewModel *viewModel;
@property (strong, nonatomic) UITextField *usernameField;
@property (strong, nonatomic) UITextField *passwordField;
@end// ViewController.m
#import "ViewController.h"@implementation ViewController- (void)viewDidLoad {[super viewDidLoad];UserModel *user = [[UserModel alloc] init];self.viewModel = [[UserViewModel alloc] initWithUser:user];self.usernameField = [[UITextField alloc] initWithFrame:CGRectMake(20, 100, 280, 40)];self.passwordField = [[UITextField alloc] initWithFrame:CGRectMake(20, 150, 280, 40)];[self.view addSubview:self.usernameField];[self.view addSubview:self.passwordField];[self.usernameField addTarget:self action:@selector(usernameDidChange:) forControlEvents:UIControlEventEditingChanged];[self.passwordField addTarget:self action:@selector(passwordDidChange:) forControlEvents:UIControlEventEditingChanged];
}- (void)usernameDidChange:(UITextField *)textField {[self.viewModel updateUsername:textField.text];
}- (void)passwordDidChange:(UITextField *)textField {[self.viewModel updatePassword:textField.text];
}@end

VC层的控件的变化会让ViewModel层的数据自动变化

MVVM 的优势

  • 低耦合:View 可以独立于Model变化和修改,一个 viewModel 可以绑定到不同的 View 上

  • 可重用性:可以把一些视图逻辑放在一个 viewModel里面,让很多 view 重用这段视图逻辑

  • 独立开发:开发人员可以专注于业务逻辑和数据的开发 viewModel,设计人员可以专注于页面设计

  • 可测试:通常界面是比较难于测试的,而 MVVM 模式可以针对 viewModel来进行测试

MVVM 的弊端

数据绑定使得Bug 很难被调试你看到界面异常了,有可能是你 View 的代码有 Bug,也可能是 Model 的代码有问题。数据绑定使得一个位置的 Bug 被快速传递到别的位置,要定位原始出问题的地方就变得不那么容易了。

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.hqwc.cn/news/697568.html

如若内容造成侵权/违法违规/事实不符,请联系编程知识网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

Unity自定义动画-Animation动画数据-How is “fileIDToRecycleName“ generated

一般美术和程序分工明确的项目 fbx确实是和动画一一对应的&#xff1b; 但一些独立&#xff0c;或者小工作室的项目&#xff0c;就没法保证了&#xff0c;关键还是在于 Unity的 .meta 目录 查找和对比了一下 .fbx 和 .meta&#xff1a; 缓存和不缓存Animation 具体的Animat…

.NET开源、功能强大、跨平台的图表库LiveChart2

LiveCharts2 是 从LiveCharts演变而来,它修复了其前身的主要设计问题,它专注于在任何地方运行,提高了灵活性,并继承LiveCharts原有功能。 极其灵活的数据展示图库 (效果图) 开始使用 Live charts 是 .Net 的跨平台图表库,请访问 https://livecharts.dev 并查看目标平…

C++之map和set 的封装

通过红黑树的学习&#xff08;C之红黑树-CSDN博客&#xff09;让我了解到map和set的底层如何实现&#xff0c;这一次我们来对map和set进行封装。 目录 1.map和set底层原理 2.map和set的定义 3.map和set的仿函数 4.map和set的插入 5.map和set的迭代器 5.1迭代器的构造 5.2…

Golang | Leetcode Golang题解之第87题扰乱字符串

题目&#xff1a; 题解&#xff1a; func isScramble(s1, s2 string) bool {n : len(s1)dp : make([][][]int8, n)for i : range dp {dp[i] make([][]int8, n)for j : range dp[i] {dp[i][j] make([]int8, n1)for k : range dp[i][j] {dp[i][j][k] -1}}}// 第一个字符串从 …

blender cell fracture制作破碎效果,将一个模型破碎成多个模型

效果&#xff1a; 1.打开编辑-》偏好设置。搜索cell&#xff0c;勾选上如下图所示的&#xff0c;然后点击左下角菜单里的保存设置。 2.选中需要破碎的物体&#xff0c;按快捷键f3&#xff08;快速搜索插件&#xff09;&#xff0c;搜索cell fracture。 3.调整自己需要的参数配置…

02-WPF_基础(一)

1、基础 各模块类型 链接&#xff1a;如何&#xff1a;向 Viewbox 的内容应用 Stretch 属性 - WPF .NET Framework | Microsoft Learn WPF基础以及事件绑定与数据绑定的情况&#xff0c;&#xff0c;在学习XAML&#xff0c;数据结构以及一个项目学习平台来练手&#xff0c;网络…

Hive表数据优化

Hive表数据优化 1.文件格式 为Hive表中的数据选择一个合适的文件格式&#xff0c;对提高查询性能的提高是十分有益的。 &#xff08;1&#xff09;Text File 文本文件是Hive默认使用的文件格式&#xff0c;文本文件中的一行内容&#xff0c;就对应Hive表中的一行记录。 可…

部署Discuz论坛项目

DIscuz 是由 PHP 语言开发的一款开源社交论坛项目。运行在典型的LNMP/LAMP 环境中。 安装MySQL数据库5.7 主机名IP地址操作系统硬件配置discuz-db192.168.226.128CentOS 7-mini-20092 Core/4G Memory 修改主机名用来自己识别 hostnamectl set-hostname discuz-db #重连远程…

单链表经典算法OJ题---力扣21

1.链接&#xff1a;. - 力扣&#xff08;LeetCode&#xff09;【点击即可跳转】 思路&#xff1a;创建新的空链表&#xff0c;遍历原链表。将节点值小的节点拿到新链表中进行尾插操作 遍历的结果只有两种情况&#xff1a;n1为空 或 n2为空 注意&#xff1a;链表为空的情况 代…

OPT系列极速版远距离光数据传输器|光通讯传感器安装与调试方法

OPT系列极速版远距离光数据传输器|光通讯传感器使用红外激光通信&#xff0c;满足全双工 100M 带宽&#xff0c;通讯距离可达 300 米。能够快速&#xff0c;稳地传送数据&#xff0c;支持主流的工业控制总线&#xff08;Profinet&#xff0c;Ethercat 等&#xff09;&#xff1…

简单易懂的HashMap使用指南:从入门到精通

哈喽&#xff0c;各位小伙伴们&#xff0c;你们好呀&#xff0c;我是喵手。运营社区&#xff1a;C站/掘金/腾讯云&#xff1b;欢迎大家常来逛逛 今天我要给大家分享一些自己日常学习到的一些知识点&#xff0c;并以文字的形式跟大家一起交流&#xff0c;互相学习&#xff0c;一…