如何等待当前音频播放完毕才能播放下一个音频?

发布于 2024-10-20 05:40:27 字数 72 浏览 1 评论 0原文

我正在使用cocos2d。如何等待当前音频播放完毕才能播放下一个音频?我无法使用 SimpleAudioEngine 做到这一点。

I'm working with cocos2d. How to wait finish current audio for playing next audio? I can't make it with SimpleAudioEngine.

如果你对这篇内容有疑问,欢迎到本站社区发帖提问 参与讨论,获取更多帮助,或者扫码二维码加入 Web 技术交流群。

扫码二维码加入Web技术交流群

发布评论

需要 登录 才能够评论, 你可以免费 注册 一个本站的账号。

评论(2

指尖凝香 2024-10-27 05:40:27

http://www.cocos2d-iphone.org/api-ref /0.99.0/interface_c_d_sound_engine.html

使用 CDAudioEngine。它有你想要的方法。顺便说一句,SimpleAudioEngine正在使用CDAudioEngine来播放声音。

编辑

当您的按钮第一次被点击时 - 播放声音并将声音的间隔保存到您的一些 lass 变量中。然后在下一次单击中使用此变量来确定“足够的间隔”。或者只是使用一些最大值。

编辑2
如果您查看 SimpleAudioEngine 实现,您会注意到它使用 CDSoundEngine 来播放声音。下面是 SimpleAudioEngine 的 init 方法:

static SimpleAudioEngine *sharedEngine = nil;
static CDSoundEngine* soundEngine = nil;
static CDAudioManager *am = nil;
static CDBufferManager *bufferManager = nil;


-(id) init
{
    if((self=[super init])) {
        am = [CDAudioManager sharedManager];
        soundEngine = am.soundEngine;
        bufferManager = [[CDBufferManager alloc] initWithEngine:soundEngine];
        mute_ = NO;
        enabled_ = YES;
    }
    return self;
}

因此我们也可以访问 CDSoundEngine:

CDSoundEngine *engine = [CDAudioManager sharedManager].soundEngine;

当在 SimpleAudioEngine 上调用 playEffect 方法时(单击按钮时)保存返回的声音 id。

ALuint soundId = [[SimpleAudioEngine sharedEngine] playEffect:...];

现在我们可以使用 CDSoundEngine 获取间隔:

float seconds = [engine bufferDurationInSeconds:soundId];

这就是答案!

顺便说一下,如果你知道声音 ID,你也可以使用 CDSoundEngine 停止声音。

来自 CocosDenshion.h

@class CDSoundSource;
@interface CDSoundEngine : NSObject <CDAudioInterruptProtocol> {

    bufferInfo      *_buffers;
    sourceInfo      *_sources;
    sourceGroup     *_sourceGroups;
    ALCcontext      *context;
    int             _sourceGroupTotal;
    UInt32          _audioSessionCategory;
    BOOL            _handleAudioSession;
    BOOL            mute_;
    BOOL            enabled_;
    ALfloat         _preMuteGain;

    ALenum          lastErrorCode_;
    BOOL            functioning_;
    float           asynchLoadProgress_;
    BOOL            getGainWorks_;

    //For managing dynamic allocation of sources and buffers
    int sourceTotal_;
    int bufferTotal;

}

@property (readwrite, nonatomic) ALfloat masterGain;
@property (readonly)  ALenum lastErrorCode;//Last OpenAL error code that was generated
@property (readonly)  BOOL functioning;//Is the sound engine functioning
@property (readwrite) float asynchLoadProgress;
@property (readonly)  BOOL getGainWorks;//Does getting the gain for a source work
/** Total number of sources available */
@property (readonly) int sourceTotal;
/** Total number of source groups that have been defined */
@property (readonly) int sourceGroupTotal;

/** Sets the sample rate for the audio mixer. For best performance this should match the sample rate of your audio content */
+(void) setMixerSampleRate:(Float32) sampleRate;

/** Initializes the engine with a group definition and a total number of groups */
-(id)init;

/** Plays a sound in a channel group with a pitch, pan and gain. The sound could played looped or not */
-(ALuint) playSound:(int) soundId sourceGroupId:(int)sourceGroupId pitch:(float) pitch pan:(float) pan gain:(float) gain loop:(BOOL) loop;

/** Creates and returns a sound source object for the specified sound within the specified source group.
 */
-(CDSoundSource *) soundSourceForSound:(int) soundId sourceGroupId:(int) sourceGroupId;

/** Stops playing a sound */
- (void) stopSound:(ALuint) sourceId;
/** Stops playing a source group */
- (void) stopSourceGroup:(int) sourceGroupId;
/** Stops all playing sounds */
-(void) stopAllSounds;
-(void) defineSourceGroups:(NSArray*) sourceGroupDefinitions;
-(void) defineSourceGroups:(int[]) sourceGroupDefinitions total:(int) total;
-(void) setSourceGroupNonInterruptible:(int) sourceGroupId isNonInterruptible:(BOOL) isNonInterruptible;
-(void) setSourceGroupEnabled:(int) sourceGroupId enabled:(BOOL) enabled;
-(BOOL) sourceGroupEnabled:(int) sourceGroupId;
-(BOOL) loadBufferFromData:(int) soundId soundData:(ALvoid*) soundData format:(ALenum) format size:(ALsizei) size freq:(ALsizei) freq;
-(BOOL) loadBuffer:(int) soundId filePath:(NSString*) filePath;
-(void) loadBuffersAsynchronously:(NSArray *) loadRequests;
-(BOOL) unloadBuffer:(int) soundId;
-(ALCcontext *) openALContext;

/** Returns the duration of the buffer in seconds or a negative value if the buffer id is invalid */
-(float) bufferDurationInSeconds:(int) soundId;
/** Returns the size of the buffer in bytes or a negative value if the buffer id is invalid */
-(ALsizei) bufferSizeInBytes:(int) soundId;
/** Returns the sampling frequency of the buffer in hertz or a negative value if the buffer id is invalid */
-(ALsizei) bufferFrequencyInHertz:(int) soundId;

/** Used internally, never call unless you know what you are doing */
-(void) _soundSourcePreRelease:(CDSoundSource *) soundSource;

@end

我正在使用 cocos2D 0.99.5

实现:

-(float) bufferDurationInSeconds:(int) soundId {
    if ([self validateBufferId:soundId]) {
        float factor = 0.0f;
        switch (_buffers[soundId].format) {
            case AL_FORMAT_MONO8:
                factor = 1.0f;
                break;
            case AL_FORMAT_MONO16:
                factor = 0.5f;
                break;
            case AL_FORMAT_STEREO8:
                factor = 0.5f;
                break;
            case AL_FORMAT_STEREO16:
                factor = 0.25f;
                break;
        }   
        return (float)_buffers[soundId].sizeInBytes/(float)_buffers[soundId].frequencyInHertz * factor;
    } else {
        return -1.0f;
    }   
}

http://www.cocos2d-iphone.org/api-ref/0.99.0/interface_c_d_sound_engine.html

use CDAudioEngine. It have the method you want. By the way SimpleAudioEngine is using CDAudioEngine to play sounds.

EDIT

When your button is clicked first time - play the sound and save the sound's interval to some of your lass variable. Then in next click use this variable to determine the "enough interval". Or just use some maximum.

EDIT 2
If you'll take a look at SimpleAudioEngine implementation you will notice that it's using CDSoundEngine to play sounds. Here is the init method of SimpleAudioEngine:

static SimpleAudioEngine *sharedEngine = nil;
static CDSoundEngine* soundEngine = nil;
static CDAudioManager *am = nil;
static CDBufferManager *bufferManager = nil;


-(id) init
{
    if((self=[super init])) {
        am = [CDAudioManager sharedManager];
        soundEngine = am.soundEngine;
        bufferManager = [[CDBufferManager alloc] initWithEngine:soundEngine];
        mute_ = NO;
        enabled_ = YES;
    }
    return self;
}

So we can also access to CDSoundEngine:

CDSoundEngine *engine = [CDAudioManager sharedManager].soundEngine;

When calling playEffect method on SimpleAudioEngine (when your button is clicked) save the returned sound id.

ALuint soundId = [[SimpleAudioEngine sharedEngine] playEffect:...];

Now we can get the interval using our CDSoundEngine:

float seconds = [engine bufferDurationInSeconds:soundId];

That's the answer!

By the way you can also stop a sound with CDSoundEngine if you know the sound id.

From CocosDenshion.h

@class CDSoundSource;
@interface CDSoundEngine : NSObject <CDAudioInterruptProtocol> {

    bufferInfo      *_buffers;
    sourceInfo      *_sources;
    sourceGroup     *_sourceGroups;
    ALCcontext      *context;
    int             _sourceGroupTotal;
    UInt32          _audioSessionCategory;
    BOOL            _handleAudioSession;
    BOOL            mute_;
    BOOL            enabled_;
    ALfloat         _preMuteGain;

    ALenum          lastErrorCode_;
    BOOL            functioning_;
    float           asynchLoadProgress_;
    BOOL            getGainWorks_;

    //For managing dynamic allocation of sources and buffers
    int sourceTotal_;
    int bufferTotal;

}

@property (readwrite, nonatomic) ALfloat masterGain;
@property (readonly)  ALenum lastErrorCode;//Last OpenAL error code that was generated
@property (readonly)  BOOL functioning;//Is the sound engine functioning
@property (readwrite) float asynchLoadProgress;
@property (readonly)  BOOL getGainWorks;//Does getting the gain for a source work
/** Total number of sources available */
@property (readonly) int sourceTotal;
/** Total number of source groups that have been defined */
@property (readonly) int sourceGroupTotal;

/** Sets the sample rate for the audio mixer. For best performance this should match the sample rate of your audio content */
+(void) setMixerSampleRate:(Float32) sampleRate;

/** Initializes the engine with a group definition and a total number of groups */
-(id)init;

/** Plays a sound in a channel group with a pitch, pan and gain. The sound could played looped or not */
-(ALuint) playSound:(int) soundId sourceGroupId:(int)sourceGroupId pitch:(float) pitch pan:(float) pan gain:(float) gain loop:(BOOL) loop;

/** Creates and returns a sound source object for the specified sound within the specified source group.
 */
-(CDSoundSource *) soundSourceForSound:(int) soundId sourceGroupId:(int) sourceGroupId;

/** Stops playing a sound */
- (void) stopSound:(ALuint) sourceId;
/** Stops playing a source group */
- (void) stopSourceGroup:(int) sourceGroupId;
/** Stops all playing sounds */
-(void) stopAllSounds;
-(void) defineSourceGroups:(NSArray*) sourceGroupDefinitions;
-(void) defineSourceGroups:(int[]) sourceGroupDefinitions total:(int) total;
-(void) setSourceGroupNonInterruptible:(int) sourceGroupId isNonInterruptible:(BOOL) isNonInterruptible;
-(void) setSourceGroupEnabled:(int) sourceGroupId enabled:(BOOL) enabled;
-(BOOL) sourceGroupEnabled:(int) sourceGroupId;
-(BOOL) loadBufferFromData:(int) soundId soundData:(ALvoid*) soundData format:(ALenum) format size:(ALsizei) size freq:(ALsizei) freq;
-(BOOL) loadBuffer:(int) soundId filePath:(NSString*) filePath;
-(void) loadBuffersAsynchronously:(NSArray *) loadRequests;
-(BOOL) unloadBuffer:(int) soundId;
-(ALCcontext *) openALContext;

/** Returns the duration of the buffer in seconds or a negative value if the buffer id is invalid */
-(float) bufferDurationInSeconds:(int) soundId;
/** Returns the size of the buffer in bytes or a negative value if the buffer id is invalid */
-(ALsizei) bufferSizeInBytes:(int) soundId;
/** Returns the sampling frequency of the buffer in hertz or a negative value if the buffer id is invalid */
-(ALsizei) bufferFrequencyInHertz:(int) soundId;

/** Used internally, never call unless you know what you are doing */
-(void) _soundSourcePreRelease:(CDSoundSource *) soundSource;

@end

I'm using cocos2D 0.99.5

implementation:

-(float) bufferDurationInSeconds:(int) soundId {
    if ([self validateBufferId:soundId]) {
        float factor = 0.0f;
        switch (_buffers[soundId].format) {
            case AL_FORMAT_MONO8:
                factor = 1.0f;
                break;
            case AL_FORMAT_MONO16:
                factor = 0.5f;
                break;
            case AL_FORMAT_STEREO8:
                factor = 0.5f;
                break;
            case AL_FORMAT_STEREO16:
                factor = 0.25f;
                break;
        }   
        return (float)_buffers[soundId].sizeInBytes/(float)_buffers[soundId].frequencyInHertz * factor;
    } else {
        return -1.0f;
    }   
}
花开半夏魅人心 2024-10-27 05:40:27

// 播放声音
Aluint soundID = [[SimpleAudioEngine共享引擎] playEffect:@"sound.mp3"];

// 要停止声音,您需要在播放时使用相同的 soundID
[[SimpleAudioEngine共享引擎] stopEffect:soundID];

// to Play the sound
Aluint soundID = [[SimpleAudioEngine sharedEngine] playEffect:@"sound.mp3"];

// to stop the sound you need to use the same soundID when you play it
[[SimpleAudioEngine sharedEngine] stopEffect:soundID];

~没有更多了~
我们使用 Cookies 和其他技术来定制您的体验包括您的登录状态等。通过阅读我们的 隐私政策 了解更多相关信息。 单击 接受 或继续使用网站,即表示您同意使用 Cookies 和您的相关数据。
原文