介绍搜索是各种应用程序的一个基本功能需求. 在我们的案例中,我们拥有一个餐厅的应用程序,需要它能让用户可以方便和快速的搜索菜品清单,找到他们想要的东西. 在本文中,我将会描述我在对UI进行持续的维护时先我们现有的餐厅应用程序加入本地搜索功能过程. 我会详细讲述我选择的UI方案及其理由, 此外还涉及到像activity中加入一个GestureOverlayView. 图 1: 餐厅应用程序的搜索视图截图 |
1 2 3 4 5 6 7 8 9 10 11 12 | /** * Builds a table of items matching the searchTerm in their name or description */ public Cursor searchMenuItems(String searchTerm) { SQLiteDatabase db = getReadableDatabase(); SQLiteQueryBuilder qb = new SQLiteQueryBuilder(); qb.setTables(TABLES.MENU); Cursor c = qb.query(db, null , "(" +MenuColumns.NAME+ " LIKE '%" +searchTerm+ "%') " + "OR (" +MenuColumns.DESCRIPTION+ " LIKE '%" + searchTerm+ "%')" , null , null , null , null ); return c; } |
代码示例 1: 查询数据库的方法
接下来,我们需要在主activity的操作栏中设置上搜索选项. 更多有关设置操作栏的信息可以阅读这篇文章: 为 Android 设备构建动态UI. 搜索功能的处理将完全在我们的应用程序里面; 我们并不想要在搜索一开始的时候列出已经安装在设备上的应用程序清单,或者发送一个intent来让另外一个搜索应用程序来进行处理.
向 MainActivity 类添加如下这个字符串变量. 我们会使用这个变量来向搜索的intent发送所要查询的字符串:
1 2 | /* Search string label */ public final static String SEARCH_MESSAGE= "com.example.restaurant.MESSAGE" ; |
代码示例 2: 向搜索intent中添加扩展数据的类变量
更新 MainActivity 的 onCreateOptionsMenu 方法:
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 | /** * Initialize the action menu on action bar */ public boolean onCreateOptionsMenu(Menu menu) { getMenuInflater().inflate(R.menu.action_bar, menu); //set up the search MenuItem searchItem = menu.findItem(R.id.action_search); SearchView mSearchView = (SearchView) searchItem.getActionView(); searchItem.setShowAsActionFlags(MenuItem.SHOW_AS_ACTION_IF_ROOM | MenuItem.SHOW_AS_ACTION_COLLAPSE_ACTION_VIEW); //set up the query listener mSearchView.setOnQueryTextListener( new OnQueryTextListener() { @Override public boolean onQueryTextSubmit(String query) { //start the search intent Intent searchIntent = new Intent(MainActivity. this , SearchResultsActivity. class ); searchIntent.putExtra(SEARCH_MESSAGE, query); startActivity(searchIntent); return false ; } @Override public boolean onQueryTextChange(String query) { //do nothing in our case return true ; } }); return super .onCreateOptionsMenu(menu); } |
代码示例 3: 操作栏初始化代码
以及 SearchResultsActivity 类:
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 | public class SearchResultsActivity extends Activity{ TextView mQueryText; GridView searchListResults; SearchAdapter adapter; Vector<com.example.restaurant.MenuFactory.MenuItem> searchList; @Override public void onCreate(Bundle savedInstanceState) { super .onCreate(savedInstanceState); setContentView(R.layout.search_query_grid_results); mQueryText = (TextView) findViewById(R.id.txt_query); //setup the grid view searchListResults = (GridView)findViewById(R.id.search_results); searchList= new Vector<com.example.restaurant.MenuFactory.MenuItem>(); //get and process search query here final Intent queryIntent = getIntent(); doSearchQuery(queryIntent); adapter= new SearchAdapter( this ,searchList); searchListResults.setAdapter(adapter); //Listener for grid view searchListResults.setOnItemClickListener( new AdapterView.OnItemClickListener() { @Override public void onItemClick(AdapterView<?> parent, View v, int position, long id){ FragmentTransaction ft = getFragmentManager().beginTransaction(); Fragment prev = getFragmentManager().findFragmentByTag( "dialog" ); if (prev != null ) { ft.remove(prev); } ft.addToBackStack( null ); DialogFragment newFragment = SearchResultsDialogFragment.newInstance(searchList.elementAt(position)); newFragment.show(ft, "dialog" ); } }); } |
代码示例 4: 主要的搜索结果类 (下面还会有)
当我们构建这个列表是,我们也将会处理没有查询到任何匹配项的情况下应该怎么做. 如果没有匹配,我们会查搜索的人显示一个消息对话框,让他们知晓,并且关闭搜索的activity,他们就不会看到一个空白的界面了.
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 | /** * Builds the found item list. */ private void doSearchQuery( final Intent queryIntent) { //Get the query text String message= queryIntent.getStringExtra(MainActivity.SEARCH_MESSAGE); //Set the UI field mQueryText.setText(message); RestaurantDatabase dB= new RestaurantDatabase( this ); MenuFactory mMF= MenuFactory.getInstance(); Cursor c= dB.searchMenuItems(message); Set<String> categories = new HashSet<String>(); while (c.moveToNext()) { String category = c.getString(c.getColumnIndexOrThrow(RestaurantDatabase.MenuColumns.CATEGORY)); categories.add(category); //build a new menu item and add it to the list MenuItem item= mMF. new MenuItem(); item.setCategory(category); item.setName(c.getString(c.getColumnIndexOrThrow(RestaurantDatabase.MenuColumns.NAME))); item.setDescription(c.getString(c.getColumnIndexOrThrow(RestaurantDatabase.MenuColumns.DESCRIPTION))); item.setNutrition(c.getString(c.getColumnIndexOrThrow(RestaurantDatabase.MenuColumns.NUTRITION))); item.setPrice(c.getString(c.getColumnIndexOrThrow(RestaurantDatabase.MenuColumns.PRICE))); item.setImageName(c.getString(c.getColumnIndexOrThrow(RestaurantDatabase.MenuColumns.IMAGENAME))); searchList.add(item); } c.close(); //Handle the case of not finding anything if (searchList.size()== 0 ){ Intent intent = new Intent(SearchResultsActivity. this , OrderViewDialogue. class ); intent.putExtra(OrderViewActivity.DIALOGUE_MESSAGE, "Sorry, no matching items found." ); startActivity(intent); SearchResultsActivity. this .finish(); } } |
代码示例 4 续
类的这一个部分是网格视图的适配器, 这里我们能够只做相对很小的修改实现对来自主菜单代码本身的重用. 我们也能够适配布局文件,因此保持UI在视觉上的一致性具有无需重头开始,只要轻松的对代码进行回收利用这中好处. 你之前可能已经意识到了,我也重用了 OrderViewDialogue, 这事我志气啊为购物车写的一个类,但是在这里也能起作用.
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 | /** * SearchAdapter to handle the grid view of found items. Each grid item contains * a view_grid_item which includes a image, name, and price. */ class SearchAdapter extends BaseAdapter { private Vector<com.example.restaurant.MenuFactory.MenuItem> mFoundList; private LayoutInflater inflater; public SearchAdapter(Context c, Vector<com.example.restaurant.MenuFactory.MenuItem> list) { mFoundList= list; inflater = LayoutInflater.from(c); } public int getCount() { return mFoundList.size(); } public Object getItem( int position) { return mFoundList.get(position); } public long getItemId( int position) { return 0 ; } // create a new ItemView for each item referenced by the Adapter public View getView( int position, View convertView, ViewGroup parent) { View v = convertView; ImageView picture; TextView name; TextView price; if (v == null ) { v = inflater.inflate(R.layout.view_grid_item, parent, false ); v.setTag(R.id.picture, v.findViewById(R.id.picture)); v.setTag(R.id.grid_name, v.findViewById(R.id.grid_name)); v.setTag(R.id.grid_price, v.findViewById(R.id.grid_price)); } picture= (ImageView) v.getTag(R.id.picture); name= (TextView) v.getTag(R.id.grid_name); price= (TextView) v.getTag(R.id.grid_price); final MenuItem foundItem = (MenuItem) mFoundList.get(position); InputStream inputStream = null ; AssetManager assetManager = null ; try { assetManager = getAssets(); inputStream = assetManager.open(foundItem.imageName); picture.setImageBitmap(BitmapFactory.decodeStream(inputStream)); } catch (Exception e) { Log.d( "ActionBarLog" , e.getMessage()); } finally { } name.setText(foundItem.name); price.setText(foundItem.price); return v; } } } |
代码示例 4 续
需要在布局上考虑的另外一个问题就是屏幕的横向和纵向模式. 底下是 res/layout-land 目录中的 search_query_grid_results.xml 文件. 你可以从这儿发现 numColumns 被设置成了4, 除了这个值是2以外, res/layout-port 文件跟这个文件是一样的.
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 | <?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:paddingLeft= "5dp" android:paddingRight= "5dp" android:paddingBottom= "5dp" android:paddingTop= "5dp" android:orientation= "vertical" > <LinearLayout android:layout_width= "match_parent" android:layout_height= "wrap_content" android:orientation= "horizontal" > <TextView android:layout_width= "wrap_content" android:layout_height= "wrap_content" style= "@style/FragmentTitle" android:text= "Results For: " /> <TextView android:id= "@+id/txt_query" android:layout_width= "wrap_content" android:layout_height= "wrap_content" style= "@style/OrderTitle" /> </LinearLayout> <GridView android:id= "@+id/search_results" android:layout_width= "fill_parent" android:layout_height= "0dp" android:paddingTop= "10dp" android:numColumns= "4" android:verticalSpacing= "10dp" android:horizontalSpacing= "10dp" android:layout_weight= "1" android:stretchMode= "columnWidth" android:gravity= "center" /> </LinearLayout> |
代码示例 5: 搜索视图的横向布局xml
图 2: 当用户点击时单项的详细视图
要退出搜索视图,我们比较喜欢用横扫的手势让它向左或者向右滑走,类似于菜单剩余部分的视图页滚动效果. GestureDetector 在这样一个列表视图之上运行起来很不错, 但当与网格视图一起结合起来的时候并不会有效果. 因而我们只能转而去使用一个 GestureOverlayView. 你见更需要使用 GestureBuilder 应用程序构建一个手势库,这个应用程序可以再SDK示例 (例如. android\sdk\samples\android-19\legacy\GestureBuilder) 中找到. 在你的蛇摆上构建并运行这个应用,并使用它来命名和创建出手势. 把所有你需要的手势都添加好了(在我们的案例中,就是向左扫动和向右扫动), 然后就将‘gestures’文件从你的设备复制到 res/raw 目录中. 应用会告诉你将手势文件保存到哪个地方. 在我这儿,所有要做的就是通过USB连接我们设备,手势文件就在root目录中.
图 3: 手势构建应用程序以及我们所添加的手势截图
你的文件一就位,用下面的代码修改 SearchResultsActivity 类:
1 2 | GestureLibrary gestureLibrary; GestureOverlayView gestureOverlayView; |
代码示例 6 : GestureOverlayView 的变量声明
在 onCreate 方法中, 初始化视图,加载库文件,并设置当用户执行一个匹配的手势时要做什么的侦听器. 确保能匹配到你在库文件中创建的名称. 动画我们则准备在 overridePendingTransition 调用时执行它. 对于进入动画我们指定值为0,也就是没有动画。你可以创建一个空的动画XML文件,并且引用它, 但是会有相当大概率的次数中,系统会弄糊涂,输出的动画执行起来会非常快.
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 | gestureOverlayView = (GestureOverlayView)findViewById(R.id.gestures); //initialize the gesture library and set up the gesture listener gestureLibrary = GestureLibraries.fromRawResource( this , R.raw.gestures); gestureLibrary.load(); gestureOverlayView.addOnGesturePerformedListener( new OnGesturePerformedListener(){ @Override public void onGesturePerformed(GestureOverlayView view, Gesture gesture) { ArrayList<Prediction> prediction = gestureLibrary.recognize(gesture); if (prediction.size() > 0 ){ String action= prediction.get( 0 ).name; //our gesture library contains "left swipe" and "right swipe" gestures if ( "left swipe" .equals(action)){ //slide out to the left SearchResultsActivity. this .finish(); overridePendingTransition( 0 , R.anim.move_left); } else if ( "right swipe" .equals(action)){ //slide out to the right SearchResultsActivity. this .finish(); overridePendingTransition( 0 , R.anim.move_right); } } }}); //gesture is transparent (no longer a yellow line) gestureOverlayView.setGestureVisible( false ); |
代码示例 7: 在onCreate方法中初始化 GestureOverlayView
下面是动画文件 move_left.xml: (除了toXDelta是正数之外 move_right.xml 跟 move_left.xml是一样的)
1 2 3 4 5 6 7 | <?xml version= "1.0" encoding= "utf-8" ?> <translate xmlns:android= "http://schemas.android.com/apk/res/android" android:duration= "500" android:fromXDelta= "0" android:toXDelta= "-100%" android:interpolator= "@android:anim/decelerate_interpolator" /> |
代码示例 8: 向左移动动画的代码
注意当用在一个GestureOverlayView里面的时候,你的网格视图不能有一个0dp的layout_height值, 因为将真的只是0dp,而不是像我们想要的那样在一个线性布局中扩展开. 为了在我们的案例中适应这种情况,我们将layout_height设置成fill_parent. 我们有不想要我们的手势可见,并且我也不想有等待可见的手势渐变消失这种延时, 因此你会需要将 fadeOffset 和 fadeDuration 设置成 0.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 | <android.gesture.GestureOverlayView android:id= "@+id/gestures" android:layout_width= "fill_parent" android:layout_height= "fill_parent" android:fadeOffset= "0" android:fadeDuration= "0" android:eventsInterceptionEnabled= "true" > <GridView android:id= "@+id/search_results" android:layout_width= "fill_parent" android:layout_height= "fill_parent" android:paddingTop= "10dp" android:numColumns= "4" android:verticalSpacing= "10dp" android:horizontalSpacing= "10dp" android:layout_weight= "1" android:stretchMode= "columnWidth" android:gravity= "center" /> </android.gesture.GestureOverlayView> |
代码示例 9: 得到用于布局 xml 的 GestureOverlayView 的更新的 GridView 块
现在你已经了解到本地搜索可以被添加到Android应用程序中,此外还了解到一些关键的UI是怎么做出选择决策的. 我也指出了一些其中会出现的挑战,以及如何去避免他们. 你现在应该能够把搜索整合到你自己的应用程序去了,同时对用户体验进行更多的考虑.
https://developer.android.com/training/search/index.html
Whitney Foster 是Intel的软件解决方案组的软件工程师,工作于在Android应用程序上大规模应用的项目上.
*其它名称和品牌可能已经被声称是属于其它人的财产.
**这个实例的代码以Intel示例源代码许可证发布.