코멘트에서 제안한 내용을 토대로 파이크메 (pygame)에 9 조각의 스프라이트를 만들고 렌더링하는 클래스 인 SliceSprite
을 구현했습니다. 나는 또한 그것이 사용될 수있는 방법을 보여주는 샘플을 포함시켰다. 가장자리가 거칠어 보이지만 (정의 된 왼쪽 및 오른쪽 슬라이스 크기보다 작은 너비로 스프라이트의 크기를 조정할 때와 같이 잘못된 입력을 확인하지는 않지만) 유용한 시작이어야합니다.이 코드는 이러한 엣지 케이스를 처리하도록 업데이트되고 연마되었으며 주석에 @skrx가 제안한대로 모든 그리기 호출시 9 개의 하위 서페이스를 다시 작성하지 않습니다.
slicesprite.py
import pygame
class SliceSprite(pygame.sprite.Sprite):
"""
SliceSprite extends pygame.sprite.Sprite to allow for 9-slicing of its contents.
Slicing of its image property is set using a slicing tuple (left, right, top, bottom).
Values for (left, right, top, bottom) are distances from the image edges.
"""
width_error = ValueError("SliceSprite width cannot be less than (left + right) slicing")
height_error = ValueError("SliceSprite height cannot be less than (top + bottom) slicing")
def __init__(self, image, slicing=(0, 0, 0, 0)):
"""
Creates a SliceSprite object.
_sliced_image is generated in _generate_slices() only when _regenerate_slices is True.
This avoids recomputing the sliced image whenever each SliceSprite parameter is changed
unless absolutely necessary! Additionally, _rect does not have direct @property access
since updating properties of the rect would not be trigger _regenerate_slices.
Args:
image (pygame.Surface): the original surface to be sliced
slicing (tuple(left, right, top, bottom): the 9-slicing margins relative to image edges
"""
pygame.sprite.Sprite.__init__(self)
self._image = image
self._sliced_image = None
self._rect = self.image.get_rect()
self._slicing = slicing
self._regenerate_slices = True
@property
def image(self):
return self._image
@image.setter
def image(self, new_image):
self._image = new_image
self._regenerate_slices = True
@property
def width(self):
return self._rect.width
@width.setter
def width(self, new_width):
self._rect.width = new_width
self._regenerate_slices = True
@property
def height(self):
return self._rect.height
@height.setter
def height(self, new_height):
self._rect.height = new_height
self._regenerate_slices = True
@property
def x(self):
return self._rect.x
@x.setter
def x(self, new_x):
self._rect.x = new_x
self._regenerate_slices = True
@property
def y(self):
return self._rect.y
@y.setter
def y(self, new_y):
self._rect.y = new_y
self._regenerate_slices = True
@property
def slicing(self):
return self._slicing
@slicing.setter
def slicing(self, new_slicing=(0, 0, 0, 0)):
self._slicing = new_slicing
self._regenerate_slices = True
def get_rect(self):
return self._rect
def set_rect(self, new_rect):
self._rect = new_rect
self._regenerate_slices = True
def _generate_slices(self):
"""
Internal method required to generate _sliced_image property.
This first creates nine subsurfaces of the original image (corners, edges, and center).
Next, each subsurface is appropriately scaled using pygame.transform.smoothscale.
Finally, each subsurface is translated in "relative coordinates."
Raises appropriate errors if rect cannot fit the center of the original image.
"""
num_slices = 9
x, y, w, h = self._image.get_rect()
l, r, t, b = self._slicing
mw = w - l - r
mh = h - t - b
wr = w - r
hb = h - b
rect_data = [
(0, 0, l, t), (l, 0, mw, t), (wr, 0, r, t),
(0, t, l, mh), (l, t, mw, mh), (wr, t, r, mh),
(0, hb, l, b), (l, hb, mw, b), (wr, hb, r, b),
]
x, y, w, h = self._rect
mw = w - l - r
mh = h - t - b
if mw < 0: raise SliceSprite.width_error
if mh < 0: raise SliceSprite.height_error
scales = [
(l, t), (mw, t), (r, t),
(l, mh), (mw, mh), (r, mh),
(l, b), (mw, b), (r, b),
]
translations = [
(0, 0), (l, 0), (l + mw, 0),
(0, t), (l, t), (l + mw, t),
(0, t + mh), (l, t + mh), (l + mw, t + mh),
]
self._sliced_image = pygame.Surface((w, h))
for i in range(num_slices):
rect = pygame.rect.Rect(rect_data[i])
surf_slice = self.image.subsurface(rect)
stretched_slice = pygame.transform.smoothscale(surf_slice, scales[i])
self._sliced_image.blit(stretched_slice, translations[i])
def draw(self, surface):
"""
Draws the SliceSprite onto the desired surface.
Calls _generate_slices only at draw time only if necessary.
Note that the final translation occurs here in "absolute coordinates."
Args:
surface (pygame.Surface): the parent surface for blitting SliceSprite
"""
x, y, w, h, = self._rect
if self._regenerate_slices:
self._generate_slices()
self._regenerate_slices = False
surface.blit(self._sliced_image, (x, y))
사용 예 (main.py) : 여기
import pygame
from slicesprite import SliceSprite
if __name__ == "__main__":
pygame.init()
screen = pygame.display.set_mode((800, 600))
clock = pygame.time.Clock()
done = False
outer_points = [(0, 20), (20, 0), (80, 0), (100, 20), (100, 80), (80, 100), (20, 100), (0, 80)]
inner_points = [(10, 25), (25, 10), (75, 10), (90, 25), (90, 75), (75, 90), (25, 90), (10, 75)]
image = pygame.Surface((100, 100), pygame.SRCALPHA)
pygame.draw.polygon(image, (20, 100, 150), outer_points)
pygame.draw.polygon(image, (0, 60, 120), inner_points)
button = SliceSprite(image, slicing=(25, 25, 25, 25))
button.set_rect((50, 100, 500, 200))
#Alternate version if you hate using rects for some reason
#button.x = 50
#button.y = 100
#button.width = 500
#button.height = 200
while not done:
for event in pygame.event.get():
if event.type == pygame.QUIT:
done = True
screen.fill((0, 0, 0))
button.draw(screen)
pygame.display.flip()
clock.tick()
[9- 슬라이싱] (https://docs.unity3d.com/Manual/9SliceSprites.html)에서 원하는 것을 찾으십시오. 나는 이미지를 9 조각으로 직접 처리 할 파이 게임에 내장 된 것이 아무것도 없다고 생각한다. 이것을하는 파이 게임의'Sprite' 클래스를 확장하는 클래스를 만드는 것이 흥미로울 수 있습니다! 여러 "분할 된"이미지를 전달할 계획입니까, 아니면 단순히 스케일링을 처리하기 위해 포인트를 설정하고 싶습니까? – CodeSurgeon
@ CodeSurgeon huh, 그렇다면 아마도 하위 클래스를 만들 것입니다. 나는 가능성이있는 경계를 가지고 이미지를 찍을 것이고, 그로부터 9 개의 이미지를 만들고 슬라이스를 할 것입니다. 이름을위한 최고 감사, 나는 불려야하는 무슨이라고 파악할 수 없었다. –