Pillow/Tests/helper.py

345 lines
9.0 KiB
Python
Raw Normal View History

"""
Helper functions.
"""
import logging
import os
import subprocess
import sys
import tempfile
import unittest
from io import BytesIO
import pytest
from PIL import Image, ImageMath
2017-11-17 22:47:05 +03:00
logger = logging.getLogger(__name__)
HAS_UPLOADER = False
2019-06-13 18:53:42 +03:00
if os.environ.get("SHOW_ERRORS", None):
2018-01-27 09:07:24 +03:00
# local img.show for errors.
2018-03-06 11:53:07 +03:00
HAS_UPLOADER = True
2018-03-03 12:54:00 +03:00
class test_image_results:
2019-10-12 13:59:03 +03:00
@staticmethod
def upload(a, b):
a.show()
b.show()
2019-06-13 18:53:42 +03:00
2019-10-12 13:59:03 +03:00
elif "GITHUB_ACTIONS" in os.environ:
HAS_UPLOADER = True
class test_image_results:
@staticmethod
def upload(a, b):
dir_errors = os.path.join(os.path.dirname(__file__), "errors")
os.makedirs(dir_errors, exist_ok=True)
tmpdir = tempfile.mkdtemp(dir=dir_errors)
a.save(os.path.join(tmpdir, "a.png"))
b.save(os.path.join(tmpdir, "b.png"))
return tmpdir
else:
try:
import test_image_results
2019-06-13 18:53:42 +03:00
HAS_UPLOADER = True
except ImportError:
pass
def convert_to_comparable(a, b):
new_a, new_b = a, b
2019-06-13 18:53:42 +03:00
if a.mode == "P":
new_a = Image.new("L", a.size)
new_b = Image.new("L", b.size)
new_a.putdata(a.getdata())
new_b.putdata(b.getdata())
2019-06-13 18:53:42 +03:00
elif a.mode == "I;16":
new_a = a.convert("I")
new_b = b.convert("I")
return new_a, new_b
def assert_deep_equal(a, b, msg=None):
try:
assert len(a) == len(b), msg or "got length {}, expected {}".format(
len(a), len(b)
2019-06-13 18:53:42 +03:00
)
except Exception:
assert a == b, msg
def assert_image(im, mode, size, msg=None):
if mode is not None:
assert im.mode == mode, msg or "got mode {!r}, expected {!r}".format(
im.mode, mode
2019-06-13 18:53:42 +03:00
)
if size is not None:
assert im.size == size, msg or "got size {!r}, expected {!r}".format(
im.size, size
2019-06-13 18:53:42 +03:00
)
def assert_image_equal(a, b, msg=None):
assert a.mode == b.mode, msg or "got mode {!r}, expected {!r}".format(
a.mode, b.mode
)
assert a.size == b.size, msg or "got size {!r}, expected {!r}".format(
a.size, b.size
)
if a.tobytes() != b.tobytes():
if HAS_UPLOADER:
try:
url = test_image_results.upload(a, b)
logger.error("Url for test images: %s" % url)
except Exception:
pass
assert False, msg or "got different content"
def assert_image_equal_tofile(a, filename, msg=None, mode=None):
with Image.open(filename) as img:
if mode:
img = img.convert(mode)
assert_image_equal(a, img, msg)
def assert_image_similar(a, b, epsilon, msg=None):
assert a.mode == b.mode, msg or "got mode {!r}, expected {!r}".format(
a.mode, b.mode
)
assert a.size == b.size, msg or "got size {!r}, expected {!r}".format(
a.size, b.size
)
a, b = convert_to_comparable(a, b)
diff = 0
for ach, bch in zip(a.split(), b.split()):
chdiff = ImageMath.eval("abs(a - b)", a=ach, b=bch).convert("L")
diff += sum(i * num for i, num in enumerate(chdiff.histogram()))
ave_diff = diff / (a.size[0] * a.size[1])
try:
assert epsilon >= ave_diff, (
msg or ""
) + " average pixel value difference %.4f > epsilon %.4f" % (ave_diff, epsilon)
except Exception as e:
if HAS_UPLOADER:
try:
url = test_image_results.upload(a, b)
logger.error("Url for test images: %s" % url)
except Exception:
pass
raise e
def assert_image_similar_tofile(a, filename, epsilon, msg=None, mode=None):
with Image.open(filename) as img:
if mode:
img = img.convert(mode)
assert_image_similar(a, img, epsilon, msg)
def assert_all_same(items, msg=None):
assert items.count(items[0]) == len(items), msg
def assert_not_all_same(items, msg=None):
assert items.count(items[0]) != len(items), msg
def assert_tuple_approx_equal(actuals, targets, threshold, msg):
"""Tests if actuals has values within threshold from targets"""
value = True
for i, target in enumerate(targets):
value *= target - threshold <= actuals[i] <= target + threshold
assert value, msg + ": " + repr(actuals) + " != " + repr(targets)
def skip_known_bad_test(msg=None):
# Skip if PILLOW_RUN_KNOWN_BAD is not true in the environment.
if not os.environ.get("PILLOW_RUN_KNOWN_BAD", False):
pytest.skip(msg or "Known bad test")
class PillowTestCase(unittest.TestCase):
def delete_tempfile(self, path):
2017-11-17 22:47:05 +03:00
try:
os.remove(path)
except OSError:
pass # report?
def tempfile(self, template):
assert template[:5] in ("temp.", "temp_")
2016-12-28 01:54:10 +03:00
fd, path = tempfile.mkstemp(template[4:], template[:4])
os.close(fd)
2014-07-07 21:03:50 +04:00
self.addCleanup(self.delete_tempfile, path)
return path
def open_withImagemagick(self, f):
if not imagemagick_available():
raise OSError()
outfile = self.tempfile("temp.png")
if command_succeeds([IMCONVERT, f, outfile]):
return Image.open(outfile)
raise OSError()
2014-07-07 21:03:50 +04:00
2017-12-19 18:16:15 +03:00
2019-06-13 18:53:42 +03:00
@unittest.skipIf(sys.platform.startswith("win32"), "requires Unix or macOS")
2017-09-02 19:03:38 +03:00
class PillowLeakTestCase(PillowTestCase):
2018-05-13 13:55:04 +03:00
# requires unix/macOS
2017-12-19 18:16:15 +03:00
iterations = 100 # count
mem_limit = 512 # k
2017-09-02 19:03:38 +03:00
def _get_mem_usage(self):
"""
Gets the RUSAGE memory usage, returns in K. Encapsulates the difference
2018-05-13 13:55:04 +03:00
between macOS and Linux rss reporting
2017-09-02 19:03:38 +03:00
2018-05-13 13:52:11 +03:00
:returns: memory usage in kilobytes
2017-09-02 19:03:38 +03:00
"""
2017-12-19 18:16:15 +03:00
from resource import getrusage, RUSAGE_SELF
2019-06-13 18:53:42 +03:00
2017-09-02 19:03:38 +03:00
mem = getrusage(RUSAGE_SELF).ru_maxrss
2019-06-13 18:53:42 +03:00
if sys.platform == "darwin":
2017-09-02 19:03:38 +03:00
# man 2 getrusage:
2018-06-24 15:32:25 +03:00
# ru_maxrss
# This is the maximum resident set size utilized (in bytes).
return mem / 1024 # Kb
2017-09-02 19:03:38 +03:00
else:
# linux
# man 2 getrusage
# ru_maxrss (since Linux 2.6.32)
2017-10-26 08:20:16 +03:00
# This is the maximum resident set size used (in kilobytes).
return mem # Kb
2017-09-02 19:03:38 +03:00
def _test_leak(self, core):
start_mem = self._get_mem_usage()
for cycle in range(self.iterations):
core()
2019-06-13 18:53:42 +03:00
mem = self._get_mem_usage() - start_mem
msg = "memory usage limit exceeded in iteration %d" % cycle
2018-09-27 13:35:00 +03:00
self.assertLess(mem, self.mem_limit, msg)
2017-09-02 19:03:38 +03:00
2014-07-07 21:03:50 +04:00
# helpers
def fromstring(data):
return Image.open(BytesIO(data))
def tostring(im, string_format, **options):
out = BytesIO()
im.save(out, string_format, **options)
return out.getvalue()
def hopper(mode=None, cache={}):
if mode is None:
# Always return fresh not-yet-loaded version of image.
# Operations on not-yet-loaded images is separate class of errors
# what we should catch.
return Image.open("Tests/images/hopper.ppm")
# Use caching to reduce reading from disk but so an original copy is
# returned each time and the cached image isn't modified by tests
# (for fast, isolated, repeatable tests).
im = cache.get(mode)
if im is None:
if mode == "F":
2014-09-05 13:36:24 +04:00
im = hopper("L").convert(mode)
elif mode[:4] == "I;16":
2014-09-05 13:36:24 +04:00
im = hopper("I").convert(mode)
else:
im = hopper().convert(mode)
cache[mode] = im
return im.copy()
def command_succeeds(cmd):
"""
Runs the command, which must be a list of strings. Returns True if the
command succeeds, or False if an OSError was raised by subprocess.Popen.
"""
try:
subprocess.call(cmd, stdout=subprocess.DEVNULL, stderr=subprocess.STDOUT)
except OSError:
return False
return True
2014-07-07 21:03:50 +04:00
def djpeg_available():
2019-06-13 18:53:42 +03:00
return command_succeeds(["djpeg", "-version"])
2014-07-07 21:03:50 +04:00
def cjpeg_available():
2019-06-13 18:53:42 +03:00
return command_succeeds(["cjpeg", "-version"])
2014-07-07 21:03:50 +04:00
def netpbm_available():
2019-06-13 18:53:42 +03:00
return command_succeeds(["ppmquant", "--version"]) and command_succeeds(
["ppmtogif", "--version"]
)
2014-07-07 21:03:50 +04:00
def imagemagick_available():
2019-06-13 18:53:42 +03:00
return IMCONVERT and command_succeeds([IMCONVERT, "-version"])
2015-06-20 06:43:14 +03:00
2015-06-16 23:35:34 +03:00
def on_appveyor():
2019-06-13 18:53:42 +03:00
return "APPVEYOR" in os.environ
2017-12-19 18:16:15 +03:00
def on_github_actions():
return "GITHUB_ACTIONS" in os.environ
2019-09-21 15:28:05 +03:00
def on_ci():
# Travis and AppVeyor have "CI"
# Azure Pipelines has "TF_BUILD"
# GitHub Actions has "GITHUB_ACTIONS"
return (
"CI" in os.environ or "TF_BUILD" in os.environ or "GITHUB_ACTIONS" in os.environ
)
2019-09-21 15:28:05 +03:00
def is_big_endian():
2020-01-08 16:22:53 +03:00
return sys.byteorder == "big"
2019-09-25 12:46:54 +03:00
def is_win32():
return sys.platform.startswith("win32")
def is_pypy():
return hasattr(sys, "pypy_translation_info")
2019-09-21 15:28:05 +03:00
2019-06-13 18:53:42 +03:00
if sys.platform == "win32":
IMCONVERT = os.environ.get("MAGICK_HOME", "")
if IMCONVERT:
2019-06-13 18:53:42 +03:00
IMCONVERT = os.path.join(IMCONVERT, "convert.exe")
else:
2019-06-13 18:53:42 +03:00
IMCONVERT = "convert"
2016-09-19 02:59:34 +03:00
2017-04-20 14:14:23 +03:00
class cached_property:
2016-09-19 02:59:34 +03:00
def __init__(self, func):
self.func = func
def __get__(self, instance, cls=None):
result = instance.__dict__[self.func.__name__] = self.func(instance)
return result