Friday, March 15, 2019

Adding Bricks to the Game

In the previous step, we have added a paddle to our game. In this step, we will be adding some bricks, so that the ball can strike and break them. There might be some weird movements of the ball as I have not added too much complexity to the program. I have done so intentionally, so that the code remains simple to understand. Further fine tuning can be done and some extra features can be added like the paddle shooting the ball at different angles depending on where on the paddle the ball strikes. You can also add different levels to the game and end the game if the ball misses the paddle.

Code:

import sys, pygame
pygame.init()
# Screen and Window setup
screen_size = screen_width, screen_height = 600, 600
logo = pygame.image.load("logo32x32.png")
pygame.display.set_icon(logo)
pygame.display.set_caption("Paddle Ball")
screen = pygame.display.set_mode(screen_size)
black = (0, 0, 0)
# Ball setup
ball = pygame.image.load("ball.png")
ball_rect = ball.get_rect()
ball_rect = ball_rect.move(290, 550)
ball_speed = [1, 1]
# Paddle setup
paddle = pygame.image.load("paddle.png")
paddle_rect = paddle.get_rect()
paddle_rect = paddle_rect.move(225, 570)
paddle_speed = 1
# Brick setup
brick = pygame.image.load("brick.png")
brick_rect = brick.get_rect()
brick_list = []
x_offset, y_offset = 30, 20
for i in range(5):
for j in range(8):
new_rect = brick_rect.move(x_offset + j * 70, y_offset + i * 30)
brick_list.append(new_rect)
# Game Loop
while True:
# Exit program
for event in pygame.event.get():
if event.type == pygame.QUIT:
pygame.quit()
sys.exit()
# Ball update
ball_rect = ball_rect.move(ball_speed)
if ball_rect.left < 0 or ball_rect.right > screen_width:
ball_speed[0] = -ball_speed[0]
if ball_rect.top < 0 or ball_rect.bottom > screen_height:
ball_speed[1] = -ball_speed[1]
# Paddle update
keys = pygame.key.get_pressed()
if keys[pygame.K_LEFT]:
paddle_rect = paddle_rect.move([-paddle_speed, 0])
if keys[pygame.K_RIGHT]:
paddle_rect = paddle_rect.move([paddle_speed, 0])
# Collision with paddle
if paddle_rect.colliderect(ball_rect):
ball_speed[1] = -ball_speed[1]
# Collision with bricks
for x in brick_list:
if x.colliderect(ball_rect):
brick_list.remove(x)
ball_speed[1] = -ball_speed[1]
# Screen update
screen.fill(black)
screen.blit(ball, ball_rect)
screen.blit(paddle, paddle_rect)
for x in brick_list:
screen.blit(brick, x)
pygame.display.flip()
view raw PaddleBall2.py hosted with ❤ by GitHub

Output:


Graphic for the icon:


Graphic for the ball:


Graphic for the paddle:


Graphic for the bricks:


No comments: