discover-desktop/discover_overlay/image_getter.py
trigg 02e4a455a0 - Add new config variables
- - fade out when inactive
- - inactive time (in seconds) before fade out
- - fade out duration (seconds)
- - fade out lower limit. Lowest opacity at which to stop fading out
- Add activity tracker to voice overlay
- Remove old avatar alpha transparency which reloaded file each time it changed
- Convert to images to PIL and back when needed to lower alpha level
- - This was much less than ideal, but alternatives failed
- Fix issue with premultiplied alpha in image loading
- Lowered minimum avatar opacity
- Fixed an edge case where overlay windows were closed
- Added inactivity variables to config window
- Updated Welsh translation - poorly
2024-03-22 17:37:09 +00:00

240 lines
8.2 KiB
Python

# This program is free software: you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation, either version 3 of the License, or
# (at your option) any later version.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with this program. If not, see <https://www.gnu.org/licenses/>.
"""Functions & Classes to assist image loading."""
import urllib
import threading
import logging
import gi
import requests
import cairo
import PIL
import PIL.Image as Image
import os
import io
import copy
gi.require_version('GdkPixbuf', '2.0')
# pylint: disable=wrong-import-position
from gi.repository import Gio, GdkPixbuf # nopep8
log = logging.getLogger(__name__)
class SurfaceGetter():
"""Download and decode image using PIL and store as a cairo surface"""
def __init__(self, func, url, identifier, size):
self.func = func
self.identifier = identifier
self.url = url
self.size = size
def get_url(self):
"""Downloads and decodes"""
try:
resp = requests.get(
self.url, stream=True, headers={
'Referer': 'https://streamkit.discord.com/overlay/voice',
'User-Agent': 'Mozilla/5.0'
}
)
raw = resp.raw
image = Image.open(raw)
(surface, mask) = from_pil(image)
self.func(self.identifier, surface, mask)
except requests.HTTPError:
log.error("Unable to open %s", self.url)
except requests.TooManyRedirects:
log.error("Unable to open %s - Too many redirects", self.url)
except requests.Timeout:
log.error("Unable to open %s - Timeout", self.url)
except requests.ConnectionError:
log.error("Unable to open %s - Connection error", self.url)
except ValueError:
log.error("Unable to read %s", self.url)
except TypeError:
log.error("Unable to read %s", self.url)
except PIL.UnidentifiedImageError:
log.error("Unknown image type: %s", self.url)
def get_file(self):
locations = [os.path.expanduser('~/.local/'), '/usr/', '/app']
for prefix in locations:
mixpath = os.path.join(prefix, self.url)
image = None
try:
image = Image.open(mixpath)
except ValueError:
log.error("Value Erorr - Unable to read %s", mixpath)
except TypeError:
log.error("Type Error - Unable to read %s", mixpath)
except PIL.UnidentifiedImageError:
log.error("Unknown image type: %s", mixpath)
except FileNotFoundError:
log.error("File not found: %s", mixpath)
if image:
(surface, mask) = from_pil(image)
if surface:
self.func(self.identifier, surface, mask)
return
def from_pil(image, alpha=1.0, format='BGRa'):
"""
:param im: Pillow Image
:param alpha: 0..1 alpha to add to non-alpha images
:param format: Pixel format for output surface
"""
arr = bytearray()
mask = bytearray()
if 'A' not in image.getbands():
image.putalpha(int(alpha * 255.0))
arr = bytearray(image.tobytes('raw', format))
mask = arr
else:
arr = bytearray(image.tobytes('raw', format))
mask = copy.deepcopy((arr))
idx = 0
while idx < len(arr):
if arr[idx] > 0:
mask[idx] = 255
else:
mask[idx] = 0
# Cairo expects the raw data to be pre-multiplied alpha
# This means when we change the alpha level we need to change the RGB channels equally
arr[idx] = int(arr[idx] * alpha)
idx +=1
surface = cairo.ImageSurface.create_for_data(
arr, cairo.FORMAT_ARGB32, image.width, image.height)
mask = cairo.ImageSurface.create_for_data(
mask, cairo.FORMAT_ARGB32, image.width, image.height)
return (surface, mask)
def to_pil(surface):
if surface.get_format() == cairo.Format.ARGB32:
return Image.frombuffer('RGBA', (surface.get_width(), surface.get_height()), surface.get_data(),'raw',"BGRA",surface.get_stride())
return Image.frombuffer("RGB", (surface.get_width(), surface.get_height()), surface.get_data(),'raw', "BGRX", stride)
def get_surface(func, identifier, ava, size):
"""Download to cairo surface"""
image_getter = SurfaceGetter(func, identifier, ava, size)
if identifier.startswith('http'):
thread = threading.Thread(target=image_getter.get_url)
thread.start()
else:
thread = threading.Thread(target=image_getter.get_file)
thread.start()
def get_aspected_size(img, width, height, anchor=0, hanchor=0):
"""Get dimensions of image keeping current aspect ratio"""
pic_width = img.get_width()
pic_height = img.get_height()
if pic_height < 1 or height < 1:
return (0, 0, 0, 0)
img_aspect = pic_width / pic_height
rect_aspect = width / height
offset_y = 0
offset_x = 0
if img_aspect > rect_aspect:
old_height = height
height = width / img_aspect
if anchor == 0:
offset_y = offset_y + (old_height - height)
if anchor == 1:
offset_y = offset_y + ((old_height - height) / 2)
elif img_aspect < rect_aspect:
old_width = width
width = height * img_aspect
if hanchor == 2:
offset_x = offset_x + (old_width - width)
if hanchor == 1:
offset_x = offset_x + ((old_width - width) / 2)
return (offset_x, offset_y, width, height)
def draw_img_to_rect(img, ctx,
pos_x, pos_y,
width, height,
path=False, aspect=False,
anchor=0, hanchor=0, alpha=1.0):
"""Draw cairo surface onto context
Path - only add the path do not fill : True/False
Aspect - keep aspect ratio : True/False
Anchor - with aspect : 0=left 1=middle 2=right
HAnchor - with apect : 0=bottom 1=middle 2=top
"""
ctx.save()
offset_x = 0
offset_y = 0
if aspect:
(offset_x, offset_y, width, height) = get_aspected_size(
img, width, height, anchor=anchor, hanchor=hanchor)
ctx.translate(pos_x + offset_x, pos_y + offset_y)
ctx.scale(width, height)
ctx.scale(1 / img.get_width(), 1 / img.get_height())
if alpha != 1.0:
# Honestly, couldn't find a 'use-image-with-modifier' option
# Tried RasterSourcePattern but it appears... broken? in the python implementation
# Or just lacking documentation.
# Pass raw data to PIL and then back with an alpha modifier
ctx.set_source_surface(
from_pil(
to_pil(img),
alpha
)[0],
0,0)
else:
ctx.set_source_surface(img, 0, 0)
ctx.rectangle(0, 0, img.get_width(), img.get_height())
if not path:
ctx.fill()
ctx.restore()
return (width, height)
def draw_img_to_mask(img, ctx,
pos_x, pos_y,
width, height,
path=False, aspect=False,
anchor=0, hanchor=0):
"""Draw cairo surface as mask into context
Path - only add the path do not fill : True/False
Aspect - keep aspect ratio : True/False
Anchor - with aspect : 0=left 1=middle 2=right
HAnchor - with apect : 0=bottom 1=middle 2=top
"""
ctx.save()
offset_x = 0
offset_y = 0
if aspect:
(offset_x, offset_y, width, height) = get_aspected_size(
img, width, height, anchor=anchor, hanchor=hanchor)
ctx.translate(pos_x + offset_x, pos_y + offset_y)
ctx.scale(width, height)
ctx.scale(1 / img.get_width(), 1 / img.get_height())
ctx.rectangle(0, 0, img.get_width(), img.get_height())
if not path:
ctx.mask_surface(img, 0, 0)
ctx.restore()
return (width, height)