2017-10-10 21 views
2

제목은 정말 모두를 말합니다. UI 거품이 나타날 것이기 때문에 내가 바라는 효과는 UI에 사용될 것이고, 나는 그것들을 늘려서 움직이기 원합니다.모서리를 보존하면서 파이 게임에서 이미지 늘이기

iOS 메시징 응용 프로그램의 채팅 거품은이 동작의 좋은 예입니다. here for example을 참조하십시오. 마지막 채팅 남았습니다 행동 거품

enter image description here

주의 : 여기에 재생되는 메인 이미지입니다. 이것은 메시징 앱에서는 정상적인 현상이 아니며 적절한 확장은 내가 Pygame으로 얻고 자하는 것입니다.

파이 게임에서 이러한 종류의 스트레칭을 재현하는 쉬운 방법이 있습니까? 어떤 구속 조건이 있더라도, 모든 구석은 같은 크기 또는 무언가 여야합니다. 가능한 무엇이 있는지 알고 싶습니다.

감사합니다.

+1

[9- 슬라이싱] (https://docs.unity3d.com/Manual/9SliceSprites.html)에서 원하는 것을 찾으십시오. 나는 이미지를 9 조각으로 직접 처리 할 파이 게임에 내장 된 것이 아무것도 없다고 생각한다. 이것을하는 파이 게임의'Sprite' 클래스를 확장하는 클래스를 만드는 것이 흥미로울 수 있습니다! 여러 "분할 된"이미지를 전달할 계획입니까, 아니면 단순히 스케일링을 처리하기 위해 포인트를 설정하고 싶습니까? – CodeSurgeon

+0

@ CodeSurgeon huh, 그렇다면 아마도 하위 클래스를 만들 것입니다. 나는 가능성이있는 경계를 가지고 이미지를 찍을 것이고, 그로부터 9 개의 이미지를 만들고 슬라이스를 할 것입니다. 이름을위한 최고 감사, 나는 불려야하는 무슨이라고 파악할 수 없었다. –

답변

2

코멘트에서 제안한 내용을 토대로 파이크메 (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() 
+1

이봐, 너는 옳은 길에있는 것 같지만 코드에 문제가있다. 나는 [이 생성 된 이미지] (https://pastebin.com/78KMm7S0)로 테스트 한 결과 몇몇 곳에서는 바람직하지 않은 스트레칭이 있습니다. --- 또한,'__init__' 메소드와 같이 한 번만 이미지를 만들 것을 제안합니다. 그러면 'draw' 메소드에서 병합 된 이미지를 블릿 할 수 있습니다. – skrx

+0

@skrx 그 모양을 사용해 보았는데 내 생성자에서 슬라이싱 값이 'slicing = (25, 25, 25, 25)'인'SliceSprite'를 생성하면 잘 동작합니다 (외부 및 내부 " 곡률 "). 나는 슬라이스 이미지 생성을'__init__' 메쏘드에 두는 것에 대해 생각했지만, 사용자가'width','height' 또는'padding'을 변경하면, 슬라이스는 다시 계산되지 않을 것입니다.그 속성들 각각에 대해'getter and setter decorators'를 사용할 수 있습니다. 그러면'_generate_slices()'와 같은 내부 함수를 호출하게됩니다. 그게 더 나아질까요, 아니면 다른 아이디어가 있습니까? – CodeSurgeon

+0

아, 그래, 그것은'slicing = (25, 25, 25, 25)'에서 올바르게 작동합니다. 나는 그 사용법에 대해 확신하지 못했습니다. 그리고 예, 속성 ('@ property')을 사용하거나 getter 및 setter 메소드 만 사용하면 나중에 사용자가 이미지의 크기를 조정하려는 경우 좋은 해결책이 될 수 있습니다. BTW는 클래스가 파이 게임 스프라이트이므로 스프라이트 그룹에 그리면 그리는 방법을 생략 할 수 있습니다. – skrx

1

는 그것을 분할함으로써 표면의 확대 된 버전을 생성하는 해결책 세 부분으로 나누고 중간 선을 반복적으로 blitting. 수직 확대도 비슷하게 작동합니다.

import pygame as pg 


def enlarge_horizontal(image, width=None): 
    """A horizontally enlarged version of the image. 

    Blit the middle line repeatedly to enlarge the image. 

    Args: 
     image (pygame.Surface): The original image/surface. 
     width (int): Desired width of the scaled surface. 
    """ 
    w, h = image.get_size() 
    # Just return the original image, if the desired width is too small. 
    if width is None or width < w: 
     return image 
    mid_point = w//2 
    # Split the image into 3 parts (left, mid, right). 
    # `mid` is just the middle vertical line. 
    left = image.subsurface((0, 0, w//2, h)) 
    mid = image.subsurface((mid_point, 0, 1, h)) 
    right = image.subsurface((mid_point, 0, w//2, h)) 
    surf = pg.Surface((width, h), pg.SRCALPHA) 

    # Join the parts (blit them onto the new surface). 
    surf.blit(left, (0, 0)) 
    for i in range(width-w+1): 
     surf.blit(mid, (mid_point+i, 0)) 
    surf.blit(right, (width-w//2, 0)) 
    return surf 


def main(): 
    screen = pg.display.set_mode((800, 800)) 
    clock = pg.time.Clock() 
    image = pg.Surface((100, 100), pg.SRCALPHA) 
    pg.draw.circle(image, (20, 100, 150), (50, 50), 50) 
    pg.draw.circle(image, (0, 60, 120), (50, 50), 45) 

    surfs = [enlarge_horizontal(image, width=i) for i in range(0, 701, 140)] 

    while True: 
     for event in pg.event.get(): 
      if event.type == pg.QUIT: 
       return 

     screen.fill((30, 30, 40)) 
     for i, surf in enumerate(surfs): 
      screen.blit(surf, (20, i*109 + 5)) 
     pg.display.flip() 
     clock.tick(60) 


if __name__ == '__main__': 
    pg.init() 
    main() 
    pg.quit() 
+0

이 방법은 표면의 중심 내용을 ** 늘어나지 않고 ** 타일링 **하려는 경우에 유용합니다. 표면의 가운데 조각에 무엇이 있는지에 따라 중요 할 수 있습니다 (예 : 패턴이있는 경우). – CodeSurgeon