Поворот изображения делает фон грязным - PullRequest
0 голосов
/ 12 октября 2018

Я работаю с Pygame и хочу, чтобы машина ехала по карте, но когда я вызываю функцию rotate, она делает рамку снаружи, когда машина вращается, и закрывает фон (черная часть изображения),Это мой код:

import pygame
import time

class Background(pygame.sprite.Sprite):
    def __init__(self, image_file, location):
        pygame.sprite.Sprite.__init__(self)  #call Sprite initializer
        self.image = pygame.image.load(image_file)
        self.rect = self.image.get_rect()
        self.rect.left, self.rect.top = location

class Car(pygame.sprite.Sprite):
    def __init__(self, image_file, location):
        pygame.sprite.Sprite.__init__(self)  #call Sprite initializer
        self.original_image = pygame.image.load(image_file).convert()
        self.image = self.original_image
        self.rect = self.image.get_rect()
        self.rect.left, self.rect.top = location

    def rotate(self, angle) :
        self.image = pygame.transform.rotate(self.original_image, angle)

    def move(self, location) :
        self.rect.left, self.rect.top = location

pygame.init()
clock = pygame.time.Clock()
screen = pygame.display.set_mode((800,600))

background = Background('image/raw_map.png', [0,0])
car = Car('image/car.png', [100,100])

pygame.display.flip()

for i in range(90) :
    screen.fill((0, 0, 0))
    car.rotate(i)

    screen.blit(background.image, background.rect)
    screen.blit(car.image, car.rect)
    clock.tick(10)
    pygame.display.update()

А это картинка, когда машина вращается:

enter image description here

И еще одна проблема,мое изображение имеет четкий фон, но оно по-прежнему покрывает фон.

1 Ответ

0 голосов
/ 12 октября 2018

Вы должны вызвать метод convert_alpha, если ваше изображение имеет прозрачный фон.Если у него нет одноцветного фона, вы можете вызвать set_colorkey, чтобы сделать его прозрачным, но изображения, преобразованные с помощью convert_alpha, будут отбрасываться намного быстрее, поэтому я рекомендую этот метод.

Я также исправил ваш код поворотаи добавил несколько комментариев.

import pygame
# No need to import time, since you're using the pygame.time module.


class Background(pygame.sprite.Sprite):
    def __init__(self, image_file, location):
        pygame.sprite.Sprite.__init__(self)
        # Call the convert method, then the image can be blitted faster.
        self.image = pygame.image.load(image_file).convert()
        # You can pass the location as the `topleft` argument.
        self.rect = self.image.get_rect(topleft=location)


class Car(pygame.sprite.Sprite):
    def __init__(self, image_file, location):
        pygame.sprite.Sprite.__init__(self)
        # Call the `convert_alpha` method if the image has a transparent
        # background, otherwise you could use the `set_colorkey` method.
        self.original_image = pygame.image.load(image_file).convert_alpha()
        self.image = self.original_image
        self.rect = self.image.get_rect(topleft=location)

    def rotate(self, angle):
        self.image = pygame.transform.rotate(self.original_image, angle)
        # Get a new rect and pass the center of the previous rect. This
        # will keep the car centered.
        self.rect = self.image.get_rect(center=self.rect.center)

    def move(self, location):
        self.rect.topleft = location


pygame.init()
clock = pygame.time.Clock()
screen = pygame.display.set_mode((800,600))

background = Background('image/raw_map.png', [0,0])
car = Car('image/car.png', [100,100])
angle = 0

done = False
while not done:
    # Need to handle events each frame or the window will freeze.
    for event in pygame.event.get():
        if event.type == pygame.QUIT:
            done = True

    # Update the game.
    angle += 5
    car.rotate(angle)

    # Draw everything.
    screen.fill((0, 0, 0))
    screen.blit(background.image, background.rect)
    screen.blit(car.image, car.rect)
    clock.tick(30)
    pygame.display.update()
...