雖然上次介紹了Kotlin,但目前開發Android大部分還是以Java為主,今天就要教大家用程式碼控制TextView的文字內容,主要是介紹按鈕(Button)的監聽器(Listener)控制。
監聽器
常見的監聽器有幾個:
之間差別可以參考 : http://blog.csdn.net/eclipsexys/article/details/8785149
OnClickListener
(點擊) : 在手指按下再放開後才執行OnLongClickListener
(長按) : 手指按住不放時執行OnTouchListener
(觸碰) : 手指一碰到按鈕就執行,與OnClick不同的是不需等到手指放開
建立專案
首先建立一個新專案( 可以參考上次的文章 )
排版
在畫面上新增一個TextView、一個Button
<!--?xml version="1.0" encoding="utf-8"?-->
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
xmlns:app="http://schemas.android.com/apk/res-auto"
xmlns:tools="http://schemas.android.com/tools"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:orientation="vertical"
tools:context="com.example.yr.helloworld.MainActivity">
<TextView
android:id="@+id/textView"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:textSize="30dp"
android:text="TextView" />
<LinearLayout
android:layout_width="match_parent"
android:layout_height="match_parent"
android:orientation="horizontal">
<Button
android:id="@+id/btn"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:layout_weight="1"
android:text="Button" />
</LinearLayout>
</LinearLayout>
程式碼
1.宣告
Button btn;
TextView txv;
2.與畫面物件配對
btn = (Button) findViewById(R.id.btn);
txv = (TextView) findViewById(R.id.textView);
3.設置OnClick監聽器
btn.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View view) {
txv.setText("OnClick");
}
});
4.設置OnLongClick監聽器
btn.setOnLongClickListener(new View.OnLongClickListener() {
@Override
public boolean onLongClick(View view) {
txv.setText("OnLongClick");
return false;
}
});
5.設置OnTouch監聽器
btn.setOnTouchListener(new View.OnTouchListener() {
@Override
public boolean onTouch(View view, MotionEvent motionEvent) {
txv.setText("OnTouch");
return false;
}
});
完整程式碼
package com.example.yr.helloworld;
import android.support.v7.app.AppCompatActivity;
import android.os.Bundle;
import android.view.MotionEvent;
import android.view.View;
import android.widget.Button;
import android.widget.TextView;
public class MainActivity extends AppCompatActivity {
Button btn;
TextView txv;
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
btn = (Button) findViewById(R.id.btn);
txv = (TextView) findViewById(R.id.textView);
btn.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View view) {
txv.setText("OnClick");
}
});
btn.setOnLongClickListener(new View.OnLongClickListener() {
@Override
public boolean onLongClick(View view) {
txv.setText("OnLongClick");
return false;
}
});
btn.setOnTouchListener(new View.OnTouchListener() {
@Override
public boolean onTouch(View view, MotionEvent motionEvent) {
txv.setText("OnTouch");
return false;
}
});
}
}
執行
按住按鈕不放可以觀察到TextView的文字變化,從OnTouch變成OnLongClick;接著放掉按鈕,文字就會變成OnClick。