使用旧的APIs实现新API的效果

编写: spencer198711 - 原文:http://developer.android.com/training/backward-compatible-ui/older-implementation.html

这一课讨论了如何创建一个支持旧的设备并且与新的APIs接口相同的实现。

决定一个替代方案

在以向后兼容的方式使用较新的UI功能的时候,最具挑战的任务是为旧的平台版本决定一个解决方案。在很多情况下,使用旧的UI框架中的功能是有可能完成这些新的UI组件的。例如:

  • Action Bar可以使用水平的包含图片按钮的LinearLayout来实现,这个在Activity中的LinearLayout作为自定义标题栏或者仅仅作为视图。下拉功能行为可以使用设备的菜单按钮来实现。
  • Action Bar的tab页可以使用包含按钮的水平的LinearLayout,或者使用TabWidgetUI控件来实现。
  • NumberPickerSwitch控件可以分别通过使用SpinnerToggleButton控件来实现。
  • ListPopupWindowPopupMenu控件可以通过使用PopupWindow来实现。

为了往老的设备上向后移植UI组件,这些一般不是一刀切的解决方案。注意用户体验:在老的设备上,用户可能不熟悉新的界面设计模式和UI组件,思考一下如何使用熟悉的控件去实现相同的功能。在很多种情况下,这些通常不会被注意到,特别是在如果新的UI组件在应用程序的生态系统中是突出的(比如Action Bar),或者交互模型是非常简单和直观的(比如使用ViewPager去滑动界面)。

使用旧的APIs实现Tabs

你可以使用TabWidgetTabHost(尽管其中一个也可以使用水平方向的Button控件)去创建Action Bar Tabs的老的实现。可以在TabHelperEclair和CompatTabEclair的类中去实现,因为这些实现使用了不迟于Android 2.0(Eclair)的APIs。

backward-compatible-ui-classes-eclair

  • 图1. Eclair版本上实现tabs的类图

CompatTabEclair在实例变量中保存了诸如tab文本和tab图标等tab属性,因为在老的版本中没有ActionBar.Tab对象去处理这些数据存储。

  1. public class CompatTabEclair extends CompatTab {
  2. // Store these properties in the instance,
  3. // as there is no ActionBar.Tab object.
  4. private CharSequence mText;
  5. ...
  6. public CompatTab setText(int resId) {
  7. // Our older implementation simply stores this
  8. // information in the object instance.
  9. mText = mActivity.getResources().getText(resId);
  10. return this;
  11. }
  12. ...
  13. // Do the same for other properties (icon, callback, etc.)
  14. }

TabHelperEclair利用了TabHost控件的方法去创建TabHost.TabSpec对象和tab的页面指示效果:

  1. public class TabHelperEclair extends TabHelper {
  2. private TabHost mTabHost;
  3. ...
  4. protected void setUp() {
  5. if (mTabHost == null) {
  6. // Our activity layout for pre-Honeycomb devices
  7. // must contain a TabHost.
  8. mTabHost = (TabHost) mActivity.findViewById(
  9. android.R.id.tabhost);
  10. mTabHost.setup();
  11. }
  12. }
  13. public void addTab(CompatTab tab) {
  14. ...
  15. TabSpec spec = mTabHost
  16. .newTabSpec(tag)
  17. .setIndicator(tab.getText()); // And optional icon
  18. ...
  19. mTabHost.addTab(spec);
  20. }
  21. // The other important method, newTab() is part of
  22. // the base implementation.
  23. }

现在你已经有了两种CompatTabTabHelper的实现,一种是使用了新的APIs为了能够在Android 3.0或其后版本设备上能够运行,另一种则是使用了旧的APIs为了在Android 2.0或之前的设备上能够运行。下一课讨论在应用中使用这两种实现。