AudioPlayer_to_android.cpp revision c323fec2a2639c0cf7463016d592d0eb0539657c
1/*
2 * Copyright (C) 2010 The Android Open Source Project
3 *
4 * Licensed under the Apache License, Version 2.0 (the "License");
5 * you may not use this file except in compliance with the License.
6 * You may obtain a copy of the License at
7 *
8 *      http://www.apache.org/licenses/LICENSE-2.0
9 *
10 * Unless required by applicable law or agreed to in writing, software
11 * distributed under the License is distributed on an "AS IS" BASIS,
12 * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
13 * See the License for the specific language governing permissions and
14 * limitations under the License.
15 */
16
17#include "sles_allinclusive.h"
18#include "android_prompts.h"
19#include "android/android_AudioToCbRenderer.h"
20#include "android/android_StreamPlayer.h"
21#include "android/android_LocAVPlayer.h"
22#include "android/include/AacBqToPcmCbRenderer.h"
23
24#include <fcntl.h>
25#include <sys/stat.h>
26
27#include <system/audio.h>
28
29template class android::KeyedVector<SLuint32, android::AudioEffect* > ;
30
31#define KEY_STREAM_TYPE_PARAMSIZE  sizeof(SLint32)
32
33#define AUDIOTRACK_MIN_PLAYBACKRATE_PERMILLE  500
34#define AUDIOTRACK_MAX_PLAYBACKRATE_PERMILLE 2000
35
36#define MEDIAPLAYER_MIN_PLAYBACKRATE_PERMILLE AUDIOTRACK_MIN_PLAYBACKRATE_PERMILLE
37#define MEDIAPLAYER_MAX_PLAYBACKRATE_PERMILLE AUDIOTRACK_MAX_PLAYBACKRATE_PERMILLE
38
39//-----------------------------------------------------------------------------
40// FIXME this method will be absorbed into android_audioPlayer_setPlayState() once
41//       bufferqueue and uri/fd playback are moved under the GenericPlayer C++ object
42SLresult aplayer_setPlayState(const android::sp<android::GenericPlayer> &ap, SLuint32 playState,
43        AndroidObjectState* pObjState) {
44    SLresult result = SL_RESULT_SUCCESS;
45    AndroidObjectState objState = *pObjState;
46
47    switch (playState) {
48     case SL_PLAYSTATE_STOPPED:
49         SL_LOGV("setting GenericPlayer to SL_PLAYSTATE_STOPPED");
50         ap->stop();
51         break;
52     case SL_PLAYSTATE_PAUSED:
53         SL_LOGV("setting GenericPlayer to SL_PLAYSTATE_PAUSED");
54         switch(objState) {
55         case ANDROID_UNINITIALIZED:
56             *pObjState = ANDROID_PREPARING;
57             ap->prepare();
58             break;
59         case ANDROID_PREPARING:
60             break;
61         case ANDROID_READY:
62             ap->pause();
63             break;
64         default:
65             SL_LOGE(ERROR_PLAYERSETPLAYSTATE_INVALID_OBJECT_STATE_D, playState);
66             result = SL_RESULT_INTERNAL_ERROR;
67             break;
68         }
69         break;
70     case SL_PLAYSTATE_PLAYING: {
71         SL_LOGV("setting GenericPlayer to SL_PLAYSTATE_PLAYING");
72         switch(objState) {
73         case ANDROID_UNINITIALIZED:
74             *pObjState = ANDROID_PREPARING;
75             ap->prepare();
76             // intended fall through
77         case ANDROID_PREPARING:
78             // intended fall through
79         case ANDROID_READY:
80             ap->play();
81             break;
82         default:
83             SL_LOGE(ERROR_PLAYERSETPLAYSTATE_INVALID_OBJECT_STATE_D, playState);
84             result = SL_RESULT_INTERNAL_ERROR;
85             break;
86         }
87         }
88         break;
89     default:
90         // checked by caller, should not happen
91         SL_LOGE(ERROR_SHOULDNT_BE_HERE_S, "aplayer_setPlayState");
92         result = SL_RESULT_INTERNAL_ERROR;
93         break;
94     }
95
96    return result;
97}
98
99
100//-----------------------------------------------------------------------------
101// Callback associated with a AudioToCbRenderer of an SL ES AudioPlayer that gets its data
102// from a URI or FD, to write the decoded audio data to a buffer queue
103static size_t adecoder_writeToBufferQueue(const uint8_t *data, size_t size, CAudioPlayer* ap) {
104    if (!android::CallbackProtector::enterCbIfOk(ap->mCallbackProtector)) {
105        // it is not safe to enter the callback (the player is about to go away)
106        return 0;
107    }
108    size_t sizeConsumed = 0;
109    SL_LOGD("received %d bytes from decoder", size);
110    slBufferQueueCallback callback = NULL;
111    void * callbackPContext = NULL;
112
113    // push decoded data to the buffer queue
114    object_lock_exclusive(&ap->mObject);
115
116    if (ap->mBufferQueue.mState.count != 0) {
117        assert(ap->mBufferQueue.mFront != ap->mBufferQueue.mRear);
118
119        BufferHeader *oldFront = ap->mBufferQueue.mFront;
120        BufferHeader *newFront = &oldFront[1];
121
122        uint8_t *pDest = (uint8_t *)oldFront->mBuffer + ap->mBufferQueue.mSizeConsumed;
123        if (ap->mBufferQueue.mSizeConsumed + size < oldFront->mSize) {
124            // room to consume the whole or rest of the decoded data in one shot
125            ap->mBufferQueue.mSizeConsumed += size;
126            // consume data but no callback to the BufferQueue interface here
127            memcpy (pDest, data, size);
128            sizeConsumed = size;
129        } else {
130            // push as much as possible of the decoded data into the buffer queue
131            sizeConsumed = oldFront->mSize - ap->mBufferQueue.mSizeConsumed;
132
133            // the buffer at the head of the buffer queue is full, update the state
134            ap->mBufferQueue.mSizeConsumed = 0;
135            if (newFront == &ap->mBufferQueue.mArray[ap->mBufferQueue.mNumBuffers + 1]) {
136                newFront = ap->mBufferQueue.mArray;
137            }
138            ap->mBufferQueue.mFront = newFront;
139
140            ap->mBufferQueue.mState.count--;
141            ap->mBufferQueue.mState.playIndex++;
142            // consume data
143            memcpy (pDest, data, sizeConsumed);
144            // data has been copied to the buffer, and the buffer queue state has been updated
145            // we will notify the client if applicable
146            callback = ap->mBufferQueue.mCallback;
147            // save callback data
148            callbackPContext = ap->mBufferQueue.mContext;
149        }
150
151    } else {
152        // no available buffers in the queue to write the decoded data
153        sizeConsumed = 0;
154    }
155
156    object_unlock_exclusive(&ap->mObject);
157    // notify client
158    if (NULL != callback) {
159        (*callback)(&ap->mBufferQueue.mItf, callbackPContext);
160    }
161
162    ap->mCallbackProtector->exitCb();
163    return sizeConsumed;
164}
165
166
167//-----------------------------------------------------------------------------
168#define LEFT_CHANNEL_MASK  0x1 << 0
169#define RIGHT_CHANNEL_MASK 0x1 << 1
170
171void android_audioPlayer_volumeUpdate(CAudioPlayer* ap)
172{
173    assert(ap != NULL);
174
175    // the source's channel count, where zero means unknown
176    SLuint8 channelCount = ap->mNumChannels;
177
178    // whether each channel is audible
179    bool leftAudibilityFactor, rightAudibilityFactor;
180
181    // mute has priority over solo
182    if (channelCount >= STEREO_CHANNELS) {
183        if (ap->mMuteMask & LEFT_CHANNEL_MASK) {
184            // left muted
185            leftAudibilityFactor = false;
186        } else {
187            // left not muted
188            if (ap->mSoloMask & LEFT_CHANNEL_MASK) {
189                // left soloed
190                leftAudibilityFactor = true;
191            } else {
192                // left not soloed
193                if (ap->mSoloMask & RIGHT_CHANNEL_MASK) {
194                    // right solo silences left
195                    leftAudibilityFactor = false;
196                } else {
197                    // left and right are not soloed, and left is not muted
198                    leftAudibilityFactor = true;
199                }
200            }
201        }
202
203        if (ap->mMuteMask & RIGHT_CHANNEL_MASK) {
204            // right muted
205            rightAudibilityFactor = false;
206        } else {
207            // right not muted
208            if (ap->mSoloMask & RIGHT_CHANNEL_MASK) {
209                // right soloed
210                rightAudibilityFactor = true;
211            } else {
212                // right not soloed
213                if (ap->mSoloMask & LEFT_CHANNEL_MASK) {
214                    // left solo silences right
215                    rightAudibilityFactor = false;
216                } else {
217                    // left and right are not soloed, and right is not muted
218                    rightAudibilityFactor = true;
219                }
220            }
221        }
222
223    // channel mute and solo are ignored for mono and unknown channel count sources
224    } else {
225        leftAudibilityFactor = true;
226        rightAudibilityFactor = true;
227    }
228
229    // compute volumes without setting
230    const bool audibilityFactors[2] = {leftAudibilityFactor, rightAudibilityFactor};
231    float volumes[2];
232    android_player_volumeUpdate(volumes, &ap->mVolume, channelCount, ap->mAmplFromDirectLevel,
233            audibilityFactors);
234    float leftVol = volumes[0], rightVol = volumes[1];
235
236    // set volume on the underlying media player or audio track
237    if (ap->mAPlayer != 0) {
238        ap->mAPlayer->setVolume(leftVol, rightVol);
239    } else if (ap->mAudioTrack != 0) {
240        ap->mAudioTrack->setVolume(leftVol, rightVol);
241    }
242
243    // changes in the AudioPlayer volume must be reflected in the send level:
244    //  in SLEffectSendItf or in SLAndroidEffectSendItf?
245    // FIXME replace interface test by an internal API once we have one.
246    if (NULL != ap->mEffectSend.mItf) {
247        for (unsigned int i=0 ; i<AUX_MAX ; i++) {
248            if (ap->mEffectSend.mEnableLevels[i].mEnable) {
249                android_fxSend_setSendLevel(ap,
250                        ap->mEffectSend.mEnableLevels[i].mSendLevel + ap->mVolume.mLevel);
251                // there's a single aux bus on Android, so we can stop looking once the first
252                // aux effect is found.
253                break;
254            }
255        }
256    } else if (NULL != ap->mAndroidEffectSend.mItf) {
257        android_fxSend_setSendLevel(ap, ap->mAndroidEffectSend.mSendLevel + ap->mVolume.mLevel);
258    }
259}
260
261// Called by android_audioPlayer_volumeUpdate and android_mediaPlayer_volumeUpdate to compute
262// volumes, but setting volumes is handled by the caller.
263
264void android_player_volumeUpdate(float *pVolumes /*[2]*/, const IVolume *volumeItf, unsigned
265channelCount, float amplFromDirectLevel, const bool *audibilityFactors /*[2]*/)
266{
267    assert(pVolumes != NULL);
268    assert(volumeItf != NULL);
269    // OK for audibilityFactors to be NULL
270
271    bool leftAudibilityFactor, rightAudibilityFactor;
272
273    // apply player mute factor
274    // note that AudioTrack has mute() but not MediaPlayer, so it's easier to use volume
275    // to mute for both rather than calling mute() for AudioTrack
276
277    // player is muted
278    if (volumeItf->mMute) {
279        leftAudibilityFactor = false;
280        rightAudibilityFactor = false;
281    // player isn't muted, and channel mute/solo audibility factors are available (AudioPlayer)
282    } else if (audibilityFactors != NULL) {
283        leftAudibilityFactor = audibilityFactors[0];
284        rightAudibilityFactor = audibilityFactors[1];
285    // player isn't muted, and channel mute/solo audibility factors aren't available (MediaPlayer)
286    } else {
287        leftAudibilityFactor = true;
288        rightAudibilityFactor = true;
289    }
290
291    // compute amplification as the combination of volume level and stereo position
292    //   amplification (or attenuation) from volume level
293    float amplFromVolLevel = sles_to_android_amplification(volumeItf->mLevel);
294    //   amplification from direct level (changed in SLEffectSendtItf and SLAndroidEffectSendItf)
295    float leftVol  = amplFromVolLevel * amplFromDirectLevel;
296    float rightVol = leftVol;
297
298    // amplification from stereo position
299    if (volumeItf->mEnableStereoPosition) {
300        // Left/right amplification (can be attenuations) factors derived for the StereoPosition
301        float amplFromStereoPos[STEREO_CHANNELS];
302        // panning law depends on content channel count: mono to stereo panning vs stereo balance
303        if (1 == channelCount) {
304            // mono to stereo panning
305            double theta = (1000+volumeItf->mStereoPosition)*M_PI_4/1000.0f; // 0 <= theta <= Pi/2
306            amplFromStereoPos[0] = cos(theta);
307            amplFromStereoPos[1] = sin(theta);
308        // channel count is 0 (unknown), 2 (stereo), or > 2 (multi-channel)
309        } else {
310            // stereo balance
311            if (volumeItf->mStereoPosition > 0) {
312                amplFromStereoPos[0] = (1000-volumeItf->mStereoPosition)/1000.0f;
313                amplFromStereoPos[1] = 1.0f;
314            } else {
315                amplFromStereoPos[0] = 1.0f;
316                amplFromStereoPos[1] = (1000+volumeItf->mStereoPosition)/1000.0f;
317            }
318        }
319        leftVol  *= amplFromStereoPos[0];
320        rightVol *= amplFromStereoPos[1];
321    }
322
323    // apply audibility factors
324    if (!leftAudibilityFactor) {
325        leftVol = 0.0;
326    }
327    if (!rightAudibilityFactor) {
328        rightVol = 0.0;
329    }
330
331    // return the computed volumes
332    pVolumes[0] = leftVol;
333    pVolumes[1] = rightVol;
334}
335
336//-----------------------------------------------------------------------------
337void audioTrack_handleMarker_lockPlay(CAudioPlayer* ap) {
338    //SL_LOGV("received event EVENT_MARKER from AudioTrack");
339    slPlayCallback callback = NULL;
340    void* callbackPContext = NULL;
341
342    interface_lock_shared(&ap->mPlay);
343    callback = ap->mPlay.mCallback;
344    callbackPContext = ap->mPlay.mContext;
345    interface_unlock_shared(&ap->mPlay);
346
347    if (NULL != callback) {
348        // getting this event implies SL_PLAYEVENT_HEADATMARKER was set in the event mask
349        (*callback)(&ap->mPlay.mItf, callbackPContext, SL_PLAYEVENT_HEADATMARKER);
350    }
351}
352
353//-----------------------------------------------------------------------------
354void audioTrack_handleNewPos_lockPlay(CAudioPlayer* ap) {
355    //SL_LOGV("received event EVENT_NEW_POS from AudioTrack");
356    slPlayCallback callback = NULL;
357    void* callbackPContext = NULL;
358
359    interface_lock_shared(&ap->mPlay);
360    callback = ap->mPlay.mCallback;
361    callbackPContext = ap->mPlay.mContext;
362    interface_unlock_shared(&ap->mPlay);
363
364    if (NULL != callback) {
365        // getting this event implies SL_PLAYEVENT_HEADATNEWPOS was set in the event mask
366        (*callback)(&ap->mPlay.mItf, callbackPContext, SL_PLAYEVENT_HEADATNEWPOS);
367    }
368}
369
370
371//-----------------------------------------------------------------------------
372void audioTrack_handleUnderrun_lockPlay(CAudioPlayer* ap) {
373    slPlayCallback callback = NULL;
374    void* callbackPContext = NULL;
375
376    interface_lock_shared(&ap->mPlay);
377    callback = ap->mPlay.mCallback;
378    callbackPContext = ap->mPlay.mContext;
379    bool headStalled = (ap->mPlay.mEventFlags & SL_PLAYEVENT_HEADSTALLED) != 0;
380    interface_unlock_shared(&ap->mPlay);
381
382    if ((NULL != callback) && headStalled) {
383        (*callback)(&ap->mPlay.mItf, callbackPContext, SL_PLAYEVENT_HEADSTALLED);
384    }
385}
386
387
388//-----------------------------------------------------------------------------
389/**
390 * post-condition: play state of AudioPlayer is SL_PLAYSTATE_PAUSED if setPlayStateToPaused is true
391 *
392 * note: a conditional flag, setPlayStateToPaused, is used here to specify whether the play state
393 *       needs to be changed when the player reaches the end of the content to play. This is
394 *       relative to what the specification describes for buffer queues vs the
395 *       SL_PLAYEVENT_HEADATEND event. In the OpenSL ES specification 1.0.1:
396 *        - section 8.12 SLBufferQueueItf states "In the case of starvation due to insufficient
397 *          buffers in the queue, the playing of audio data stops. The player remains in the
398 *          SL_PLAYSTATE_PLAYING state."
399 *        - section 9.2.31 SL_PLAYEVENT states "SL_PLAYEVENT_HEADATEND Playback head is at the end
400 *          of the current content and the player has paused."
401 */
402void audioPlayer_dispatch_headAtEnd_lockPlay(CAudioPlayer *ap, bool setPlayStateToPaused,
403        bool needToLock) {
404    //SL_LOGV("ap=%p, setPlayStateToPaused=%d, needToLock=%d", ap, setPlayStateToPaused,
405    //        needToLock);
406    slPlayCallback playCallback = NULL;
407    void * playContext = NULL;
408    // SLPlayItf callback or no callback?
409    if (needToLock) {
410        interface_lock_exclusive(&ap->mPlay);
411    }
412    if (ap->mPlay.mEventFlags & SL_PLAYEVENT_HEADATEND) {
413        playCallback = ap->mPlay.mCallback;
414        playContext = ap->mPlay.mContext;
415    }
416    if (setPlayStateToPaused) {
417        ap->mPlay.mState = SL_PLAYSTATE_PAUSED;
418    }
419    if (needToLock) {
420        interface_unlock_exclusive(&ap->mPlay);
421    }
422    // enqueue callback with no lock held
423    if (NULL != playCallback) {
424#ifndef USE_ASYNCHRONOUS_PLAY_CALLBACK
425        (*playCallback)(&ap->mPlay.mItf, playContext, SL_PLAYEVENT_HEADATEND);
426#else
427        SLresult result = EnqueueAsyncCallback_ppi(ap, playCallback, &ap->mPlay.mItf, playContext,
428                SL_PLAYEVENT_HEADATEND);
429        if (SL_RESULT_SUCCESS != result) {
430            ALOGW("Callback %p(%p, %p, SL_PLAYEVENT_HEADATEND) dropped", playCallback,
431                    &ap->mPlay.mItf, playContext);
432        }
433#endif
434    }
435
436}
437
438
439//-----------------------------------------------------------------------------
440SLresult audioPlayer_setStreamType(CAudioPlayer* ap, SLint32 type) {
441    SLresult result = SL_RESULT_SUCCESS;
442    SL_LOGV("type %d", type);
443
444    audio_stream_type_t newStreamType = ANDROID_DEFAULT_OUTPUT_STREAM_TYPE;
445    switch(type) {
446    case SL_ANDROID_STREAM_VOICE:
447        newStreamType = AUDIO_STREAM_VOICE_CALL;
448        break;
449    case SL_ANDROID_STREAM_SYSTEM:
450        newStreamType = AUDIO_STREAM_SYSTEM;
451        break;
452    case SL_ANDROID_STREAM_RING:
453        newStreamType = AUDIO_STREAM_RING;
454        break;
455    case SL_ANDROID_STREAM_MEDIA:
456        newStreamType = AUDIO_STREAM_MUSIC;
457        break;
458    case SL_ANDROID_STREAM_ALARM:
459        newStreamType = AUDIO_STREAM_ALARM;
460        break;
461    case SL_ANDROID_STREAM_NOTIFICATION:
462        newStreamType = AUDIO_STREAM_NOTIFICATION;
463        break;
464    default:
465        SL_LOGE(ERROR_PLAYERSTREAMTYPE_SET_UNKNOWN_TYPE);
466        result = SL_RESULT_PARAMETER_INVALID;
467        break;
468    }
469
470    // stream type needs to be set before the object is realized
471    // (ap->mAudioTrack is supposed to be NULL until then)
472    if (SL_OBJECT_STATE_UNREALIZED != ap->mObject.mState) {
473        SL_LOGE(ERROR_PLAYERSTREAMTYPE_REALIZED);
474        result = SL_RESULT_PRECONDITIONS_VIOLATED;
475    } else {
476        ap->mStreamType = newStreamType;
477    }
478
479    return result;
480}
481
482
483//-----------------------------------------------------------------------------
484SLresult audioPlayer_getStreamType(CAudioPlayer* ap, SLint32 *pType) {
485    SLresult result = SL_RESULT_SUCCESS;
486
487    switch(ap->mStreamType) {
488    case AUDIO_STREAM_VOICE_CALL:
489        *pType = SL_ANDROID_STREAM_VOICE;
490        break;
491    case AUDIO_STREAM_SYSTEM:
492        *pType = SL_ANDROID_STREAM_SYSTEM;
493        break;
494    case AUDIO_STREAM_RING:
495        *pType = SL_ANDROID_STREAM_RING;
496        break;
497    case AUDIO_STREAM_DEFAULT:
498    case AUDIO_STREAM_MUSIC:
499        *pType = SL_ANDROID_STREAM_MEDIA;
500        break;
501    case AUDIO_STREAM_ALARM:
502        *pType = SL_ANDROID_STREAM_ALARM;
503        break;
504    case AUDIO_STREAM_NOTIFICATION:
505        *pType = SL_ANDROID_STREAM_NOTIFICATION;
506        break;
507    default:
508        result = SL_RESULT_INTERNAL_ERROR;
509        *pType = SL_ANDROID_STREAM_MEDIA;
510        break;
511    }
512
513    return result;
514}
515
516
517//-----------------------------------------------------------------------------
518void audioPlayer_auxEffectUpdate(CAudioPlayer* ap) {
519    if ((ap->mAudioTrack != 0) && (ap->mAuxEffect != 0)) {
520        android_fxSend_attach(ap, true, ap->mAuxEffect, ap->mVolume.mLevel + ap->mAuxSendLevel);
521    }
522}
523
524
525//-----------------------------------------------------------------------------
526/*
527 * returns true if the given data sink is supported by AudioPlayer that doesn't
528 *   play to an OutputMix object, false otherwise
529 *
530 * pre-condition: the locator of the audio sink is not SL_DATALOCATOR_OUTPUTMIX
531 */
532bool audioPlayer_isSupportedNonOutputMixSink(const SLDataSink* pAudioSink) {
533    bool result = true;
534    const SLuint32 sinkLocatorType = *(SLuint32 *)pAudioSink->pLocator;
535    const SLuint32 sinkFormatType = *(SLuint32 *)pAudioSink->pFormat;
536
537    switch (sinkLocatorType) {
538
539    case SL_DATALOCATOR_BUFFERQUEUE:
540    case SL_DATALOCATOR_ANDROIDSIMPLEBUFFERQUEUE:
541        if (SL_DATAFORMAT_PCM != sinkFormatType) {
542            SL_LOGE("Unsupported sink format 0x%x, expected SL_DATAFORMAT_PCM",
543                    (unsigned)sinkFormatType);
544            result = false;
545        }
546        // it's no use checking the PCM format fields because additional characteristics
547        // such as the number of channels, or sample size are unknown to the player at this stage
548        break;
549
550    default:
551        SL_LOGE("Unsupported sink locator type 0x%x", (unsigned)sinkLocatorType);
552        result = false;
553        break;
554    }
555
556    return result;
557}
558
559
560//-----------------------------------------------------------------------------
561/*
562 * returns the Android object type if the locator type combinations for the source and sinks
563 *   are supported by this implementation, INVALID_TYPE otherwise
564 */
565AndroidObjectType audioPlayer_getAndroidObjectTypeForSourceSink(CAudioPlayer *ap) {
566
567    const SLDataSource *pAudioSrc = &ap->mDataSource.u.mSource;
568    const SLDataSink *pAudioSnk = &ap->mDataSink.u.mSink;
569    const SLuint32 sourceLocatorType = *(SLuint32 *)pAudioSrc->pLocator;
570    const SLuint32 sinkLocatorType = *(SLuint32 *)pAudioSnk->pLocator;
571    AndroidObjectType type = INVALID_TYPE;
572
573    //--------------------------------------
574    // Sink / source matching check:
575    // the following source / sink combinations are supported
576    //     SL_DATALOCATOR_BUFFERQUEUE                / SL_DATALOCATOR_OUTPUTMIX
577    //     SL_DATALOCATOR_ANDROIDSIMPLEBUFFERQUEUE   / SL_DATALOCATOR_OUTPUTMIX
578    //     SL_DATALOCATOR_URI                        / SL_DATALOCATOR_OUTPUTMIX
579    //     SL_DATALOCATOR_ANDROIDFD                  / SL_DATALOCATOR_OUTPUTMIX
580    //     SL_DATALOCATOR_ANDROIDBUFFERQUEUE         / SL_DATALOCATOR_OUTPUTMIX
581    //     SL_DATALOCATOR_ANDROIDBUFFERQUEUE         / SL_DATALOCATOR_BUFFERQUEUE
582    //     SL_DATALOCATOR_URI                        / SL_DATALOCATOR_BUFFERQUEUE
583    //     SL_DATALOCATOR_ANDROIDFD                  / SL_DATALOCATOR_BUFFERQUEUE
584    //     SL_DATALOCATOR_URI                        / SL_DATALOCATOR_ANDROIDSIMPLEBUFFERQUEUE
585    //     SL_DATALOCATOR_ANDROIDFD                  / SL_DATALOCATOR_ANDROIDSIMPLEBUFFERQUEUE
586    switch (sinkLocatorType) {
587
588    case SL_DATALOCATOR_OUTPUTMIX: {
589        switch (sourceLocatorType) {
590
591        //   Buffer Queue to AudioTrack
592        case SL_DATALOCATOR_BUFFERQUEUE:
593        case SL_DATALOCATOR_ANDROIDSIMPLEBUFFERQUEUE:
594            type = AUDIOPLAYER_FROM_PCM_BUFFERQUEUE;
595            break;
596
597        //   URI or FD to MediaPlayer
598        case SL_DATALOCATOR_URI:
599        case SL_DATALOCATOR_ANDROIDFD:
600            type = AUDIOPLAYER_FROM_URIFD;
601            break;
602
603        //   Android BufferQueue to MediaPlayer (shared memory streaming)
604        case SL_DATALOCATOR_ANDROIDBUFFERQUEUE:
605            type = AUDIOPLAYER_FROM_TS_ANDROIDBUFFERQUEUE;
606            break;
607
608        default:
609            SL_LOGE("Source data locator 0x%x not supported with SL_DATALOCATOR_OUTPUTMIX sink",
610                    (unsigned)sourceLocatorType);
611            break;
612        }
613        }
614        break;
615
616    case SL_DATALOCATOR_BUFFERQUEUE:
617    case SL_DATALOCATOR_ANDROIDSIMPLEBUFFERQUEUE:
618        switch (sourceLocatorType) {
619
620        //   URI or FD decoded to PCM in a buffer queue
621        case SL_DATALOCATOR_URI:
622        case SL_DATALOCATOR_ANDROIDFD:
623            type = AUDIOPLAYER_FROM_URIFD_TO_PCM_BUFFERQUEUE;
624            break;
625
626        //   AAC ADTS Android buffer queue decoded to PCM in a buffer queue
627        case SL_DATALOCATOR_ANDROIDBUFFERQUEUE:
628            type = AUDIOPLAYER_FROM_ADTS_ABQ_TO_PCM_BUFFERQUEUE;
629            break;
630
631        default:
632            SL_LOGE("Source data locator 0x%x not supported with SL_DATALOCATOR_BUFFERQUEUE sink",
633                    (unsigned)sourceLocatorType);
634            break;
635        }
636        break;
637
638    default:
639        SL_LOGE("Sink data locator 0x%x not supported", (unsigned)sinkLocatorType);
640        break;
641    }
642
643    return type;
644}
645
646
647//-----------------------------------------------------------------------------
648/*
649 * Callback associated with an SfPlayer of an SL ES AudioPlayer that gets its data
650 * from a URI or FD, for prepare, prefetch, and play events
651 */
652static void sfplayer_handlePrefetchEvent(int event, int data1, int data2, void* user) {
653
654    // FIXME see similar code and comment in player_handleMediaPlayerEventNotifications
655
656    if (NULL == user) {
657        return;
658    }
659
660    CAudioPlayer *ap = (CAudioPlayer *)user;
661    if (!android::CallbackProtector::enterCbIfOk(ap->mCallbackProtector)) {
662        // it is not safe to enter the callback (the track is about to go away)
663        return;
664    }
665    union {
666        char c[sizeof(int)];
667        int i;
668    } u;
669    u.i = event;
670    SL_LOGV("sfplayer_handlePrefetchEvent(event='%c%c%c%c' (%d), data1=%d, data2=%d, user=%p) from "
671            "SfAudioPlayer", u.c[3], u.c[2], u.c[1], u.c[0], event, data1, data2, user);
672    switch(event) {
673
674    case android::GenericPlayer::kEventPrepared: {
675        SL_LOGV("Received GenericPlayer::kEventPrepared for CAudioPlayer %p", ap);
676
677        // assume no callback
678        slPrefetchCallback callback = NULL;
679        void* callbackPContext;
680        SLuint32 events;
681
682        object_lock_exclusive(&ap->mObject);
683
684        // mark object as prepared; same state is used for successful or unsuccessful prepare
685        assert(ap->mAndroidObjState == ANDROID_PREPARING);
686        ap->mAndroidObjState = ANDROID_READY;
687
688        if (PLAYER_SUCCESS == data1) {
689            // Most of successful prepare completion for ap->mAPlayer
690            // is handled by GenericPlayer and its subclasses.
691        } else {
692            // SfPlayer prepare() failed prefetching, there is no event in SLPrefetchStatus to
693            //  indicate a prefetch error, so we signal it by sending simultaneously two events:
694            //  - SL_PREFETCHEVENT_FILLLEVELCHANGE with a level of 0
695            //  - SL_PREFETCHEVENT_STATUSCHANGE with a status of SL_PREFETCHSTATUS_UNDERFLOW
696            SL_LOGE(ERROR_PLAYER_PREFETCH_d, data1);
697            if (IsInterfaceInitialized(&(ap->mObject), MPH_PREFETCHSTATUS)) {
698                ap->mPrefetchStatus.mLevel = 0;
699                ap->mPrefetchStatus.mStatus = SL_PREFETCHSTATUS_UNDERFLOW;
700                if (!(~ap->mPrefetchStatus.mCallbackEventsMask &
701                        (SL_PREFETCHEVENT_FILLLEVELCHANGE | SL_PREFETCHEVENT_STATUSCHANGE))) {
702                    callback = ap->mPrefetchStatus.mCallback;
703                    callbackPContext = ap->mPrefetchStatus.mContext;
704                    events = SL_PREFETCHEVENT_FILLLEVELCHANGE | SL_PREFETCHEVENT_STATUSCHANGE;
705                }
706            }
707        }
708
709        object_unlock_exclusive(&ap->mObject);
710
711        // callback with no lock held
712        if (NULL != callback) {
713            (*callback)(&ap->mPrefetchStatus.mItf, callbackPContext, events);
714        }
715
716    }
717    break;
718
719    case android::GenericPlayer::kEventPrefetchFillLevelUpdate : {
720        if (!IsInterfaceInitialized(&(ap->mObject), MPH_PREFETCHSTATUS)) {
721            break;
722        }
723        slPrefetchCallback callback = NULL;
724        void* callbackPContext = NULL;
725
726        // SLPrefetchStatusItf callback or no callback?
727        interface_lock_exclusive(&ap->mPrefetchStatus);
728        if (ap->mPrefetchStatus.mCallbackEventsMask & SL_PREFETCHEVENT_FILLLEVELCHANGE) {
729            callback = ap->mPrefetchStatus.mCallback;
730            callbackPContext = ap->mPrefetchStatus.mContext;
731        }
732        ap->mPrefetchStatus.mLevel = (SLpermille)data1;
733        interface_unlock_exclusive(&ap->mPrefetchStatus);
734
735        // callback with no lock held
736        if (NULL != callback) {
737            (*callback)(&ap->mPrefetchStatus.mItf, callbackPContext,
738                    SL_PREFETCHEVENT_FILLLEVELCHANGE);
739        }
740    }
741    break;
742
743    case android::GenericPlayer::kEventPrefetchStatusChange: {
744        if (!IsInterfaceInitialized(&(ap->mObject), MPH_PREFETCHSTATUS)) {
745            break;
746        }
747        slPrefetchCallback callback = NULL;
748        void* callbackPContext = NULL;
749
750        // SLPrefetchStatusItf callback or no callback?
751        object_lock_exclusive(&ap->mObject);
752        if (ap->mPrefetchStatus.mCallbackEventsMask & SL_PREFETCHEVENT_STATUSCHANGE) {
753            callback = ap->mPrefetchStatus.mCallback;
754            callbackPContext = ap->mPrefetchStatus.mContext;
755        }
756        if (data1 >= android::kStatusIntermediate) {
757            ap->mPrefetchStatus.mStatus = SL_PREFETCHSTATUS_SUFFICIENTDATA;
758        } else if (data1 < android::kStatusIntermediate) {
759            ap->mPrefetchStatus.mStatus = SL_PREFETCHSTATUS_UNDERFLOW;
760        }
761        object_unlock_exclusive(&ap->mObject);
762
763        // callback with no lock held
764        if (NULL != callback) {
765            (*callback)(&ap->mPrefetchStatus.mItf, callbackPContext, SL_PREFETCHEVENT_STATUSCHANGE);
766        }
767        }
768        break;
769
770    case android::GenericPlayer::kEventEndOfStream: {
771        audioPlayer_dispatch_headAtEnd_lockPlay(ap, true /*set state to paused?*/, true);
772        if ((ap->mAudioTrack != 0) && (!ap->mSeek.mLoopEnabled)) {
773            ap->mAudioTrack->stop();
774        }
775        }
776        break;
777
778    case android::GenericPlayer::kEventChannelCount: {
779        object_lock_exclusive(&ap->mObject);
780        if (UNKNOWN_NUMCHANNELS == ap->mNumChannels && UNKNOWN_NUMCHANNELS != data1) {
781            ap->mNumChannels = data1;
782            android_audioPlayer_volumeUpdate(ap);
783        }
784        object_unlock_exclusive(&ap->mObject);
785        }
786        break;
787
788    case android::GenericPlayer::kEventPlay: {
789        slPlayCallback callback = NULL;
790        void* callbackPContext = NULL;
791
792        interface_lock_shared(&ap->mPlay);
793        callback = ap->mPlay.mCallback;
794        callbackPContext = ap->mPlay.mContext;
795        interface_unlock_shared(&ap->mPlay);
796
797        if (NULL != callback) {
798            SLuint32 event = (SLuint32) data1;  // SL_PLAYEVENT_HEAD*
799#ifndef USE_ASYNCHRONOUS_PLAY_CALLBACK
800            // synchronous callback requires a synchronous GetPosition implementation
801            (*callback)(&ap->mPlay.mItf, callbackPContext, event);
802#else
803            // asynchronous callback works with any GetPosition implementation
804            SLresult result = EnqueueAsyncCallback_ppi(ap, callback, &ap->mPlay.mItf,
805                    callbackPContext, event);
806            if (SL_RESULT_SUCCESS != result) {
807                ALOGW("Callback %p(%p, %p, 0x%x) dropped", callback,
808                        &ap->mPlay.mItf, callbackPContext, event);
809            }
810#endif
811        }
812        }
813        break;
814
815      case android::GenericPlayer::kEventErrorAfterPrepare: {
816        SL_LOGV("kEventErrorAfterPrepare");
817
818        // assume no callback
819        slPrefetchCallback callback = NULL;
820        void* callbackPContext = NULL;
821
822        object_lock_exclusive(&ap->mObject);
823        if (IsInterfaceInitialized(&ap->mObject, MPH_PREFETCHSTATUS)) {
824            ap->mPrefetchStatus.mLevel = 0;
825            ap->mPrefetchStatus.mStatus = SL_PREFETCHSTATUS_UNDERFLOW;
826            if (!(~ap->mPrefetchStatus.mCallbackEventsMask &
827                    (SL_PREFETCHEVENT_FILLLEVELCHANGE | SL_PREFETCHEVENT_STATUSCHANGE))) {
828                callback = ap->mPrefetchStatus.mCallback;
829                callbackPContext = ap->mPrefetchStatus.mContext;
830            }
831        }
832        object_unlock_exclusive(&ap->mObject);
833
834        // FIXME there's interesting information in data1, but no API to convey it to client
835        SL_LOGE("Error after prepare: %d", data1);
836
837        // callback with no lock held
838        if (NULL != callback) {
839            (*callback)(&ap->mPrefetchStatus.mItf, callbackPContext,
840                    SL_PREFETCHEVENT_FILLLEVELCHANGE | SL_PREFETCHEVENT_STATUSCHANGE);
841        }
842
843      }
844      break;
845
846    case android::GenericPlayer::kEventHasVideoSize:
847        //SL_LOGW("Unexpected kEventHasVideoSize");
848        break;
849
850    default:
851        break;
852    }
853
854    ap->mCallbackProtector->exitCb();
855}
856
857// From EffectDownmix.h
858const uint32_t kSides = AUDIO_CHANNEL_OUT_SIDE_LEFT | AUDIO_CHANNEL_OUT_SIDE_RIGHT;
859const uint32_t kBacks = AUDIO_CHANNEL_OUT_BACK_LEFT | AUDIO_CHANNEL_OUT_BACK_RIGHT;
860const uint32_t kUnsupported =
861        AUDIO_CHANNEL_OUT_FRONT_LEFT_OF_CENTER | AUDIO_CHANNEL_OUT_FRONT_RIGHT_OF_CENTER |
862        AUDIO_CHANNEL_OUT_TOP_CENTER |
863        AUDIO_CHANNEL_OUT_TOP_FRONT_LEFT |
864        AUDIO_CHANNEL_OUT_TOP_FRONT_CENTER |
865        AUDIO_CHANNEL_OUT_TOP_FRONT_RIGHT |
866        AUDIO_CHANNEL_OUT_TOP_BACK_LEFT |
867        AUDIO_CHANNEL_OUT_TOP_BACK_CENTER |
868        AUDIO_CHANNEL_OUT_TOP_BACK_RIGHT;
869
870//TODO(pmclean) This will need to be revisited when arbitrary N-channel support is added.
871SLresult android_audioPlayer_validateChannelMask(uint32_t mask, int numChans) {
872    // Check that the number of channels falls within bounds.
873    if (numChans < 0 || numChans > 8) {
874        return SL_RESULT_CONTENT_UNSUPPORTED;
875    }
876    // Are there the right number of channels in the mask?
877    if (popcount(mask) != numChans) {
878        return SL_RESULT_CONTENT_UNSUPPORTED;
879    }
880    // check against unsupported channels
881    if (mask & kUnsupported) {
882        ALOGE("Unsupported channels (top or front left/right of center)");
883        return SL_RESULT_CONTENT_UNSUPPORTED;
884    }
885    // verify has FL/FR if more than one channel
886    if (numChans > 1 && (mask & AUDIO_CHANNEL_OUT_STEREO) != AUDIO_CHANNEL_OUT_STEREO) {
887        ALOGE("Front channels must be present");
888        return SL_RESULT_CONTENT_UNSUPPORTED;
889    }
890    // verify uses SIDE as a pair (ok if not using SIDE at all)
891    bool hasSides = false;
892    if ((mask & kSides) != 0) {
893        if ((mask & kSides) != kSides) {
894            ALOGE("Side channels must be used as a pair");
895            return SL_RESULT_CONTENT_UNSUPPORTED;
896        }
897        hasSides = true;
898    }
899    // verify uses BACK as a pair (ok if not using BACK at all)
900    bool hasBacks = false;
901    if ((mask & kBacks) != 0) {
902        if ((mask & kBacks) != kBacks) {
903            ALOGE("Back channels must be used as a pair");
904            return SL_RESULT_CONTENT_UNSUPPORTED;
905        }
906        hasBacks = true;
907    }
908
909    return SL_RESULT_SUCCESS;
910}
911
912//-----------------------------------------------------------------------------
913SLresult android_audioPlayer_checkSourceSink(CAudioPlayer *pAudioPlayer)
914{
915    // verify that the locator types for the source / sink combination is supported
916    pAudioPlayer->mAndroidObjType = audioPlayer_getAndroidObjectTypeForSourceSink(pAudioPlayer);
917    if (INVALID_TYPE == pAudioPlayer->mAndroidObjType) {
918        return SL_RESULT_PARAMETER_INVALID;
919    }
920
921    const SLDataSource *pAudioSrc = &pAudioPlayer->mDataSource.u.mSource;
922    const SLDataSink *pAudioSnk = &pAudioPlayer->mDataSink.u.mSink;
923
924    // format check:
925    const SLuint32 sourceLocatorType = *(SLuint32 *)pAudioSrc->pLocator;
926    const SLuint32 sinkLocatorType = *(SLuint32 *)pAudioSnk->pLocator;
927    const SLuint32 sourceFormatType = *(SLuint32 *)pAudioSrc->pFormat;
928    const SLuint32 sinkFormatType = *(SLuint32 *)pAudioSnk->pFormat;
929
930    switch (sourceLocatorType) {
931    //------------------
932    //   Buffer Queues
933    case SL_DATALOCATOR_BUFFERQUEUE:
934    case SL_DATALOCATOR_ANDROIDSIMPLEBUFFERQUEUE:
935        {
936        SLDataLocator_BufferQueue *dl_bq = (SLDataLocator_BufferQueue *) pAudioSrc->pLocator;
937
938        // Buffer format
939        switch (sourceFormatType) {
940        //     currently only PCM buffer queues are supported,
941        case SL_DATAFORMAT_PCM: {
942            SLDataFormat_PCM *df_pcm = (SLDataFormat_PCM *) pAudioSrc->pFormat;
943            SLresult result = android_audioPlayer_validateChannelMask(df_pcm->channelMask,
944                                                                      df_pcm->numChannels);
945            if (result != SL_RESULT_SUCCESS) {
946                SL_LOGE("Cannot create audio player: unsupported PCM data source with %u channels",
947                        (unsigned) df_pcm->numChannels);
948                return result;
949            }
950
951            switch (df_pcm->samplesPerSec) {
952            case SL_SAMPLINGRATE_8:
953            case SL_SAMPLINGRATE_11_025:
954            case SL_SAMPLINGRATE_12:
955            case SL_SAMPLINGRATE_16:
956            case SL_SAMPLINGRATE_22_05:
957            case SL_SAMPLINGRATE_24:
958            case SL_SAMPLINGRATE_32:
959            case SL_SAMPLINGRATE_44_1:
960            case SL_SAMPLINGRATE_48:
961                break;
962            case SL_SAMPLINGRATE_64:
963            case SL_SAMPLINGRATE_88_2:
964            case SL_SAMPLINGRATE_96:
965            case SL_SAMPLINGRATE_192:
966            default:
967                SL_LOGE("Cannot create audio player: unsupported sample rate %u milliHz",
968                    (unsigned) df_pcm->samplesPerSec);
969                return SL_RESULT_CONTENT_UNSUPPORTED;
970            }
971            switch (df_pcm->bitsPerSample) {
972            case SL_PCMSAMPLEFORMAT_FIXED_8:
973            case SL_PCMSAMPLEFORMAT_FIXED_16:
974            case SL_PCMSAMPLEFORMAT_FIXED_24:
975            case SL_PCMSAMPLEFORMAT_FIXED_32:
976                break;
977                // others
978            default:
979                // this should have already been rejected by checkDataFormat
980                SL_LOGE("Cannot create audio player: unsupported sample bit depth %u",
981                        (SLuint32)df_pcm->bitsPerSample);
982                return SL_RESULT_CONTENT_UNSUPPORTED;
983            }
984            switch (df_pcm->containerSize) {
985            case 8:
986            case 16:
987            case 24:
988            case 32:
989                break;
990                // others
991            default:
992                SL_LOGE("Cannot create audio player: unsupported container size %u",
993                    (unsigned) df_pcm->containerSize);
994                return SL_RESULT_CONTENT_UNSUPPORTED;
995            }
996            // df_pcm->channelMask: the earlier platform-independent check and the
997            //     upcoming check by sles_to_android_channelMaskOut are sufficient
998            switch (df_pcm->endianness) {
999            case SL_BYTEORDER_LITTLEENDIAN:
1000                break;
1001            case SL_BYTEORDER_BIGENDIAN:
1002                SL_LOGE("Cannot create audio player: unsupported big-endian byte order");
1003                return SL_RESULT_CONTENT_UNSUPPORTED;
1004                // native is proposed but not yet in spec
1005            default:
1006                SL_LOGE("Cannot create audio player: unsupported byte order %u",
1007                    (unsigned) df_pcm->endianness);
1008                return SL_RESULT_CONTENT_UNSUPPORTED;
1009            }
1010            } //case SL_DATAFORMAT_PCM
1011            break;
1012        case SL_DATAFORMAT_MIME:
1013        case XA_DATAFORMAT_RAWIMAGE:
1014            SL_LOGE("Cannot create audio player with buffer queue data source "
1015                "without SL_DATAFORMAT_PCM format");
1016            return SL_RESULT_CONTENT_UNSUPPORTED;
1017        default:
1018            // invalid data format is detected earlier
1019            assert(false);
1020            return SL_RESULT_INTERNAL_ERROR;
1021        } // switch (sourceFormatType)
1022        } // case SL_DATALOCATOR_BUFFERQUEUE or SL_DATALOCATOR_ANDROIDSIMPLEBUFFERQUEUE
1023        break;
1024    //------------------
1025    //   URI
1026    case SL_DATALOCATOR_URI:
1027        {
1028        SLDataLocator_URI *dl_uri = (SLDataLocator_URI *) pAudioSrc->pLocator;
1029        if (NULL == dl_uri->URI) {
1030            return SL_RESULT_PARAMETER_INVALID;
1031        }
1032        // URI format
1033        switch (sourceFormatType) {
1034        case SL_DATAFORMAT_MIME:
1035            break;
1036        case SL_DATAFORMAT_PCM:
1037        case XA_DATAFORMAT_RAWIMAGE:
1038            SL_LOGE("Cannot create audio player with SL_DATALOCATOR_URI data source without "
1039                "SL_DATAFORMAT_MIME format");
1040            return SL_RESULT_CONTENT_UNSUPPORTED;
1041        } // switch (sourceFormatType)
1042        // decoding format check
1043        if ((sinkLocatorType != SL_DATALOCATOR_OUTPUTMIX) &&
1044                !audioPlayer_isSupportedNonOutputMixSink(pAudioSnk)) {
1045            return SL_RESULT_CONTENT_UNSUPPORTED;
1046        }
1047        } // case SL_DATALOCATOR_URI
1048        break;
1049    //------------------
1050    //   File Descriptor
1051    case SL_DATALOCATOR_ANDROIDFD:
1052        {
1053        // fd is already non null
1054        switch (sourceFormatType) {
1055        case SL_DATAFORMAT_MIME:
1056            break;
1057        case SL_DATAFORMAT_PCM:
1058            // FIXME implement
1059            SL_LOGD("[ FIXME implement PCM FD data sources ]");
1060            break;
1061        case XA_DATAFORMAT_RAWIMAGE:
1062            SL_LOGE("Cannot create audio player with SL_DATALOCATOR_ANDROIDFD data source "
1063                "without SL_DATAFORMAT_MIME or SL_DATAFORMAT_PCM format");
1064            return SL_RESULT_CONTENT_UNSUPPORTED;
1065        default:
1066            // invalid data format is detected earlier
1067            assert(false);
1068            return SL_RESULT_INTERNAL_ERROR;
1069        } // switch (sourceFormatType)
1070        if ((sinkLocatorType != SL_DATALOCATOR_OUTPUTMIX) &&
1071                !audioPlayer_isSupportedNonOutputMixSink(pAudioSnk)) {
1072            return SL_RESULT_CONTENT_UNSUPPORTED;
1073        }
1074        } // case SL_DATALOCATOR_ANDROIDFD
1075        break;
1076    //------------------
1077    //   Stream
1078    case SL_DATALOCATOR_ANDROIDBUFFERQUEUE:
1079    {
1080        switch (sourceFormatType) {
1081        case SL_DATAFORMAT_MIME:
1082        {
1083            SLDataFormat_MIME *df_mime = (SLDataFormat_MIME *) pAudioSrc->pFormat;
1084            if (NULL == df_mime) {
1085                SL_LOGE("MIME type null invalid");
1086                return SL_RESULT_CONTENT_UNSUPPORTED;
1087            }
1088            SL_LOGD("source MIME is %s", (char*)df_mime->mimeType);
1089            switch(df_mime->containerType) {
1090            case SL_CONTAINERTYPE_MPEG_TS:
1091                if (strcasecmp((char*)df_mime->mimeType, (const char *)XA_ANDROID_MIME_MP2TS)) {
1092                    SL_LOGE("Invalid MIME (%s) for container SL_CONTAINERTYPE_MPEG_TS, expects %s",
1093                            (char*)df_mime->mimeType, XA_ANDROID_MIME_MP2TS);
1094                    return SL_RESULT_CONTENT_UNSUPPORTED;
1095                }
1096                break;
1097            case SL_CONTAINERTYPE_RAW:
1098            case SL_CONTAINERTYPE_AAC:
1099                if (strcasecmp((char*)df_mime->mimeType, (const char *)SL_ANDROID_MIME_AACADTS) &&
1100                        strcasecmp((char*)df_mime->mimeType,
1101                                ANDROID_MIME_AACADTS_ANDROID_FRAMEWORK)) {
1102                    SL_LOGE("Invalid MIME (%s) for container type %d, expects %s",
1103                            (char*)df_mime->mimeType, df_mime->containerType,
1104                            SL_ANDROID_MIME_AACADTS);
1105                    return SL_RESULT_CONTENT_UNSUPPORTED;
1106                }
1107                break;
1108            default:
1109                SL_LOGE("Cannot create player with SL_DATALOCATOR_ANDROIDBUFFERQUEUE data source "
1110                                        "that is not fed MPEG-2 TS data or AAC ADTS data");
1111                return SL_RESULT_CONTENT_UNSUPPORTED;
1112            }
1113        }
1114        break;
1115        default:
1116            SL_LOGE("Cannot create player with SL_DATALOCATOR_ANDROIDBUFFERQUEUE data source "
1117                    "without SL_DATAFORMAT_MIME format");
1118            return SL_RESULT_CONTENT_UNSUPPORTED;
1119        }
1120    }
1121    break; // case SL_DATALOCATOR_ANDROIDBUFFERQUEUE
1122    //------------------
1123    //   Address
1124    case SL_DATALOCATOR_ADDRESS:
1125    case SL_DATALOCATOR_IODEVICE:
1126    case SL_DATALOCATOR_OUTPUTMIX:
1127    case XA_DATALOCATOR_NATIVEDISPLAY:
1128    case SL_DATALOCATOR_MIDIBUFFERQUEUE:
1129        SL_LOGE("Cannot create audio player with data locator type 0x%x",
1130                (unsigned) sourceLocatorType);
1131        return SL_RESULT_CONTENT_UNSUPPORTED;
1132    default:
1133        SL_LOGE("Cannot create audio player with invalid data locator type 0x%x",
1134                (unsigned) sourceLocatorType);
1135        return SL_RESULT_PARAMETER_INVALID;
1136    }// switch (locatorType)
1137
1138    return SL_RESULT_SUCCESS;
1139}
1140
1141
1142//-----------------------------------------------------------------------------
1143// Callback associated with an AudioTrack of an SL ES AudioPlayer that gets its data
1144// from a buffer queue. This will not be called once the AudioTrack has been destroyed.
1145static void audioTrack_callBack_pullFromBuffQueue(int event, void* user, void *info) {
1146    CAudioPlayer *ap = (CAudioPlayer *)user;
1147
1148    if (!android::CallbackProtector::enterCbIfOk(ap->mCallbackProtector)) {
1149        // it is not safe to enter the callback (the track is about to go away)
1150        return;
1151    }
1152
1153    void * callbackPContext = NULL;
1154    switch(event) {
1155
1156    case android::AudioTrack::EVENT_MORE_DATA: {
1157        //SL_LOGV("received event EVENT_MORE_DATA from AudioTrack TID=%d", gettid());
1158        slBufferQueueCallback callback = NULL;
1159        slPrefetchCallback prefetchCallback = NULL;
1160        void *prefetchContext = NULL;
1161        SLuint32 prefetchEvents = SL_PREFETCHEVENT_NONE;
1162        android::AudioTrack::Buffer* pBuff = (android::AudioTrack::Buffer*)info;
1163
1164        // retrieve data from the buffer queue
1165        interface_lock_exclusive(&ap->mBufferQueue);
1166
1167        if (ap->mBufferQueue.mState.count != 0) {
1168            //SL_LOGV("nbBuffers in queue = %u",ap->mBufferQueue.mState.count);
1169            assert(ap->mBufferQueue.mFront != ap->mBufferQueue.mRear);
1170
1171            BufferHeader *oldFront = ap->mBufferQueue.mFront;
1172            BufferHeader *newFront = &oldFront[1];
1173
1174            // declared as void * because this code supports both 8-bit and 16-bit PCM data
1175            void *pSrc = (char *)oldFront->mBuffer + ap->mBufferQueue.mSizeConsumed;
1176            if (ap->mBufferQueue.mSizeConsumed + pBuff->size < oldFront->mSize) {
1177                // can't consume the whole or rest of the buffer in one shot
1178                ap->mBufferQueue.mSizeConsumed += pBuff->size;
1179                // leave pBuff->size untouched
1180                // consume data
1181                // FIXME can we avoid holding the lock during the copy?
1182                memcpy (pBuff->raw, pSrc, pBuff->size);
1183            } else {
1184                // finish consuming the buffer or consume the buffer in one shot
1185                pBuff->size = oldFront->mSize - ap->mBufferQueue.mSizeConsumed;
1186                ap->mBufferQueue.mSizeConsumed = 0;
1187
1188                if (newFront ==
1189                        &ap->mBufferQueue.mArray
1190                            [ap->mBufferQueue.mNumBuffers + 1])
1191                {
1192                    newFront = ap->mBufferQueue.mArray;
1193                }
1194                ap->mBufferQueue.mFront = newFront;
1195
1196                ap->mBufferQueue.mState.count--;
1197                ap->mBufferQueue.mState.playIndex++;
1198
1199                // consume data
1200                // FIXME can we avoid holding the lock during the copy?
1201                memcpy (pBuff->raw, pSrc, pBuff->size);
1202
1203                // data has been consumed, and the buffer queue state has been updated
1204                // we will notify the client if applicable
1205                callback = ap->mBufferQueue.mCallback;
1206                // save callback data
1207                callbackPContext = ap->mBufferQueue.mContext;
1208            }
1209        } else { // empty queue
1210            // signal no data available
1211            pBuff->size = 0;
1212
1213            // signal we're at the end of the content, but don't pause (see note in function)
1214            audioPlayer_dispatch_headAtEnd_lockPlay(ap, false /*set state to paused?*/, false);
1215
1216            // signal underflow to prefetch status itf
1217            if (IsInterfaceInitialized(&(ap->mObject), MPH_PREFETCHSTATUS)) {
1218                ap->mPrefetchStatus.mStatus = SL_PREFETCHSTATUS_UNDERFLOW;
1219                ap->mPrefetchStatus.mLevel = 0;
1220                // callback or no callback?
1221                prefetchEvents = ap->mPrefetchStatus.mCallbackEventsMask &
1222                        (SL_PREFETCHEVENT_STATUSCHANGE | SL_PREFETCHEVENT_FILLLEVELCHANGE);
1223                if (SL_PREFETCHEVENT_NONE != prefetchEvents) {
1224                    prefetchCallback = ap->mPrefetchStatus.mCallback;
1225                    prefetchContext  = ap->mPrefetchStatus.mContext;
1226                }
1227            }
1228
1229            // stop the track so it restarts playing faster when new data is enqueued
1230            ap->mAudioTrack->stop();
1231        }
1232        interface_unlock_exclusive(&ap->mBufferQueue);
1233
1234        // notify client
1235        if (NULL != prefetchCallback) {
1236            assert(SL_PREFETCHEVENT_NONE != prefetchEvents);
1237            // spec requires separate callbacks for each event
1238            if (prefetchEvents & SL_PREFETCHEVENT_STATUSCHANGE) {
1239                (*prefetchCallback)(&ap->mPrefetchStatus.mItf, prefetchContext,
1240                        SL_PREFETCHEVENT_STATUSCHANGE);
1241            }
1242            if (prefetchEvents & SL_PREFETCHEVENT_FILLLEVELCHANGE) {
1243                (*prefetchCallback)(&ap->mPrefetchStatus.mItf, prefetchContext,
1244                        SL_PREFETCHEVENT_FILLLEVELCHANGE);
1245            }
1246        }
1247        if (NULL != callback) {
1248            (*callback)(&ap->mBufferQueue.mItf, callbackPContext);
1249        }
1250    }
1251    break;
1252
1253    case android::AudioTrack::EVENT_MARKER:
1254        //SL_LOGI("received event EVENT_MARKER from AudioTrack");
1255        audioTrack_handleMarker_lockPlay(ap);
1256        break;
1257
1258    case android::AudioTrack::EVENT_NEW_POS:
1259        //SL_LOGI("received event EVENT_NEW_POS from AudioTrack");
1260        audioTrack_handleNewPos_lockPlay(ap);
1261        break;
1262
1263    case android::AudioTrack::EVENT_UNDERRUN:
1264        //SL_LOGI("received event EVENT_UNDERRUN from AudioTrack");
1265        audioTrack_handleUnderrun_lockPlay(ap);
1266        break;
1267
1268    case android::AudioTrack::EVENT_BUFFER_END:
1269    case android::AudioTrack::EVENT_LOOP_END:
1270        // These are unexpected so fall through
1271    default:
1272        // FIXME where does the notification of SL_PLAYEVENT_HEADMOVING fit?
1273        SL_LOGE("Encountered unknown AudioTrack event %d for CAudioPlayer %p", event,
1274                (CAudioPlayer *)user);
1275        break;
1276    }
1277
1278    ap->mCallbackProtector->exitCb();
1279}
1280
1281
1282//-----------------------------------------------------------------------------
1283void android_audioPlayer_create(CAudioPlayer *pAudioPlayer) {
1284
1285    // pAudioPlayer->mAndroidObjType has been set in android_audioPlayer_checkSourceSink()
1286    // and if it was == INVALID_TYPE, then IEngine_CreateAudioPlayer would never call us
1287    assert(INVALID_TYPE != pAudioPlayer->mAndroidObjType);
1288
1289    // These initializations are in the same order as the field declarations in classes.h
1290
1291    // FIXME Consolidate initializations (many of these already in IEngine_CreateAudioPlayer)
1292    // mAndroidObjType: see above comment
1293    pAudioPlayer->mAndroidObjState = ANDROID_UNINITIALIZED;
1294    pAudioPlayer->mSessionId = android::AudioSystem::newAudioSessionId();
1295
1296    // placeholder: not necessary yet as session ID lifetime doesn't extend beyond player
1297    // android::AudioSystem::acquireAudioSessionId(pAudioPlayer->mSessionId);
1298
1299    pAudioPlayer->mStreamType = ANDROID_DEFAULT_OUTPUT_STREAM_TYPE;
1300
1301    // mAudioTrack
1302    pAudioPlayer->mCallbackProtector = new android::CallbackProtector();
1303    // mAPLayer
1304    // mAuxEffect
1305
1306    pAudioPlayer->mAuxSendLevel = 0;
1307    pAudioPlayer->mAmplFromDirectLevel = 1.0f; // matches initial mDirectLevel value
1308    pAudioPlayer->mDeferredStart = false;
1309
1310    // This section re-initializes interface-specific fields that
1311    // can be set or used regardless of whether the interface is
1312    // exposed on the AudioPlayer or not
1313
1314    switch (pAudioPlayer->mAndroidObjType) {
1315    case AUDIOPLAYER_FROM_PCM_BUFFERQUEUE:
1316        pAudioPlayer->mPlaybackRate.mMinRate = AUDIOTRACK_MIN_PLAYBACKRATE_PERMILLE;
1317        pAudioPlayer->mPlaybackRate.mMaxRate = AUDIOTRACK_MAX_PLAYBACKRATE_PERMILLE;
1318        break;
1319    case AUDIOPLAYER_FROM_URIFD:
1320        pAudioPlayer->mPlaybackRate.mMinRate = MEDIAPLAYER_MIN_PLAYBACKRATE_PERMILLE;
1321        pAudioPlayer->mPlaybackRate.mMaxRate = MEDIAPLAYER_MAX_PLAYBACKRATE_PERMILLE;
1322        break;
1323    default:
1324        // use the default range
1325        break;
1326    }
1327
1328}
1329
1330
1331//-----------------------------------------------------------------------------
1332SLresult android_audioPlayer_setConfig(CAudioPlayer *ap, const SLchar *configKey,
1333        const void *pConfigValue, SLuint32 valueSize) {
1334
1335    SLresult result;
1336
1337    assert(NULL != ap && NULL != configKey && NULL != pConfigValue);
1338    if (strcmp((const char*)configKey, (const char*)SL_ANDROID_KEY_STREAM_TYPE) == 0) {
1339
1340        // stream type
1341        if (KEY_STREAM_TYPE_PARAMSIZE > valueSize) {
1342            SL_LOGE(ERROR_CONFIG_VALUESIZE_TOO_LOW);
1343            result = SL_RESULT_BUFFER_INSUFFICIENT;
1344        } else {
1345            result = audioPlayer_setStreamType(ap, *(SLuint32*)pConfigValue);
1346        }
1347
1348    } else {
1349        SL_LOGE(ERROR_CONFIG_UNKNOWN_KEY);
1350        result = SL_RESULT_PARAMETER_INVALID;
1351    }
1352
1353    return result;
1354}
1355
1356
1357//-----------------------------------------------------------------------------
1358SLresult android_audioPlayer_getConfig(CAudioPlayer* ap, const SLchar *configKey,
1359        SLuint32* pValueSize, void *pConfigValue) {
1360
1361    SLresult result;
1362
1363    assert(NULL != ap && NULL != configKey && NULL != pValueSize);
1364    if (strcmp((const char*)configKey, (const char*)SL_ANDROID_KEY_STREAM_TYPE) == 0) {
1365
1366        // stream type
1367        if (NULL == pConfigValue) {
1368            result = SL_RESULT_SUCCESS;
1369        } else if (KEY_STREAM_TYPE_PARAMSIZE > *pValueSize) {
1370            SL_LOGE(ERROR_CONFIG_VALUESIZE_TOO_LOW);
1371            result = SL_RESULT_BUFFER_INSUFFICIENT;
1372        } else {
1373            result = audioPlayer_getStreamType(ap, (SLint32*)pConfigValue);
1374        }
1375        *pValueSize = KEY_STREAM_TYPE_PARAMSIZE;
1376
1377    } else {
1378        SL_LOGE(ERROR_CONFIG_UNKNOWN_KEY);
1379        result = SL_RESULT_PARAMETER_INVALID;
1380    }
1381
1382    return result;
1383}
1384
1385
1386// Called from android_audioPlayer_realize for a PCM buffer queue player
1387// to determine if it can use a fast track.
1388static bool canUseFastTrack(CAudioPlayer *pAudioPlayer)
1389{
1390    assert(pAudioPlayer->mAndroidObjType == AUDIOPLAYER_FROM_PCM_BUFFERQUEUE);
1391
1392    // no need to check the buffer queue size, application side
1393    // double-buffering (and more) is not a requirement for using fast tracks
1394
1395    // Check a blacklist of interfaces that are incompatible with fast tracks.
1396    // The alternative, to check a whitelist of compatible interfaces, is
1397    // more maintainable but is too slow.  As a compromise, in a debug build
1398    // we use both methods and warn if they produce different results.
1399    // In release builds, we only use the blacklist method.
1400    // If a blacklisted interface is added after realization using
1401    // DynamicInterfaceManagement::AddInterface,
1402    // then this won't be detected but the interface will be ineffective.
1403    bool blacklistResult = true;
1404    static const unsigned blacklist[] = {
1405        MPH_BASSBOOST,
1406        MPH_EFFECTSEND,
1407        MPH_ENVIRONMENTALREVERB,
1408        MPH_EQUALIZER,
1409        MPH_PLAYBACKRATE,
1410        MPH_PRESETREVERB,
1411        MPH_VIRTUALIZER,
1412        MPH_ANDROIDEFFECT,
1413        MPH_ANDROIDEFFECTSEND,
1414        // FIXME The problem with a blacklist is remembering to add new interfaces here
1415    };
1416    for (unsigned i = 0; i < sizeof(blacklist)/sizeof(blacklist[0]); ++i) {
1417        if (IsInterfaceInitialized(&pAudioPlayer->mObject, blacklist[i])) {
1418            blacklistResult = false;
1419            break;
1420        }
1421    }
1422#if LOG_NDEBUG == 0
1423    bool whitelistResult = true;
1424    static const unsigned whitelist[] = {
1425        MPH_BUFFERQUEUE,
1426        MPH_DYNAMICINTERFACEMANAGEMENT,
1427        MPH_METADATAEXTRACTION,
1428        MPH_MUTESOLO,
1429        MPH_OBJECT,
1430        MPH_PLAY,
1431        MPH_PREFETCHSTATUS,
1432        MPH_VOLUME,
1433        MPH_ANDROIDCONFIGURATION,
1434        MPH_ANDROIDSIMPLEBUFFERQUEUE,
1435        MPH_ANDROIDBUFFERQUEUESOURCE,
1436    };
1437    for (unsigned mph = MPH_MIN; mph < MPH_MAX; ++mph) {
1438        for (unsigned i = 0; i < sizeof(whitelist)/sizeof(whitelist[0]); ++i) {
1439            if (mph == whitelist[i]) {
1440                goto compatible;
1441            }
1442        }
1443        if (IsInterfaceInitialized(&pAudioPlayer->mObject, mph)) {
1444            whitelistResult = false;
1445            break;
1446        }
1447compatible: ;
1448    }
1449    if (whitelistResult != blacklistResult) {
1450        ALOGW("whitelistResult != blacklistResult");
1451        // and use blacklistResult below
1452    }
1453#endif
1454    return blacklistResult;
1455}
1456
1457
1458//-----------------------------------------------------------------------------
1459// FIXME abstract out the diff between CMediaPlayer and CAudioPlayer
1460SLresult android_audioPlayer_realize(CAudioPlayer *pAudioPlayer, SLboolean async) {
1461
1462    SLresult result = SL_RESULT_SUCCESS;
1463    SL_LOGV("Realize pAudioPlayer=%p", pAudioPlayer);
1464
1465    AudioPlayback_Parameters app;
1466    app.sessionId = pAudioPlayer->mSessionId;
1467    app.streamType = pAudioPlayer->mStreamType;
1468
1469    switch (pAudioPlayer->mAndroidObjType) {
1470
1471    //-----------------------------------
1472    // AudioTrack
1473    case AUDIOPLAYER_FROM_PCM_BUFFERQUEUE:
1474        {
1475        // initialize platform-specific CAudioPlayer fields
1476
1477        SLDataLocator_BufferQueue *dl_bq = (SLDataLocator_BufferQueue *)
1478                pAudioPlayer->mDynamicSource.mDataSource;
1479        SLDataFormat_PCM *df_pcm = (SLDataFormat_PCM *)
1480                pAudioPlayer->mDynamicSource.mDataSource->pFormat;
1481
1482        uint32_t sampleRate = sles_to_android_sampleRate(df_pcm->samplesPerSec);
1483
1484        audio_output_flags_t policy;
1485        if (canUseFastTrack(pAudioPlayer)) {
1486            policy = AUDIO_OUTPUT_FLAG_FAST;
1487        } else {
1488            policy = AUDIO_OUTPUT_FLAG_NONE;
1489        }
1490
1491        pAudioPlayer->mAudioTrack = new android::AudioTrack(
1492                pAudioPlayer->mStreamType,                           // streamType
1493                sampleRate,                                          // sampleRate
1494                sles_to_android_sampleFormat(df_pcm->formatType, df_pcm->containerSize), // format
1495                sles_to_android_channelMaskOut(df_pcm->numChannels, df_pcm->channelMask),
1496                                                                     // channel mask
1497                0,                                                   // frameCount
1498                policy,                                              // flags
1499                audioTrack_callBack_pullFromBuffQueue,               // callback
1500                (void *) pAudioPlayer,                               // user
1501                0,     // FIXME find appropriate frame count         // notificationFrame
1502                pAudioPlayer->mSessionId);
1503        android::status_t status = pAudioPlayer->mAudioTrack->initCheck();
1504        if (status != android::NO_ERROR) {
1505            SL_LOGE("AudioTrack::initCheck status %u", status);
1506            result = SL_RESULT_CONTENT_UNSUPPORTED;
1507            pAudioPlayer->mAudioTrack.clear();
1508            return result;
1509        }
1510
1511        // initialize platform-independent CAudioPlayer fields
1512
1513        pAudioPlayer->mNumChannels = df_pcm->numChannels;
1514        pAudioPlayer->mSampleRateMilliHz = df_pcm->samplesPerSec; // Note: bad field name in SL ES
1515
1516        // This use case does not have a separate "prepare" step
1517        pAudioPlayer->mAndroidObjState = ANDROID_READY;
1518        }
1519        break;
1520
1521    //-----------------------------------
1522    // MediaPlayer
1523    case AUDIOPLAYER_FROM_URIFD: {
1524        pAudioPlayer->mAPlayer = new android::LocAVPlayer(&app, false /*hasVideo*/);
1525        pAudioPlayer->mAPlayer->init(sfplayer_handlePrefetchEvent,
1526                        (void*)pAudioPlayer /*notifUSer*/);
1527
1528        switch (pAudioPlayer->mDataSource.mLocator.mLocatorType) {
1529            case SL_DATALOCATOR_URI: {
1530                // The legacy implementation ran Stagefright within the application process, and
1531                // so allowed local pathnames specified by URI that were openable by
1532                // the application but were not openable by mediaserver.
1533                // The current implementation runs Stagefright (mostly) within mediaserver,
1534                // which runs as a different UID and likely a different current working directory.
1535                // For backwards compatibility with any applications which may have relied on the
1536                // previous behavior, we convert an openable file URI into an FD.
1537                // Note that unlike SL_DATALOCATOR_ANDROIDFD, this FD is owned by us
1538                // and so we close it as soon as we've passed it (via Binder dup) to mediaserver.
1539                const char *uri = (const char *)pAudioPlayer->mDataSource.mLocator.mURI.URI;
1540                if (!isDistantProtocol(uri)) {
1541                    // don't touch the original uri, we may need it later
1542                    const char *pathname = uri;
1543                    // skip over an optional leading file:// prefix
1544                    if (!strncasecmp(pathname, "file://", 7)) {
1545                        pathname += 7;
1546                    }
1547                    // attempt to open it as a file using the application's credentials
1548                    int fd = ::open(pathname, O_RDONLY);
1549                    if (fd >= 0) {
1550                        // if open is successful, then check to see if it's a regular file
1551                        struct stat statbuf;
1552                        if (!::fstat(fd, &statbuf) && S_ISREG(statbuf.st_mode)) {
1553                            // treat similarly to an FD data locator, but
1554                            // let setDataSource take responsibility for closing fd
1555                            pAudioPlayer->mAPlayer->setDataSource(fd, 0, statbuf.st_size, true);
1556                            break;
1557                        }
1558                        // we were able to open it, but it's not a file, so let mediaserver try
1559                        (void) ::close(fd);
1560                    }
1561                }
1562                // if either the URI didn't look like a file, or open failed, or not a file
1563                pAudioPlayer->mAPlayer->setDataSource(uri);
1564                } break;
1565            case SL_DATALOCATOR_ANDROIDFD: {
1566                int64_t offset = (int64_t)pAudioPlayer->mDataSource.mLocator.mFD.offset;
1567                pAudioPlayer->mAPlayer->setDataSource(
1568                        (int)pAudioPlayer->mDataSource.mLocator.mFD.fd,
1569                        offset == SL_DATALOCATOR_ANDROIDFD_USE_FILE_SIZE ?
1570                                (int64_t)PLAYER_FD_FIND_FILE_SIZE : offset,
1571                        (int64_t)pAudioPlayer->mDataSource.mLocator.mFD.length);
1572                }
1573                break;
1574            default:
1575                SL_LOGE(ERROR_PLAYERREALIZE_UNKNOWN_DATASOURCE_LOCATOR);
1576                break;
1577        }
1578
1579        }
1580        break;
1581
1582    //-----------------------------------
1583    // StreamPlayer
1584    case AUDIOPLAYER_FROM_TS_ANDROIDBUFFERQUEUE: {
1585        android::StreamPlayer* splr = new android::StreamPlayer(&app, false /*hasVideo*/,
1586                &pAudioPlayer->mAndroidBufferQueue, pAudioPlayer->mCallbackProtector);
1587        pAudioPlayer->mAPlayer = splr;
1588        splr->init(sfplayer_handlePrefetchEvent, (void*)pAudioPlayer);
1589        }
1590        break;
1591
1592    //-----------------------------------
1593    // AudioToCbRenderer
1594    case AUDIOPLAYER_FROM_URIFD_TO_PCM_BUFFERQUEUE: {
1595        android::AudioToCbRenderer* decoder = new android::AudioToCbRenderer(&app);
1596        pAudioPlayer->mAPlayer = decoder;
1597        // configures the callback for the sink buffer queue
1598        decoder->setDataPushListener(adecoder_writeToBufferQueue, pAudioPlayer);
1599        // configures the callback for the notifications coming from the SF code
1600        decoder->init(sfplayer_handlePrefetchEvent, (void*)pAudioPlayer);
1601
1602        switch (pAudioPlayer->mDataSource.mLocator.mLocatorType) {
1603        case SL_DATALOCATOR_URI:
1604            decoder->setDataSource(
1605                    (const char*)pAudioPlayer->mDataSource.mLocator.mURI.URI);
1606            break;
1607        case SL_DATALOCATOR_ANDROIDFD: {
1608            int64_t offset = (int64_t)pAudioPlayer->mDataSource.mLocator.mFD.offset;
1609            decoder->setDataSource(
1610                    (int)pAudioPlayer->mDataSource.mLocator.mFD.fd,
1611                    offset == SL_DATALOCATOR_ANDROIDFD_USE_FILE_SIZE ?
1612                            (int64_t)PLAYER_FD_FIND_FILE_SIZE : offset,
1613                            (int64_t)pAudioPlayer->mDataSource.mLocator.mFD.length);
1614            }
1615            break;
1616        default:
1617            SL_LOGE(ERROR_PLAYERREALIZE_UNKNOWN_DATASOURCE_LOCATOR);
1618            break;
1619        }
1620
1621        }
1622        break;
1623
1624    //-----------------------------------
1625    // AacBqToPcmCbRenderer
1626    case AUDIOPLAYER_FROM_ADTS_ABQ_TO_PCM_BUFFERQUEUE: {
1627        android::AacBqToPcmCbRenderer* bqtobq = new android::AacBqToPcmCbRenderer(&app,
1628                &pAudioPlayer->mAndroidBufferQueue);
1629        // configures the callback for the sink buffer queue
1630        bqtobq->setDataPushListener(adecoder_writeToBufferQueue, pAudioPlayer);
1631        pAudioPlayer->mAPlayer = bqtobq;
1632        // configures the callback for the notifications coming from the SF code,
1633        // but also implicitly configures the AndroidBufferQueue from which ADTS data is read
1634        pAudioPlayer->mAPlayer->init(sfplayer_handlePrefetchEvent, (void*)pAudioPlayer);
1635        }
1636        break;
1637
1638    //-----------------------------------
1639    default:
1640        SL_LOGE(ERROR_PLAYERREALIZE_UNEXPECTED_OBJECT_TYPE_D, pAudioPlayer->mAndroidObjType);
1641        result = SL_RESULT_INTERNAL_ERROR;
1642        break;
1643    }
1644
1645    // proceed with effect initialization
1646    // initialize EQ
1647    // FIXME use a table of effect descriptors when adding support for more effects
1648    if (memcmp(SL_IID_EQUALIZER, &pAudioPlayer->mEqualizer.mEqDescriptor.type,
1649            sizeof(effect_uuid_t)) == 0) {
1650        SL_LOGV("Need to initialize EQ for AudioPlayer=%p", pAudioPlayer);
1651        android_eq_init(pAudioPlayer->mSessionId, &pAudioPlayer->mEqualizer);
1652    }
1653    // initialize BassBoost
1654    if (memcmp(SL_IID_BASSBOOST, &pAudioPlayer->mBassBoost.mBassBoostDescriptor.type,
1655            sizeof(effect_uuid_t)) == 0) {
1656        SL_LOGV("Need to initialize BassBoost for AudioPlayer=%p", pAudioPlayer);
1657        android_bb_init(pAudioPlayer->mSessionId, &pAudioPlayer->mBassBoost);
1658    }
1659    // initialize Virtualizer
1660    if (memcmp(SL_IID_VIRTUALIZER, &pAudioPlayer->mVirtualizer.mVirtualizerDescriptor.type,
1661               sizeof(effect_uuid_t)) == 0) {
1662        SL_LOGV("Need to initialize Virtualizer for AudioPlayer=%p", pAudioPlayer);
1663        android_virt_init(pAudioPlayer->mSessionId, &pAudioPlayer->mVirtualizer);
1664    }
1665
1666    // initialize EffectSend
1667    // FIXME initialize EffectSend
1668
1669    return result;
1670}
1671
1672
1673//-----------------------------------------------------------------------------
1674/**
1675 * Called with a lock on AudioPlayer, and blocks until safe to destroy
1676 */
1677SLresult android_audioPlayer_preDestroy(CAudioPlayer *pAudioPlayer) {
1678    SL_LOGD("android_audioPlayer_preDestroy(%p)", pAudioPlayer);
1679    SLresult result = SL_RESULT_SUCCESS;
1680
1681    bool disableCallbacksBeforePreDestroy;
1682    switch (pAudioPlayer->mAndroidObjType) {
1683    // Not yet clear why this order is important, but it reduces detected deadlocks
1684    case AUDIOPLAYER_FROM_URIFD_TO_PCM_BUFFERQUEUE:
1685        disableCallbacksBeforePreDestroy = true;
1686        break;
1687    // Use the old behavior for all other use cases until proven
1688    // case AUDIOPLAYER_FROM_ADTS_ABQ_TO_PCM_BUFFERQUEUE:
1689    default:
1690        disableCallbacksBeforePreDestroy = false;
1691        break;
1692    }
1693
1694    if (disableCallbacksBeforePreDestroy) {
1695        object_unlock_exclusive(&pAudioPlayer->mObject);
1696        if (pAudioPlayer->mCallbackProtector != 0) {
1697            pAudioPlayer->mCallbackProtector->requestCbExitAndWait();
1698        }
1699        object_lock_exclusive(&pAudioPlayer->mObject);
1700    }
1701
1702    if (pAudioPlayer->mAPlayer != 0) {
1703        pAudioPlayer->mAPlayer->preDestroy();
1704    }
1705    SL_LOGD("android_audioPlayer_preDestroy(%p) after mAPlayer->preDestroy()", pAudioPlayer);
1706
1707    if (!disableCallbacksBeforePreDestroy) {
1708        object_unlock_exclusive(&pAudioPlayer->mObject);
1709        if (pAudioPlayer->mCallbackProtector != 0) {
1710            pAudioPlayer->mCallbackProtector->requestCbExitAndWait();
1711        }
1712        object_lock_exclusive(&pAudioPlayer->mObject);
1713    }
1714
1715    return result;
1716}
1717
1718
1719//-----------------------------------------------------------------------------
1720SLresult android_audioPlayer_destroy(CAudioPlayer *pAudioPlayer) {
1721    SLresult result = SL_RESULT_SUCCESS;
1722    SL_LOGV("android_audioPlayer_destroy(%p)", pAudioPlayer);
1723    switch (pAudioPlayer->mAndroidObjType) {
1724
1725    case AUDIOPLAYER_FROM_PCM_BUFFERQUEUE:
1726        // We own the audio track for PCM buffer queue players
1727        if (pAudioPlayer->mAudioTrack != 0) {
1728            pAudioPlayer->mAudioTrack->stop();
1729            // Note that there may still be another reference in post-unlock phase of SetPlayState
1730            pAudioPlayer->mAudioTrack.clear();
1731        }
1732        break;
1733
1734    case AUDIOPLAYER_FROM_URIFD:     // intended fall-through
1735    case AUDIOPLAYER_FROM_TS_ANDROIDBUFFERQUEUE:    // intended fall-through
1736    case AUDIOPLAYER_FROM_URIFD_TO_PCM_BUFFERQUEUE: // intended fall-through
1737    case AUDIOPLAYER_FROM_ADTS_ABQ_TO_PCM_BUFFERQUEUE:
1738        pAudioPlayer->mAPlayer.clear();
1739        break;
1740    //-----------------------------------
1741    default:
1742        SL_LOGE(ERROR_PLAYERDESTROY_UNEXPECTED_OBJECT_TYPE_D, pAudioPlayer->mAndroidObjType);
1743        result = SL_RESULT_INTERNAL_ERROR;
1744        break;
1745    }
1746
1747    // placeholder: not necessary yet as session ID lifetime doesn't extend beyond player
1748    // android::AudioSystem::releaseAudioSessionId(pAudioPlayer->mSessionId);
1749
1750    pAudioPlayer->mCallbackProtector.clear();
1751
1752    // explicit destructor
1753    pAudioPlayer->mAudioTrack.~sp();
1754    // note that SetPlayState(PLAYING) may still hold a reference
1755    pAudioPlayer->mCallbackProtector.~sp();
1756    pAudioPlayer->mAuxEffect.~sp();
1757    pAudioPlayer->mAPlayer.~sp();
1758
1759    return result;
1760}
1761
1762
1763//-----------------------------------------------------------------------------
1764SLresult android_audioPlayer_setPlaybackRateAndConstraints(CAudioPlayer *ap, SLpermille rate,
1765        SLuint32 constraints) {
1766    SLresult result = SL_RESULT_SUCCESS;
1767    switch(ap->mAndroidObjType) {
1768    case AUDIOPLAYER_FROM_PCM_BUFFERQUEUE: {
1769        // these asserts were already checked by the platform-independent layer
1770        assert((AUDIOTRACK_MIN_PLAYBACKRATE_PERMILLE <= rate) &&
1771                (rate <= AUDIOTRACK_MAX_PLAYBACKRATE_PERMILLE));
1772        assert(constraints & SL_RATEPROP_NOPITCHCORAUDIO);
1773        // get the content sample rate
1774        uint32_t contentRate = sles_to_android_sampleRate(ap->mSampleRateMilliHz);
1775        // apply the SL ES playback rate on the AudioTrack as a factor of its content sample rate
1776        if (ap->mAudioTrack != 0) {
1777            ap->mAudioTrack->setSampleRate(contentRate * (rate/1000.0f));
1778        }
1779        }
1780        break;
1781    case AUDIOPLAYER_FROM_URIFD: {
1782        assert((MEDIAPLAYER_MIN_PLAYBACKRATE_PERMILLE <= rate) &&
1783                        (rate <= MEDIAPLAYER_MAX_PLAYBACKRATE_PERMILLE));
1784        assert(constraints & SL_RATEPROP_NOPITCHCORAUDIO);
1785        // apply the SL ES playback rate on the GenericPlayer
1786        if (ap->mAPlayer != 0) {
1787            ap->mAPlayer->setPlaybackRate((int16_t)rate);
1788        }
1789        }
1790        break;
1791
1792    default:
1793        SL_LOGE("Unexpected object type %d", ap->mAndroidObjType);
1794        result = SL_RESULT_FEATURE_UNSUPPORTED;
1795        break;
1796    }
1797    return result;
1798}
1799
1800
1801//-----------------------------------------------------------------------------
1802// precondition
1803//  called with no lock held
1804//  ap != NULL
1805//  pItemCount != NULL
1806SLresult android_audioPlayer_metadata_getItemCount(CAudioPlayer *ap, SLuint32 *pItemCount) {
1807    if (ap->mAPlayer == 0) {
1808        return SL_RESULT_PARAMETER_INVALID;
1809    }
1810    switch(ap->mAndroidObjType) {
1811      case AUDIOPLAYER_FROM_URIFD_TO_PCM_BUFFERQUEUE:
1812      case AUDIOPLAYER_FROM_ADTS_ABQ_TO_PCM_BUFFERQUEUE:
1813        {
1814            android::AudioSfDecoder* decoder =
1815                    static_cast<android::AudioSfDecoder*>(ap->mAPlayer.get());
1816            *pItemCount = decoder->getPcmFormatKeyCount();
1817        }
1818        break;
1819      default:
1820        *pItemCount = 0;
1821        break;
1822    }
1823    return SL_RESULT_SUCCESS;
1824}
1825
1826
1827//-----------------------------------------------------------------------------
1828// precondition
1829//  called with no lock held
1830//  ap != NULL
1831//  pKeySize != NULL
1832SLresult android_audioPlayer_metadata_getKeySize(CAudioPlayer *ap,
1833        SLuint32 index, SLuint32 *pKeySize) {
1834    if (ap->mAPlayer == 0) {
1835        return SL_RESULT_PARAMETER_INVALID;
1836    }
1837    SLresult res = SL_RESULT_SUCCESS;
1838    switch(ap->mAndroidObjType) {
1839      case AUDIOPLAYER_FROM_URIFD_TO_PCM_BUFFERQUEUE:
1840      case AUDIOPLAYER_FROM_ADTS_ABQ_TO_PCM_BUFFERQUEUE:
1841        {
1842            android::AudioSfDecoder* decoder =
1843                    static_cast<android::AudioSfDecoder*>(ap->mAPlayer.get());
1844            SLuint32 keyNameSize = 0;
1845            if (!decoder->getPcmFormatKeySize(index, &keyNameSize)) {
1846                res = SL_RESULT_PARAMETER_INVALID;
1847            } else {
1848                // *pKeySize is the size of the region used to store the key name AND
1849                //   the information about the key (size, lang, encoding)
1850                *pKeySize = keyNameSize + sizeof(SLMetadataInfo);
1851            }
1852        }
1853        break;
1854      default:
1855        *pKeySize = 0;
1856        res = SL_RESULT_PARAMETER_INVALID;
1857        break;
1858    }
1859    return res;
1860}
1861
1862
1863//-----------------------------------------------------------------------------
1864// precondition
1865//  called with no lock held
1866//  ap != NULL
1867//  pKey != NULL
1868SLresult android_audioPlayer_metadata_getKey(CAudioPlayer *ap,
1869        SLuint32 index, SLuint32 size, SLMetadataInfo *pKey) {
1870    if (ap->mAPlayer == 0) {
1871        return SL_RESULT_PARAMETER_INVALID;
1872    }
1873    SLresult res = SL_RESULT_SUCCESS;
1874    switch(ap->mAndroidObjType) {
1875      case AUDIOPLAYER_FROM_URIFD_TO_PCM_BUFFERQUEUE:
1876      case AUDIOPLAYER_FROM_ADTS_ABQ_TO_PCM_BUFFERQUEUE:
1877        {
1878            android::AudioSfDecoder* decoder =
1879                    static_cast<android::AudioSfDecoder*>(ap->mAPlayer.get());
1880            if ((size < sizeof(SLMetadataInfo) ||
1881                    (!decoder->getPcmFormatKeyName(index, size - sizeof(SLMetadataInfo),
1882                            (char*)pKey->data)))) {
1883                res = SL_RESULT_PARAMETER_INVALID;
1884            } else {
1885                // successfully retrieved the key value, update the other fields
1886                pKey->encoding = SL_CHARACTERENCODING_UTF8;
1887                memcpy((char *) pKey->langCountry, "en", 3);
1888                pKey->size = strlen((char*)pKey->data) + 1;
1889            }
1890        }
1891        break;
1892      default:
1893        res = SL_RESULT_PARAMETER_INVALID;
1894        break;
1895    }
1896    return res;
1897}
1898
1899
1900//-----------------------------------------------------------------------------
1901// precondition
1902//  called with no lock held
1903//  ap != NULL
1904//  pValueSize != NULL
1905SLresult android_audioPlayer_metadata_getValueSize(CAudioPlayer *ap,
1906        SLuint32 index, SLuint32 *pValueSize) {
1907    if (ap->mAPlayer == 0) {
1908        return SL_RESULT_PARAMETER_INVALID;
1909    }
1910    SLresult res = SL_RESULT_SUCCESS;
1911    switch(ap->mAndroidObjType) {
1912      case AUDIOPLAYER_FROM_URIFD_TO_PCM_BUFFERQUEUE:
1913      case AUDIOPLAYER_FROM_ADTS_ABQ_TO_PCM_BUFFERQUEUE:
1914        {
1915            android::AudioSfDecoder* decoder =
1916                    static_cast<android::AudioSfDecoder*>(ap->mAPlayer.get());
1917            SLuint32 valueSize = 0;
1918            if (!decoder->getPcmFormatValueSize(index, &valueSize)) {
1919                res = SL_RESULT_PARAMETER_INVALID;
1920            } else {
1921                // *pValueSize is the size of the region used to store the key value AND
1922                //   the information about the value (size, lang, encoding)
1923                *pValueSize = valueSize + sizeof(SLMetadataInfo);
1924            }
1925        }
1926        break;
1927      default:
1928          *pValueSize = 0;
1929          res = SL_RESULT_PARAMETER_INVALID;
1930          break;
1931    }
1932    return res;
1933}
1934
1935
1936//-----------------------------------------------------------------------------
1937// precondition
1938//  called with no lock held
1939//  ap != NULL
1940//  pValue != NULL
1941SLresult android_audioPlayer_metadata_getValue(CAudioPlayer *ap,
1942        SLuint32 index, SLuint32 size, SLMetadataInfo *pValue) {
1943    if (ap->mAPlayer == 0) {
1944        return SL_RESULT_PARAMETER_INVALID;
1945    }
1946    SLresult res = SL_RESULT_SUCCESS;
1947    switch(ap->mAndroidObjType) {
1948      case AUDIOPLAYER_FROM_URIFD_TO_PCM_BUFFERQUEUE:
1949      case AUDIOPLAYER_FROM_ADTS_ABQ_TO_PCM_BUFFERQUEUE:
1950        {
1951            android::AudioSfDecoder* decoder =
1952                    static_cast<android::AudioSfDecoder*>(ap->mAPlayer.get());
1953            pValue->encoding = SL_CHARACTERENCODING_BINARY;
1954            memcpy((char *) pValue->langCountry, "en", 3); // applicable here?
1955            SLuint32 valueSize = 0;
1956            if ((size < sizeof(SLMetadataInfo)
1957                    || (!decoder->getPcmFormatValueSize(index, &valueSize))
1958                    || (!decoder->getPcmFormatKeyValue(index, size - sizeof(SLMetadataInfo),
1959                            (SLuint32*)pValue->data)))) {
1960                res = SL_RESULT_PARAMETER_INVALID;
1961            } else {
1962                pValue->size = valueSize;
1963            }
1964        }
1965        break;
1966      default:
1967        res = SL_RESULT_PARAMETER_INVALID;
1968        break;
1969    }
1970    return res;
1971}
1972
1973//-----------------------------------------------------------------------------
1974// preconditions
1975//  ap != NULL
1976//  mutex is locked
1977//  play state has changed
1978void android_audioPlayer_setPlayState(CAudioPlayer *ap) {
1979
1980    SLuint32 playState = ap->mPlay.mState;
1981    AndroidObjectState objState = ap->mAndroidObjState;
1982
1983    switch(ap->mAndroidObjType) {
1984    case AUDIOPLAYER_FROM_PCM_BUFFERQUEUE:
1985        switch (playState) {
1986        case SL_PLAYSTATE_STOPPED:
1987            SL_LOGV("setting AudioPlayer to SL_PLAYSTATE_STOPPED");
1988            if (ap->mAudioTrack != 0) {
1989                ap->mAudioTrack->stop();
1990            }
1991            break;
1992        case SL_PLAYSTATE_PAUSED:
1993            SL_LOGV("setting AudioPlayer to SL_PLAYSTATE_PAUSED");
1994            if (ap->mAudioTrack != 0) {
1995                ap->mAudioTrack->pause();
1996            }
1997            break;
1998        case SL_PLAYSTATE_PLAYING:
1999            SL_LOGV("setting AudioPlayer to SL_PLAYSTATE_PLAYING");
2000            if (ap->mAudioTrack != 0) {
2001                // instead of ap->mAudioTrack->start();
2002                ap->mDeferredStart = true;
2003            }
2004            break;
2005        default:
2006            // checked by caller, should not happen
2007            break;
2008        }
2009        break;
2010
2011    case AUDIOPLAYER_FROM_URIFD:      // intended fall-through
2012    case AUDIOPLAYER_FROM_TS_ANDROIDBUFFERQUEUE:     // intended fall-through
2013    case AUDIOPLAYER_FROM_URIFD_TO_PCM_BUFFERQUEUE:  // intended fall-through
2014    case AUDIOPLAYER_FROM_ADTS_ABQ_TO_PCM_BUFFERQUEUE:
2015        // FIXME report and use the return code to the lock mechanism, which is where play state
2016        //   changes are updated (see object_unlock_exclusive_attributes())
2017        aplayer_setPlayState(ap->mAPlayer, playState, &(ap->mAndroidObjState));
2018        break;
2019    default:
2020        SL_LOGE(ERROR_PLAYERSETPLAYSTATE_UNEXPECTED_OBJECT_TYPE_D, ap->mAndroidObjType);
2021        break;
2022    }
2023}
2024
2025
2026//-----------------------------------------------------------------------------
2027// call when either player event flags, marker position, or position update period changes
2028void android_audioPlayer_usePlayEventMask(CAudioPlayer *ap) {
2029    IPlay *pPlayItf = &ap->mPlay;
2030    SLuint32 eventFlags = pPlayItf->mEventFlags;
2031    /*switch(ap->mAndroidObjType) {
2032    case AUDIOPLAYER_FROM_PCM_BUFFERQUEUE:*/
2033
2034    if (ap->mAPlayer != 0) {
2035        assert(ap->mAudioTrack == 0);
2036        ap->mAPlayer->setPlayEvents((int32_t) eventFlags, (int32_t) pPlayItf->mMarkerPosition,
2037                (int32_t) pPlayItf->mPositionUpdatePeriod);
2038        return;
2039    }
2040
2041    if (ap->mAudioTrack == 0) {
2042        return;
2043    }
2044
2045    if (eventFlags & SL_PLAYEVENT_HEADATMARKER) {
2046        ap->mAudioTrack->setMarkerPosition((uint32_t)((((int64_t)pPlayItf->mMarkerPosition
2047                * sles_to_android_sampleRate(ap->mSampleRateMilliHz)))/1000));
2048    } else {
2049        // clear marker
2050        ap->mAudioTrack->setMarkerPosition(0);
2051    }
2052
2053    if (eventFlags & SL_PLAYEVENT_HEADATNEWPOS) {
2054         ap->mAudioTrack->setPositionUpdatePeriod(
2055                (uint32_t)((((int64_t)pPlayItf->mPositionUpdatePeriod
2056                * sles_to_android_sampleRate(ap->mSampleRateMilliHz)))/1000));
2057    } else {
2058        // clear periodic update
2059        ap->mAudioTrack->setPositionUpdatePeriod(0);
2060    }
2061
2062    if (eventFlags & SL_PLAYEVENT_HEADATEND) {
2063        // nothing to do for SL_PLAYEVENT_HEADATEND, callback event will be checked against mask
2064    }
2065
2066    if (eventFlags & SL_PLAYEVENT_HEADMOVING) {
2067        // FIXME support SL_PLAYEVENT_HEADMOVING
2068        SL_LOGD("[ FIXME: IPlay_SetCallbackEventsMask(SL_PLAYEVENT_HEADMOVING) on an "
2069            "SL_OBJECTID_AUDIOPLAYER to be implemented ]");
2070    }
2071    if (eventFlags & SL_PLAYEVENT_HEADSTALLED) {
2072        // nothing to do for SL_PLAYEVENT_HEADSTALLED, callback event will be checked against mask
2073    }
2074
2075}
2076
2077
2078//-----------------------------------------------------------------------------
2079SLresult android_audioPlayer_getDuration(IPlay *pPlayItf, SLmillisecond *pDurMsec) {
2080    CAudioPlayer *ap = (CAudioPlayer *)pPlayItf->mThis;
2081    switch(ap->mAndroidObjType) {
2082
2083      case AUDIOPLAYER_FROM_URIFD:  // intended fall-through
2084      case AUDIOPLAYER_FROM_URIFD_TO_PCM_BUFFERQUEUE: {
2085        int32_t durationMsec = ANDROID_UNKNOWN_TIME;
2086        if (ap->mAPlayer != 0) {
2087            ap->mAPlayer->getDurationMsec(&durationMsec);
2088        }
2089        *pDurMsec = durationMsec == ANDROID_UNKNOWN_TIME ? SL_TIME_UNKNOWN : durationMsec;
2090        break;
2091      }
2092
2093      case AUDIOPLAYER_FROM_TS_ANDROIDBUFFERQUEUE: // intended fall-through
2094      case AUDIOPLAYER_FROM_PCM_BUFFERQUEUE:
2095      case AUDIOPLAYER_FROM_ADTS_ABQ_TO_PCM_BUFFERQUEUE:
2096      default: {
2097        *pDurMsec = SL_TIME_UNKNOWN;
2098      }
2099    }
2100    return SL_RESULT_SUCCESS;
2101}
2102
2103
2104//-----------------------------------------------------------------------------
2105void android_audioPlayer_getPosition(IPlay *pPlayItf, SLmillisecond *pPosMsec) {
2106    CAudioPlayer *ap = (CAudioPlayer *)pPlayItf->mThis;
2107    switch(ap->mAndroidObjType) {
2108
2109      case AUDIOPLAYER_FROM_PCM_BUFFERQUEUE:
2110        if ((ap->mSampleRateMilliHz == UNKNOWN_SAMPLERATE) || (ap->mAudioTrack == 0)) {
2111            *pPosMsec = 0;
2112        } else {
2113            uint32_t positionInFrames;
2114            ap->mAudioTrack->getPosition(&positionInFrames);
2115            *pPosMsec = ((int64_t)positionInFrames * 1000) /
2116                    sles_to_android_sampleRate(ap->mSampleRateMilliHz);
2117        }
2118        break;
2119
2120      case AUDIOPLAYER_FROM_TS_ANDROIDBUFFERQUEUE:    // intended fall-through
2121      case AUDIOPLAYER_FROM_URIFD:
2122      case AUDIOPLAYER_FROM_URIFD_TO_PCM_BUFFERQUEUE:
2123      case AUDIOPLAYER_FROM_ADTS_ABQ_TO_PCM_BUFFERQUEUE: {
2124        int32_t posMsec = ANDROID_UNKNOWN_TIME;
2125        if (ap->mAPlayer != 0) {
2126            ap->mAPlayer->getPositionMsec(&posMsec);
2127        }
2128        *pPosMsec = posMsec == ANDROID_UNKNOWN_TIME ? 0 : posMsec;
2129        break;
2130      }
2131
2132      default:
2133        *pPosMsec = 0;
2134    }
2135}
2136
2137
2138//-----------------------------------------------------------------------------
2139SLresult android_audioPlayer_seek(CAudioPlayer *ap, SLmillisecond posMsec) {
2140    SLresult result = SL_RESULT_SUCCESS;
2141
2142    switch(ap->mAndroidObjType) {
2143
2144      case AUDIOPLAYER_FROM_PCM_BUFFERQUEUE:      // intended fall-through
2145      case AUDIOPLAYER_FROM_TS_ANDROIDBUFFERQUEUE:
2146      case AUDIOPLAYER_FROM_ADTS_ABQ_TO_PCM_BUFFERQUEUE:
2147        result = SL_RESULT_FEATURE_UNSUPPORTED;
2148        break;
2149
2150      case AUDIOPLAYER_FROM_URIFD:                   // intended fall-through
2151      case AUDIOPLAYER_FROM_URIFD_TO_PCM_BUFFERQUEUE:
2152        if (ap->mAPlayer != 0) {
2153            ap->mAPlayer->seek(posMsec);
2154        }
2155        break;
2156
2157      default:
2158        break;
2159    }
2160    return result;
2161}
2162
2163
2164//-----------------------------------------------------------------------------
2165SLresult android_audioPlayer_loop(CAudioPlayer *ap, SLboolean loopEnable) {
2166    SLresult result = SL_RESULT_SUCCESS;
2167
2168    switch (ap->mAndroidObjType) {
2169    case AUDIOPLAYER_FROM_URIFD:
2170    // case AUDIOPLAY_FROM_URIFD_TO_PCM_BUFFERQUEUE:
2171    //      would actually work, but what's the point?
2172      if (ap->mAPlayer != 0) {
2173        ap->mAPlayer->loop((bool)loopEnable);
2174      }
2175      break;
2176    default:
2177      result = SL_RESULT_FEATURE_UNSUPPORTED;
2178      break;
2179    }
2180    return result;
2181}
2182
2183
2184//-----------------------------------------------------------------------------
2185SLresult android_audioPlayer_setBufferingUpdateThresholdPerMille(CAudioPlayer *ap,
2186        SLpermille threshold) {
2187    SLresult result = SL_RESULT_SUCCESS;
2188
2189    switch (ap->mAndroidObjType) {
2190      case AUDIOPLAYER_FROM_URIFD:
2191        if (ap->mAPlayer != 0) {
2192            ap->mAPlayer->setBufferingUpdateThreshold(threshold / 10);
2193        }
2194        break;
2195
2196      default: {}
2197    }
2198
2199    return result;
2200}
2201
2202
2203//-----------------------------------------------------------------------------
2204void android_audioPlayer_bufferQueue_onRefilled_l(CAudioPlayer *ap) {
2205    // the AudioTrack associated with the AudioPlayer receiving audio from a PCM buffer
2206    // queue was stopped when the queue become empty, we restart as soon as a new buffer
2207    // has been enqueued since we're in playing state
2208    if (ap->mAudioTrack != 0) {
2209        // instead of ap->mAudioTrack->start();
2210        ap->mDeferredStart = true;
2211    }
2212
2213    // when the queue became empty, an underflow on the prefetch status itf was sent. Now the queue
2214    // has received new data, signal it has sufficient data
2215    if (IsInterfaceInitialized(&(ap->mObject), MPH_PREFETCHSTATUS)) {
2216        // we wouldn't have been called unless we were previously in the underflow state
2217        assert(SL_PREFETCHSTATUS_UNDERFLOW == ap->mPrefetchStatus.mStatus);
2218        assert(0 == ap->mPrefetchStatus.mLevel);
2219        ap->mPrefetchStatus.mStatus = SL_PREFETCHSTATUS_SUFFICIENTDATA;
2220        ap->mPrefetchStatus.mLevel = 1000;
2221        // callback or no callback?
2222        SLuint32 prefetchEvents = ap->mPrefetchStatus.mCallbackEventsMask &
2223                (SL_PREFETCHEVENT_STATUSCHANGE | SL_PREFETCHEVENT_FILLLEVELCHANGE);
2224        if (SL_PREFETCHEVENT_NONE != prefetchEvents) {
2225            ap->mPrefetchStatus.mDeferredPrefetchCallback = ap->mPrefetchStatus.mCallback;
2226            ap->mPrefetchStatus.mDeferredPrefetchContext  = ap->mPrefetchStatus.mContext;
2227            ap->mPrefetchStatus.mDeferredPrefetchEvents   = prefetchEvents;
2228        }
2229    }
2230}
2231
2232
2233//-----------------------------------------------------------------------------
2234/*
2235 * BufferQueue::Clear
2236 */
2237SLresult android_audioPlayer_bufferQueue_onClear(CAudioPlayer *ap) {
2238    SLresult result = SL_RESULT_SUCCESS;
2239
2240    switch (ap->mAndroidObjType) {
2241    //-----------------------------------
2242    // AudioTrack
2243    case AUDIOPLAYER_FROM_PCM_BUFFERQUEUE:
2244        if (ap->mAudioTrack != 0) {
2245            ap->mAudioTrack->flush();
2246        }
2247        break;
2248    default:
2249        result = SL_RESULT_INTERNAL_ERROR;
2250        break;
2251    }
2252
2253    return result;
2254}
2255
2256
2257//-----------------------------------------------------------------------------
2258void android_audioPlayer_androidBufferQueue_clear_l(CAudioPlayer *ap) {
2259    switch (ap->mAndroidObjType) {
2260    case AUDIOPLAYER_FROM_TS_ANDROIDBUFFERQUEUE:
2261      if (ap->mAPlayer != 0) {
2262        android::StreamPlayer* splr = static_cast<android::StreamPlayer*>(ap->mAPlayer.get());
2263        splr->appClear_l();
2264      } break;
2265    case AUDIOPLAYER_FROM_ADTS_ABQ_TO_PCM_BUFFERQUEUE:
2266      // nothing to do here, fall through
2267    default:
2268      break;
2269    }
2270}
2271
2272void android_audioPlayer_androidBufferQueue_onRefilled_l(CAudioPlayer *ap) {
2273    switch (ap->mAndroidObjType) {
2274    case AUDIOPLAYER_FROM_TS_ANDROIDBUFFERQUEUE:
2275      if (ap->mAPlayer != 0) {
2276        android::StreamPlayer* splr = static_cast<android::StreamPlayer*>(ap->mAPlayer.get());
2277        splr->queueRefilled();
2278      } break;
2279    case AUDIOPLAYER_FROM_ADTS_ABQ_TO_PCM_BUFFERQUEUE:
2280      // FIXME this may require waking up the decoder if it is currently starved and isn't polling
2281    default:
2282      break;
2283    }
2284}
2285