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