Это вторая часть нашего учебника по космическому шутеру Corona SDK. В сегодняшнем уроке мы добавим наш интерфейс и начнем программировать взаимодействие с игрой. Читай дальше!
Где мы остановились. , ,
Пожалуйста, прочитайте часть 1 этой серии, чтобы полностью понять и подготовиться к этому уроку.
Шаг 1: Загрузка звуков
Звуковые эффекты, используемые в игре, будут загружены при запуске, что сделает их готовыми к воспроизведению.
1
2
3
|
local shot = audio.loadSound(‘shot.mp3’)
local explo = audio.loadSound(‘explo.mp3’)
local bossSound = audio.loadSound(‘boss.mp3’)
|
Шаг 2: переменные
Это переменные, которые мы будем использовать, прочитайте комментарии в коде, чтобы узнать о них больше. Некоторые из их имен говорят сами за себя, поэтому там не будет никаких комментариев.
1
2
3
4
5
6
|
local timerSource
local lives = display.newGroup()
local bullets = display.newGroup()
local enemies = display.newGroup()
local scoreN = 0
local bossHealth = 20
|
Шаг 3: Объявление функций
Объявите все функции как локальные в начале.
01
02
03
04
05
06
07
08
09
10
11
12
13
14
15
16
|
local Main = {}
local addTitleView = {}
local showCredits = {}
local removeCredits = {}
local removeTitleView = {}
local addShip = {}
local addScore = {}
local addLives = {}
local listeners = {}
local moveShip = {}
local shoot = {}
local addEnemy = {}
local alert = {}
local update = {}
local collisionHandler = {}
local restart = {}
|
Шаг 4: Конструктор
Далее мы создадим функцию, которая будет инициализировать всю игровую логику:
1
2
3
|
function Main()
addTitleView()
end
|
Шаг 5: Добавьте заголовок
Теперь мы помещаем фон и TitleView в сцену.
1
|
function addTitleView() title = display.newImage(‘title.png’) playBtn = display.newImage(‘playBtn.png’) playBtn.x = display.contentCenterX playBtn.y = display.contentCenterY + 10 playBtn:addEventListener(‘tap’, removeTitleView) creditsBtn = display.newImage(‘creditsBtn.png’) creditsBtn.x = display.contentCenterX creditsBtn.y = display.contentCenterY + 60 creditsBtn:addEventListener(‘tap’, showCredits) titleView = display.newGroup(title, playBtn, creditsBtn) end
|
Шаг 6: Удалить заголовок
Вид заголовка удаляется из памяти и addShip
функция addShip
.
1
2
3
|
function removeTitleView:tap(e)
transition.to(titleView, {time = 300, y = -display.contentHeight, onComplete = function() display.remove(titleView) titleView = null addShip() end})
end
|
Шаг 7: Показать кредиты
Экран кредитов отображается, когда пользователь нажимает кнопку кредитов, слушатель касаний добавляется в представление кредитов, чтобы удалить его.
1
2
3
4
5
6
7
|
function showCredits:tap(e)
creditsBtn.isVisible = false
creditsView = display.newImage(‘creditsView.png’)
creditsView:setReferencePoint(display.TopLeftReferencePoint)
transition.from(creditsView, {time = 300, x = display.contentWidth})
creditsView:addEventListener(‘tap’, removeCredits)
end
|
Шаг 8: Скрыть кредиты
При нажатии на экран кредитов, он будет отключен со сцены и удален.
1
2
3
4
|
function removeCredits:tap(e)
creditsBtn.isVisible = true
transition.to(creditsView, {time = 300, x = display.contentWidth, onComplete = function() display.remove(creditsView) creditsView = null end})
end
|
Шаг 9: Добавить корабль
Когда нажата кнопка « Пуск» , вид заголовка изменяется и удаляется, открывая вид игры, видеоклип корабля будет добавлен в первую очередь следующими строками:
01
02
03
04
05
06
07
08
09
10
|
function addShip()
ship = movieclip.newAnim({‘shipA.png’, ‘shipB.png’})
ship.x = display.contentWidth * 0.5
ship.y = display.contentHeight — ship.height
ship.name = ‘ship’
ship:play()
physics.addBody(ship)
addScore()
end
|
Шаг 10: Добавить оценку
Следующая функция создает и размещает текст партитуры на сцене.
1
2
3
4
5
6
7
8
9
|
function addScore()
score = display.newText(‘Score: ‘, 1, 0, native.systemFontBold, 14)
score.y = display.contentHeight — score.height * 0.5
score.text = score.text .. tostring(scoreN)
score:setReferencePoint(display.TopLeftReferencePoint)
score.x = 1
addLives()
end
|
Шаг 11: добавь жизни
Графика жизни добавляется следующим кодом, она также использует таблицу для хранения числа жизней. Это поможет нам позже определить, когда игрок вышел из жизни.
01
02
03
04
05
06
07
08
09
10
|
function addLives()
for i = 1, 3 do
live = display.newImage(‘live.png’)
live.x = (display.contentWidth — live.width * 0.7) — (5 * i+1) — live.width * i + 20
live.y = display.contentHeight — live.height * 0.7
lives.insert(lives, live)
end
listeners(‘add’)
end
|
Шаг 12: Слушатели
В этой функции мы добавляем необходимых слушателей к интерактивным объектам. Мы также запускаем таймер, который добавит врагов. Параметр используется для определения необходимости добавления или удаления слушателей.
01
02
03
04
05
06
07
08
09
10
11
12
13
|
function listeners(action)
if(action == ‘add’) then
bg:addEventListener(‘touch’, moveShip)
bg:addEventListener(‘tap’, shoot)
Runtime:addEventListener(‘enterFrame’, update)
timerSource = timer.performWithDelay(800, addEnemy, 0)
else
bg:removeEventListener(‘touch’, moveShip)
bg:removeEventListener(‘tap’, shoot)
Runtime:removeEventListener(‘enterFrame’, update)
timer.cancel(timerSource)
end
end
|
Шаг 13: переместить корабль
Кораблем будет управлять перемещение пальца по горизонтали по экрану. Этот код обрабатывает это поведение:
1
2
3
4
5
6
7
|
function moveShip:touch(e)
if(e.phase == ‘began’) then
lastX = ex — ship.x
elseif(e.phase == ‘moved’) then
ship.x = ex — lastX
end
end
|
Шаг 14: Стреляй
Нажатие в любом месте экрана заставит корабль стрелять пулями, эта пуля добавляется как физический объект, чтобы позже обнаружить его столкновение.
01
02
03
04
05
06
07
08
09
10
11
|
function shoot:tap(e)
local bullet = display.newImage(‘bullet.png’)
bullet.x = ship.x
bullet.y = ship.y — ship.height
bullet.name = ‘bullet’
physics.addBody(bullet)
audio.play(shot)
bullets.insert(bullets, bullet)
end
|
Шаг 15: добавь врага
Следующая функция выполняется таймером каждые 800 миллисекунд. Это добавит врага в верхней части экрана. Враг будет позже перемещен функцией обновления.
01
02
03
04
05
06
07
08
09
10
11
|
function addEnemy(e)
local enemy = movieclip.newAnim({‘enemyA.png’, ‘enemyA.png’,’enemyA.png’,’enemyA.png’,’enemyA.png’,’enemyA.png’,’enemyB.png’,’enemyB.png’,’enemyB.png’,’enemyB.png’,’enemyB.png’,’enemyB.png’})
enemy.x = math.floor(math.random() * (display.contentWidth — enemy.width))
enemy.y = -enemy.height
enemy.name = ‘enemy’
physics.addBody(enemy)
enemy.bodyType = ‘static’
enemies.insert(enemies, enemy)
enemy:play()
enemy:addEventListener(‘collision’, collisionHandler)
end
|
Шаг 16: Оповещение
Alert View будет показан, когда пользователь достигнет игрового состояния (то есть выиграет или проиграет), параметр используется для определения того, какой экран отображать.
01
02
03
04
05
06
07
08
09
10
11
12
13
14
15
16
|
function alert(e)
listeners(‘remove’)
local alertView
if(e == ‘win’) then
alertView = display.newImage(‘youWon.png’)
alertView.x = display.contentWidth * 0.5
alertView.y = display.contentHeight * 0.5
else
alertView = display.newImage(‘gameOver.png’)
alertView.x = display.contentWidth * 0.5
alertView.y = display.contentHeight * 0.5
end
alertView:addEventListener(‘tap’, restart)
end
|
Шаг 17: Проверка кода
Вот полный код, написанный в этом руководстве, вместе с комментариями, которые помогут вам идентифицировать каждую часть:
001
002
003
004
005
006
007
008
009
010
011
012
013
014
015
016
017
018
019
020
021
022
023
024
025
026
027
028
029
030
031
032
033
034
035
036
037
038
039
040
041
042
043
044
045
046
047
048
049
050
051
052
053
054
055
056
057
058
059
060
061
062
063
064
065
066
067
068
069
070
071
072
073
074
075
076
077
078
079
080
081
082
083
084
085
086
087
088
089
090
091
092
093
094
095
096
097
098
099
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
|
— Space Shooter Game
— Developed by Carlos Yanez
— Hide Status Bar
display.setStatusBar(display.HiddenStatusBar)
— Import MovieClip Library
local movieclip = require(‘movieclip’)
— Import Physics
local physics = require(‘physics’)
physics.start()
physics.setGravity(0, 0)
— Graphics
— Background
local bg = display.newImage(‘bg.png’)
— [Title View]
local title
local playBtn
local creditsBtn
local titleView
— [Credits]
local creditsView
— [Ship]
local ship
— [Boss]
local boss
— [Score]
local score
— [Lives]
local lives
— Load Sounds
local shot = audio.loadSound(‘shot.mp3’)
local explo = audio.loadSound(‘explo.mp3’)
local bossSound = audio.loadSound(‘boss.mp3’)
— Variables
local timerSource
local lives = display.newGroup()
local bullets = display.newGroup()
local enemies = display.newGroup()
local scoreN = 0
local bossHealth = 20
— Functions
local Main = {}
local addTitleView = {}
local showCredits = {}
local removeCredits = {}
local removeTitleView = {}
local addShip = {}
local addScore = {}
local addLives = {}
local listeners = {}
local moveShip = {}
local shoot = {}
local addEnemy = {}
local alert = {}
local update = {}
local collisionHandler = {}
local restart = {}
— Main Function
function Main()
addTitleView()
end
function addTitleView()
title = display.newImage(‘title.png’)
playBtn = display.newImage(‘playBtn.png’)
playBtn.x = display.contentCenterX
playBtn.y = display.contentCenterY + 10
playBtn:addEventListener(‘tap’, removeTitleView)
creditsBtn = display.newImage(‘creditsBtn.png’)
creditsBtn.x = display.contentCenterX
creditsBtn.y = display.contentCenterY + 60
creditsBtn:addEventListener(‘tap’, showCredits)
titleView = display.newGroup(title, playBtn, creditsBtn)
end
function removeTitleView:tap(e)
transition.to(titleView, {time = 300, y = -display.contentHeight, onComplete = function() display.remove(titleView) titleView = null addShip() end})
end
function showCredits:tap(e)
creditsBtn.isVisible = false
creditsView = display.newImage(‘creditsView.png’)
creditsView:setReferencePoint(display.TopLeftReferencePoint)
transition.from(creditsView, {time = 300, x = display.contentWidth})
creditsView:addEventListener(‘tap’, removeCredits)
end
function removeCredits:tap(e)
creditsBtn.isVisible = true
transition.to(creditsView, {time = 300, x = display.contentWidth, onComplete = function() display.remove(creditsView) creditsView = null end})
end
function addShip()
ship = movieclip.newAnim({‘shipA.png’, ‘shipB.png’})
ship.x = display.contentWidth * 0.5
ship.y = display.contentHeight — ship.height
ship.name = ‘ship’
ship:play()
physics.addBody(ship)
addScore()
end
function addScore()
score = display.newText(‘Score: ‘, 1, 0, native.systemFontBold, 14)
score.y = display.contentHeight — score.height * 0.5
score.text = score.text .. tostring(scoreN)
score:setReferencePoint(display.TopLeftReferencePoint)
score.x = 1
addLives()
end
function addLives()
for i = 1, 3 do
live = display.newImage(‘live.png’)
live.x = (display.contentWidth — live.width * 0.7) — (5 * i+1) — live.width * i + 20
live.y = display.contentHeight — live.height * 0.7
lives.insert(lives, live)
end
listeners(‘add’)
end
function listeners(action)
if(action == ‘add’) then
bg:addEventListener(‘touch’, moveShip)
bg:addEventListener(‘tap’, shoot)
Runtime:addEventListener(‘enterFrame’, update)
timerSource = timer.performWithDelay(800, addEnemy, 0)
else
bg:removeEventListener(‘touch’, moveShip)
bg:removeEventListener(‘tap’, shoot)
Runtime:removeEventListener(‘enterFrame’, update)
timer.cancel(timerSource)
—timerSource = nil
end
end
function moveShip:touch(e)
if(e.phase == ‘began’) then
lastX = ex — ship.x
elseif(e.phase == ‘moved’) then
ship.x = ex — lastX
end
end
function shoot:tap(e)
local bullet = display.newImage(‘bullet.png’)
bullet.x = ship.x
bullet.y = ship.y — ship.height
bullet.name = ‘bullet’
physics.addBody(bullet)
audio.play(shot)
bullets.insert(bullets, bullet)
end
function addEnemy(e)
local enemy = movieclip.newAnim({‘enemyA.png’, ‘enemyA.png’,’enemyA.png’,’enemyA.png’,’enemyA.png’,’enemyA.png’,’enemyB.png’,’enemyB.png’,’enemyB.png’,’enemyB.png’,’enemyB.png’,’enemyB.png’})
enemy.x = math.floor(math.random() * (display.contentWidth — enemy.width))
enemy.y = -enemy.height
enemy.name = ‘enemy’
physics.addBody(enemy)
enemy.bodyType = ‘static’
enemies.insert(enemies, enemy)
enemy:play()
enemy:addEventListener(‘collision’, collisionHandler)
end
function alert(e)
listeners(‘remove’)
local alertView
if(e == ‘win’) then
alertView = display.newImage(‘youWon.png’)
alertView.x = display.contentWidth * 0.5
alertView.y = display.contentHeight * 0.5
else
alertView = display.newImage(‘gameOver.png’)
alertView.x = display.contentWidth * 0.5
alertView.y = display.contentHeight * 0.5
end
alertView:addEventListener(‘tap’, restart)
end
|
В следующий раз…
В следующей и последней части серии мы рассмотрим поведение фрейма ввода, столкновения и последние шаги, которые необходимо предпринять перед выпуском, такие как тестирование приложения, создание начального экрана, добавление значка и создание приложения. Оставайтесь с нами для финальной части!