cocos2d-x游戏开发(四)游戏主循环

欢迎转载:http://blog.csdn.net/fylz1125/article/details/8518737


终于抽时间把这个游戏写完了。由于没有自拍神器,所以把它移植到了Android上,用我的戴妃跑的很欢啊。自此,我算是完成了一个功能比较完善的游戏了。

麻雀虽小,五脏俱全,该有的都有,不该有的估计也有,嘿嘿。这几天把写这个游戏的经历和学习过程整理一下,多写几篇博客,就当做记笔记了。


首先还是就我个人的理解,讲讲游戏引擎的处理流程。

其实游戏逻辑简单化就是一个死循环,如下:

  1.      
  2. bool game_is_running = true;  
  3.   
  4.     while( game_is_running ) {   
  5.         update_game();   
  6.         display_game();   
  7.     }  

我们所看到的游戏画面,游戏音乐,以及一些触控,输入等。在逻辑上就是这么一个死循环。这个循环一直在跑,期间会处理一些列的事件,简化之就是上面的两个函数。

cocos2d-x引擎也是如此,所有的逻辑都是在这个主循环下实现的。下面看看cocos2dx在各平台上的主循环实现。


1.Win

看它的main.cpp

  1. #include "main.h"  
  2. #include "../Classes/AppDelegate.h"  
  3. #include "CCEGLView.h"  
  4.   
  5. USING_NS_CC;  
  6.   
  7. int APIENTRY _tWinMain(HINSTANCE hInstance,  
  8.                        HINSTANCE hPrevInstance,  
  9.                        LPTSTR    lpCmdLine,  
  10.                        int       nCmdShow)  
  11. {  
  12.     UNREFERENCED_PARAMETER(hPrevInstance);  
  13.     UNREFERENCED_PARAMETER(lpCmdLine);  
  14.   
  15.     // create the application instance  
  16.     AppDelegate app;  
  17.     CCEGLView* eglView = CCEGLView::sharedOpenGLView();  
  18.     eglView->setFrameSize(2048, 1536);  
  19.     // The resolution of ipad3 is very large. In general, PC's resolution is smaller than it.  
  20.     // So we need to invoke 'setFrameZoomFactor'(only valid on desktop(win32, mac, linux)) to make the window smaller.  
  21.     eglView->setFrameZoomFactor(0.4f);  
  22.     return CCApplication::sharedApplication()->run();// 注意这里  
  23. }  

前面都不要关心,只是用来传递OpenGL窗口的,关键是最后一句,CCApplication::sharedApplication()->run()。看这个run函数:

  1. int CCApplication::run()  
  2. {  
  3.     PVRFrameEnableControlWindow(false);  
  4.   
  5.     // Main message loop:  
  6.     MSG msg;  
  7.     LARGE_INTEGER nFreq;  
  8.     LARGE_INTEGER nLast;  
  9.     LARGE_INTEGER nNow;  
  10.   
  11.     QueryPerformanceFrequency(&nFreq);  
  12.     QueryPerformanceCounter(&nLast);  
  13.   
  14.     // Initialize instance and cocos2d.  
  15.     if (!applicationDidFinishLaunching())  
  16.     {  
  17.         return 0;  
  18.     }  
  19.   
  20.     CCEGLView* pMainWnd = CCEGLView::sharedOpenGLView();  
  21.     pMainWnd->centerWindow();  
  22.     ShowWindow(pMainWnd->getHWnd(), SW_SHOW);  
  23.   
  24.     while (1)// 注意这里,主循环来了  
  25.     {  
  26.         if (! PeekMessage(&msg, NULL, 0, 0, PM_REMOVE))  
  27.         {  
  28.             // Get current time tick.  
  29.             QueryPerformanceCounter(&nNow);  
  30.   
  31.             // If it's the time to draw next frame, draw it, else sleep a while.  
  32.             if (nNow.QuadPart - nLast.QuadPart > m_nAnimationInterval.QuadPart)  
  33.             {  
  34.                 nLast.QuadPart = nNow.QuadPart;  
  35.                 CCDirector::sharedDirector()->mainLoop(); //看看这是神马  
  36.             }  
  37.             else  
  38.             {  
  39.                 Sleep(0);  
  40.             }  
  41.             continue;  
  42.         }  
  43.   
  44.         if (WM_QUIT == msg.message)  
  45.         {  
  46.             // Quit message loop.  
  47.             break;  
  48.         }  
  49.   
  50.         // Deal with windows message.  
  51.         if (! m_hAccelTable || ! TranslateAccelerator(msg.hwnd, m_hAccelTable, &msg))  
  52.         {  
  53.             TranslateMessage(&msg);  
  54.             DispatchMessage(&msg);  
  55.         }  
  56.     }  
  57.   
  58.     return (int) msg.wParam;  
  59. }  

不熟悉windows的童鞋估计都知道windows是消息驱动的。这个死循环就是用来处理windows的消息循环的,在其中处理了FPS逻辑,消息分发等。注意看其中红色标标注的
  1. CCDirector::sharedDirector()->mainLoop();  

这是神马东西啊!这个就是cocos2d-x的主循环了,由导演负责维护。从此就进入了cocos2d-x的世界,跟windows没有一毛钱关系了。


2.Android

Android平台的游戏是从一个Activity开始的。(话说好像Android的所有应用都是从Activity开始的吧)。

在引擎源码下有个目录是android的java代码,是模板代码,几乎所有的游戏都用这个,不怎么变。不信可以你可以看

YourCocos2dxDir/cocos2dx/platform/android/java这个目录,就是创建android工程的时候会去这个目录拷贝java代码作为模板。

来看看HelloCpp的代码

[java]  view plain copy print ?
  1. package org.cocos2dx.hellocpp;  
  2.   
  3. import org.cocos2dx.lib.Cocos2dxActivity;  
  4.   
  5. import android.os.Bundle;  
  6.   
  7. public class HelloCpp extends Cocos2dxActivity{  
  8.   
  9.     protected void onCreate(Bundle savedInstanceState){  
  10.         super.onCreate(savedInstanceState);  
  11.     }  
  12.       
  13.     static {  
  14.          System.loadLibrary("hellocpp");  
  15.     }  
  16. }  

很简单,对吧。几行代码而已,这里说明了两个问题

1. Cocos2dxActivity才是核心的Activity。

2. 游戏的C++部分包括引擎部分,被编译成了动态链接库hellocpp。这里就是加载了hellocpp动态链接库。

这个动态链接库是在用NDK编译的时候生成的,就是libs/armeabi/libhellocpp.so。(扯远了)


还是来看看Cocos2dxActivity这个Activity。

[java]  view plain copy print ?
  1. public abstract class Cocos2dxActivity extends Activity implements Cocos2dxHelperListener {  
  2.     // ===========================================================  
  3.     // Constants  
  4.     // ===========================================================  
  5.   
  6.     private static final String TAG = Cocos2dxActivity.class.getSimpleName();  
  7.   
  8.     // ===========================================================  
  9.     // Fields  
  10.     // ===========================================================  
  11.       
  12.     private Cocos2dxGLSurfaceView mGLSurfaceView;//注意这个SurfaceView  
  13.     private Cocos2dxHandler mHandler;  
  14.   
  15.     // ===========================================================  
  16.     // Constructors  
  17.     // ===========================================================  
  18.   
  19.     @Override  
  20.     protected void onCreate(final Bundle savedInstanceState) {  
  21.         super.onCreate(savedInstanceState);  
  22.           
  23.         this.mHandler = new Cocos2dxHandler(this);  
  24.   
  25.         this.init();  
  26.   
  27.         Cocos2dxHelper.init(thisthis);  
  28.     }  
  29.   
  30.     // ===========================================================  
  31.     // Getter & Setter  
  32.     // ===========================================================  
  33.   
  34.     // ===========================================================  
  35.     // Methods for/from SuperClass/Interfaces  
  36.     // ===========================================================  
  37.   
  38.     @Override  
  39.     protected void onResume() {  
  40.         super.onResume();  
  41.   
  42.         Cocos2dxHelper.onResume();  
  43.         this.mGLSurfaceView.onResume();  
  44.     }  
  45.   
  46.     @Override  
  47.     protected void onPause() {  
  48.         super.onPause();  
  49.   
  50.         Cocos2dxHelper.onPause();  
  51.         this.mGLSurfaceView.onPause();  
  52.     }  
  53.   
  54.     @Override  
  55.     public void showDialog(final String pTitle, final String pMessage) {  
  56.         Message msg = new Message();  
  57.         msg.what = Cocos2dxHandler.HANDLER_SHOW_DIALOG;  
  58.         msg.obj = new Cocos2dxHandler.DialogMessage(pTitle, pMessage);  
  59.         this.mHandler.sendMessage(msg);  
  60.     }  
  61.   
  62.     @Override  
  63.     public void showEditTextDialog(final String pTitle, final String pContent, final int pInputMode, final int pInputFlag, final int pReturnType, final int pMaxLength) {   
  64.         Message msg = new Message();  
  65.         msg.what = Cocos2dxHandler.HANDLER_SHOW_EDITBOX_DIALOG;  
  66.         msg.obj = new Cocos2dxHandler.EditBoxMessage(pTitle, pContent, pInputMode, pInputFlag, pReturnType, pMaxLength);  
  67.         this.mHandler.sendMessage(msg);  
  68.     }  
  69.       
  70.     @Override  
  71.     public void runOnGLThread(final Runnable pRunnable) {  
  72.         this.mGLSurfaceView.queueEvent(pRunnable);  
  73.     }  
  74.   
  75.     // ===========================================================  
  76.     // Methods  
  77.     // ===========================================================  
  78.     public void init() {  
  79.           
  80.         // FrameLayout  
  81.         ViewGroup.LayoutParams framelayout_params =  
  82.             new ViewGroup.LayoutParams(ViewGroup.LayoutParams.FILL_PARENT,  
  83.                                        ViewGroup.LayoutParams.FILL_PARENT);  
  84.         FrameLayout framelayout = new FrameLayout(this); // 帧布局,可一层一层覆盖  
  85.         framelayout.setLayoutParams(framelayout_params);  
  86.   
  87.         // Cocos2dxEditText layout  
  88.         ViewGroup.LayoutParams edittext_layout_params =  
  89.             new ViewGroup.LayoutParams(ViewGroup.LayoutParams.FILL_PARENT,  
  90.                                        ViewGroup.LayoutParams.WRAP_CONTENT);  
  91.         Cocos2dxEditText edittext = new Cocos2dxEditText(this);  
  92.         edittext.setLayoutParams(edittext_layout_params);  
  93.   
  94.         // ...add to FrameLayout  
  95.         framelayout.addView(edittext);  
  96.   
  97.         // Cocos2dxGLSurfaceView  
  98.         this.mGLSurfaceView = this.onCreateView();  
  99.   
  100.         // ...add to FrameLayout  
  101.         framelayout.addView(this.mGLSurfaceView);// 添加GLSurfaceView  
  102.   
  103.         this.mGLSurfaceView.setCocos2dxRenderer(new Cocos2dxRenderer());//意这行,一个渲染器  
  104.         this.mGLSurfaceView.setCocos2dxEditText(edittext);  
  105.   
  106.         // Set framelayout as the content view  
  107.         setContentView(framelayout);  
  108.     }  
  109.       
  110.     public Cocos2dxGLSurfaceView onCreateView() {  
  111.         return new Cocos2dxGLSurfaceView(this);  
  112.     }  
  113.   
  114.     // ===========================================================  
  115.     // Inner and Anonymous Classes  
  116.     // ===========================================================  
  117. }  

代码很多,呵呵。其实核心就是那个mGLSurfaceView和它的渲染器new Cocos2dxRenderer()。在Android上,OpenGL的渲染是由一个GLSurfaceView和其渲染器Render组成。GLSurfaceView显示界面,Render渲染更新。这个Render其实是一个渲染线程,不停再跑,由框架层维护。这里不多讲。

来看这个Cocos2dxRenderer

[java]  view plain copy print ?
  1. package org.cocos2dx.lib;  
  2.   
  3. import javax.microedition.khronos.egl.EGLConfig;  
  4. import javax.microedition.khronos.opengles.GL10;  
  5.   
  6. import android.opengl.GLSurfaceView;  
  7.   
  8. public class Cocos2dxRenderer implements GLSurfaceView.Renderer {  
  9.     // ===========================================================  
  10.     // Constants  
  11.     // ===========================================================  
  12.   
  13.     private final static long NANOSECONDSPERSECOND = 1000000000L;  
  14.     private final static long NANOSECONDSPERMICROSECOND = 1000000;  
  15.   
  16.     private static long sAnimationInterval = (long) (1.0 / 60 * Cocos2dxRenderer.NANOSECONDSPERSECOND);  
  17.   
  18.     // ===========================================================  
  19.     // Fields  
  20.     // ===========================================================  
  21.   
  22.     private long mLastTickInNanoSeconds;  
  23.     private int mScreenWidth;  
  24.     private int mScreenHeight;  
  25.   
  26.     // ===========================================================  
  27.     // Constructors  
  28.     // ===========================================================  
  29.   
  30.     // ===========================================================  
  31.     // Getter & Setter  
  32.     // ===========================================================  
  33.   
  34.     public static void setAnimationInterval(final double pAnimationInterval) {  
  35.         Cocos2dxRenderer.sAnimationInterval = (long) (pAnimationInterval * Cocos2dxRenderer.NANOSECONDSPERSECOND);  
  36.     }  
  37.   
  38.     public void setScreenWidthAndHeight(final int pSurfaceWidth, final int pSurfaceHeight) {  
  39.         this.mScreenWidth = pSurfaceWidth;  
  40.         this.mScreenHeight = pSurfaceHeight;  
  41.     }  
  42.   
  43.     // ===========================================================  
  44.     // Methods for/from SuperClass/Interfaces  
  45.     // ===========================================================  
  46.   
  47.     @Override //①注意这里  
  48.     public void onSurfaceCreated(final GL10 pGL10, final EGLConfig pEGLConfig) {  
  49.         Cocos2dxRenderer.nativeInit(this.mScreenWidth, this.mScreenHeight);//②初始化窗口  
  50.         this.mLastTickInNanoSeconds = System.nanoTime();  
  51.     }  
  52.   
  53.     @Override  
  54.     public void onSurfaceChanged(final GL10 pGL10, final int pWidth, final int pHeight) {  
  55.     }  
  56.   
  57.     @Override //③注意这里  
  58.     public void onDrawFrame(final GL10 gl) {  
  59.         /* 
  60.          * FPS controlling algorithm is not accurate, and it will slow down FPS 
  61.          * on some devices. So comment FPS controlling code. 
  62.          */  
  63.           
  64.         /* 
  65.         final long nowInNanoSeconds = System.nanoTime(); 
  66.         final long interval = nowInNanoSeconds - this.mLastTickInNanoSeconds; 
  67.         */  
  68.   
  69.         // should render a frame when onDrawFrame() is called or there is a  
  70.         // "ghost"  
  71.         Cocos2dxRenderer.nativeRender();//④特别注意这个  
  72.         /* 
  73.         // fps controlling 
  74.         if (interval < Cocos2dxRenderer.sAnimationInterval) { 
  75.             try { 
  76.                 // because we render it before, so we should sleep twice time interval 
  77.                 Thread.sleep((Cocos2dxRenderer.sAnimationInterval - interval) / Cocos2dxRenderer.NANOSECONDSPERMICROSECOND); 
  78.             } catch (final Exception e) { 
  79.             } 
  80.         } 
  81.  
  82.         this.mLastTickInNanoSeconds = nowInNanoSeconds; 
  83.         */  
  84.     }  
  85.   
  86.     // ===========================================================  
  87.     // Methods  
  88.     // ===========================================================  
  89.   
  90.     private static native void nativeTouchesBegin(final int pID, final float pX, final float pY);  
  91.     private static native void nativeTouchesEnd(final int pID, final float pX, final float pY);  
  92.     private static native void nativeTouchesMove(final int[] pIDs, final float[] pXs, final float[] pYs);  
  93.     private static native void nativeTouchesCancel(final int[] pIDs, final float[] pXs, final float[] pYs);  
  94.     private static native boolean nativeKeyDown(final int pKeyCode);  
  95.     private static native void nativeRender();  
  96.     private static native void nativeInit(final int pWidth, final int pHeight);  
  97.     private static native void nativeOnPause();  
  98.     private static native void nativeOnResume();  
  99.   
  100.     public void handleActionDown(final int pID, final float pX, final float pY) {  
  101.         Cocos2dxRenderer.nativeTouchesBegin(pID, pX, pY);  
  102.     }  
  103.   
  104.     public void handleActionUp(final int pID, final float pX, final float pY) {  
  105.         Cocos2dxRenderer.nativeTouchesEnd(pID, pX, pY);  
  106.     }  
  107.   
  108.     public void handleActionCancel(final int[] pIDs, final float[] pXs, final float[] pYs) {  
  109.         Cocos2dxRenderer.nativeTouchesCancel(pIDs, pXs, pYs);  
  110.     }  
  111.   
  112.     public void handleActionMove(final int[] pIDs, final float[] pXs, final float[] pYs) {  
  113.         Cocos2dxRenderer.nativeTouchesMove(pIDs, pXs, pYs);  
  114.     }  
  115.   
  116.     public void handleKeyDown(final int pKeyCode) {  
  117.         Cocos2dxRenderer.nativeKeyDown(pKeyCode);  
  118.     }  
  119.   
  120.     public void handleOnPause() {  
  121.         Cocos2dxRenderer.nativeOnPause();  
  122.     }  
  123.   
  124.     public void handleOnResume() {  
  125.         Cocos2dxRenderer.nativeOnResume();  
  126.     }  
  127.   
  128.     private static native void nativeInsertText(final String pText);  
  129.     private static native void nativeDeleteBackward();  
  130.     private static native String nativeGetContentText();  
  131.   
  132.     public void handleInsertText(final String pText) {  
  133.         Cocos2dxRenderer.nativeInsertText(pText);  
  134.     }  
  135.   
  136.     public void handleDeleteBackward() {  
  137.         Cocos2dxRenderer.nativeDeleteBackward();  
  138.     }  
  139.   
  140.     public String getContentText() {  
  141.         return Cocos2dxRenderer.nativeGetContentText();  
  142.     }  
  143.   
  144.     // ===========================================================  
  145.     // Inner and Anonymous Classes  
  146.     // ===========================================================  
  147. }  

代码很多,一副貌似很复杂的样子。其实脉络很清晰的,我们只看脉络,不考虑细节哈。我们顺藤摸瓜来...

首先要知道GLSurfaceView的渲染器必须实现GLSurfaceView.Renderer接口。就是上面的三个Override方法。

onSurfaceCreated在窗口建立的时候调用,onSurfaceChanged在窗口建立和大小变化是调用,onDrawFrame这个方法就跟普通View的Ondraw方法一样,窗口建立初始化完成后渲染线程不停的调这个方法。这些都是框架决定的,就是这个样子。下面分析下代码几处标记的地方:

看标记,窗口建立,这个时候要进行初始化。这个时候它调用了一个native函数,就是标记。看到这个函数形式是不是能想到什么呢,等下再说。

看标记,前面说了,这个函数会被渲染线程不停调用(像不像主循环的死循环啊)。然后里面有个很牛擦的函数

这又是一个native的函数,呵呵。

native的代码是神马啊,就是C++啊。知之为知之,不知谷歌之。

既然是java调用C++,那就是jni调用了。

我们来看看jni/hellocpp/下的main.cpp

  1. #include "AppDelegate.h"  
  2. #include "platform/android/jni/JniHelper.h"  
  3. #include <jni.h>  
  4. #include <android/log.h>  
  5.   
  6. #include "HelloWorldScene.h"  
  7.   
  8. #define  LOG_TAG    "main"  
  9. #define  LOGD(...)  __android_log_print(ANDROID_LOG_DEBUG,LOG_TAG,__VA_ARGS__)  
  10.   
  11. using namespace cocos2d;  
  12.   
  13. extern "C"  
  14. {  
  15.   
  16. jint JNI_OnLoad(JavaVM *vm, void *reserved)  
  17. {  
  18.     JniHelper::setJavaVM(vm);  
  19.   
  20.     return JNI_VERSION_1_4;  
  21. }  
  22.   
  23. void Java_org_cocos2dx_lib_Cocos2dxRenderer_nativeInit(JNIEnv*  env, jobject thiz, jint w, jint h)  
  24. {  
  25.     if (!CCDirector::sharedDirector()->getOpenGLView())  
  26.     {  
  27.         CCEGLView *view = CCEGLView::sharedOpenGLView();  
  28.         view->setFrameSize(w, h);  
  29.         CCLog("with %d,height %d",w,h);  
  30.   
  31.         AppDelegate *pAppDelegate = new AppDelegate();  
  32.         CCApplication::sharedApplication()->run(); // 看这里⑤  
  33.     }  
  34.     else  
  35.     {  
  36.         ccDrawInit();  
  37.         ccGLInvalidateStateCache();  
  38.           
  39.         CCShaderCache::sharedShaderCache()->reloadDefaultShaders();  
  40.         CCTextureCache::reloadAllTextures();  
  41.         CCNotificationCenter::sharedNotificationCenter()->postNotification(EVNET_COME_TO_FOREGROUND, NULL);  
  42.         CCDirector::sharedDirector()->setGLDefaultValues();   
  43.     }  
  44. }  
  45.   
  46. }  

根据Jni的命名规则,那个标注的nativeInit方法就是上面红色一长串(呵呵)。窗口建立起来后调用nativeInit方法,就是调用这个C++的实现。这里做了窗口的初始化处理。

看标注,你以为这个run函数就进入主循环了么,呵呵

看这个run

  1. <span style="font-size:18px;">int CCApplication::run()  
  2. {  
  3.     // Initialize instance and cocos2d.  
  4.     if (! applicationDidFinishLaunching())  
  5.     {  
  6.         return 0;  
  7.     }  
  8.       
  9.     return -1;  
  10. }</span>  

我们看到了神马!实质上就调了一下applicationDidFinishLaunching,别的什么也没干。所以这里没有进入主循环。

现在再看。这个逻辑貌似就是主循环。

这个nativeRender()函数的实现在Yourcocos2dDir/cocos2dx/platform/android/jni/Java_org_cocos2dx_lib_Cocos2dxRenderer.cpp

  1. #include "text_input_node/CCIMEDispatcher.h"  
  2. #include "CCDirector.h"  
  3. #include "../CCApplication.h"  
  4. #include "platform/CCFileUtils.h"  
  5. #include "CCEventType.h"  
  6. #include "support/CCNotificationCenter.h"  
  7. #include "JniHelper.h"  
  8. #include <jni.h>  
  9.   
  10. using namespace cocos2d;  
  11.   
  12. extern "C" {  
  13.     JNIEXPORT void JNICALL Java_org_cocos2dx_lib_<span style="color:#ff0000;">Cocos2dxRenderer_nativeRender</span>(JNIEnv* env) {  
  14.         <span style="color:#ff0000;">cocos2d::CCDirector::sharedDirector()->mainLoop();//看到木有,这是什么</span>  
  15.     }  
  16.   
  17.     JNIEXPORT void JNICALL Java_org_cocos2dx_lib_Cocos2dxRenderer_nativeOnPause() {  
  18.         CCApplication::sharedApplication()->applicationDidEnterBackground();  
  19.   
  20.         CCNotificationCenter::sharedNotificationCenter()->postNotification(EVENT_COME_TO_BACKGROUND, NULL);  
  21.     }  
  22.   
  23.     JNIEXPORT void JNICALL Java_org_cocos2dx_lib_Cocos2dxRenderer_nativeOnResume() {  
  24.         if (CCDirector::sharedDirector()->getOpenGLView()) {  
  25.             CCApplication::sharedApplication()->applicationWillEnterForeground();  
  26.         }  
  27.     }  
  28.   
  29.     JNIEXPORT void JNICALL Java_org_cocos2dx_lib_Cocos2dxRenderer_nativeInsertText(JNIEnv* env, jobject thiz, jstring text) {  
  30.         const char* pszText = env->GetStringUTFChars(text, NULL);  
  31.         cocos2d::CCIMEDispatcher::sharedDispatcher()->dispatchInsertText(pszText, strlen(pszText));  
  32.         env->ReleaseStringUTFChars(text, pszText);  
  33.     }  
  34.   
  35.     JNIEXPORT void JNICALL Java_org_cocos2dx_lib_Cocos2dxRenderer_nativeDeleteBackward(JNIEnv* env, jobject thiz) {  
  36.         cocos2d::CCIMEDispatcher::sharedDispatcher()->dispatchDeleteBackward();  
  37.     }  
  38.   
  39.     JNIEXPORT jstring JNICALL Java_org_cocos2dx_lib_Cocos2dxRenderer_nativeGetContentText() {  
  40.         JNIEnv * env = 0;  
  41.   
  42.         if (JniHelper::getJavaVM()->GetEnv((void**)&env, JNI_VERSION_1_4) != JNI_OK || ! env) {  
  43.             return 0;  
  44.         }  
  45.         const char * pszText = cocos2d::CCIMEDispatcher::sharedDispatcher()->getContentText();  
  46.         return env->NewStringUTF(pszText);  
  47.     }  
  48. }  

看上面标注,找到导演了,导演又开始主循环了。真是众里寻他千百度,那人却在灯火阑珊处啊。

到这里可以发现,Android上的主循环跟win上的不太一样,它不是一个简单的while就完了。它是由java的渲染线程发起的,通过不断调用render来驱动。


3.iOs

ios上面和Android上类似。看AppController.mm

  1. #import <UIKit/UIKit.h>  
  2. #import "AppController.h"  
  3. #import "cocos2d.h"  
  4. #import "EAGLView.h"  
  5. #import "AppDelegate.h"  
  6.   
  7. #import "RootViewController.h"  
  8.   
  9. @implementation AppController  
  10.   
  11. @synthesize window;  
  12. @synthesize viewController;  
  13.   
  14. #pragma mark -  
  15. #pragma mark Application lifecycle  
  16.   
  17. // cocos2d application instance  
  18. static AppDelegate s_sharedApplication;  
  19.   
  20. - (BOOL)application:(UIApplication *)application didFinishLaunchingWithOptions:(NSDictionary *)launchOptions {  
  21.   
  22.     // Override point for customization after application launch.  
  23.   
  24.     // Add the view controller's view to the window and display.  
  25.     window = [[UIWindow alloc] initWithFrame: [[UIScreen mainScreen] bounds]];  
  26.     EAGLView *__glView = [EAGLView viewWithFrame: [window bounds]  
  27.                                      pixelFormat: kEAGLColorFormatRGBA8  
  28.                                      depthFormat: GL_DEPTH_COMPONENT16  
  29.                               preserveBackbuffer: NO  
  30.                                       sharegroup: nil  
  31.                                    multiSampling: NO  
  32.                                  numberOfSamples:0 ];  
  33.   
  34.     // Use RootViewController manage EAGLView  
  35.     viewController = [[RootViewController alloc] initWithNibName:nil bundle:nil];  
  36.     viewController.wantsFullScreenLayout = YES;  
  37.     viewController.view = __glView;  
  38.   
  39.     // Set RootViewController to window  
  40.     if ( [[UIDevice currentDevice].systemVersion floatValue] < 6.0)  
  41.     {  
  42.         // warning: addSubView doesn't work on iOS6  
  43.         [window addSubview: viewController.view];  
  44.     }  
  45.     else  
  46.     {  
  47.         // use this method on ios6  
  48.         [window setRootViewController:viewController];  
  49.     }  
  50.       
  51.     [window makeKeyAndVisible];  
  52.   
  53.     [[UIApplication sharedApplication] setStatusBarHidden: YES];  
  54.   
  55.       
  56.     <span style="color:#ff0000;">cocos2d::CCApplication::sharedApplication()->run();</span>//<span style="color:#ff0000;">看这里</span>  
  57.     return YES;  
  58. }  
  59.   
  60.   
  61. - (void)applicationWillResignActive:(UIApplication *)application {  
  62.     /* 
  63.      Sent when the application is about to move from active to inactive state. This can occur for certain types of temporary interruptions (such as an incoming phone call or SMS message) or when the user quits the application and it begins the transition to the background state. 
  64.      Use this method to pause ongoing tasks, disable timers, and throttle down OpenGL ES frame rates. Games should use this method to pause the game. 
  65.      */  
  66.     cocos2d::CCDirector::sharedDirector()->pause();  
  67. }  
  68.   
  69. - (void)applicationDidBecomeActive:(UIApplication *)application {  
  70.     /* 
  71.      Restart any tasks that were paused (or not yet started) while the application was inactive. If the application was previously in the background, optionally refresh the user interface. 
  72.      */  
  73.     cocos2d::CCDirector::sharedDirector()->resume();  
  74. }  
  75.   
  76. - (void)applicationDidEnterBackground:(UIApplication *)application {  
  77.     /* 
  78.      Use this method to release shared resources, save user data, invalidate timers, and store enough application state information to restore your application to its current state in case it is terminated later. 
  79.      If your application supports background execution, called instead of applicationWillTerminate: when the user quits. 
  80.      */  
  81.     cocos2d::CCApplication::sharedApplication()->applicationDidEnterBackground();  
  82. }  
  83.   
  84. - (void)applicationWillEnterForeground:(UIApplication *)application {  
  85.     /* 
  86.      Called as part of  transition from the background to the inactive state: here you can undo many of the changes made on entering the background. 
  87.      */  
  88.     cocos2d::CCApplication::sharedApplication()->applicationWillEnterForeground();  
  89. }  
  90.   
  91. - (void)applicationWillTerminate:(UIApplication *)application {  
  92.     /* 
  93.      Called when the application is about to terminate. 
  94.      See also applicationDidEnterBackground:. 
  95.      */  
  96. }  
  97.   
  98.   
  99. #pragma mark -  
  100. #pragma mark Memory management  
  101.   
  102. - (void)applicationDidReceiveMemoryWarning:(UIApplication *)application {  
  103.     /* 
  104.      Free up as much memory as possible by purging cached data objects that can be recreated (or reloaded from disk) later. 
  105.      */  
  106.      cocos2d::CCDirector::sharedDirector()->purgeCachedData();  
  107. }  
  108.   
  109.   
  110. - (void)dealloc {  
  111.     [super dealloc];  
  112. }  
  113.   
  114.   
  115. @end  

直接看标注,跟进run()

  1. <span style="font-size:18px;">int CCApplication::run()  
  2. {  
  3.     if (applicationDidFinishLaunching())   
  4.     {  
  5.         <span style="color:#ff0000;">[[CCDirectorCaller sharedDirectorCaller] startMainLoop]</span>;  
  6.     }  
  7.     return 0;  
  8. }</span>  
再跟标注的startMainLoop()

  1. -(void) startMainLoop  
  2. {  
  3.         // CCDirector::setAnimationInterval() is called, we should invalidate it first  
  4.         [displayLink invalidate];  
  5.         displayLink = nil;  
  6.         NSLog(@"run loop !");  
  7.         displayLink = [NSClassFromString(@"CADisplayLink") displayLinkWithTarget:self selector:@selector(doCaller:)];//看这里  
  8.         [displayLink setFrameInterval: self.interval];  
  9.         [displayLink addToRunLoop:[NSRunLoop currentRunLoop] forMode:NSDefaultRunLoopMode];  
  10. }  
好了,看红色标注。这个貌似循环不起来啊,呵呵。

仔细看他加载的这个类CADisplayLink,就是这个东西循环起来的。这其实就是个定时器,默认每秒运行60次,其有个属性可以设置FPS。看后面有个回调函数doCaller,跟进

  1. -(void) doCaller: (id) sender  
  2. {  
  3.     cocos2d::CCDirector::sharedDirector()->mainLoop();//看这里  
  4. }  
好了,终于又看到导演了。导演很忙,又开始主循环了。


一旦进入主循环,游戏就开始我们自己设计的游戏逻辑。

打字打的睡着了....不打了


原文地址:http://blog.csdn.net/dawn_moon/article/details/8518737

  • 0
    点赞
  • 0
    收藏
    觉得还不错? 一键收藏
  • 0
    评论
Cocos2d-x是一款非常流行的移动跨平台游戏引擎。它提供了丰富的功能和工具,方便开发者进行游戏开发。有多本与Cocos2d-x移动游戏开发相关的书籍被出版,这些书籍提供了全面的教程和实战经验。 其中,《捕鱼达人游戏开发》是一本全面的、比较实用的Cocos2d-x游戏开发教程。这本书汇集了热门手机游戏《捕鱼达人》开发的实战经验,作者从基础内容开始介绍Cocos2d-x引擎,并逐步深入地介绍了相关的开发技术和经验。 还有一本《Cocos2d-x高级开发教程》,该书作者曾参与Cocos2d-x for Windows Phone 7引擎的开发,并负责《捕鱼达人》系列游戏Windows Phone版本的移植工作。作者也参与了多个移动游戏项目的开发,拥有丰富的游戏开发经验。 除了这些书籍,还有《Cocos2D-X游戏开发技术精解》。这本书详细介绍了如何使用Cocos2D-X引擎开发移动平台游戏,包括引擎的简介以及其他相关内容。 总结来说,Cocos2d-x是一款流行的移动跨平台游戏引擎,有多本相关的书籍提供了全面的教程和实战经验,适合想要进行Cocos2d-x移动游戏开发开发者参考和学习。<span class="em">1</span><span class="em">2</span><span class="em">3</span> #### 引用[.reference_title] - *1* [Cocos2d-x高级开发教程](https://download.csdn.net/download/surport_t/9776900)[target="_blank" data-report-click={"spm":"1018.2226.3001.9630","extra":{"utm_source":"vip_chatgpt_common_search_pc_result","utm_medium":"distribute.pc_search_result.none-task-cask-2~all~insert_cask~default-1-null.142^v93^chatsearchT3_2"}}] [.reference_item style="max-width: 33.333333333333336%"] - *2* [Cocos2d-x高级开发教程制作自己的《捕鱼达人》](https://download.csdn.net/download/qq461787436/10872674)[target="_blank" data-report-click={"spm":"1018.2226.3001.9630","extra":{"utm_source":"vip_chatgpt_common_search_pc_result","utm_medium":"distribute.pc_search_result.none-task-cask-2~all~insert_cask~default-1-null.142^v93^chatsearchT3_2"}}] [.reference_item style="max-width: 33.333333333333336%"] - *3* [Cocos2D-X游戏开发技术精解](https://download.csdn.net/download/weixin_39840588/11417620)[target="_blank" data-report-click={"spm":"1018.2226.3001.9630","extra":{"utm_source":"vip_chatgpt_common_search_pc_result","utm_medium":"distribute.pc_search_result.none-task-cask-2~all~insert_cask~default-1-null.142^v93^chatsearchT3_2"}}] [.reference_item style="max-width: 33.333333333333336%"] [ .reference_list ]

“相关推荐”对你有帮助么?

  • 非常没帮助
  • 没帮助
  • 一般
  • 有帮助
  • 非常有帮助
提交
评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值