MVC模式
- Model:代表一个数据对象。可以带一些逻辑,在数据变化时更新控制器。
- View:数据的可视化
- Controller:控制数据流向模型对象,并在数据变化时更新视图。
View
在Android中视图层被封装成了XML文件
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
xmlns:tools="http://schemas.android.com/tools"
android:layout_width="match_parent"
android:layout_height="match_parent"
android:orientation="vertical"
android:padding="8dp">
<View
......../>
</LinearLayout>
Controller
在Android中控制层也就是Activity
public class MainActivity extends ActionBarActivity implements OnWeatherListener, View.OnClickListener {
private WeatherModel weatherModel;
private Dialog loadingDialog;
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
weatherModel = new WeatherModelImpl();
initView();
}
/**
* 初始化View
*/
private void initView() {
cityNOInput = findView(R.id.et_city_no);
city = findView(R.id.tv_city);
loadingDialog = new ProgressDialog(this);
loadingDialog.setTitle("加载天气中...");
}
/**
* 显示结果
*
* @param weather
*/
public void displayResult(Weather weather) {
WeatherInfo weatherInfo = weather.getWeatherinfo();
city.setText(weatherInfo.getCity());
njd.setText(weatherInfo.getNjd());
}
/**
* 隐藏进度对话框
*/
public void hideLoadingDialog() {
loadingDialog.dismiss();
}
@Override
public void onClick(View v) {
switch (v.getId()) {
case R.id.btn_go:
loadingDialog.show();
weatherModel.getWeather(cityNOInput.getText().toString().trim(), this);
break;
}
}
@Override
public void onSuccess(Weather weather) {
hideLoadingDialog();
displayResult(weather);
}
@Override
public void onError() {
hideLoadingDialog();
Toast.makeText(this, "获取天气信息失败", Toast.LENGTH_SHORT).show();
}
}
Model层
指数据来源,Android中目前一般指网络请求返回的数据,大多时候这是已经被封装好的一层。
public interface OnWeatherListener {
void onSuccess(Weather weather);
void onError();
}
public interface WeatherModel {
void getWeather(String cityNumber, OnWeatherListener listener);
}
public class WeatherModelImpl implements WeatherModel {
@Override
public void getWeather(String cityNumber, final OnWeatherListener listener) {
/*数据层操作*/
VolleyRequest.newInstance().newGsonRequest("http://www.weather.com.cn/data/sk/" + cityNumber + ".html",
Weather.class, new Response.Listener<Weather>() {
@Override
public void onResponse(Weather weather) {
if (weather != null) {
listener.onSuccess(weather);
} else {
listener.onError();
}
}
}, new Response.ErrorListener() {
@Override
public void onErrorResponse(VolleyError error) {
listener.onError();
}
});
}
}
个人评价
在MVC的设计架构中,Activity做为Controller本身的作用是链接Model和View的纽带,其本身不会负责太多的职责,但是实际使用过程中,Activity本身还要处理响应用户的操作,随着页面交互的复杂性增加,Activity中的代码也会变得十分臃肿。
网友评论