cocos2d-html5游戏开发官方教学代码

前端之家收集整理的这篇文章主要介绍了cocos2d-html5游戏开发官方教学代码前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。

Design and Make Your Gameplay Scene

Introduction

In this tutorial,you will learn how to design and construct the gameplay scene. Every game needs some kind of gameplay scene. This tutorial will show the general scenario of a gameplay scene.

From the prevIoUs tutorial,we know that we can use different layers to separate the logic of a specified scene.

Here is the final result of our gameplay scene:

gamescene

There is a background with some buildings,our hero and some HUD(heads-up display) elements to show some statistics about the current game. We divide the gameplay scene into three parts: the background layer,the animation layer and the status layer.

Background Layer

Basically,every game needs a background of some sort. Sometimes the background is just a static image which occupies the entire screen. Other times you may want the background layer to move at a constant or varying speed. Sometimes the background even shows us parallax effects--different layers move at varIoUs speed,the nearest layer moves faster and the farthest layer moves slower to simulate that objects are near or far.

In later tutorials,we will introduce tiled maps which are very useful to construct parallax background. In this tutorial,in order to keep things simple,we just use a simple static image to represent the game's background.

Note:
We can move the background to mimic the effect of our game hero running,keeping the hero at the center of the screen. We will see many such tricks during our development process.

Animation Layer(Gameplay Layer)

The animation layer contains all game elements that animate,collision detection and other game logic. This layer is sometimes also called theGameplayLayer. You can choose to name it what you want. In this layer,we organize the key part of our gameplay. In general,we will design game objects,s level spawner(which are also called level managers),collision detection between different game objects and check if the player has won or lost the game.

In theory,we don't need to separate this layer into smaller layers. We can use composition and delegation to handle things properly.

Status Layer(HUD Layer)

In video gaming,the HUD (head-up display) is the method by which information is visually relayed to the player as part of a game's user interface. It takes its name from the head-up displays used in modern aircraft.

The HUD is frequently used to simultaneously display several pieces of information including the main character's health,items and an indication of game's progression (such as score or level). You can refer tothis link) for more information on HUDs.

To make things simpler,we put this information into a separate layer called StatusLayer. Because these items are always displayed on top of other game elements,placing them on a separate layer will make our life easier without caring about the Z-order display issues.

Coding in action

Preparation

Start by adding two images(**PlayBG.png** andrunner.png) to theresdirectory.

In the prevIoUs tutorial,we have added all resources variables inresource.js. Since two more images have been added,resource.jsshould also be changed to this:

varres={
helloBG_png:"res/helloBG.png",start_n_png:"res/start_n.png",start_s_png:"res/start_s.png",PlayBG_png:"res/PlayBG.png",runner_png:"res/runner.png"};varg_resources=[
//image
res.helloBG_png,res.start_n_png,res.start_s_png,res.PlayBG_png,res.runner_png];

Here we have added two global variables namedPlayBG_pngandrunner_png. Now when we want to create a sprite in another js files,we can easily access these variables.

Since we will add four JavaScript files: PlayScene.js,AnimationLayer.js,BackgroundLayer.js and StatusLayer.js. We need to tell the Cocos2d-x engine to load these files when the game starts. We do this by changingproject.jsonto make it aware of the new source files:

"jsList":[
"src/resource.js","src/app.js","src/AnimationLayer.js","src/BackgroundLayer.js","src/PlayScene.js","src/StatusLayer.js"
]

In the future,each time when you add a new JavaScript file into your game,you should change the attributejsListand add more source code file paths to the end of the array.

Lastly,we should display the PlayScene when we click the button in the first MenuScene. Here is the code snippet:

//thisisthecallbackwhenthemenuisclicked
onPlay:function(){
cc.log("==onplayclicked");
cc.director.runScene(newPlayScene());
}

Coding the PlayScene(PlayScene.js)

Since background layer,animation layer and status layer should be displayed in a different order. We can specify the order explicitly when calling theaddChildmethod or we can add them as PlayScene's children in the right order. In this tutorial,we will add them in the right order.

Here is the code snippet of PlayScene:

varPlayScene=cc.Scene.extend({
onEnter:function(){
this._super();
//addthreelayerintherightorder
this.addChild(newBackgroundLayer());
this.addChild(newAnimationLayer());
this.addChild(newStatusLayer());
}});

Coding the BackgroundLayer(BackgroundLayer.js)

Here is our background image:

bg

Here is the code snippet:

varBackgroundLayer=cc.Layer.extend({
ctor:function(){
this._super();
this.init();
},init:function(){
this._super();
varwinsize=cc.director.getWinSize();

//createthebackgroundimageandpositionitatthecenterofscreen
varcenterPos=cc.p(winsize.width/2,winsize.height/2);
varspriteBG=newcc.Sprite(res.PlayBG_png);
spriteBG.setPosition(centerPos);
this.addChild(spriteBG);
}});

Coding the AnimationLayer(AnimationLayer.js)

Here is our main character:

runner

In this section,we will run actions on the hero. We will run theMoveToaction on the sprite to move the sprite from (80,85) to (300,85) in two seconds.

Here is the code snippet of AnimationLayer:

varAnimationLayer=cc.Layer.extend({
ctor:function(){
this._super();
this.init();
},init:function(){
this._super();

//createtheherosprite
varspriteRunner=newcc.Sprite(res.runner_png);
spriteRunner.attr({x:80,y:85});

//createthemoveaction
varactionTo=newcc.MoveTo(2,cc.p(300,85));
spriteRunner.runAction(newcc.Sequence(actionTo));
this.addChild(spriteRunner);
}});

Coding the StatusLayer(StatusLayer.js)

Here is the code snippet we need to set up the layer:

varStatusLayer=cc.Layer.extend({
labelCoin:null,labelMeter:null,coins:0,ctor:function(){
this._super();
this.init();
},init:function(){
this._super();

varwinsize=cc.director.getWinSize();

this.labelCoin=newcc.LabelTTF("Coins:0","Helvetica",20);
this.labelCoin.setColor(cc.color(0,0));//blackcolor
this.labelCoin.setPosition(cc.p(70,winsize.height-20));
this.addChild(this.labelCoin);

this.labelMeter=newcc.LabelTTF("0M",20);
this.labelMeter.setPosition(cc.p(winsize.width-70,winsize.height-20));
this.addChild(this.labelMeter);
}});

We can usenew cc.LabelTTFfor creating a text label. The first parameter is the displayed texts,the second parameter is the font family and the third parameter is the font size. We can also use thesetColorfunction of LabelTTF to set the color of labels.cc.color(0,0)represents the color black.

Summary

The code and logic are pretty straightforward,so we haven't cover them all in details. If you have any questions or suggestions,let us know and we will do our best to support you.

Where to go from here

In the next tutorial,you will learn how to run animations on the runner and how to pack small images into a sprite sheet. You will also be introduced to an awesome tools namedTexturePacker.

原文链接:/cocos2dx/345728.html

猜你在找的Cocos2d-x相关文章