Arpit Patel
Arpit Patel

Reputation: 8067

get index from ArrayList<HashMap<String, String>>

I am building music player app for that I gathering data from SDcard which downloaded from the server and save files name into ArrayList

private ArrayList<HashMap<String, String>> songsList = new ArrayList<HashMap<String, String>>();

Now the problem is I want to play mp3 file according to the user click on recycler item so for that, I want index number for the particular name.

How can I get an index for passing name of the mp3 file??

/**
     * Function to read all mp3 files from sdcard
     * and store the details in ArrayList
     */
    public ArrayList<HashMap<String, String>> getPlayList() {
        File home = new File(MEDIA_PATH);

        if (home.listFiles(new FileExtensionFilter()).length > 0) {
            for (File file : home.listFiles(new FileExtensionFilter())) {
                HashMap<String, String> song = new HashMap<String, String>();
                song.put("songTitle", file.getName().substring(0, (file.getName().length() - 4)));
                song.put("songPath", file.getPath());

                Log.d(TAG, "getPlayList() called title = "+file.getName().substring(0, (file.getName().length() - 4))+"  Path = "+file.getPath());
                // Adding each song to SongList
                songsList.add(song);
            }
        }
        // return songs list array
        return songsList;
    }

Upvotes: 0

Views: 1004

Answers (1)

Tim
Tim

Reputation: 43394

With your construction, you could loop over the list to find the map you need

int indexForSongName(String songName) {
    ArrayList<HashMap<String, String>> playlist = getPlayList();

    for (int i = 0; i < playlist.size(); i++) {
        HashMap<String, String> map = playlist.get(i);
        if (map.containsValue(songName)) { // Or map.getOrDefault("songTitle", "").equals(songName);
            return i;
        }
    }

    return -1; // Not found.
}

That said, I advise you to make a Song class instead of storing properties in a HashMap. It is good practice and it would make tasks such as these easier.

Upvotes: 2

Related Questions