Java Android App Development Course, Save to Shared Preferences

When developing on Android, there are often cases where you need to store certain settings or user information of the application.
What is used at this time is SharedPreferences.
SharedPreferences is useful for saving data using simple key-value pairs and is suitable for storing small amounts of data.
In this tutorial, we will cover how to save and retrieve user information using SharedPreferences.

1. What is SharedPreferences?

SharedPreferences is a lightweight data storage mechanism in Android that makes it easy to save and recover application settings, user information, etc.
It is suitable for storing small data sets, and the data is stored in the XML file format in the app’s data directory.

2. Reasons to Use SharedPreferences

  • Simple data storage: It allows you to easily save simple information such as user settings and login information.
  • Shareable: You can easily access shared values across multiple activities.
  • Lightweight: It is useful when using a complex database is unnecessary.

3. Basic Usage of SharedPreferences

The process of using SharedPreferences can be broadly divided into three steps:
Creation, Data Saving, Data Retrieval.

3.1 Creating SharedPreferences

The method for creating SharedPreferences is as follows. The code below is an example of creating SharedPreferences in the `MainActivity` class.

SharedPreferences sharedPreferences = getSharedPreferences("MyPreferences", MODE_PRIVATE);

3.2 Data Saving

When saving data to SharedPreferences, you need to use the `Editor`. Below is an example of saving a username and age.


SharedPreferences.Editor editor = sharedPreferences.edit();
editor.putString("username", "John Doe");
editor.putInt("age", 25);
editor.apply();

3.3 Data Retrieval

To retrieve the saved data, use the `getString` or `getInt` method. The code below is an example of retrieving saved user information.


String username = sharedPreferences.getString("username", "default");
int age = sharedPreferences.getInt("age", 0);

4. Practical Example

Below is the example code utilizing SharedPreferences overall. We will create an app that saves information entered by the user and displays the saved information on the screen.

4.1 Layout File (activity_main.xml)

<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
    android:layout_width="match_parent"
    android:layout_height="match_parent"
    android:orientation="vertical">

    <EditText
        android:id="@+id/editTextUsername"
        android:layout_width="match_parent"
        android:layout_height="wrap_content"
        android:hint="Username"/>

    <EditText
        android:id="@+id/editTextAge"
        android:layout_width="match_parent"
        android:layout_height="wrap_content"
        android:hint="Age"
        android:inputType="number"/>

    <Button
        android:id="@+id/buttonSave"
        android:layout_width="wrap_content"
        android:layout_height="wrap_content"
        android:text="Save"/>

    <TextView
        android:id="@+id/textViewResult"
        android:layout_width="wrap_content"
        android:layout_height="wrap_content"/>

    </LinearLayout>

4.2 Main Activity (MainActivity.java)

import android.content.SharedPreferences;
    import android.os.Bundle;
    import android.view.View;
    import android.widget.Button;
    import android.widget.EditText;
    import android.widget.TextView;
    import androidx.appcompat.app.AppCompatActivity;

    public class MainActivity extends AppCompatActivity {

        private SharedPreferences sharedPreferences;
        private EditText editTextUsername, editTextAge;
        private TextView textViewResult;

        @Override
        protected void onCreate(Bundle savedInstanceState) {
            super.onCreate(savedInstanceState);
            setContentView(R.layout.activity_main);

            editTextUsername = findViewById(R.id.editTextUsername);
            editTextAge = findViewById(R.id.editTextAge);
            textViewResult = findViewById(R.id.textViewResult);
            Button buttonSave = findViewById(R.id.buttonSave);

            sharedPreferences = getSharedPreferences("MyPreferences", MODE_PRIVATE);
            loadStoredData();

            buttonSave.setOnClickListener(new View.OnClickListener() {
                @Override
                public void onClick(View v) {
                    String username = editTextUsername.getText().toString();
                    int age = Integer.parseInt(editTextAge.getText().toString());
                    saveData(username, age);
                }
            });
        }

        private void saveData(String username, int age) {
            SharedPreferences.Editor editor = sharedPreferences.edit();
            editor.putString("username", username);
            editor.putInt("age", age);
            editor.apply();
            loadStoredData();
        }

        private void loadStoredData() {
            String username = sharedPreferences.getString("username", "default");
            int age = sharedPreferences.getInt("age", 0);
            textViewResult.setText("Username: " + username + "\nAge: " + age);
        }
    }

5. Precautions

SharedPreferences is suitable for storing small amounts of data.
If you need to store large amounts of data or complex data structures, it is recommended to use an SQLite database or the Room library.

6. Conclusion

In this tutorial, we learned how to save and retrieve simple user information using SharedPreferences.
By utilizing these features, you can develop various applications that enhance the user experience.
In the future, we will also cover how to use the Room library to efficiently manage more data.

Java Android App Development Course, Arranged in Hierarchical Structure – ConstraintLayout

There are several ways to structure a UI in Android app development, one of which is ConstraintLayout. ConstraintLayout is a powerful tool that helps to easily create complex UI layouts. In this tutorial, we will explain why to use ConstraintLayout, its basic concepts, and how to use it in practice through examples.

1. Introduction to ConstraintLayout

ConstraintLayout is a layout that allows for easy arrangement of various Views. In traditional layout methods, LinearLayout or RelativeLayout were used, but ConstraintLayout has structural advantages that overcome the limitations of these methods.

  • Flexibility: Automatically adjusts according to the size of the device using a percent-based layout.
  • Performance: Simplifies the View Hierarchy, reducing memory usage and improving performance.
  • Integration with design tools: The Layout Editor in Android Studio allows for easy placement of visual elements using ConstraintLayout.

2. Basic Concepts of ConstraintLayout

ConstraintLayout arranges views by defining constraints between them. You can set the position of your desired view relative to other views or the parent view. Thanks to this characteristic, developers can set views to reference each other for proper placement.

The most important concept in ConstraintLayout is Constraints. Constraints provide the necessary information to determine the position and size of a view. Generally, the following constraints can be set:

  • Top constraint: Fixes the top of the view to the top of the parent or another view.
  • Bottom constraint: Fixes the bottom of the view to the bottom of the parent or another view.
  • Start constraint: Fixes the start (left) of the view to the start of the parent or another view.
  • End constraint: Fixes the end (right) of the view to the end of the parent or another view.
  • Width and Height constraint: Sets constraints for the width and height of the view.

3. Using ConstraintLayout

Now let’s look at how to actually use ConstraintLayout through the example below. In this example, we will create a basic login screen.

3.1 Creating an XML Layout File

The following is the XML code to implement the login screen. This code will be saved as ‘activity_login.xml’ in the res/layout directory.

<?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=".LoginActivity">

    <TextView
        android:id="@+id/textViewTitle"
        android:layout_width="wrap_content"
        android:layout_height="wrap_content"
        android:text="Login"
        android:textSize="24sp"
        android:textStyle="bold"
        app:layout_constraintBottom_toTopOf="@+id/editTextUsername"
        app:layout_constraintEnd_toEndOf="parent"
        app:layout_constraintStart_toStartOf="parent"
        app:layout_constraintTop_toTopOf="parent"/>

    <EditText
        android:id="@+id/editTextUsername"
        android:layout_width="0dp"
        android:layout_height="wrap_content"
        android:hint="Username"
        app:layout_constraintBottom_toTopOf="@+id/editTextPassword"
        app:layout_constraintEnd_toEndOf="parent"
        app:layout_constraintStart_toStartOf="parent"
        app:layout_constraintWidth_percent="0.5"/>

    <EditText
        android:id="@+id/editTextPassword"
        android:layout_width="0dp"
        android:layout_height="wrap_content"
        android:hint="Password"
        app:layout_constraintBottom_toTopOf="@+id/buttonLogin"
        app:layout_constraintEnd_toEndOf="parent"
        app:layout_constraintStart_toStartOf="parent"
        app:layout_constraintWidth_percent="0.5"/>

    <Button
        android:id="@+id/buttonLogin"
        android:layout_width="wrap_content"
        android:layout_height="wrap_content"
        android:text="Login"
        app:layout_constraintBottom_toBottomOf="parent"
        app:layout_constraintEnd_toEndOf="parent"
        app:layout_constraintStart_toStartOf="parent"/>

</androidx.constraintlayout.widget.ConstraintLayout>

3.2 Writing the MainActivity.java File

After creating the XML file, you now need to write the Activity that will use this layout. Create a ‘MainActivity.java’ file under the directory ‘src/main/java/com/example/app’.

package com.example.app;

import android.os.Bundle;
import android.view.View;
import android.widget.Button;
import android.widget.EditText;
import android.widget.TextView;
import android.widget.Toast;
import androidx.appcompat.app.AppCompatActivity;

public class MainActivity extends AppCompatActivity {

    private EditText editTextUsername;
    private EditText editTextPassword;
    private Button buttonLogin;

    @Override
    protected void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.activity_login);

        editTextUsername = findViewById(R.id.editTextUsername);
        editTextPassword = findViewById(R.id.editTextPassword);
        buttonLogin = findViewById(R.id.buttonLogin);

        buttonLogin.setOnClickListener(new View.OnClickListener() {
            @Override
            public void onClick(View v) {
                String username = editTextUsername.getText().toString();
                String password = editTextPassword.getText().toString();

                if (username.isEmpty() || password.isEmpty()) {
                    Toast.makeText(MainActivity.this, "Please fill in all fields.", Toast.LENGTH_SHORT).show();
                } else {
                    // Logic to handle login
                    Toast.makeText(MainActivity.this, "Login successful!", Toast.LENGTH_SHORT).show();
                }
            }
        });
    }
}

4. Advanced Features of ConstraintLayout

In addition to basic constraints, ConstraintLayout supports various advanced features. Here we will introduce a few key features.

4.1 Guideline

A guideline provides a visual aid that helps align views. You can create horizontal or vertical guidelines to assist with view placement and size adjustments.

<androidx.constraintlayout.widget.Guideline
    android:layout_width="wrap_content"
    android:layout_height="wrap_content"
    android:orientation="vertical"
    android:guidePercent="0.5"/>

4.2 Barrier

A barrier allows views to be dependent on each other, dynamically adjusting the position of other views based on the size of the primary view. For example, if one view is hidden, another view can take its place.

4.3 Group

Using a group allows you to bundle multiple views together to set constraints or visibility collectively.

<androidx.constraintlayout.widget.Group
    android:id="@+id/group"
    app:layout_constraintStart_toStartOf="parent"
    app:layout_constraintEnd_toEndOf="parent"/>

5. Conclusion

ConstraintLayout is a very useful tool in Android UI development, allowing you to easily set relationships between views. In this tutorial, we explored the basic concepts and usage of ConstraintLayout, as well as advanced features for creating complex layouts. When developing actual apps, utilize this information to implement efficient and responsive UIs.

Now you are ready to create your own unique UI using ConstraintLayout. Enjoy the pleasure of combining various elements to create amazing apps!

Java Android App Development Course, Overlapping Layout – FrameLayout

In Android app development, the user interface (UI) is a crucial element. Since the UI is the first part that users encounter when interacting with the app, it requires an intuitive and appealing design. In this tutorial, we will learn how to overlay views using FrameLayout in Android.

1. Introduction to FrameLayout

FrameLayout is one of the basic layouts in Android, arranging child views in a stacked manner. By default, FrameLayout positions the first child view as the base, with the others overlapping on top. This is useful when wanting to display multiple views on top of each other.

1.1 Features of FrameLayout

  • Simpler Structure: It is mainly used in simpler structures rather than complex layouts.
  • Nesting Capability: It can be nested with other layouts.
  • Alignment: Child views are aligned to the top left by default. The alignment can be adjusted using the Gravity attribute.

2. Example of Using FrameLayout

Now, let’s create a simple example utilizing FrameLayout. In this example, we will stack two image views and add a text view below to implement a simple login screen.

2.1 Creating an XML Layout File

First, create the activity_main.xml file and set up the layout using FrameLayout.

<?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">

    <FrameLayout
        android:id="@+id/frameLayout"
        android:layout_width="match_parent"
        android:layout_height="match_parent">

        <ImageView
            android:id="@+id/imageView1"
            android:layout_width="match_parent"
            android:layout_height="match_parent"
            android:src="@drawable/image1"
            android:scaleType="centerCrop"/>

        <ImageView
            android:id="@+id/imageView2"
            android:layout_width="match_parent"
            android:layout_height="match_parent"
            android:src="@drawable/image2"
            android:scaleType="centerCrop"
            android:layout_gravity="center"/>

    </FrameLayout>

    <TextView
        android:id="@+id/textView"
        android:layout_width="wrap_content"
        android:layout_height="wrap_content"
        android:text="Login"
        android:textSize="24sp"
        android:layout_gravity="center"
        android:background="@android:color/transparent"/>

</androidx.constraintlayout.widget.ConstraintLayout>

This XML code uses FrameLayout to stack two image views. Below, we add a TextView to display the login text in the center. The layout_gravity attribute of the image views is used to center the text.

2.2 Creating the MainActivity Class

Now, let’s create the MainActivity.java file to implement the basic logic.

package com.example.myapp;

import androidx.appcompat.app.AppCompatActivity;
import android.os.Bundle;

public class MainActivity extends AppCompatActivity {
    @Override
    protected void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.activity_main);
    }
}

The above code is the basic structure of an Android Activity, where the onCreate method sets the XML layout file. This code ensures that when the Activity runs, the UI we created appears.

3. Use Cases for FrameLayout

Let’s look at various scenarios where FrameLayout can be utilized.

3.1 Displaying an Ad Banner

An ad banner can be overlaid at the top of the app screen. To achieve this, FrameLayout can be used to stack the ad view over the content view.

3.2 Displaying a Loading Spinner

During data loading, FrameLayout can be used to overlay a loading spinner on top of the app content. This visually indicates to the user that loading is in progress while they are using the app.

4. Comparison of FrameLayout with Other Layouts

While FrameLayout can stack views in a simple structure, it has limitations for creating complex layouts. Here is a comparison between FrameLayout and other layouts.

4.1 LinearLayout

LinearLayout arranges child views either vertically or horizontally. While it is simple to use, it has the disadvantage of not being able to stack views.

4.2 RelativeLayout

RelativeLayout allows the arrangement of child views based on their relative positions. It is suitable for complex layouts but can be less efficient in terms of performance.

5. Performance Optimization Considerations

Here are a few considerations to optimize performance when using FrameLayout.

5.1 View Hierarchy

A deeper view hierarchy can negatively impact performance. It is advisable to maintain a flatter hierarchy whenever possible.

5.2 Hiding Unnecessary Views

Views that are not in use can be set to GONE status to reduce memory usage.

6. Conclusion

In this tutorial, we explored how to use FrameLayout in Android to stack views. FrameLayout is useful for representing views in a simple structure and can be utilized in various scenarios like ad banners and loading spinners. When designing a user interface, let’s ensure to use various layouts appropriately to provide optimal UI/UX.

7. Additional Learning Resources

If you would like more resources on Android development, please refer to the following links.

© 2023 Blog. Java Android App Development Course.

Java Android App Development Course, Create an Improved To-Do List App

This article explains how to develop an improved To-Do List app on the Android platform using Java. This tutorial will be detailed enough for everyone from beginners to intermediate users to follow along. We will create a basic To-Do List app and learn how to enhance its features to provide a better experience for users.

Table of Contents

1. Project Setup

Open Android Studio and create a new project. Select “Empty Activity” and set the project name to “ToDoListApp” and the package name to “com.example.todolist”.

Choose Java instead of Kotlin to create the project. The basic structure will be automatically generated in this configured project.

2. Basic User Interface Design

The user interface is primarily designed using XML, creating a layout as shown below. Open the ‘activity_main.xml’ file and add the code below.

        
        <LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
            android:layout_width="match_parent"
            android:layout_height="match_parent"
            android:orientation="vertical">

            <EditText
                android:id="@+id/editTextTask"
                android:layout_width="match_parent"
                android:layout_height="wrap_content"
                android:hint="Enter your task here"/>

            <Button
                android:id="@+id/buttonAdd"
                android:layout_width="wrap_content"
                android:layout_height="wrap_content"
                android:text="Add"/>

            <ListView
                android:id="@+id/listViewTasks"
                android:layout_width="match_parent"
                android:layout_height="0dp"
                android:layout_weight="1"/>

        </LinearLayout>
        
        

In the above code, EditText provides a text field for users to enter tasks, the Button adds tasks to the list, and ListView displays the added task list.

3. Data Storage and Management

To store the to-do list, we will use a data structure like List. The items to add to the list are defined by a model class called “Task”.

        
        public class Task {
            private String task;
            private boolean isCompleted;

            public Task(String task) {
                this.task = task;
                this.isCompleted = false;
            }

            public String getTask() {
                return task;
            }

            public boolean isCompleted() {
                return isCompleted;
            }

            public void completeTask() {
                isCompleted = true;
            }
        }
        
        

Now, implement the logic to add the entered task to the list in MainActivity.java. We will use ListView and ArrayAdapter to display the list.

4. Implementing Add and Delete Functions

Open the MainActivity.java file and implement the function to add a task. Add the code below.

        
        import android.os.Bundle;
        import android.view.View;
        import android.widget.AdapterView;
        import android.widget.ArrayAdapter;
        import android.widget.Button;
        import android.widget.EditText;
        import android.widget.ListView;

        import androidx.appcompat.app.AppCompatActivity;

        import java.util.ArrayList;

        public class MainActivity extends AppCompatActivity {

            private ArrayList<Task> taskList;
            private ArrayAdapter<String> adapter;
            private EditText editTextTask;
            private ListView listViewTasks;

            @Override
            protected void onCreate(Bundle savedInstanceState) {
                super.onCreate(savedInstanceState);
                setContentView(R.layout.activity_main);

                editTextTask = findViewById(R.id.editTextTask);
                Button buttonAdd = findViewById(R.id.buttonAdd);
                listViewTasks = findViewById(R.id.listViewTasks);

                taskList = new ArrayList<>();
                adapter = new ArrayAdapter<>(this, android.R.layout.simple_list_item_1, new ArrayList<>());
                listViewTasks.setAdapter(adapter);

                buttonAdd.setOnClickListener(new View.OnClickListener() {
                    @Override
                    public void onClick(View v) {
                        String taskInput = editTextTask.getText().toString();
                        if (!taskInput.isEmpty()) {
                            Task task = new Task(taskInput);
                            taskList.add(task);
                            adapter.add(task.getTask());
                            editTextTask.setText("");
                        }
                    }
                });

                listViewTasks.setOnItemClickListener(new AdapterView.OnItemClickListener() {
                    @Override
                    public void onItemClick(AdapterView<?> parent, View view, int position, long id) {
                        Task task = taskList.get(position);
                        if (task.isCompleted()) {
                            task.completeTask();
                        } else {
                            task.completeTask();
                        }
                        adapter.notifyDataSetChanged();
                    }
                });
            }
        }
        
        

In the above code, the functionality to add a task to the list based on user input and toggle task completion status on list item clicks is implemented. This allows users to easily manage the status of their tasks.

5. Implementing Task Completion Indication

To improve the user interface when a user completes a task, we will add a method to change the background color of the item. We can override the getView method in ArrayAdapter to change the color of completed items.

        
        import android.content.Context;
        import android.graphics.Color;
        import android.view.LayoutInflater;
        import android.view.View;
        import android.view.ViewGroup;
        import android.widget.ArrayAdapter;
        import android.widget.TextView;

        import java.util.List;

        public class TaskAdapter extends ArrayAdapter<Task> {

            public TaskAdapter(Context context, List<Task> tasks) {
                super(context, 0, tasks);
            }

            @Override
            public View getView(int position, View convertView, ViewGroup parent) {
                Task task = getItem(position);
                if (convertView == null) {
                    convertView = LayoutInflater.from(getContext()).inflate(android.R.layout.simple_list_item_1, parent, false);
                }
                TextView textView = convertView.findViewById(android.R.id.text1);
                textView.setText(task.getTask());
                if (task.isCompleted()) {
                    textView.setTextColor(Color.GRAY);
                } else {
                    textView.setTextColor(Color.BLACK);
                }
                return convertView;
            }
        }
        
        

You need to replace the adapter in MainActivity.java with TaskAdapter. Now users will see that the color of completed items changes to gray for easy identification.

6. Improving the UI of the App

To enhance user experience in the app, various UI elements can be added. For example, adding a prompt for users to input their tasks or displaying a confirmation message after a task is completed are potential improvements. Additionally, using RecyclerView can allow for efficient data management.

        
        <androidx.recyclerview.widget.RecyclerView
            android:id="@+id/recyclerViewTasks"
            android:layout_width="match_parent"
            android:layout_height="0dp"
            android:layout_weight="1"/>
        
        

Using RecyclerView allows for efficient handling of more data items. Consider adding simple item click animations to enhance the user’s experience while using the app.

7. App Deployment and Conclusion

After completing app development, you can deploy it to the Google Play Store for users. Set the necessary permissions in the AndroidManifest.xml file and build the app to create the APK file.

After deployment, you can continuously improve the app based on user feedback and enhance the user experience by updating additional features.

Conclusion

Today, we looked at the process of developing an improved To-Do List app using Java and Android Studio. I hope what you learned will help you in actual app development. You can further develop the app with additional features and turn it into a useful tool for users. In the next tutorial, we will cover more advanced topics, so please look forward to it.

Java Android App Development Course, Create an MP3 Player App

The Android platform provides an excellent environment for developing various apps. In this course, we will learn how to create a basic MP3 playback app using Java. This course is targeted at developers who already have a basic understanding of Android development, and you will learn app development from the basics to advanced features as you progress through the project.

Basic Concepts

An MP3 playback app is an app that provides functionalities such as playing, pausing, stopping music files, and changing tracks. To create such an app, we will utilize Android’s Media Player API, which is necessary for handling audio files. The app will also provide a User Interface (UI) that allows users to operate easily.

Setting Up the Development Environment

To develop Android apps, you must first set up the development environment. Please follow the steps below:

  1. Install Android Studio: Android Studio is the official IDE for Android development. Download and install the latest version.
  2. Create a New Project: After launching Android Studio, select “New Project.” Choose “Empty Activity,” enter a project name, and click “Finish.”
  3. Check Gradle Settings: Once the project is created, check the Gradle settings to ensure that the necessary libraries are included.

App UI Design

We will create an XML layout file to design the app’s user interface. Open the “res/layout” folder, and create “activity_main.xml” file, then enter the following code:

<RelativeLayout xmlns:android="http://schemas.android.com/apk/res/android"
    android:layout_width="match_parent"
    android:layout_height="match_parent">

        <Button
            android:id="@+id/buttonPlay"
            android:layout_width="wrap_content"
            android:layout_height="wrap_content"
            android:text="Play" /
        >

        <Button
            android:id="@+id/buttonPause"
            android:layout_width="wrap_content"
            android:layout_height="wrap_content"
            android:text="Pause"
            android:layout_below="@id/buttonPlay" /
        >

        <Button
            android:id="@+id/buttonStop"
            android:layout_width="wrap_content"
            android:layout_height="wrap_content"
            android:text="Stop"
            android:layout_below="@id/buttonPause" /
        >

        <TextView
            android:id="@+id/textViewStatus"
            android:layout_width="wrap_content"
            android:layout_height="wrap_content"
            android:text="Status: Stopped"
            android:layout_below="@id/buttonStop" /
        >

    </RelativeLayout>

The above code sets up a basic user interface, which includes three buttons and a TextView to display the status.

Writing the Java Code

Now we will write the Java code to implement the actual MP3 playback functionality. Open the “MainActivity.java” file and add the following code:

package com.example.mp3player;

    import android.media.MediaPlayer;
    import android.os.Bundle;
    import android.view.View;
    import android.widget.Button;
    import android.widget.TextView;
    import androidx.appcompat.app.AppCompatActivity;

    public class MainActivity extends AppCompatActivity {

        private MediaPlayer mediaPlayer;
        private Button buttonPlay, buttonPause, buttonStop;
        private TextView textViewStatus;

        @Override
        protected void onCreate(Bundle savedInstanceState) {
            super.onCreate(savedInstanceState);
            setContentView(R.layout.activity_main);

            buttonPlay = findViewById(R.id.buttonPlay);
            buttonPause = findViewById(R.id.buttonPause);
            buttonStop = findViewById(R.id.buttonStop);
            textViewStatus = findViewById(R.id.textViewStatus);

            mediaPlayer = MediaPlayer.create(this, R.raw.sample_mp3); // sample_mp3 should be in the res/raw folder.

            buttonPlay.setOnClickListener(new View.OnClickListener() {
                @Override
                public void onClick(View v) {
                    mediaPlayer.start();
                    textViewStatus.setText("Status: Playing");
                }
            });

            buttonPause.setOnClickListener(new View.OnClickListener() {
                @Override
                public void onClick(View v) {
                    if (mediaPlayer.isPlaying()) {
                        mediaPlayer.pause();
                        textViewStatus.setText("Status: Paused");
                    }
                }
            });

            buttonStop.setOnClickListener(new View.OnClickListener() {
                @Override
                public void onClick(View v) {
                    if (mediaPlayer.isPlaying() || mediaPlayer.isLooping()) {
                        mediaPlayer.stop();
                        mediaPlayer.prepareAsync(); // For preparing it again
                        textViewStatus.setText("Status: Stopped");
                    }
                }
            });
        }

        @Override
        protected void onDestroy() {
            super.onDestroy();
            if (mediaPlayer != null) {
                mediaPlayer.release();
                mediaPlayer = null;
            }
        }
    }

The above code implements the functionality to play, pause, and stop the MP3 file using MediaPlayer. It updates the status and reflects it in the UI every time the user clicks a button.

Adding Audio Files

To add the MP3 files for use in the app, follow the steps below:

  1. Create a raw folder in the res directory: Right-click the “res” folder and select “New” → “Android Resource Directory.” Choose “raw” as the Resource type, and click “OK.”
  2. Add MP3 files: Copy and paste the MP3 file you want to use (e.g., sample_mp3.mp3) into the created “raw” folder.

Running the App

Now that all the settings are complete, click the “Run” button in Android Studio to run the app. The app will run on the emulator or a real device, and buttons to play the MP3 file will be displayed.

Conclusion

In this course, we learned how to create a basic Android MP3 playback app using Java. Besides creating a simple media player, you may also consider implementing additional features (like playlists, volume control, user settings, etc.) to develop a more advanced app.

By completing this simple project, you have laid the foundation for Android app development. We hope you continue to develop various apps and deepen your understanding of the Android platform.

Additional Resources

For further study on Android development, please refer to the following resources: