按鈕findViewBuId <Button android:id="@+id/mButton4" android:layout_width="wrap_content" android:layout_height="wrap_content" android:text="跳轉" app:layou ...
按鈕findViewBuId
<Button android:id="@+id/mButton4" android:layout_width="wrap_content" android:layout_height="wrap_content" android:text="跳轉" app:layout_constraintLeft_toLeftOf="parent" app:layout_constraintRight_toRightOf="parent" app:layout_constraintTop_toBottomOf="@+id/mButton3" />
XML 沒有變化
val button4 = findViewById<Button>(R.id.mButton4)
點擊事件有三種寫法
1.匿名內部類
button4.setOnClickListener { Toast.makeText(this, "java", Toast.LENGTH_LONG).show() }
這裡就使用Toast列印一句話,Toast的寫法和java中的寫法一樣
2.Activity實現全局OnClickListener介面
class MainActivity : AppCompatActivity(), View.OnClickListener { override fun onCreate(savedInstanceState: Bundle?) { super.onCreate(savedInstanceState) setContentView(R.layout.activity_main) initView() }
在 AppCompatActivity類後加上 View.OnClickListener 用“,”分割,這種方法與java的區別是沒有implements關鍵字表示實現介面。
private fun initView() { val button1 = findViewById<Button>(R.id.mButton1) val button2 = findViewById<Button>(R.id.mButton2) val button4 = findViewById<Button>(R.id.mButton4) val button5 = findViewById<Button>(R.id.mButton5) val button6 = findViewById<Button>(R.id.mButton6) val button7 = findViewById<Button>(R.id.mButton7) button1.setOnClickListener(this) button2.setOnClickListener(this) button7.setOnClickListener(this)
override fun onClick(v: View?) { when (v?.id) { R.id.mButton1 -> Toast.makeText(this, "java", Toast.LENGTH_LONG).show() R.id.mButton2 -> Toast.makeText(this, "java", Toast.LENGTH_LONG).show() } }
在kotlin中使用when替代了java中的switch,“:”符號改為了“->”。
3.指定onClick屬性
<Button android:id="@+id/mButton3" android:layout_width="wrap_content" android:layout_height="wrap_content" android:onClick="mButton3" android:text="關閉" app:layout_constraintLeft_toLeftOf="parent" app:layout_constraintRight_toRightOf="parent" app:layout_constraintTop_toBottomOf="@+id/mButton2" />
fun mButton3(view: View) { if (view.id == R.id.mButton3) { finish() } }
代碼中就實現了關閉當前Activity
以上