java
1,實現方法一:經過給當前界面佈局文件的父layout設置點擊事件(至關於給整個Activity設置點擊事件),在事件裏進行鍵盤隱藏android
[java] view plaincopyide
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android" 佈局
android:id="@+id/traceroute_rootview" this
android:layout_width="fill_parent" spa
android:layout_height="fill_parent" .net
android:background="@color/white" code
android:clickable="true" orm
android:gravity="center_horizontal" xml
android:orientation="vertical" >
</LinearLayout>
加上id和clickable=true
而後在onCreate裏,添加onClick事件的監聽:
[java] view plaincopy
findViewById(R.id.traceroute_rootview).setOnClickListener(this);
在onClick中:
[java] view plaincopy
@Override
public void onClick(View v) {
switch (v.getId()) {
case R.id.traceroute_rootview:
InputMethodManager imm = (InputMethodManager)
getSystemService(Context.INPUT_METHOD_SERVICE);
imm.hideSoftInputFromWindow(v.getWindowToken(), 0);
break;
}
}
這樣就能夠完美的解決了輸入框外的隱藏效果,對於佈局不是特別複雜或是其它觸摸事件少的狀況下能夠使用。
2,實現思路二:經過dispatchTouchEvent每次ACTION_DOWN事件中動態判斷非EditText自己區域的點擊事件,而後在事件中進行屏蔽。
[java] view plaincopy
@Override
public boolean dispatchTouchEvent(MotionEvent ev) {
if (ev.getAction() == MotionEvent.ACTION_DOWN) {
View v = getCurrentFocus();
if (isShouldHideInput(v, ev)) {
InputMethodManager imm = (InputMethodManager) getSystemService(Context.INPUT_METHOD_SERVICE);
if (imm != null) {
imm.hideSoftInputFromWindow(v.getWindowToken(), 0);
}
}
return super.dispatchTouchEvent(ev);
}
// 必不可少,不然全部的組件都不會有TouchEvent了
if (getWindow().superDispatchTouchEvent(ev)) {
return true;
}
return onTouchEvent(ev);
}
isShoudHideInput(View v,MotionEvent e)方法:
[java] view plaincopy
public boolean isShouldHideInput(View v, MotionEvent event) {
if (v != null && (v instanceof EditText)) {
int[] leftTop = { 0, 0 };
//獲取輸入框當前的location位置
v.getLocationInWindow(leftTop);
int left = leftTop[0];
int top = leftTop[1];
int bottom = top + v.getHeight();
int right = left + v.getWidth();
if (event.getX() > left && event.getX() < right
&& event.getY() > top && event.getY() < bottom) {
// 點擊的是輸入框區域,保留點擊EditText的事件
return false;
} else {
return true;
}
}
return false;
}
這種方法實現起來比較麻煩,解決思路與iOS中的事件分發機制是相似,對於處理隱藏事件比較清晰,經過層層事件分發,而後判斷是否在須要屏蔽的區域。