首页 > 编程语言 >为孩子准备的 第一个python编程学习案例-pygame小游戏

为孩子准备的 第一个python编程学习案例-pygame小游戏

时间:2024-12-26 10:00:46浏览次数:6  
标签:python text self 小游戏 pygame screen rect

为孩子准备的 第一个python编程学习案例


  • 想指导孩子进行python编程启蒙,自己研究了一下如何从零搭建python开发环境、安装配置基本库并运行一个游戏示例.

python安装

安装最新版本的python, 3.13.1版本

https://www.python.org/ftp/python/3.13.1/python-3.13.1-amd64.exe

安装之后 ,打开 CMD:

PS D:\AppGallery>
PS D:\AppGallery> python.exe
Python 3.13.1 (tags/v3.13.1:0671451, Dec  3 2024, 19:06:28) [MSC v.1942 64 bit (AMD64)] on win32
Type "help", "copyright", "credits" or "license" for more information.
>>>
>>> help
>>> Welcome to Python 3.13's help utility! If this is your first time using
Python, you should definitely check out the tutorial at
https://docs.python.org/3.13/tutorial/.

Enter the name of any module, keyword, or topic to get help on writing
Python programs and using Python modules.  To get a list of available
modules, keywords, symbols, or topics, enter "modules", "keywords",
"symbols", or "topics".

Each module also comes with a one-line summary of what it does; to list
the modules whose name or summary contain a given string such as "spam",
enter "modules spam".

To quit this help utility and return to the interpreter,
enter "q", "quit" or "exit".

安装 pygame,如果缺少其他库,通常也可以使用pip进行安装。

pip instll pygame

IDE安装thonny

Thonny最常被推荐作为初学者的Python集成开发环境。它适用于Windows、macOS和Linux。它的功能包括代码调试、功能语法高亮和识别相似名称。Thonny还有一个“助手”,可以帮助你查看错误,并且你正在运行的应用程序可以在多个窗口中打开。

安装完python后,自带pip,这里无须再专门下载thonny安装包,而是直接使用pip安装 thonny

pip install thonny

image-20241225214846266

打开 thonny

PS D:\AppGallery> thonny.exe
PS D:\AppGallery>

image-20241225215345186

开发第一个小游戏-避坑指南

网上找了很多示例,遇到各种坑:

  1. 代码不全 , 比如 豆包提供的猜数游戏

  2. cfg模块缺失: cfg是博主自定义的一些变量集合,缺失导致游戏无法正常运行

    15个Python小游戏,上班摸鱼我能玩一天【内附源码】 - 小明谈Python - 博客园

        import cfg
    ModuleNotFoundError: No module named 'cfg'
    
  3. 代码格式不对,一般是缩进问题:

    IndentationError: expected an indented block after function definition on line 3
    
  4. 缩进问题,有时也会报错为变量未定义,需要自己复制 粘贴代码时注意检查缩进格式

  File "D:\code\7. python\catchgame.py", line 39, in Player
    if keys[pygame.K_LEFT]:
NameError: name 'keys' is not defined

最终运行通过的小游戏

如果提示缺少其他库,通常也可以使用pip进行安装。复制代码时注意缩进和格式 。

import pygame
import random

# Initialize pygame
pygame.init() 
# Set the width and height of the screen (width, height)
screen = pygame.display.set_mode((800, 600))

# Set the title of the window
pygame.display.set_caption("Catch Game")

# Set the clock
clock = pygame.time.Clock()

# Colors
WHITE = (255, 255, 255)
BLACK = (0, 0, 0)
RED = (255, 0, 0)
GREEN = (0, 255, 0)
BLUE = (0, 0, 255)


# Player class
class Player(pygame.sprite.Sprite):
    def __init__(self):
        super().__init__()
        self.image = pygame.Surface([50, 50])
        self.image.fill(RED)
        self.rect = self.image.get_rect()
        self.rect.x = 375
        self.rect.y = 500
        self.speed = 5
    def update(self):
        # Get the current key state
        keys = pygame.key.get_pressed()

    # Move the player
    if keys[pygame.K_LEFT]:
        self.rect.x -= self.speed
    elif keys[pygame.K_RIGHT]:
        self.rect.x += self.speed

# Object class
class Object(pygame.sprite.Sprite):
   def __init__(self):
      super().__init__()
      self.image = pygame.Surface([25, 25])
      self.image.fill(BLUE)
      self.rect = self.image.get_rect()
      self.rect.x = random.randrange(0, 750)
      self.rect.y = random.randrange(-100, -40)
      self.speed = random.randint(2, 8)

   def update(self):
      # Move the object down the screen
      self.rect.y += self.speed

      # If the object goes off the bottom of the screen, reset it
      if self.rect.top > 600:
         self.rect.x = random.randrange(0, 750)
         self.rect.y = random.randrange(-100, -40)
         self.speed = random.randint(2, 8)

# Create groups for all sprites and objects
all_sprites = pygame.sprite.Group()
objects = pygame.sprite.Group()

# Create the player
player = Player()
all_sprites.add(player)

# Create the objects
for i in range(10):
   obj = Object()
   all_sprites.add(obj)
   objects.add(obj)

# Set the score
score = 0

# Set the font
font_name = pygame.font.match_font("arial")

# Function to draw text on the screen
def draw_text(surf, text, size, x, y):
   font = pygame.font.Font(font_name, size)
   text_surface = font.render(text, True, WHITE)
   text_rect = text_surface.get_rect()
   text_rect.midtop = (x, y)
   surf.blit(text_surface, text_rect)

# Game loop
running = True
while running:
   # Set the frame rate
   clock.tick(60)

   # Process events
   for event in pygame.event.get():
      if event.type == pygame.QUIT:
         running = False

   # Update all sprites
   all_sprites.update()

   # Check for collisions between the player and objects
   hits = pygame.sprite.spritecollide(player, objects, True)
   for hit in hits:
      score += 1
      obj = Object()
      all_sprites.add(obj)
      objects.add(obj)

   # Draw everything on the screen
   screen.fill(BLACK)
   all_sprites.draw(screen)
   draw_text(screen, "Score: {}".format(score), 18, 50, 10)

   # Update the screen
   pygame.display.update()

参考

Building a Simple Game in Python using the PyGame Module

The End.

标签:python,text,self,小游戏,pygame,screen,rect
From: https://blog.csdn.net/seaneer/article/details/144730176

相关文章

  • Python-流量分析常用工具脚本(Tshark,pyshark,scapy)
    免责声明:本文仅作分享~目录wiresharkscapy例:分析DNS流量检查数据包是否包含特定协议层(过滤)获取域名例:提取HTTP请求中的Host信息pyshark例:解析HTTP请求和响应例:分析DNS查询和响应tsahrk.exe在读此文章前,请确保您会使用wireshark并具备一些流量协议的......
  • 【最新原创毕设】基于PPH的花涧订购系统+00332(免费领源码)可做计算机毕业设计JAVA、PHP
    摘 要近年来,电子商务的快速发展引起了行业和学术界的高度关注。花涧订购系统旨在为用户提供一个简单、高效、便捷的花卉购物体验,它不仅要求用户清晰地查看所需信息,而且还要求界面设计精美,使得功能与页面完美融合,从而提升系统的可操作性。因此,我们需要深入研究信息内容,并利用......
  • 图像边缘检测与轮廓提取详解及python实现
    目录图像边缘检测与轮廓提取详解第一部分:图像边缘检测与轮廓提取概述1.1什么是边缘检测和轮廓提取?1.2边缘检测与轮廓提取的应用领域1.3为什么需要边缘检测和轮廓提取?第二部分:常见的图像边缘检测算法2.1Sobel算子2.2Canny边缘检测2.3拉普拉斯算子(LaplacianofGaus......
  • 华为机试:仿 LISP 运算 - Python实现之篇3
    篇1中可以将字符串解析成Python的list的形式,用编程术语叫做:解析出语法树.篇2中可以实现表达式的求值.根据操作符,跳转到相应的求值分支.以上功能,仅仅实现了一个计算器的功能.离变成编程语言还差了:函数定义和调用.那么,篇3来实现函数定义,即lambda的定义与解......
  • 将Python模块打包为可直接运行的ZIP文件
    要使用zipapp将Python模块(例如位于E:\py\abc.py)打包为可直接运行的ZIP文件,你需要按照以下步骤进行操作:一、准备环境确保Python安装:你需要有Python解释器安装在你的系统上,因为zipapp是Python的一个标准库模块。准备项目文件:确保你的Python模块(如abc.py)以及任何依赖项都位于同一......
  • python多进程通过socket通讯
    服务进程和客户端同体,代码:importsocketimportmultiprocessingdefhandle_server(connection):data=connection.recv(1024)print("接收到客户端请求:",data.decode(),"\n")#发送数据connection.sendall('我是服务器进程,哈哈'.encode('u......
  • Python 有哪些常用的库
    Python拥有一个庞大的生态系统,其中包含了许多用于不同领域的库。以下是一些常用的Python库:1.标准库Python的标准库非常强大,包括了用于文件操作、系统调用、网络通信等的模块。2.Web开发Flask:一个轻量级的Web应用框架。Django:一个高级的Web框架,内置了用户认证、内......
  • python图片脚本4-批量图片加水印(详细注释+GUI界面+exe可执行文件)
    目录前言导航pillow库的使用篇tkiner库的使用篇图片脚本篇源码批量处理图片尺寸脚本源码效果GUI界面源码效果打包成.exe可执行文件共勉博客前言本文介绍一个用python第三方库pillow写的批量处理图片加水印的脚本,以及脚本对应的使用tkinter库写的GUI界面并把它打......
  • Python 抽象基类 ABC :从实践到优雅
    今天我们来聊聊Python中的抽象基类(AbstractBaseClass,简称ABC)。虽然这个概念在Python中已经存在很久了,但在日常开发中,很多人可能用得并不多,或者用得不够优雅。让我们从一个实际场景开始:假设你正在开发一个文件处理系统,需要支持不同格式的文件读写,比如JSON、CSV、XML等。......
  • Python数据分析_Pandas_数据分析入门_3
    文章目录今日内容大纲介绍1.DataFrame-保存数据到文件2.DataFrame-读取文件数据3.DataFrame-数据分析入门4.DataFrame-分组聚合计算5.Pandas-基本绘图6.Pandas-常用排序方法7.Pandas案例-链家数据分析7.Pandas案例-链家数据分析_GIF_demo了解数据df1.info()df1.describ......