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