web-dev-qa-db-ja.com

オーディオファイルの長さを取得

ボイスレコーダーアプリを作成しました。リストビューで録音時間を表示したいと思います。このように記録を保存します。

MediaRecorder recorder = new MediaRecorder();
recorder.setOutputFormat(MediaRecorder.OutputFormat.DEFAULT);
recorder.setAudioEncoder(MediaRecorder.AudioEncoder.DEFAULT);
folder = new File(Environment.getExternalStorageDirectory()
            + File.separator + "Audio recordings");
String[] files = folder.list();
    int number = files.length + 1;
    String filename = "AudioSample" + number + ".mp3";
    File output = new File(Environment.getExternalStorageDirectory()
            + File.separator + "Audio recordings" + File.separator
            + filename);
    FileOutputStream writer = new FileOutputStream(output);
    FileDescriptor fd = writer.getFD();
    recorder.setOutputFile(fd);
    try {
        recorder.prepare();
        recorder.start();
    } catch (IllegalStateException e) {
        e.printStackTrace();
    } catch (IOException e) {
        Log.e(LOG_TAG, "prepare() failed");
        e.printStackTrace();
    }

このファイルの期間を秒単位で取得するにはどうすればよいですか?

前もって感謝します

--- EDIT私はそれを動作させ、MediaPlayer.setOnPreparedListener()メソッド内でMediaPlayer.getduration()を呼び出して、0を返しました。

23
Simon

MediaMetadataRetrieverは、これを行う軽量で効率的な方法です。 MediaPlayerは重すぎて、スクロール、ページング、リストなどの高パフォーマンス環境でパフォーマンスの問題が発生する可能性があります。

さらに、Error (100,0)MediaPlayerで発生する可能性があります。重いため、何度も再起動する必要がある場合があります。

Uri uri = Uri.parse(pathStr);
MediaMetadataRetriever mmr = new MediaMetadataRetriever();
mmr.setDataSource(AppContext.getAppContext(),uri);
String durationStr = mmr.extractMetadata(MediaMetadataRetriever.METADATA_KEY_DURATION);
int millSecond = Integer.parseInt(durationStr);
66
Jacky

ミリ秒単位で期間を取得するには、これを試してください:

_MediaPlayer mp = MediaPlayer.create(yourActivity, Uri.parse(pathofyourrecording));
int duration = mp.getDuration();
_

または、recorder.start()からrecorder.stop()までの経過時間をナノ秒単位で測定します。

_long startTime = System.nanoTime();    
// ... do recording ...    
long estimatedTime = System.nanoTime() - startTime;
_
22
Erol

使用してみてください

long totalDuration = mediaPlayer.getDuration(); // to get total duration in milliseconds

long currentDuration = mediaPlayer.getCurrentPosition(); // to Gets the current playback position in milliseconds

秒に変換する1000の除算。

これがお役に立てば幸いです。

13
AwadKab

最も簡単な方法は、MediaMetadataRetrieverを使用することです。ただし、catch

uRIとコンテキストを使用してデータソースを設定すると、バグが発生する可能性があります https://code.google.com/p/Android/issues/detail?id=35794

解決策は、ファイルの絶対パスを使用してメディアファイルのメタデータを取得することです。

以下はそのためのコードスニペットです

 private static String getDuration(File file) {
                MediaMetadataRetriever mediaMetadataRetriever = new MediaMetadataRetriever();
                mediaMetadataRetriever.setDataSource(file.getAbsolutePath());
                String durationStr = mediaMetadataRetriever.extractMetadata(MediaMetadataRetriever.METADATA_KEY_DURATION);
                return Utils.formateMilliSeccond(Long.parseLong(durationStr));
            }

以下の形式のいずれかを使用して、ミリ秒を人間が読める形式に変換できるようになりました

     /**
         * Function to convert milliseconds time to
         * Timer Format
         * Hours:Minutes:Seconds
         */
        public static String formateMilliSeccond(long milliseconds) {
            String finalTimerString = "";
            String secondsString = "";

            // Convert total duration into time
            int hours = (int) (milliseconds / (1000 * 60 * 60));
            int minutes = (int) (milliseconds % (1000 * 60 * 60)) / (1000 * 60);
            int seconds = (int) ((milliseconds % (1000 * 60 * 60)) % (1000 * 60) / 1000);

            // Add hours if there
            if (hours > 0) {
                finalTimerString = hours + ":";
            }

            // Prepending 0 to seconds if it is one digit
            if (seconds < 10) {
                secondsString = "0" + seconds;
            } else {
                secondsString = "" + seconds;
            }

            finalTimerString = finalTimerString + minutes + ":" + secondsString;

    //      return  String.format("%02d Min, %02d Sec",
    //                TimeUnit.MILLISECONDS.toMinutes(milliseconds),
    //                TimeUnit.MILLISECONDS.toSeconds(milliseconds) -
    //                        TimeUnit.MINUTES.toSeconds(TimeUnit.MILLISECONDS.toMinutes(milliseconds)));

            // return timer string
            return finalTimerString;
        }
11
Hitesh Sahu

Ringdroid ?を見ましたか?それはかなり軽量であり、統合は簡単です。 VBRメディアファイルでも同様に機能します。

期間の取得に関する問題については、Ringdroidを使用して以下のようなことをしたいかもしれません。

public class AudioUtils
{
    public static long getDuration(CheapSoundFile cheapSoundFile)
    {
        if( cheapSoundFile == null)
            return -1;
        int sampleRate = cheapSoundFile.getSampleRate();
        int samplesPerFrame = cheapSoundFile.getSamplesPerFrame();
        int frames = cheapSoundFile.getNumFrames();
        cheapSoundFile = null;
        return 1000 * ( frames * samplesPerFrame) / sampleRate;
    }

    public static long getDuration(String mediaPath)
    {
        if( mediaPath != null && mediaPath.length() > 0)
            try 
            {
                return getDuration(CheapSoundFile.create(mediaPath, null));
            }catch (FileNotFoundException e){} 
            catch (IOException e){}
        return -1;
    }
}

役立つことを願っています

0
Pawan Kumar

ファイルを書き込んだ後、MediaPlayerでファイルを開き、getDurationを呼び出します。

0
Gabe Sechan

オーディオがURLからのものである場合は、準備が整うまで待ちます。

mediaPlayer.setOnPreparedListener(new MediaPlayer.OnPreparedListener() {
        @Override
        public void onPrepared(MediaPlayer mp) {
             length = mp.getDuration();
        }
});
0
Pablo Cegarra