- Pygame 教程
- Pygame - 首页
- Pygame - 概述
- Pygame - Hello World
- Pygame - 显示模式
- Pygame - Locals 模块
- Pygame - 颜色对象
- Pygame - 事件对象
- Pygame - 键盘事件
- Pygame - 鼠标事件
- Pygame - 绘制图形
- Pygame - 加载图像
- Pygame - 在窗口中显示文本
- Pygame - 移动图像
- Pygame - 使用数字键盘键移动
- Pygame - 使用鼠标移动
- Pygame - 移动矩形对象
- Pygame - 使用文本作为按钮
- Pygame - 图像变换
- Pygame - 音频对象
- Pygame - 混音器通道
- Pygame - 播放音乐
- Pygame - 播放视频
- Pygame - 使用摄像头模块
- Pygame - 加载光标
- Pygame - 访问 CDROM
- Pygame - 精灵模块
- Pygame - PyOpenGL
- Pygame - 错误和异常
- Pygame 有用资源
- Pygame - 快速指南
- Pygame - 有用资源
- Pygame - 讨论
Pygame - 加载图像
pygame.image 模块包含用于从文件或类文件对象加载和保存图像的函数。图像被加载为 Surface 对象,最终渲染在 Pygame 显示窗口上。
首先,我们通过 load() 函数获取一个 Surface 对象。
img = pygame.image.load('pygame.png')
接下来,我们从这个 Surface 获取一个 rect 对象,然后使用 Surface.blit() 函数渲染图像 -
rect = img.get_rect() rect.center = 200, 150 screen.blit(img, rect)
示例
在显示窗口上显示 Pygame 徽标的完整程序如下所示 -
import pygame pygame.init() screen = pygame.display.set_mode((400, 300)) img = pygame.image.load('pygame.png') done = False bg = (127,127,127) while not done: for event in pygame.event.get(): screen.fill(bg) rect = img.get_rect() rect.center = 200, 150 screen.blit(img, rect) if event.type == pygame.QUIT: done = True pygame.display.update()
输出
以上代码的输出如下所示 -
blit() 函数可以带有一个可选的特殊标志参数,该参数具有以下值之一 -
BLEND_RGBA_ADD BLEND_RGBA_SUB BLEND_RGBA_MULT BLEND_RGBA_MIN BLEND_RGBA_MAX BLEND_RGB_ADD BLEND_RGB_SUB BLEND_RGB_MULT BLEND_RGB_MIN BLEND_RGB_MAX
pygame.Surface 模块还有一个 convert() 函数,它可以优化图像格式并使绘制速度更快。
pygame.image 模块有一个 save() 函数,可以将 Surface 对象的内容保存到图像文件。Pygame 支持以下图像格式 -
加载图像格式 | 保存图像格式 |
---|---|
JPG PNG GIF(非动画) BMP PCX TGA(未压缩) TIF LBM(和 PBM) PBM(和 PGM、PPM) XPM |
BMP TGA PNG JPEG |
示例
以下程序在显示界面上绘制三个圆圈,并使用 image.save() 函数将其保存为 circles.png 文件。
import pygame pygame.init() screen = pygame.display.set_mode((400, 300)) done = False white=(255,255,255) red = (255,0,0) green = (0,255,0) blue = (0,0,255) bg = (127,127,127) while not done: for event in pygame.event.get(): screen.fill(bg) if event.type == pygame.QUIT: done = True pygame.draw.circle(screen, red, (200,150), 60,2) pygame.draw.circle(screen, green, (200,150), 80,2) pygame.draw.circle(screen, blue, (200,150), 100,2) pygame.display.update() pygame.image.save(screen, "circles.png")
输出
circles.png 应该在当前工作文件夹中创建。
广告