《Cocos2d-x游戏开发实战精解》学习笔记1--在Cocos2d中显示图像
《Cocos2d-x游戏开发实战精解》学习笔记2--在Cocos2d-x中显示一行文字
之前的内容主要都是介绍如何在屏幕上显示图像,事实上除了图像之外,音乐的播放也可以被理解为一种显示的方式,本节将学习在Cocos2d-x中播放声音的方法。
(1)在HelloWorld.h中对HelloWorld类进行如下定义:
class HelloWorld : public Cocos2d::Layer { public: bool is_paused; static Cocos2d::Scene* createScene(); virtual bool init(); void play(Cocos2d::Object* pSender); //播放音乐 void stop(Cocos2d::Object* pSender); //停止音乐 void pause(Cocos2d::Object* pSender); //暂停 CREATE_FUNC(HelloWorld); };
(2)在HelloWorldScene.cpp中实现这些方法,如范例3-7所示,完整代码可见源文件本章目录下的项目ChapterThree05。
【范例3-7 在Cocos2d-x中实现音乐的播放和暂停等操作】
#include "HelloWorldScene.h" #include "SimpleAudioEngine.h" USING_NS_CC; Scene* HelloWorld::createScene() { auto scene = Scene::create(); auto layer = HelloWorld::create(); scene->addChild(layer); return scene; } bool HelloWorld::init() { if ( !Layer::init() ) { return false; } is_paused = false; //播放按钮 auto* label_play = Label::create(); auto* pLabel_play = MenuItemLabel::create(label_play, this, menu_selector(HelloWorld::play)); auto* button_play = Menu::create(pLabel_play, NULL); button_play->setPosition(,); addChild(button_play); //暂停按钮 auto* label_pause = Label::create(); auto* pLabel_pause = MenuItemLabel::create(label_pause, this, menu_selector(HelloWorld::pause auto* button_pause = Menu::create(pLabel_pause, NULL); button_pause->setPosition(,); addChild(button_pause); //停止按钮 auto* label_stop = Label::create(); auto* pLabel_stop = MenuItemLabel::create(label_stop, this, menu_selector(HelloWorld::stop)); auto* button_stop = Menu::create(pLabel_stop, NULL); button_stop->setPosition(,); addChild(button_stop); return true; } void HelloWorld::play(Cocos2d::Object* pSender) { //如果背景音乐被暂停则继续播放 if (is_paused) { CocosDenshion::SimpleAudioEngine::sharedEngine()->resumeBackgroundMusic(); } else { //否则重新播放 CocosDenshion::SimpleAudioEngine::sharedEngine()->playBackgroundMusic("music.mp3"); } is_paused = false; } void HelloWorld::stop(Cocos2d::Object* pSender) { //停止音乐 is_paused = false; CocosDenshion::SimpleAudioEngine::sharedEngine()->stopBackgroundMusic(); } void HelloWorld::pause(Cocos2d::Object* pSender) { //暂停播放音乐 is_paused = true; CocosDenshion::SimpleAudioEngine::sharedEngine()->pauseBackgroundMusic(); }
本例运行后的界面如图3-12所示,点击屏幕上的3个标签按钮则会执行音乐的播放、暂停等操作。
图3-12 可以点击按钮进行音乐的播放暂停等操作
在使用Cocos2d-x播放音乐时需要引入文件SimpleAudioEngine.h(如范例第02行所示),之后就可以使用如范例第42、46、53、58行所示的代码来对音乐进行操作了。因为代码非常简单,这里便不再做太多介绍了。
现在需要读者思考一个问题,为什么在播放音乐时使用的方法是playBackgroundMusic而不是playMusic?Background是背景的意思,是不是说这个方法只能用来播放背景音乐?那么什么音乐不是背景音乐呢?
实际上该方法是可以播放任何音乐的,但是比较适合播放大段的音乐,而在游戏中大段的音乐常常被用来作为背景音乐使用。在游戏中一些短小的音乐(如怪物的叫声、打斗声等)则是要通过其他方法来播放的,这些内容将在下一节介绍。