Kotlinを使って、Android上で画面遷移をする方法を紹介します。
サンプルプログラム
画面について
画面は二つ必要なので、activity_main.xml
とactivity_sub.xml
を用意します。
activity_main.xml
<?xml version="1.0" encoding="utf-8"?>
<androidx.constraintlayout.widget.ConstraintLayout 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="match_parent"
tools:context=".MainActivity">
<Button
android:id="@+id/nextButton"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:text="次の画面へ"/>
</androidx.constraintlayout.widget.ConstraintLayout>
activity_sub.xml
<?xml version="1.0" encoding="utf-8"?>
<androidx.constraintlayout.widget.ConstraintLayout 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="match_parent"
tools:context=".SubActivity">
<TextView
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:text="次の画面です"/>
</androidx.constraintlayout.widget.ConstraintLayout>
activity_main.xmlで「次の画面へ」ボタンを押すと、activity_sub.xmlが表示されて「次の画面です」テキストが表示されます。
画面遷移の処理について
画面遷移の処理はMainActivity.kt
に追加します。追加するコードは以下の通りです。
val nextButton = findViewById<Button>(R.id.nextButton)
nextButton.setOnClickListener{
val intent = Intent(this, SubActivity::class.java)
startActivity(intent)
}
「次の画面へ」ボタンにSubActivityを表示するような処理を追加しています。
全体のコードはこちら
package com.websarva.wings.android.myapplication
import android.content.Intent
import androidx.appcompat.app.AppCompatActivity
import android.os.Bundle
import android.widget.Button
class MainActivity : AppCompatActivity() {
override fun onCreate(savedInstanceState: Bundle?) {
super.onCreate(savedInstanceState)
setContentView(R.layout.activity_main)
val nextButton = findViewById<Button>(R.id.nextButton)
nextButton.setOnClickListener{
val intent = Intent(this, SubActivity::class.java)
startActivity(intent)
}
}
}