How to Control Volume using Android SeekBar in Java

Nitish Kumar Singh

Nov 16, 2023 . 4 min read

Hello Developers! In this blog post, we will learn how to change volume using SeekBar in Android using Java. Basically we increase or decrease system volume of phone when progress of SeekBar chnages and show a TextView for volume level.

Photo by Adrien on Unsplash

To change the volume of phone, we add SeekBar.OnSeekChangeListener on SeekBar to get progress and use AudioManager  and it's methods to change phone volume in following steps:

Setup SeekBar

Add following xml in your activity layout file and you can design it as your requirements.

.....
  <LinearLayout
      android:layout_width="match_parent"
      android:layout_height="wrap_content"
      android:orientation="horizontal">
      <TextView
         android:id="@+id/volumeLevel"
         android:layout_width="60dp"
         android:layout_height="match_parent"
         android:gravity="center"
         android:textSize="15sp"/>
      <SeekBar
         android:id="@+id/volumeSlider"
         android:layout_width="0dp"
         android:layout_weight="1"
         android:layout_height="30dp"
         android:layout_marginStart="10dp"
         android:layout_marginEnd="10dp"
         android:layout_gravity="center"/>
  </LinearLayout>
.....

Initialize TextView and SeekBar, add SeekBar.OnSeekChangeListener on SeekBar and setMax value on SeekBar as you want in onCreate of activity java file.

    TextView volumeLevel = findViewById(R.id.volumeLevel);
    SeekBar volumeSlider = findViewById(R.id.volumeSlider);
    volumeSlider.setMax(maxProgress); // it will come from maxProgress variable
    
    // There are more code available
    
    volumeSlider.setOnSeekBarChangeListener(new SeekBar.OnSeekBarChangeListener() {
        @Override
        public void onProgressChanged(SeekBar seekBar, int progress, boolean fromUser) {
              
            
        }

        @Override
        public void onStartTrackingTouch(SeekBar seekBar) {

        }

        @Override
        public void onStopTrackingTouch(SeekBar seekBar) {

        }
    });

Change Volume Using AudioManager

We use getStreamMaxVolumegetStreamMinVolumegetStreamVolume and setStreamVolume methods of AudioManager to change volume of MUSIC_STREAM, but you can change any stream volume with the same way.

Declare three variables above onCreate as below:

    private final int maxProgress = 25; // you can set it as you want
    private int minVolumeIndex,maxVolumeIndex;

The above variables maxProgress use for setting max value on seekbar (here i use 25), minVolumeIndex and maxVolumeIndex use to store min and max volume index. So we calculate volume index based on progress of seekbar.

Add follwing code in onCreate above setOnSeekBarChangeListener:

    // initialize min and max volumeIndex
    AudioManager audioManager = (AudioManager) getSystemService(AUDIO_SERVICE);
    maxVolumeIndex = audioManager.getStreamMaxVolume(AudioManager.STREAM_MUSIC);
    minVolumeIndex = Build.VERSION.SDK_INT >= Build.VERSION_CODES.P ?
            audioManager.getStreamMinVolume(AudioManager.STREAM_MUSIC) : 0;
    // sync progress of seekbar and textview with current volume
    int currentVolume  = audioManager.getStreamVolume(AudioManager.STREAM_MUSIC);
    int progress = getSeekBarProgressFromVolume(currentVolume);
    volumeSlider.setProgress(progress);
    volumeLevel.setText(String.valueOf(progress));

Add following code in onProgressChanged method of  SeekBar.OnSeekBarChangeListener:

    if (fromUser){
        int volumeIndex = getRightVolume(progress);
        audioManager.setStreamVolume(AudioManager.STREAM_MUSIC,volumeIndex,0);
        volumeLevel.setText(String.valueOf(progress));
    }

If you want to change volume of different stream then use that stream constant at all places where used AudioManager.STREAM_MUSIC.

Create two method in activity java file as below code:

    private int getRightVolume(int input) {
        // Ensure that the input is within the valid range (0 to a maxValue)
        input = Math.max(0, Math.min(input, maxProgress));

        // Calculate the right volume index from minVolumeIndex(x) to maxVolumeIndex(y)
        double ratio = (double) input / (maxProgress + 1);
        return (int) Math.round(minVolumeIndex + (maxVolumeIndex - minVolumeIndex) * ratio);
    }
    private int getSeekBarProgressFromVolume(int value) {
        // Calculate the reverse interpolated input based on the value
        double ratio = (double) (value - minVolumeIndex) / (maxVolumeIndex - minVolumeIndex);
        int result = (int) Math.round(ratio * maxProgress);

        // Ensure that the result is within the valid range (0 to maxValue)
        return Math.max(0, Math.min(result, maxProgress));
    }

getRightVolume method use to get right volume index based on progress and max of seekbar, and getSeekBarProgressFromVolume use to get progress of seekbar based on current volume index (level) of phone so we set progress of seekbar and text on textview on first time when activity created.

So below is final code of activity java file:

    private final int maxProgress = 25; // you can set it as you want
    private int minVolumeIndex,maxVolumeIndex;

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

        TextView volumeLevel = findViewById(R.id.volumeLevel);
        SeekBar volumeSlider = findViewById(R.id.volumeSlider);
        volumeSlider.setMax(maxProgress); // it will come from maxProgress variable

        // initialize min and max volumeIndex
        AudioManager audioManager = (AudioManager) getSystemService(AUDIO_SERVICE);
        maxVolumeIndex = audioManager.getStreamMaxVolume(AudioManager.STREAM_MUSIC);
        minVolumeIndex = Build.VERSION.SDK_INT >= Build.VERSION_CODES.P ?
                audioManager.getStreamMinVolume(AudioManager.STREAM_MUSIC) : 0;
        // sync progress of seekbar and textview with current volume
        int currentVolume  = audioManager.getStreamVolume(AudioManager.STREAM_MUSIC);
        int progress = getSeekBarProgressFromVolume(currentVolume);
        volumeSlider.setProgress(progress);
        volumeLevel.setText(String.valueOf(progress));

        volumeSlider.setOnSeekBarChangeListener(new SeekBar.OnSeekBarChangeListener() {
            @Override
            public void onProgressChanged(SeekBar seekBar, int progress, boolean fromUser) {
                if (fromUser){
                    int volumeIndex = getRightVolume(progress);
                    audioManager.setStreamVolume(AudioManager.STREAM_MUSIC,volumeIndex,0);
                    volumeLevel.setText(String.valueOf(progress));
                }
            }

            @Override
            public void onStartTrackingTouch(SeekBar seekBar) {

            }

            @Override
            public void onStopTrackingTouch(SeekBar seekBar) {

            }
        });
    }
    private int getRightVolume(int input) {
        // Ensure that the input is within the valid range (0 to a maxValue)
        input = Math.max(0, Math.min(input, maxProgress));

        // Calculate the right volume index from minVolumeIndex(x) to maxVolumeIndex(y)
        double ratio = (double) input / (maxProgress + 1);
        return (int) Math.round(minVolumeIndex + (maxVolumeIndex - minVolumeIndex) * ratio);
    }
    private int getSeekBarProgressFromVolume(int value) {
        // Calculate the reverse interpolated input based on the value
        double ratio = (double) (value - minVolumeIndex) / (maxVolumeIndex - minVolumeIndex);
        int result = (int) Math.round(ratio * maxProgress);

        // Ensure that the result is within the valid range (0 to maxValue)
        return Math.max(0, Math.min(result, maxProgress));
    }

I hope you learned how to change volume of any stream using seekbar and enjoyed this blog post.

Published on Nov 15, 2023
Comments (undefined)

Read More

How to Remove All Child Elements at Once in JavaScript

Hello, developers! In this blog post, we will learn how to remove all child elements at once from an HTML element using JavaScript. Removing all children at once is a little problematic task on the web because the web does not have any method like removeAll() that removes all children.

Nov 17, 2023

How to Listen to URL Changes in Next.js for a Route or Overall App

Hello Developers, In this blog post, we will see how to listen to URL changes at the route level or application level in a Next.js app. We will create a listener to listen for URL changes in both App Router and Pages Router.

Nov 23, 2023

How to Get Absolute Paths of Internal and External Storages in Android Development

To get paths, we use the ContextCompat.getExternalFilesDirs method. This method returns paths to the files directory (application-specific) on all available external storage devices. The returned paths are not exactly what we want, but we can modify them to suit our needs.

Nov 24, 2023

How to List All Videos in Android App Development using Java

Hello Developers! In this blog post, we will learn how to list or extract all video files with information from Internal (Phone) and External (SD Card) storages in Android app development using Java. For example, if we are developing a Video Player app, we need to show all videos.

Nov 25, 2023

Create an Overlay and Transparent Scrollbar that is Visible on Hover using CSS

Hello, developers! In this blog post, we will learn how to create and style a transparent and overlay scrollbar that is only visible when the scrolling container or content is hovered over. Overlay and transparent scrollbars enhance user experience because their availability does not affect layout size, and they appear over content on hover.

Nov 27, 2023

How to Display Images on a Web Page Without Cumulative Layout Shift (CLS)

Hello developers! In this blog post, we will learn how to display images on a web page without Cumulative Layout Shift (CLS) and adhere to our special requirements. This will help us improve our page experience and optimize for Search Engine Optimization (SEO) because significant layout shifts also affect SEO.

Nov 28, 2023