Android自定義控制元件熱身之scrollTo和scrollBy詳解
阿新 • • 發佈:2019-02-17
View通過ScrollTo和ScrollBy 方法可以實現滑動。那麼兩者有什麼區別呢?我們先來看一下原始碼
ScrollTo原始碼:
public void scrollTo(int x, int y) { if (mScrollX != x || mScrollY != y) { int oldX = mScrollX; int oldY = mScrollY; mScrollX = x; mScrollY = y; invalidateParentCaches(); onScrollChanged(mScrollX, mScrollY, oldX, oldY); if (!awakenScrollBars()) { invalidate(true); } } }
ScrollBy 原始碼
public void scrollBy(int x, int y) {
scrollTo(mScrollX + x, mScrollY + y);
}
在程式碼中ScrollBy呼叫了ScrollTo
View.scrollTo(int x, int y):是View移動到座標點(-x,-y)處。
View.scrollBy(int x, int y):是View相對當前位置滑動了(-x,-y)。(注:x為正值時向左滑動,y為正值時向上滑動)
scrollTo和scrollBy有兩點需要注意:
①scrollTo(int x, int y)和scrollBy(int x, int y)在移動的時候它的座標點與View的座標系是"相反的",即當x為正數時View的橫座標為負值或向左移動,當y為正數時View的縱座標為負值或向上移動。
②View.scrollTo(int x, int y)和View.scrollBy(int x, int y)移動的是View裡面的內容並不是View本身,而且移動的是View裡面內容的真實位置。下面我們通過一個Demo來驗證一下
activity_main.xml
MainActivity.java<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" tools:context="com.havorld.scrolldemo.MainActivity" > <Button android:id="@+id/bt" android:layout_width="match_parent" android:layout_height="0dp" android:layout_weight="1" android:gravity="left|top" android:text="按鈕一" /> <LinearLayout android:id="@+id/ll" android:layout_width="match_parent" android:layout_height="0dp" android:layout_weight="1" android:background="@android:color/holo_green_light" > <Button android:id="@+id/btn" android:layout_width="wrap_content" android:layout_height="wrap_content" android:text="按鈕二" /> </LinearLayout> </LinearLayout>
public class MainActivity extends Activity implements OnClickListener {
private Button bt, btn;
private LinearLayout ll;
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
bt = (Button) findViewById(R.id.bt);
ll = (LinearLayout) findViewById(R.id.ll);
btn = (Button) findViewById(R.id.btn);
bt.setOnClickListener(this);
ll.setOnClickListener(this);
btn.setOnClickListener(this);
}
@Override
public void onClick(View v) {
switch (v.getId()) {
case R.id.bt:
bt.scrollTo(-100, -100);
break;
case R.id.ll:
ll.scrollBy(-10, -10);
break;
case R.id.btn:
Toast.makeText(this, "點選了按鈕二", Toast.LENGTH_SHORT).show();
break;
default:
break;
}
}
}
當我們直接點選Button按鈕時移動的是按鈕裡面的文字內容,當點選線性佈局時移動的是佈局裡面的內容按鈕,由此可以看出View.scrollTo(int x, int y)和View.scrollBy(int x, int y)移動的是所點選View裡面的內容,而且移動後點擊效果依然有效說明移動的是View內容的真實位置。