-

「Generated by Manus, instructions issued by binbinwang」

本章将深入探讨Android的架构设计与模式,并与iOS的对应架构进行对比。作为一名iOS开发者,了解Android平台的架构设计思想将帮助你更好地设计跨平台应用的整体架构。

8.1 MVC、MVP与MVVM模式

Android中的MVC

传统的Android应用架构通常被视为MVC(Model-View-Controller)的变种,但实际上更接近于”Model-View-Activity”:

Model:数据模型和业务逻辑
View:XML布局文件
Activity/Fragment:控制器角色,但也包含部分视图逻辑

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
// 传统MVC架构示例

// Model
data class User(val id: Long, val name: String, val email: String)

class UserRepository {
// 模拟网络请求获取用户数据
fun getUser(userId: Long, callback: (User?) -> Unit) {
// 异步获取用户数据
Handler(Looper.getMainLooper()).postDelayed({
val user = User(userId, "John Doe", "john@example.com")
callback(user)
}, 1000)
}
}

// View (activity_user_profile.xml)
<!--
<?xml version="1.0" encoding="utf-8"?>
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
android:layout_width="match_parent"
android:layout_height="match_parent"
android:orientation="vertical"
android:padding="16dp">

<TextView
android:id="@+id/user_name"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:textSize="18sp"
android:textStyle="bold" />

<TextView
android:id="@+id/user_email"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:layout_marginTop="8dp" />

<ProgressBar
android:id="@+id/progress_bar"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:layout_gravity="center"
android:layout_marginTop="16dp" />

</LinearLayout>
-->

// Controller (Activity)
class UserProfileActivity : AppCompatActivity() {

private lateinit var userNameTextView: TextView
private lateinit var userEmailTextView: TextView
private lateinit var progressBar: ProgressBar

private val userRepository = UserRepository()

override fun onCreate(savedInstanceState: Bundle?) {
super.onCreate(savedInstanceState)
setContentView(R.layout.activity_user_profile)

// 初始化视图
userNameTextView = findViewById(R.id.user_name)
userEmailTextView = findViewById(R.id.user_email)
progressBar = findViewById(R.id.progress_bar)

// 获取用户ID
val userId = intent.getLongExtra("USER_ID", -1)

// 加载用户数据
loadUserData(userId)
}

private fun loadUserData(userId: Long) {
// 显示加载状态
progressBar.visibility = View.VISIBLE
userNameTextView.visibility = View.GONE
userEmailTextView.visibility = View.GONE

// 从Model获取数据
userRepository.getUser(userId) { user ->
// 更新UI
progressBar.visibility = View.GONE

if (user != null) {
userNameTextView.visibility = View.VISIBLE
userEmailTextView.visibility = View.VISIBLE

userNameTextView.text = user.name
userEmailTextView.text = user.email
} else {
Toast.makeText(this, "Failed to load user data", Toast.LENGTH_SHORT).show()
}
}
}
}

传统MVC的问题

  1. Activity/Fragment既是控制器又包含视图逻辑,导致类变得臃肿
  2. 视图和控制器紧密耦合,难以单独测试
  3. 业务逻辑和UI逻辑混合,难以维护

Android中的MVP

MVP(Model-View-Presenter)模式通过引入Presenter层,将业务逻辑从Activity/Fragment中分离出来:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
// MVP架构示例

// Model(与MVC相同)
data class User(val id: Long, val name: String, val email: String)

class UserRepository {
fun getUser(userId: Long, callback: (User?) -> Unit) {
Handler(Looper.getMainLooper()).postDelayed({
val user = User(userId, "John Doe", "john@example.com")
callback(user)
}, 1000)
}
}

// View接口
interface UserProfileView {
fun showLoading()
fun hideLoading()
fun showUserData(user: User)
fun showError(message: String)
}

// Presenter
class UserProfilePresenter(
private val view: UserProfileView,
private val userRepository: UserRepository
) {
fun loadUserData(userId: Long) {
view.showLoading()

userRepository.getUser(userId) { user ->
view.hideLoading()

if (user != null) {
view.showUserData(user)
} else {
view.showError("Failed to load user data")
}
}
}

// 生命周期方法
fun onDestroy() {
// 清理资源
}
}

// View实现(Activity)
class UserProfileActivity : AppCompatActivity(), UserProfileView {

private lateinit var userNameTextView: TextView
private lateinit var userEmailTextView: TextView
private lateinit var progressBar: ProgressBar

private lateinit var presenter: UserProfilePresenter

override fun onCreate(savedInstanceState: Bundle?) {
super.onCreate(savedInstanceState)
setContentView(R.layout.activity_user_profile)

// 初始化视图
userNameTextView = findViewById(R.id.user_name)
userEmailTextView = findViewById(R.id.user_email)
progressBar = findViewById(R.id.progress_bar)

// 创建Presenter
presenter = UserProfilePresenter(this, UserRepository())

// 获取用户ID
val userId = intent.getLongExtra("USER_ID", -1)

// 加载用户数据
presenter.loadUserData(userId)
}

override fun showLoading() {
progressBar.visibility = View.VISIBLE
userNameTextView.visibility = View.GONE
userEmailTextView.visibility = View.GONE
}

override fun hideLoading() {
progressBar.visibility = View.GONE
}

override fun showUserData(user: User) {
userNameTextView.visibility = View.VISIBLE
userEmailTextView.visibility = View.VISIBLE

userNameTextView.text = user.name
userEmailTextView.text = user.email
}

override fun showError(message: String) {
Toast.makeText(this, message, Toast.LENGTH_SHORT).show()
}

override fun onDestroy() {
super.onDestroy()
presenter.onDestroy()
}
}

MVP的优点

  1. 将业务逻辑从Activity/Fragment中分离,减少类的复杂性
  2. 通过接口定义View,使Presenter可以独立测试
  3. 明确的职责分离,提高代码可维护性

MVP的缺点

  1. 需要为每个界面定义View接口,增加了代码量
  2. Presenter和View之间的一对一关系可能导致Presenter也变得臃肿
  3. 手动管理UI更新,容易出错

Android中的MVVM

MVVM(Model-View-ViewModel)模式利用数据绑定,进一步解耦视图和业务逻辑:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
// MVVM架构示例(使用Android Architecture Components)

// Model(与前面相同)
data class User(val id: Long, val name: String, val email: String)

class UserRepository {
fun getUser(userId: Long): LiveData<Result<User>> {
val result = MutableLiveData<Result<User>>()

// 模拟网络请求
Handler(Looper.getMainLooper()).postDelayed({
val user = User(userId, "John Doe", "john@example.com")
result.value = Result.success(user)
}, 1000)

return result
}
}

// 结果包装类
sealed class Result<out T> {
data class Success<T>(val data: T) : Result<T>()
data class Error(val message: String) : Result<Nothing>()
object Loading : Result<Nothing>()

companion object {
fun <T> success(data: T): Result<T> = Success(data)
fun error(message: String): Result<Nothing> = Error(message)
fun loading(): Result<Nothing> = Loading
}
}

// ViewModel
class UserProfileViewModel(private val userRepository: UserRepository) : ViewModel() {

private val _userId = MutableLiveData<Long>()

val user: LiveData<Result<User>> = _userId.switchMap { id ->
userRepository.getUser(id)
}

fun loadUser(userId: Long) {
_userId.value = userId
}
}

// 创建ViewModel工厂
class UserProfileViewModelFactory(private val userRepository: UserRepository) : ViewModelProvider.Factory {
override fun <T : ViewModel> create(modelClass: Class<T>): T {
if (modelClass.isAssignableFrom(UserProfileViewModel::class.java)) {
@Suppress("UNCHECKED_CAST")
return UserProfileViewModel(userRepository) as T
}
throw IllegalArgumentException("Unknown ViewModel class")
}
}

// View(Activity)
class UserProfileActivity : AppCompatActivity() {

private lateinit var userNameTextView: TextView
private lateinit var userEmailTextView: TextView
private lateinit var progressBar: ProgressBar

private lateinit var viewModel: UserProfileViewModel

override fun onCreate(savedInstanceState: Bundle?) {
super.onCreate(savedInstanceState)
setContentView(R.layout.activity_user_profile)

// 初始化视图
userNameTextView = findViewById(R.id.user_name)
userEmailTextView = findViewById(R.id.user_email)
progressBar = findViewById(R.id.progress_bar)

// 创建ViewModel
val factory = UserProfileViewModelFactory(UserRepository())
viewModel = ViewModelProvider(this, factory).get(UserProfileViewModel::class.java)

// 观察数据变化
viewModel.user.observe(this) { result ->
when (result) {
is Result.Loading -> {
progressBar.visibility = View.VISIBLE
userNameTextView.visibility = View.GONE
userEmailTextView.visibility = View.GONE
}
is Result.Success -> {
progressBar.visibility = View.GONE
userNameTextView.visibility = View.VISIBLE
userEmailTextView.visibility = View.VISIBLE

val user = result.data
userNameTextView.text = user.name
userEmailTextView.text = user.email
}
is Result.Error -> {
progressBar.visibility = View.GONE
Toast.makeText(this, result.message, Toast.LENGTH_SHORT).show()
}
}
}

// 获取用户ID
val userId = intent.getLongExtra("USER_ID", -1)

// 加载用户数据
viewModel.loadUser(userId)
}
}

// 使用数据绑定(在build.gradle中启用)
// android {
// ...
// buildFeatures {
// dataBinding true
// }
// }

// 布局文件(使用数据绑定)
<!--
<?xml version="1.0" encoding="utf-8"?>
<layout xmlns:android="http://schemas.android.com/apk/res/android">

<data>
<import type="android.view.View" />
<import type="com.example.app.Result" />
<variable
name="viewModel"
type="com.example.app.UserProfileViewModel" />
</data>

<LinearLayout
android:layout_width="match_parent"
android:layout_height="match_parent"
android:orientation="vertical"
android:padding="16dp">

<TextView
android:id="@+id/user_name"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:textSize="18sp"
android:textStyle="bold"
android:text="@{viewModel.user instanceof Result.Success ? ((Result.Success)viewModel.user).data.name : ``}"
android:visibility="@{viewModel.user instanceof Result.Success ? View.VISIBLE : View.GONE}" />

<TextView
android:id="@+id/user_email"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:layout_marginTop="8dp"
android:text="@{viewModel.user instanceof Result.Success ? ((Result.Success)viewModel.user).data.email : ``}"
android:visibility="@{viewModel.user instanceof Result.Success ? View.VISIBLE : View.GONE}" />

<ProgressBar
android:id="@+id/progress_bar"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:layout_gravity="center"
android:layout_marginTop="16dp"
android:visibility="@{viewModel.user instanceof Result.Loading ? View.VISIBLE : View.GONE}" />

</LinearLayout>
</layout>
-->

// 使用数据绑定的Activity
class UserProfileActivity : AppCompatActivity() {

private lateinit var viewModel: UserProfileViewModel
private lateinit var binding: ActivityUserProfileBinding

override fun onCreate(savedInstanceState: Bundle?) {
super.onCreate(savedInstanceState)

// 初始化数据绑定
binding = DataBindingUtil.setContentView(this, R.layout.activity_user_profile)

// 创建ViewModel
val factory = UserProfileViewModelFactory(UserRepository())
viewModel = ViewModelProvider(this, factory).get(UserProfileViewModel::class.java)

// 设置ViewModel到绑定
binding.viewModel = viewModel
binding.lifecycleOwner = this // 使LiveData感知生命周期

// 观察错误
viewModel.user.observe(this) { result ->
if (result is Result.Error) {
Toast.makeText(this, result.message, Toast.LENGTH_SHORT).show()
}
}

// 获取用户ID
val userId = intent.getLongExtra("USER_ID", -1)

// 加载用户数据
viewModel.loadUser(userId)
}
}

MVVM的优点

  1. 通过数据绑定自动更新UI,减少样板代码
  2. ViewModel不持有View的引用,更容易测试
  3. 状态由LiveData或StateFlow管理,生命周期安全
  4. 支持UI状态的保存和恢复

MVVM的缺点

  1. 学习曲线较陡,需要理解多个概念(LiveData、ViewModel、数据绑定)
  2. 复杂的数据绑定可能难以调试
  3. 过度使用数据绑定可能导致性能问题

与iOS架构模式对比

iOS中的MVC

```
// Model
@interface User : NSObject
@property (nonatomic, assign) NSInteger userId;
@property (nonatomic, strong) NSString *name;
@property (nonatomic, strong) NSString *email;
@end

@implementation User
@end

@interface UserRepository : NSObject

  • (void)getUserWithId:(NSInteger)userId completion:(void (^)(User *user, NSError *error))completion;
    @end

@implementation UserRepository

  • (void)getUserWithId:(NSInteger)userId completion:(void (^)(User *user, NSError *error))completion {
    // 模拟网络请求
    dispatch_after(dispatch_time(DISPATCH_TIME_NOW, (int64_t)(1.0 * NSEC_PER_SEC)), dispatch_get_main_queue(), ^{
      User *user = [[User alloc] init];
      user.userId = userId;
      user.name = @"John Doe";
      user.email = @"john@example.com";
      completion(user, nil);
    
    });
    }
    @end

// Controller
@interface UserProfileViewController : UIViewController
@property (nonatomic, strong) UILabel *nameLabel;
@property (nonatomic, strong) UILabel *emailLabel;
@property (nonatomic, strong) UIActivityIndicatorView *activityIndicator;
@property (nonatomic, strong) UserRepository *userRepository;
@property (nonatomic, assign) NSInteger userId;
@end

@implementation UserProfileViewController

  • (void)viewDidLoad {
    [super viewDidLoad];

    // 初始化视图
    self.nameLabel = [[UILabel alloc] init];
    self.emailLabel = [[UILabel alloc] init];
    self.activityIndicator = [[UIActivityIndicatorView alloc] initWithActivityIndicatorStyle:UIActivityIndicatorViewStyleMedium];

    // 添加视图到层次结构
    [self.view addSubview:self.nameLabel];
    [self.view addSubview:self.emailLabel];
    [self.view addSubview:self.activityIndicator];

    // 设置约束(省略)

    // 初始化Model
    self.userRepository = [[UserRepository alloc] init];

    // 加载数据
    [self loadUserData];
    }

  • (void)loadUserData {
    [self.activityIndicator startAnimating];
    self.nameLabel.hidden = YES;
    self.emailLabel.hidden = YES;

    [self.userRepository getUserWithId:self.userId completion:^(User *user, NSError *error) {

      [self.activityIndicator stopAnimating];
      
      if (user) {
          self.nameLabel.hidden = NO;
          self.emailLabel.hidden = NO;
          
          self.nameLabel.text = user.name;
          self.emailLabel.text = user.email;
      } else {
          UIAlertController *alert = [UIAlertController alertControllerWithTitle:@"Error"
                                                                         message:@"Failed to load user data"
                                    <response clipped><NOTE>To save on context only part of this file has been shown to you. You should retry this tool after you have searched inside the file with `grep -n` in order to find the line numbers of what you are looking for.</NOTE>