bux
bux

Reputation: 7799

Make part of image transparent with pyglet

I have two images, "desert" image over "winter" image:

import pyglet


desert_img = pyglet.image.load('assets/desert.jpg')
desert = pyglet.sprite.Sprite(desert_img, x=50, y=50)

winter_img = pyglet.image.load('assets/winter.jpg')
winter = pyglet.sprite.Sprite(winter_img, x=0, y=0)

window = pyglet.window.Window()


@window.event
def on_draw():
    winter.draw()
    desert.draw()

pyglet.app.run()

Result is: result

I would like draw a square of "transparency" on desert image (winter image should be visible in this square). Is it possible ? How to do that ?

I found many question who permit to make transparency with image itself (png, alpha ... but no like i want).

Upvotes: 0

Views: 778

Answers (1)

bux
bux

Reputation: 7799

Based on Torxed suggestion, replace image content with transparent bytes where we want to make it transparent:

import io
from PIL import Image
import pyglet
from PIL.PngImagePlugin import PngImageFile


def replace_content_with_transparency(img: PngImageFile, x, y, width, height):
    pixels = img.load()
    for i in range(x, width):
        for j in range(y, height):
            pixels[i, j] = (0, 0, 0, 0)


desert_png = Image.open('assets/desert.png')
replace_content_with_transparency(desert_png, 32, 32, 123, 123)

fake_file = io.BytesIO()
desert_png.save(fake_file, format='PNG')

desert_img = pyglet.image.load('img.png', file=fake_file)
desert = pyglet.sprite.Sprite(desert_img, x=50, y=50)

winter_img = pyglet.image.load('assets/winter.jpg')
winter = pyglet.sprite.Sprite(winter_img, x=0, y=0)

window = pyglet.window.Window()


@window.event
def on_draw():
    winter.draw()
    desert.draw()

pyglet.app.run()

image with square of transparency

Upvotes: 1

Related Questions