Skip to content

Commit

Permalink
Allow plugins to specify their supported modes
Browse files Browse the repository at this point in the history
  • Loading branch information
radarhere committed Feb 21, 2021
1 parent 484f990 commit ccdc9cd
Show file tree
Hide file tree
Showing 9 changed files with 131 additions and 61 deletions.
5 changes: 3 additions & 2 deletions Tests/test_file_gif.py
Original file line number Diff line number Diff line change
Expand Up @@ -799,11 +799,12 @@ def test_save_I(tmp_path):
assert_image_equal(reloaded.convert("L"), im.convert("L"))


def test_save_wrong_modes(self):
def test_save_wrong_modes():
out = BytesIO()
for mode in ["CMYK"]:
img = Image.new(mode, (20, 20))
self.assertRaises(ValueError, img.save, out, "GIF")
with pytest.raises(ValueError):
img.save(out, "GIF")

for mode in ["CMYK", "LA"]:
img = Image.new(mode, (20, 20))
Expand Down
3 changes: 1 addition & 2 deletions Tests/test_file_jpeg.py
Original file line number Diff line number Diff line change
Expand Up @@ -643,8 +643,7 @@ def test_save_wrong_modes(self, tmp_path):
img.save(temp_file, convert_mode=True, fill_color="red")

with Image.open(temp_file) as reloaded:
with Image.open("Tests/images/pil123rgba_red.jpg") as target:
assert_image_similar(reloaded, target, 4)
assert_image_similar_tofile(reloaded, "Tests/images/pil123rgba_red.jpg", 4)

def test_save_tiff_with_dpi(self, tmp_path):
# Arrange
Expand Down
4 changes: 1 addition & 3 deletions Tests/test_file_webp.py
Original file line number Diff line number Diff line change
Expand Up @@ -12,8 +12,6 @@
skip_unless_feature,
)

from io import BytesIO

try:
from PIL import _webp

Expand Down Expand Up @@ -88,7 +86,7 @@ def _roundtrip(self, tmp_path, mode, epsilon, args={}):
assert_image_similar(image, target, epsilon)

def test_save_convert_mode(self):
out = BytesIO()
out = io.BytesIO()
for mode in ["CMYK", "I", "L", "LA", "P"]:
img = Image.new(mode, (20, 20))
img.save(out, "WEBP", convert_mode=True)
Expand Down
64 changes: 58 additions & 6 deletions Tests/test_image.py
Original file line number Diff line number Diff line change
@@ -1,6 +1,7 @@
import io
import os
import shutil
import sys
import tempfile

import pytest
Expand Down Expand Up @@ -126,8 +127,6 @@ def test_width_height(self):
im.size = (3, 4)

def test_invalid_image(self):
import io

im = io.BytesIO(b"")
with pytest.raises(UnidentifiedImageError):
with Image.open(im):
Expand Down Expand Up @@ -409,14 +408,67 @@ def test_registered_extensions(self):
for ext in [".cur", ".icns", ".tif", ".tiff"]:
assert ext in extensions

def test_no_convert_mode(self):
self.assertTrue(not hasattr(TiffImagePlugin, "_convert_mode"))

temp_file = self.tempfile("temp.tiff")
def test_supported_modes(self):
for format in Image.MIME.keys():
try:
save_handler = Image.SAVE[format]
except KeyError:
continue
plugin = sys.modules[save_handler.__module__]
if not hasattr(plugin, "_supported_modes"):
continue

# Check that the supported modes list is accurate
supported_modes = plugin._supported_modes()
for mode in [
"1",
"L",
"P",
"RGB",
"RGBA",
"CMYK",
"YCbCr",
"LAB",
"HSV",
"I",
"F",
"LA",
"La",
"RGBX",
"RGBa",
]:
out = io.BytesIO()
im = Image.new(mode, (100, 100))
if mode in supported_modes:
im.save(out, format)
else:
with pytest.raises(Exception):
im.save(out, format)

def test_no_supported_modes_method(self, tmp_path):
assert not hasattr(TiffImagePlugin, "_supported_modes")

temp_file = str(tmp_path / "temp.tiff")

im = hopper()
im.save(temp_file, convert_mode=True)

def test_convert_mode(self):
for mode, modes in [["P", []], ["P", ["P"]]]: # no modes, same mode
im = Image.new(mode, (100, 100))
assert im._convert_mode(modes) is None

for mode, modes in [
["P", ["RGB"]],
["P", ["L"]], # converting to a non-preferred mode
["LA", ["P"]],
["I", ["L"]],
["RGB", ["L"]],
["RGB", ["CMYK"]],
]:
im = Image.new(mode, (100, 100))
assert im._convert_mode(modes) is not None

def test_effect_mandelbrot(self):
# Arrange
size = (512, 512)
Expand Down
7 changes: 2 additions & 5 deletions src/PIL/GifImagePlugin.py
Original file line number Diff line number Diff line change
Expand Up @@ -872,11 +872,8 @@ def write(self, data):
return fp.data


def _convert_mode(im):
return {
'LA':'P',
'CMYK':'RGB'
}.get(im.mode)
def _supported_modes():
return ["RGB", "RGBA", "P", "I", "F", "LA", "L", "1"]


# --------------------------------------------------------------------
Expand Down
65 changes: 46 additions & 19 deletions src/PIL/Image.py
Original file line number Diff line number Diff line change
Expand Up @@ -2147,16 +2147,18 @@ def save(self, fp, format=None, **params):

if format.upper() not in SAVE:
init()
if params.pop('save_all', False):
if params.pop("save_all", False):
save_handler = SAVE_ALL[format.upper()]
else:
save_handler = SAVE[format.upper()]

if params.get('convert_mode'):
if params.get("convert_mode"):
plugin = sys.modules[save_handler.__module__]
converted_im = self._convert_mode(plugin, params)
if converted_im:
return converted_im.save(fp, format, **params)
if hasattr(plugin, "_supported_modes"):
modes = plugin._supported_modes()
converted_im = self._convert_mode(modes, params)
if converted_im:
return converted_im.save(fp, format, **params)

self.encoderinfo = params
self.encoderconfig = ()
Expand All @@ -2176,32 +2178,57 @@ def save(self, fp, format=None, **params):
if open_fp:
fp.close()

def _convert_mode(self, plugin, params):
if not hasattr(plugin, '_convert_mode'):
def _convert_mode(self, modes, params={}):
if not modes or self.mode in modes:
return
new_mode = plugin._convert_mode(self)
if self.mode == 'LA' and new_mode == 'P':
alpha = self.getchannel('A')
if self.mode == "P":
preferred_modes = []
if "A" in self.im.getpalettemode():
preferred_modes.append("RGBA")
preferred_modes.append("RGB")
else:
preferred_modes = {
"CMYK": ["RGB"],
"RGB": ["CMYK"],
"RGBX": ["RGB"],
"RGBa": ["RGBA", "RGB"],
"RGBA": ["RGB"],
"LA": ["RGBA", "P", "L"],
"La": ["LA", "L"],
"L": ["RGB"],
"F": ["I"],
"I": ["L", "RGB"],
"1": ["L"],
"YCbCr": ["RGB"],
"LAB": ["RGB"],
"HSV": ["RGB"],
}.get(self.mode, [])
for new_mode in preferred_modes:
if new_mode in modes:
break
else:
new_mode = modes[0]
if self.mode == "LA" and new_mode == "P":
alpha = self.getchannel("A")
# Convert the image into P mode but only use 255 colors
# in the palette out of 256.
im = self.convert('L') \
.convert('P', palette=ADAPTIVE, colors=255)
im = self.convert("L").convert("P", palette=ADAPTIVE, colors=255)
# Set all pixel values below 128 to 255, and the rest to 0.
mask = eval(alpha, lambda px: 255 if px < 128 else 0)
# Paste the color of index 255 and use alpha as a mask.
im.paste(255, mask)
# The transparency index is 255.
im.info['transparency'] = 255
im.info["transparency"] = 255
return im

elif self.mode == 'I':
im = self.point([i//256 for i in range(65536)], 'L')
return im.convert(new_mode) if new_mode != 'L' else im
elif self.mode == "I":
im = self.point([i // 256 for i in range(65536)], "L")
return im.convert(new_mode) if new_mode != "L" else im

elif self.mode in ('RGBA', 'LA') and new_mode in ('RGB', 'L'):
fill_color = params.get('fill_color', 'white')
elif self.mode in ("RGBA", "LA") and new_mode in ("RGB", "L"):
fill_color = params.get("fill_color", "white")
background = new(new_mode, self.size, fill_color)
background.paste(self, self.getchannel('A'))
background.paste(self, self.getchannel("A"))
return background

elif new_mode:
Expand Down
11 changes: 2 additions & 9 deletions src/PIL/JpegImagePlugin.py
Original file line number Diff line number Diff line change
Expand Up @@ -794,15 +794,8 @@ def jpeg_factory(fp=None, filename=None):
return im


def _convert_mode(im):
mode = im.mode
if mode == 'P':
return 'RGBA' if 'A' in im.im.getpalettemode() else 'RGB'
return {
'RGBA':'RGB',
'LA':'L',
'I':'L'
}.get(mode)
def _supported_modes():
return ["RGB", "CMYK", "YCbCr", "RGBX", "L", "1"]


# ---------------------------------------------------------------------
Expand Down
6 changes: 2 additions & 4 deletions src/PIL/PngImagePlugin.py
Original file line number Diff line number Diff line change
Expand Up @@ -1383,10 +1383,8 @@ def append(fp, cid, *data):
return fp.data


def _convert_mode(im):
return {
'CMYK':'RGB'
}.get(im.mode)
def _supported_modes():
return ["RGB", "RGBA", "P", "I", "LA", "L", "1"]


# --------------------------------------------------------------------
Expand Down
27 changes: 16 additions & 11 deletions src/PIL/WebPImagePlugin.py
Original file line number Diff line number Diff line change
Expand Up @@ -342,17 +342,22 @@ def _save(im, fp, filename):
fp.write(data)


def _convert_mode(im):
mode = im.mode
if mode == 'P':
return 'RGBA' if 'A' in im.im.getpalettemode() else 'RGB'
return {
# Pillow doesn't support L modes for webp for now.
'L':'RGB',
'LA':'RGBA',
'I':'RGB',
'CMYK':'RGB'
}.get(mode)
def _supported_modes():
return [
"RGB",
"RGBA",
"RGBa",
"RGBX",
"CMYK",
"YCbCr",
"HSV",
"I",
"F",
"P",
"LA",
"L",
"1",
]


Image.register_open(WebPImageFile.format, WebPImageFile, _accept)
Expand Down

0 comments on commit ccdc9cd

Please sign in to comment.