web-dev-qa-db-ja.com

ウィンドウpyGameのサイズ変更を許可する

このアプリのサイズ変更を許可しようとしています。RESIZABLEフラグを設定しましたが、サイズ変更しようとすると混乱します。私のコードを試してください。

これはグリッドプログラムです。ウィンドウのサイズが変更されたら、グリッドのサイズも変更/縮小します。

import pygame,math
from pygame.locals import *
# Define some colors
black    = (   0,   0,   0)
white    = ( 255, 255, 255)
green    = (   0, 255,   0)
red      = ( 255,   0,   0)

# This sets the width and height of each grid location
width=50
height=20
size=[500,500]
# This sets the margin between each cell
margin=1


# Initialize pygame
pygame.init()

# Set the height and width of the screen

screen=pygame.display.set_mode(size,RESIZABLE)

# Set title of screen
pygame.display.set_caption("My Game")

#Loop until the user clicks the close button.
done=False

# Used to manage how fast the screen updates
clock=pygame.time.Clock()

# -------- Main Program Loop -----------
while done==False:
    for event in pygame.event.get(): # User did something
        if event.type == pygame.QUIT: # If user clicked close
            done=True # Flag that we are done so we exit this loop
        if event.type == pygame.MOUSEBUTTONDOWN:
            height+=10

    # Set the screen background
    screen.fill(black)

    # Draw the grid
    for row in range(int(math.ceil(size[1]/height))+1):
        for column in range(int(math.ceil(size[0]/width))+1):
            color = white
            pygame.draw.rect(screen,color,[(margin+width)*column+margin,(margin+height)*row+margin,width,height])

    # Limit to 20 frames per second
    clock.tick(20)

    # Go ahead and update the screen with what we've drawn.
    pygame.display.flip()
# Be IDLE friendly. If you forget this line, the program will 'hang'
# on exit.
pygame.quit ()

何が悪いのか教えてください、ありがとう。

18
user1513192

この問題の答え(Pygameウィンドウとその中のサーフェスのサイズを変更できるようにする)は、ユーザーがサイズを変更したときに、サイズを更新してサイズ変更可能なウィンドウを再作成することです( pygame.VIDEORESIZE で実行) =イベント)。

>>> import pygame
>>> pygame.display.set_mode.__doc__
'set_mode(resolution=(0,0), flags=0, depth=0) -> Surface\nInitialize a window or screen for display'
>>> 

これは、ウィンドウの表面にある以前のすべてのコンテンツを削除するため、以下のようになります。
現在のウィンドウコンテンツを続行するプロセスがあります。

いくつかのサンプルコード:

import pygame, sys

pygame.init()
# Create the window, saving it to a variable.
surface = pygame.display.set_mode((350, 250), pygame.RESIZABLE)
pygame.display.set_caption("Example resizable window")

while True:
    surface.fill((255,255,255))

    # Draw a red rectangle that resizes with the window.
    pygame.draw.rect(surface, (200,0,0), (surface.get_width()/3,
      surface.get_height()/3, surface.get_width()/3,
      surface.get_height()/3))

    pygame.display.update()
    for event in pygame.event.get():
        if event.type == pygame.QUIT:
            pygame.quit()
            sys.exit()
        if event.type == pygame.KEYDOWN:
            if event.key == pygame.K_ESCAPE:
                pygame.quit()
                sys.exit()

        if event.type == pygame.VIDEORESIZE:
            # There's some code to add back window content here.
            surface = pygame.display.set_mode((event.w, event.h),
                                              pygame.RESIZABLE)

現在のウィンドウコンテンツを続行する方法:
前のウィンドウコンテンツを追加し直す手順は次のとおりです。

  1. 2番目の変数を作成し、古いウィンドウサーフェス変数の値に設定します。
  2. 新しいウィンドウを作成し、古い変数として保存します。
  3. 2番目のサーフェスを最初のサーフェス(古い変数)に描画します- blit 関数を使用します。
  4. この変数を使用し、新しい変数を削除して(オプション、 del を使用)、余分なメモリを使用しないようにします。

上記の手順のサンプルコード(pygame.VIDEORESIZE event ifステートメントを置き換えます):

        if event.type == pygame.VIDEORESIZE:
            old_surface_saved = surface
            surface = pygame.display.set_mode((event.w, event.h),
                                              pygame.RESIZABLE)
            # On the next line, if only part of the window
            # needs to be copied, there's some other options.
            surface.blit(old_surface_saved, (0,0))
            del old_surface_saved
10
Edward

サイズ変更可能なシンプルなHelloWorldウィンドウに加えて、クラスで遊んでいました。
2つのファイルに分割され、1つは色定数を定義するためのものです。

import pygame, sys
from pygame.locals import *
from colors import *


# Data Definition
class helloWorld:
    '''Create a resizable hello world window'''
    def __init__(self):
        pygame.init()
        self.width = 300
        self.height = 300
        DISPLAYSURF = pygame.display.set_mode((self.width,self.height), RESIZABLE)
        DISPLAYSURF.fill(WHITE)

    def run(self):
        while True:
            for event in pygame.event.get():
                if event.type == QUIT:
                    pygame.quit()
                    sys.exit()
                Elif event.type == VIDEORESIZE:
                    self.CreateWindow(event.w,event.h)
            pygame.display.update()

    def CreateWindow(self,width,height):
        '''Updates the window width and height '''
        pygame.display.set_caption("Press ESC to quit")
        DISPLAYSURF = pygame.display.set_mode((width,height),RESIZABLE)
        DISPLAYSURF.fill(WHITE)


if __name__ == '__main__':
    helloWorld().run()

colors.py:

BLACK  = (0, 0,0)
WHITE  = (255, 255, 255)
RED    = (255, 0, 0)
YELLOW = (255, 255, 0)
BLUE   = (0,0,255)

GREEN = (0,255,0)
0
JMJ